You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

281 lines
10KB

  1. import typing as t
  2. from contextlib import contextmanager
  3. from copy import copy
  4. from types import TracebackType
  5. import werkzeug.test
  6. from click.testing import CliRunner
  7. from werkzeug.test import Client
  8. from werkzeug.urls import url_parse
  9. from werkzeug.wrappers import Request as BaseRequest
  10. from . import _request_ctx_stack
  11. from .cli import ScriptInfo
  12. from .json import dumps as json_dumps
  13. from .sessions import SessionMixin
  14. if t.TYPE_CHECKING:
  15. from .app import Flask
  16. from .wrappers import Response
  17. class EnvironBuilder(werkzeug.test.EnvironBuilder):
  18. """An :class:`~werkzeug.test.EnvironBuilder`, that takes defaults from the
  19. application.
  20. :param app: The Flask application to configure the environment from.
  21. :param path: URL path being requested.
  22. :param base_url: Base URL where the app is being served, which
  23. ``path`` is relative to. If not given, built from
  24. :data:`PREFERRED_URL_SCHEME`, ``subdomain``,
  25. :data:`SERVER_NAME`, and :data:`APPLICATION_ROOT`.
  26. :param subdomain: Subdomain name to append to :data:`SERVER_NAME`.
  27. :param url_scheme: Scheme to use instead of
  28. :data:`PREFERRED_URL_SCHEME`.
  29. :param json: If given, this is serialized as JSON and passed as
  30. ``data``. Also defaults ``content_type`` to
  31. ``application/json``.
  32. :param args: other positional arguments passed to
  33. :class:`~werkzeug.test.EnvironBuilder`.
  34. :param kwargs: other keyword arguments passed to
  35. :class:`~werkzeug.test.EnvironBuilder`.
  36. """
  37. def __init__(
  38. self,
  39. app: "Flask",
  40. path: str = "/",
  41. base_url: t.Optional[str] = None,
  42. subdomain: t.Optional[str] = None,
  43. url_scheme: t.Optional[str] = None,
  44. *args: t.Any,
  45. **kwargs: t.Any,
  46. ) -> None:
  47. assert not (base_url or subdomain or url_scheme) or (
  48. base_url is not None
  49. ) != bool(
  50. subdomain or url_scheme
  51. ), 'Cannot pass "subdomain" or "url_scheme" with "base_url".'
  52. if base_url is None:
  53. http_host = app.config.get("SERVER_NAME") or "localhost"
  54. app_root = app.config["APPLICATION_ROOT"]
  55. if subdomain:
  56. http_host = f"{subdomain}.{http_host}"
  57. if url_scheme is None:
  58. url_scheme = app.config["PREFERRED_URL_SCHEME"]
  59. url = url_parse(path)
  60. base_url = (
  61. f"{url.scheme or url_scheme}://{url.netloc or http_host}"
  62. f"/{app_root.lstrip('/')}"
  63. )
  64. path = url.path
  65. if url.query:
  66. sep = b"?" if isinstance(url.query, bytes) else "?"
  67. path += sep + url.query
  68. self.app = app
  69. super().__init__(path, base_url, *args, **kwargs)
  70. def json_dumps(self, obj: t.Any, **kwargs: t.Any) -> str: # type: ignore
  71. """Serialize ``obj`` to a JSON-formatted string.
  72. The serialization will be configured according to the config associated
  73. with this EnvironBuilder's ``app``.
  74. """
  75. kwargs.setdefault("app", self.app)
  76. return json_dumps(obj, **kwargs)
  77. class FlaskClient(Client):
  78. """Works like a regular Werkzeug test client but has some knowledge about
  79. how Flask works to defer the cleanup of the request context stack to the
  80. end of a ``with`` body when used in a ``with`` statement. For general
  81. information about how to use this class refer to
  82. :class:`werkzeug.test.Client`.
  83. .. versionchanged:: 0.12
  84. `app.test_client()` includes preset default environment, which can be
  85. set after instantiation of the `app.test_client()` object in
  86. `client.environ_base`.
  87. Basic usage is outlined in the :doc:`/testing` chapter.
  88. """
  89. application: "Flask"
  90. preserve_context = False
  91. def __init__(self, *args: t.Any, **kwargs: t.Any) -> None:
  92. super().__init__(*args, **kwargs)
  93. self.environ_base = {
  94. "REMOTE_ADDR": "127.0.0.1",
  95. "HTTP_USER_AGENT": f"werkzeug/{werkzeug.__version__}",
  96. }
  97. @contextmanager
  98. def session_transaction(
  99. self, *args: t.Any, **kwargs: t.Any
  100. ) -> t.Generator[SessionMixin, None, None]:
  101. """When used in combination with a ``with`` statement this opens a
  102. session transaction. This can be used to modify the session that
  103. the test client uses. Once the ``with`` block is left the session is
  104. stored back.
  105. ::
  106. with client.session_transaction() as session:
  107. session['value'] = 42
  108. Internally this is implemented by going through a temporary test
  109. request context and since session handling could depend on
  110. request variables this function accepts the same arguments as
  111. :meth:`~flask.Flask.test_request_context` which are directly
  112. passed through.
  113. """
  114. if self.cookie_jar is None:
  115. raise RuntimeError(
  116. "Session transactions only make sense with cookies enabled."
  117. )
  118. app = self.application
  119. environ_overrides = kwargs.setdefault("environ_overrides", {})
  120. self.cookie_jar.inject_wsgi(environ_overrides)
  121. outer_reqctx = _request_ctx_stack.top
  122. with app.test_request_context(*args, **kwargs) as c:
  123. session_interface = app.session_interface
  124. sess = session_interface.open_session(app, c.request)
  125. if sess is None:
  126. raise RuntimeError(
  127. "Session backend did not open a session. Check the configuration"
  128. )
  129. # Since we have to open a new request context for the session
  130. # handling we want to make sure that we hide out own context
  131. # from the caller. By pushing the original request context
  132. # (or None) on top of this and popping it we get exactly that
  133. # behavior. It's important to not use the push and pop
  134. # methods of the actual request context object since that would
  135. # mean that cleanup handlers are called
  136. _request_ctx_stack.push(outer_reqctx)
  137. try:
  138. yield sess
  139. finally:
  140. _request_ctx_stack.pop()
  141. resp = app.response_class()
  142. if not session_interface.is_null_session(sess):
  143. session_interface.save_session(app, sess, resp)
  144. headers = resp.get_wsgi_headers(c.request.environ)
  145. self.cookie_jar.extract_wsgi(c.request.environ, headers)
  146. def open( # type: ignore
  147. self,
  148. *args: t.Any,
  149. as_tuple: bool = False,
  150. buffered: bool = False,
  151. follow_redirects: bool = False,
  152. **kwargs: t.Any,
  153. ) -> "Response":
  154. # Same logic as super.open, but apply environ_base and preserve_context.
  155. request = None
  156. def copy_environ(other):
  157. return {
  158. **self.environ_base,
  159. **other,
  160. "flask._preserve_context": self.preserve_context,
  161. }
  162. if not kwargs and len(args) == 1:
  163. arg = args[0]
  164. if isinstance(arg, werkzeug.test.EnvironBuilder):
  165. builder = copy(arg)
  166. builder.environ_base = copy_environ(builder.environ_base or {})
  167. request = builder.get_request()
  168. elif isinstance(arg, dict):
  169. request = EnvironBuilder.from_environ(
  170. arg, app=self.application, environ_base=copy_environ({})
  171. ).get_request()
  172. elif isinstance(arg, BaseRequest):
  173. request = copy(arg)
  174. request.environ = copy_environ(request.environ)
  175. if request is None:
  176. kwargs["environ_base"] = copy_environ(kwargs.get("environ_base", {}))
  177. builder = EnvironBuilder(self.application, *args, **kwargs)
  178. try:
  179. request = builder.get_request()
  180. finally:
  181. builder.close()
  182. return super().open( # type: ignore
  183. request,
  184. as_tuple=as_tuple,
  185. buffered=buffered,
  186. follow_redirects=follow_redirects,
  187. )
  188. def __enter__(self) -> "FlaskClient":
  189. if self.preserve_context:
  190. raise RuntimeError("Cannot nest client invocations")
  191. self.preserve_context = True
  192. return self
  193. def __exit__(
  194. self, exc_type: type, exc_value: BaseException, tb: TracebackType
  195. ) -> None:
  196. self.preserve_context = False
  197. # Normally the request context is preserved until the next
  198. # request in the same thread comes. When the client exits we
  199. # want to clean up earlier. Pop request contexts until the stack
  200. # is empty or a non-preserved one is found.
  201. while True:
  202. top = _request_ctx_stack.top
  203. if top is not None and top.preserved:
  204. top.pop()
  205. else:
  206. break
  207. class FlaskCliRunner(CliRunner):
  208. """A :class:`~click.testing.CliRunner` for testing a Flask app's
  209. CLI commands. Typically created using
  210. :meth:`~flask.Flask.test_cli_runner`. See :ref:`testing-cli`.
  211. """
  212. def __init__(self, app: "Flask", **kwargs: t.Any) -> None:
  213. self.app = app
  214. super().__init__(**kwargs)
  215. def invoke( # type: ignore
  216. self, cli: t.Any = None, args: t.Any = None, **kwargs: t.Any
  217. ) -> t.Any:
  218. """Invokes a CLI command in an isolated environment. See
  219. :meth:`CliRunner.invoke <click.testing.CliRunner.invoke>` for
  220. full method documentation. See :ref:`testing-cli` for examples.
  221. If the ``obj`` argument is not given, passes an instance of
  222. :class:`~flask.cli.ScriptInfo` that knows how to load the Flask
  223. app being tested.
  224. :param cli: Command object to invoke. Default is the app's
  225. :attr:`~flask.app.Flask.cli` group.
  226. :param args: List of strings to invoke the command with.
  227. :return: a :class:`~click.testing.Result` object.
  228. """
  229. if cli is None:
  230. cli = self.app.cli
  231. if "obj" not in kwargs:
  232. kwargs["obj"] = ScriptInfo(create_app=lambda: self.app)
  233. return super().invoke(cli, args, **kwargs)