Allow early Blueprint registrations to still apply later added objects (#2260)

This commit is contained in:
Adam Hopkins 2021-11-17 17:29:41 +02:00 committed by GitHub
parent b731a6b48c
commit 85e7b712b9
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
5 changed files with 129 additions and 37 deletions

View File

@ -72,6 +72,7 @@ from sanic.models.futures import (
FutureException, FutureException,
FutureListener, FutureListener,
FutureMiddleware, FutureMiddleware,
FutureRegistry,
FutureRoute, FutureRoute,
FutureSignal, FutureSignal,
FutureStatic, FutureStatic,
@ -115,6 +116,7 @@ class Sanic(BaseSanic, metaclass=TouchUpMeta):
"_future_exceptions", "_future_exceptions",
"_future_listeners", "_future_listeners",
"_future_middleware", "_future_middleware",
"_future_registry",
"_future_routes", "_future_routes",
"_future_signals", "_future_signals",
"_future_statics", "_future_statics",
@ -187,6 +189,7 @@ class Sanic(BaseSanic, metaclass=TouchUpMeta):
self._test_manager: Any = None self._test_manager: Any = None
self._blueprint_order: List[Blueprint] = [] self._blueprint_order: List[Blueprint] = []
self._delayed_tasks: List[str] = [] self._delayed_tasks: List[str] = []
self._future_registry: FutureRegistry = FutureRegistry()
self._state: ApplicationState = ApplicationState(app=self) self._state: ApplicationState = ApplicationState(app=self)
self.blueprints: Dict[str, Blueprint] = {} self.blueprints: Dict[str, Blueprint] = {}
self.config: Config = config or Config( self.config: Config = config or Config(
@ -1625,6 +1628,7 @@ class Sanic(BaseSanic, metaclass=TouchUpMeta):
raise e raise e
async def _startup(self): async def _startup(self):
self._future_registry.clear()
self.signalize() self.signalize()
self.finalize() self.finalize()
ErrorHandler.finalize(self.error_handler) ErrorHandler.finalize(self.error_handler)

View File

@ -4,7 +4,9 @@ import asyncio
from collections import defaultdict from collections import defaultdict
from copy import deepcopy from copy import deepcopy
from enum import Enum from functools import wraps
from inspect import isfunction
from itertools import chain
from types import SimpleNamespace from types import SimpleNamespace
from typing import ( from typing import (
TYPE_CHECKING, TYPE_CHECKING,
@ -13,7 +15,9 @@ from typing import (
Iterable, Iterable,
List, List,
Optional, Optional,
Sequence,
Set, Set,
Tuple,
Union, Union,
) )
@ -36,6 +40,32 @@ if TYPE_CHECKING:
from sanic import Sanic # noqa from sanic import Sanic # noqa
def lazy(func, as_decorator=True):
@wraps(func)
def decorator(bp, *args, **kwargs):
nonlocal as_decorator
kwargs["apply"] = False
pass_handler = None
if args and isfunction(args[0]):
as_decorator = False
def wrapper(handler):
future = func(bp, *args, **kwargs)
if as_decorator:
future = future(handler)
if bp.registered:
for app in bp.apps:
bp.register(app, {})
return future
return wrapper if as_decorator else wrapper(pass_handler)
return decorator
class Blueprint(BaseSanic): class Blueprint(BaseSanic):
""" """
In *Sanic* terminology, a **Blueprint** is a logical collection of In *Sanic* terminology, a **Blueprint** is a logical collection of
@ -125,29 +155,16 @@ class Blueprint(BaseSanic):
) )
return self._apps return self._apps
def route(self, *args, **kwargs): @property
kwargs["apply"] = False def registered(self) -> bool:
return super().route(*args, **kwargs) return bool(self._apps)
def static(self, *args, **kwargs): exception = lazy(BaseSanic.exception)
kwargs["apply"] = False listener = lazy(BaseSanic.listener)
return super().static(*args, **kwargs) middleware = lazy(BaseSanic.middleware)
route = lazy(BaseSanic.route)
def middleware(self, *args, **kwargs): signal = lazy(BaseSanic.signal)
kwargs["apply"] = False static = lazy(BaseSanic.static, as_decorator=False)
return super().middleware(*args, **kwargs)
def listener(self, *args, **kwargs):
kwargs["apply"] = False
return super().listener(*args, **kwargs)
def exception(self, *args, **kwargs):
kwargs["apply"] = False
return super().exception(*args, **kwargs)
def signal(self, event: Union[str, Enum], *args, **kwargs):
kwargs["apply"] = False
return super().signal(event, *args, **kwargs)
def reset(self): def reset(self):
self._apps: Set[Sanic] = set() self._apps: Set[Sanic] = set()
@ -284,6 +301,7 @@ class Blueprint(BaseSanic):
middleware = [] middleware = []
exception_handlers = [] exception_handlers = []
listeners = defaultdict(list) listeners = defaultdict(list)
registered = set()
# Routes # Routes
for future in self._future_routes: for future in self._future_routes:
@ -310,12 +328,15 @@ class Blueprint(BaseSanic):
) )
name = app._generate_name(future.name) name = app._generate_name(future.name)
host = future.host or self.host
if isinstance(host, list):
host = tuple(host)
apply_route = FutureRoute( apply_route = FutureRoute(
future.handler, future.handler,
uri[1:] if uri.startswith("//") else uri, uri[1:] if uri.startswith("//") else uri,
future.methods, future.methods,
future.host or self.host, host,
strict_slashes, strict_slashes,
future.stream, future.stream,
version, version,
@ -329,6 +350,10 @@ class Blueprint(BaseSanic):
error_format, error_format,
) )
if (self, apply_route) in app._future_registry:
continue
registered.add(apply_route)
route = app._apply_route(apply_route) route = app._apply_route(apply_route)
operation = ( operation = (
routes.extend if isinstance(route, list) else routes.append routes.extend if isinstance(route, list) else routes.append
@ -340,6 +365,11 @@ class Blueprint(BaseSanic):
# Prepend the blueprint URI prefix if available # Prepend the blueprint URI prefix if available
uri = url_prefix + future.uri if url_prefix else future.uri uri = url_prefix + future.uri if url_prefix else future.uri
apply_route = FutureStatic(uri, *future[1:]) apply_route = FutureStatic(uri, *future[1:])
if (self, apply_route) in app._future_registry:
continue
registered.add(apply_route)
route = app._apply_static(apply_route) route = app._apply_static(apply_route)
routes.append(route) routes.append(route)
@ -348,30 +378,51 @@ class Blueprint(BaseSanic):
if route_names: if route_names:
# Middleware # Middleware
for future in self._future_middleware: for future in self._future_middleware:
if (self, future) in app._future_registry:
continue
middleware.append(app._apply_middleware(future, route_names)) middleware.append(app._apply_middleware(future, route_names))
# Exceptions # Exceptions
for future in self._future_exceptions: for future in self._future_exceptions:
if (self, future) in app._future_registry:
continue
exception_handlers.append( exception_handlers.append(
app._apply_exception_handler(future, route_names) app._apply_exception_handler(future, route_names)
) )
# Event listeners # Event listeners
for listener in self._future_listeners: for future in self._future_listeners:
listeners[listener.event].append(app._apply_listener(listener)) if (self, future) in app._future_registry:
continue
listeners[future.event].append(app._apply_listener(future))
# Signals # Signals
for signal in self._future_signals: for future in self._future_signals:
signal.condition.update({"blueprint": self.name}) if (self, future) in app._future_registry:
app._apply_signal(signal) continue
future.condition.update({"blueprint": self.name})
app._apply_signal(future)
self.routes = [route for route in routes if isinstance(route, Route)] self.routes += [route for route in routes if isinstance(route, Route)]
self.websocket_routes = [ self.websocket_routes += [
route for route in self.routes if route.ctx.websocket route for route in self.routes if route.ctx.websocket
] ]
self.middlewares = middleware self.middlewares += middleware
self.exceptions = exception_handlers self.exceptions += exception_handlers
self.listeners = dict(listeners) self.listeners.update(dict(listeners))
if self.registered:
self.register_futures(
self.apps,
self,
chain(
registered,
self._future_middleware,
self._future_exceptions,
self._future_listeners,
self._future_signals,
),
)
async def dispatch(self, *args, **kwargs): async def dispatch(self, *args, **kwargs):
condition = kwargs.pop("condition", {}) condition = kwargs.pop("condition", {})
@ -403,3 +454,10 @@ class Blueprint(BaseSanic):
value = v value = v
break break
return value return value
@staticmethod
def register_futures(
apps: Set[Sanic], bp: Blueprint, futures: Sequence[Tuple[Any, ...]]
):
for app in apps:
app._future_registry.update(set((bp, item) for item in futures))

View File

@ -60,3 +60,7 @@ class FutureSignal(NamedTuple):
handler: SignalHandler handler: SignalHandler
event: str event: str
condition: Optional[Dict[str, str]] condition: Optional[Dict[str, str]]
class FutureRegistry(set):
...

View File

@ -1,6 +1,4 @@
from copy import deepcopy from sanic import Blueprint, Sanic
from sanic import Blueprint, Sanic, blueprints, response
from sanic.response import text from sanic.response import text

View File

@ -1088,3 +1088,31 @@ def test_bp_set_attribute_warning():
"and will be removed in version 21.12. You should change your " "and will be removed in version 21.12. You should change your "
"Blueprint instance to use instance.ctx.foo instead." "Blueprint instance to use instance.ctx.foo instead."
) )
def test_early_registration(app):
assert len(app.router.routes) == 0
bp = Blueprint("bp")
@bp.get("/one")
async def one(_):
return text("one")
app.blueprint(bp)
assert len(app.router.routes) == 1
@bp.get("/two")
async def two(_):
return text("two")
@bp.get("/three")
async def three(_):
return text("three")
assert len(app.router.routes) == 3
for path in ("one", "two", "three"):
_, response = app.test_client.get(f"/{path}")
assert response.text == path