2019-07-25 21:03:35 +02:00
|
|
|
from functools import wraps
|
2022-08-21 04:03:39 +02:00
|
|
|
from typing import Callable, Dict, Set, Tuple, Union
|
2016-06-01 14:39:58 +02:00
|
|
|
|
2022-12-06 22:26:39 +01:00
|
|
|
from django.http import HttpRequest, HttpResponse, HttpResponseBase
|
2020-09-22 06:04:45 +02:00
|
|
|
from django.urls import path
|
|
|
|
from django.urls.resolvers import URLPattern
|
2019-07-25 21:03:35 +02:00
|
|
|
from django.utils.cache import add_never_cache_headers
|
2013-10-17 19:21:18 +02:00
|
|
|
from django.views.decorators.csrf import csrf_exempt, csrf_protect
|
2022-08-21 04:03:39 +02:00
|
|
|
from typing_extensions import Concatenate, ParamSpec
|
2013-10-17 19:21:18 +02:00
|
|
|
|
2020-06-11 00:54:34 +02:00
|
|
|
from zerver.decorator import (
|
|
|
|
authenticated_json_view,
|
|
|
|
authenticated_rest_api_view,
|
|
|
|
authenticated_uploads_api_view,
|
|
|
|
process_as_post,
|
2022-08-01 20:46:23 +02:00
|
|
|
public_json_view,
|
2020-06-11 00:54:34 +02:00
|
|
|
)
|
2020-08-22 20:20:42 +02:00
|
|
|
from zerver.lib.exceptions import MissingAuthenticationError
|
2021-08-21 19:24:20 +02:00
|
|
|
from zerver.lib.request import RequestNotes
|
2020-08-22 20:20:42 +02:00
|
|
|
from zerver.lib.response import json_method_not_allowed
|
2013-10-30 16:33:08 +01:00
|
|
|
|
2022-08-21 04:03:39 +02:00
|
|
|
ParamT = ParamSpec("ParamT")
|
2021-02-12 08:20:45 +01:00
|
|
|
METHODS = ("GET", "HEAD", "POST", "PUT", "DELETE", "PATCH")
|
2021-02-12 08:19:30 +01:00
|
|
|
|
2013-10-17 19:21:18 +02:00
|
|
|
|
2022-08-21 04:03:39 +02:00
|
|
|
def default_never_cache_responses(
|
2023-12-05 18:45:07 +01:00
|
|
|
view_func: Callable[Concatenate[HttpRequest, ParamT], HttpResponse],
|
2022-08-21 04:03:39 +02:00
|
|
|
) -> Callable[Concatenate[HttpRequest, ParamT], HttpResponse]:
|
2019-10-02 00:10:30 +02:00
|
|
|
"""Patched version of the standard Django never_cache_responses
|
|
|
|
decorator that adds headers to a response so that it will never be
|
|
|
|
cached, unless the view code has already set a Cache-Control
|
|
|
|
header.
|
2019-07-25 21:03:35 +02:00
|
|
|
"""
|
2021-02-12 08:19:30 +01:00
|
|
|
|
2019-07-25 21:03:35 +02:00
|
|
|
@wraps(view_func)
|
2022-08-21 04:03:39 +02:00
|
|
|
def _wrapped_view_func(
|
|
|
|
request: HttpRequest, /, *args: ParamT.args, **kwargs: ParamT.kwargs
|
|
|
|
) -> HttpResponse:
|
2019-07-25 21:03:35 +02:00
|
|
|
response = view_func(request, *args, **kwargs)
|
tornado: Rewrite Django integration to duplicate less code.
Since essentially the first use of Tornado in Zulip, we've been
maintaining our Tornado+Django system, AsyncDjangoHandler, with
several hundred lines of Django code copied into it.
The goal for that code was simple: We wanted a way to use our Django
middleware (for code sharing reasons) inside a Tornado process (since
we wanted to use Tornado for our async events system).
As part of the Django 2.2.x upgrade, I looked at upgrading this
implementation to be based off modern Django, and it's definitely
possible to do that:
* Continue forking load_middleware to save response middleware.
* Continue manually running the Django response middleware.
* Continue working out a hack involving copying all of _get_response
to change a couple lines allowing us our Tornado code to not
actually return the Django HttpResponse so we can long-poll. The
previous hack of returning None stopped being viable with the Django 2.2
MiddlewareMixin.__call__ implementation.
But I decided to take this opportunity to look at trying to avoid
copying material Django code, and there is a way to do it:
* Replace RespondAsynchronously with a response.asynchronous attribute
on the HttpResponse; this allows Django to run its normal plumbing
happily in a way that should be stable over time, and then we
proceed to discard the response inside the Tornado `get()` method to
implement long-polling. (Better yet might be raising an
exception?). This lets us eliminate maintaining a patched copy of
_get_response.
* Removing the @asynchronous decorator, which didn't add anything now
that we only have one API endpoint backend (with two frontend call
points) that could call into this. Combined with the last bullet,
this lets us remove a significant hack from our
never_cache_responses function.
* Calling the normal Django `get_response` method from zulip_finish
after creating a duplicate request to process, rather than writing
totally custom code to do that. This lets us eliminate maintaining
a patched copy of Django's load_middleware.
* Adding detailed comments explaining how this is supposed to work,
what problems we encounter, and how we solve various problems, which
is critical to being able to modify this code in the future.
A key advantage of these changes is that the exact same code should
work on Django 1.11, Django 2.2, and Django 3.x, because we're no
longer copying large blocks of core Django code and thus should be
much less vulnerable to refactors.
There may be a modest performance downside, in that we now run both
request and response middleware twice when longpolling (once for the
request we discard). We may be able to avoid the expensive part of
it, Zulip's own request/response middleware, with a bit of additional
custom code to save work for requests where we're planning to discard
the response. Profiling will be important to understanding what's
worth doing here.
2020-02-06 22:09:10 +01:00
|
|
|
if response.has_header("Cache-Control"):
|
2019-10-02 00:10:30 +02:00
|
|
|
return response
|
|
|
|
|
|
|
|
add_never_cache_headers(response)
|
2019-07-25 21:03:35 +02:00
|
|
|
return response
|
2021-02-12 08:19:30 +01:00
|
|
|
|
2022-08-21 04:03:39 +02:00
|
|
|
return _wrapped_view_func
|
2019-07-25 21:03:35 +02:00
|
|
|
|
2021-02-12 08:19:30 +01:00
|
|
|
|
2022-08-02 00:21:20 +02:00
|
|
|
def get_target_view_function_or_response(
|
2022-08-16 03:45:43 +02:00
|
|
|
request: HttpRequest, rest_dispatch_kwargs: Dict[str, object]
|
2022-08-02 00:21:20 +02:00
|
|
|
) -> Union[Tuple[Callable[..., HttpResponse], Set[str]], HttpResponse]:
|
|
|
|
"""Helper for REST API request dispatch. The rest_dispatch_kwargs
|
|
|
|
parameter is expected to be a dictionary mapping HTTP methods to
|
|
|
|
a mix of view functions and (view_function, {view_flags}) tuples.
|
2016-06-23 02:26:47 +02:00
|
|
|
|
2022-08-02 00:21:20 +02:00
|
|
|
* Returns an error HttpResponse for unsupported HTTP methods.
|
2013-10-17 19:21:18 +02:00
|
|
|
|
2022-08-02 00:21:20 +02:00
|
|
|
* Otherwise, returns a tuple containing the view function
|
|
|
|
corresponding to the request's HTTP method, as well as the
|
|
|
|
appropriate set of view flags.
|
2013-10-17 19:21:18 +02:00
|
|
|
|
2022-08-02 00:21:20 +02:00
|
|
|
HACK: Mutates the passed rest_dispatch_kwargs, removing the HTTP
|
|
|
|
method details but leaving any other parameters for the caller to
|
|
|
|
pass directly to the view function. We should see if we can remove
|
|
|
|
this feature; it's not clear it's actually used.
|
2013-10-17 19:21:18 +02:00
|
|
|
|
|
|
|
"""
|
2022-08-16 03:45:43 +02:00
|
|
|
supported_methods: Dict[str, object] = {}
|
2021-08-21 19:24:20 +02:00
|
|
|
request_notes = RequestNotes.get_notes(request)
|
2021-07-09 15:17:33 +02:00
|
|
|
if request_notes.saved_response is not None:
|
tornado: Rewrite Django integration to duplicate less code.
Since essentially the first use of Tornado in Zulip, we've been
maintaining our Tornado+Django system, AsyncDjangoHandler, with
several hundred lines of Django code copied into it.
The goal for that code was simple: We wanted a way to use our Django
middleware (for code sharing reasons) inside a Tornado process (since
we wanted to use Tornado for our async events system).
As part of the Django 2.2.x upgrade, I looked at upgrading this
implementation to be based off modern Django, and it's definitely
possible to do that:
* Continue forking load_middleware to save response middleware.
* Continue manually running the Django response middleware.
* Continue working out a hack involving copying all of _get_response
to change a couple lines allowing us our Tornado code to not
actually return the Django HttpResponse so we can long-poll. The
previous hack of returning None stopped being viable with the Django 2.2
MiddlewareMixin.__call__ implementation.
But I decided to take this opportunity to look at trying to avoid
copying material Django code, and there is a way to do it:
* Replace RespondAsynchronously with a response.asynchronous attribute
on the HttpResponse; this allows Django to run its normal plumbing
happily in a way that should be stable over time, and then we
proceed to discard the response inside the Tornado `get()` method to
implement long-polling. (Better yet might be raising an
exception?). This lets us eliminate maintaining a patched copy of
_get_response.
* Removing the @asynchronous decorator, which didn't add anything now
that we only have one API endpoint backend (with two frontend call
points) that could call into this. Combined with the last bullet,
this lets us remove a significant hack from our
never_cache_responses function.
* Calling the normal Django `get_response` method from zulip_finish
after creating a duplicate request to process, rather than writing
totally custom code to do that. This lets us eliminate maintaining
a patched copy of Django's load_middleware.
* Adding detailed comments explaining how this is supposed to work,
what problems we encounter, and how we solve various problems, which
is critical to being able to modify this code in the future.
A key advantage of these changes is that the exact same code should
work on Django 1.11, Django 2.2, and Django 3.x, because we're no
longer copying large blocks of core Django code and thus should be
much less vulnerable to refactors.
There may be a modest performance downside, in that we now run both
request and response middleware twice when longpolling (once for the
request we discard). We may be able to avoid the expensive part of
it, Zulip's own request/response middleware, with a bit of additional
custom code to save work for requests where we're planning to discard
the response. Profiling will be important to understanding what's
worth doing here.
2020-02-06 22:09:10 +01:00
|
|
|
# For completing long-polled Tornado requests, we skip the
|
|
|
|
# view function logic and just return the response.
|
2021-07-09 15:17:33 +02:00
|
|
|
return request_notes.saved_response
|
tornado: Rewrite Django integration to duplicate less code.
Since essentially the first use of Tornado in Zulip, we've been
maintaining our Tornado+Django system, AsyncDjangoHandler, with
several hundred lines of Django code copied into it.
The goal for that code was simple: We wanted a way to use our Django
middleware (for code sharing reasons) inside a Tornado process (since
we wanted to use Tornado for our async events system).
As part of the Django 2.2.x upgrade, I looked at upgrading this
implementation to be based off modern Django, and it's definitely
possible to do that:
* Continue forking load_middleware to save response middleware.
* Continue manually running the Django response middleware.
* Continue working out a hack involving copying all of _get_response
to change a couple lines allowing us our Tornado code to not
actually return the Django HttpResponse so we can long-poll. The
previous hack of returning None stopped being viable with the Django 2.2
MiddlewareMixin.__call__ implementation.
But I decided to take this opportunity to look at trying to avoid
copying material Django code, and there is a way to do it:
* Replace RespondAsynchronously with a response.asynchronous attribute
on the HttpResponse; this allows Django to run its normal plumbing
happily in a way that should be stable over time, and then we
proceed to discard the response inside the Tornado `get()` method to
implement long-polling. (Better yet might be raising an
exception?). This lets us eliminate maintaining a patched copy of
_get_response.
* Removing the @asynchronous decorator, which didn't add anything now
that we only have one API endpoint backend (with two frontend call
points) that could call into this. Combined with the last bullet,
this lets us remove a significant hack from our
never_cache_responses function.
* Calling the normal Django `get_response` method from zulip_finish
after creating a duplicate request to process, rather than writing
totally custom code to do that. This lets us eliminate maintaining
a patched copy of Django's load_middleware.
* Adding detailed comments explaining how this is supposed to work,
what problems we encounter, and how we solve various problems, which
is critical to being able to modify this code in the future.
A key advantage of these changes is that the exact same code should
work on Django 1.11, Django 2.2, and Django 3.x, because we're no
longer copying large blocks of core Django code and thus should be
much less vulnerable to refactors.
There may be a modest performance downside, in that we now run both
request and response middleware twice when longpolling (once for the
request we discard). We may be able to avoid the expensive part of
it, Zulip's own request/response middleware, with a bit of additional
custom code to save work for requests where we're planning to discard
the response. Profiling will be important to understanding what's
worth doing here.
2020-02-06 22:09:10 +01:00
|
|
|
|
2022-08-02 00:21:20 +02:00
|
|
|
# The list() duplicates rest_dispatch_kwargs, since this loop
|
|
|
|
# mutates the original.
|
|
|
|
for arg in list(rest_dispatch_kwargs):
|
2013-10-17 19:21:18 +02:00
|
|
|
if arg in METHODS:
|
2022-08-02 00:21:20 +02:00
|
|
|
supported_methods[arg] = rest_dispatch_kwargs[arg]
|
|
|
|
del rest_dispatch_kwargs[arg]
|
2013-10-17 19:21:18 +02:00
|
|
|
|
2021-02-12 08:20:45 +01:00
|
|
|
if "GET" in supported_methods:
|
|
|
|
supported_methods.setdefault("HEAD", supported_methods["GET"])
|
2019-08-12 05:44:35 +02:00
|
|
|
|
2021-02-12 08:20:45 +01:00
|
|
|
if request.method == "OPTIONS":
|
2017-05-07 17:09:39 +02:00
|
|
|
response = HttpResponse(status=204) # No content
|
2021-02-12 08:20:45 +01:00
|
|
|
response["Allow"] = ", ".join(sorted(supported_methods.keys()))
|
2014-07-17 02:51:24 +02:00
|
|
|
return response
|
|
|
|
|
2013-10-17 19:21:18 +02:00
|
|
|
# Override requested method if magic method=??? parameter exists
|
|
|
|
method_to_use = request.method
|
2021-02-12 08:20:45 +01:00
|
|
|
if request.POST and "method" in request.POST:
|
|
|
|
method_to_use = request.POST["method"]
|
2013-10-17 19:21:18 +02:00
|
|
|
|
2016-01-25 01:27:18 +01:00
|
|
|
if method_to_use in supported_methods:
|
2016-06-25 12:48:33 +02:00
|
|
|
entry = supported_methods[method_to_use]
|
|
|
|
if isinstance(entry, tuple):
|
2022-08-15 20:58:15 +02:00
|
|
|
handler, view_flags = entry
|
|
|
|
assert callable(handler)
|
|
|
|
assert isinstance(view_flags, set)
|
|
|
|
return handler, view_flags
|
2022-08-16 03:45:43 +02:00
|
|
|
assert callable(entry)
|
|
|
|
return entry, set()
|
2013-12-13 21:52:20 +01:00
|
|
|
|
2016-01-25 01:27:18 +01:00
|
|
|
return json_method_not_allowed(list(supported_methods.keys()))
|
2020-09-22 06:04:45 +02:00
|
|
|
|
2021-02-12 08:19:30 +01:00
|
|
|
|
2022-08-02 00:21:20 +02:00
|
|
|
@default_never_cache_responses
|
|
|
|
@csrf_exempt
|
2022-08-21 04:03:39 +02:00
|
|
|
def rest_dispatch(request: HttpRequest, /, **kwargs: object) -> HttpResponse:
|
2022-08-02 00:21:20 +02:00
|
|
|
"""Dispatch to a REST API endpoint.
|
|
|
|
|
|
|
|
Authentication is verified in the following ways:
|
|
|
|
* for paths beginning with /api, HTTP basic auth
|
|
|
|
* for paths beginning with /json (used by the web client), the session token
|
|
|
|
|
|
|
|
Unauthenticated requests may use this endpoint only with the
|
|
|
|
allow_anonymous_user_web view flag.
|
|
|
|
|
|
|
|
This calls the function named in kwargs[request.method], if that request
|
|
|
|
method is supported, and after wrapping that function to:
|
|
|
|
|
|
|
|
* protect against CSRF (if the user is already authenticated through
|
|
|
|
a Django session)
|
|
|
|
* authenticate via an API key (otherwise)
|
|
|
|
* coerce PUT/PATCH/DELETE into having POST-like semantics for
|
|
|
|
retrieving variables
|
|
|
|
|
|
|
|
Any keyword args that are *not* HTTP methods are passed through to the
|
|
|
|
target function.
|
|
|
|
|
|
|
|
Never make a urls.py pattern put user input into a variable called GET, POST,
|
|
|
|
etc, as that is where we route HTTP verbs to target functions.
|
|
|
|
|
|
|
|
"""
|
|
|
|
result = get_target_view_function_or_response(request, kwargs)
|
|
|
|
if isinstance(result, HttpResponse):
|
|
|
|
return result
|
|
|
|
target_function, view_flags = result
|
|
|
|
request_notes = RequestNotes.get_notes(request)
|
|
|
|
|
|
|
|
# Set request_notes.query for update_activity_user(), which is called
|
|
|
|
# by some of the later wrappers.
|
|
|
|
request_notes.query = target_function.__name__
|
|
|
|
|
|
|
|
# We want to support authentication by both cookies (web client)
|
|
|
|
# and API keys (API clients). In the former case, we want to
|
|
|
|
# do a check to ensure that CSRF etc is honored, but in the latter
|
|
|
|
# we can skip all of that.
|
|
|
|
#
|
|
|
|
# Security implications of this portion of the code are minimal,
|
|
|
|
# as we should worst-case fail closed if we miscategorize a request.
|
|
|
|
|
|
|
|
# for some special views (e.g. serving a file that has been
|
|
|
|
# uploaded), we support using the same URL for web and API clients.
|
|
|
|
if "override_api_url_scheme" in view_flags and "Authorization" in request.headers:
|
|
|
|
# This request uses standard API based authentication.
|
|
|
|
# For override_api_url_scheme views, we skip our normal
|
|
|
|
# rate limiting, because there are good reasons clients
|
|
|
|
# might need to (e.g.) request a large number of uploaded
|
|
|
|
# files or avatars in quick succession.
|
|
|
|
target_function = authenticated_rest_api_view(skip_rate_limiting=True)(target_function)
|
|
|
|
elif "override_api_url_scheme" in view_flags and request.GET.get("api_key") is not None:
|
|
|
|
# This request uses legacy API authentication. We
|
|
|
|
# unfortunately need that in the React Native mobile apps,
|
|
|
|
# because there's no way to set the Authorization header in
|
|
|
|
# React Native. See last block for rate limiting notes.
|
|
|
|
target_function = authenticated_uploads_api_view(skip_rate_limiting=True)(target_function)
|
|
|
|
# /json views (web client) validate with a session token (cookie)
|
|
|
|
elif not request.path.startswith("/api") and request.user.is_authenticated:
|
|
|
|
# Authenticated via sessions framework, only CSRF check needed
|
|
|
|
auth_kwargs = {}
|
|
|
|
if "override_api_url_scheme" in view_flags:
|
|
|
|
auth_kwargs["skip_rate_limiting"] = True
|
|
|
|
target_function = csrf_protect(authenticated_json_view(target_function, **auth_kwargs))
|
|
|
|
|
|
|
|
# most clients (mobile, bots, etc) use HTTP basic auth and REST calls, where instead of
|
|
|
|
# username:password, we use email:apiKey
|
2022-11-04 20:26:18 +01:00
|
|
|
elif request.path.startswith("/api") and "Authorization" in request.headers:
|
2022-08-02 00:21:20 +02:00
|
|
|
# Wrap function with decorator to authenticate the user before
|
|
|
|
# proceeding
|
|
|
|
target_function = authenticated_rest_api_view(
|
|
|
|
allow_webhook_access="allow_incoming_webhooks" in view_flags,
|
|
|
|
)(target_function)
|
|
|
|
elif (
|
|
|
|
request.path.startswith(("/json", "/avatar", "/user_uploads", "/thumbnail"))
|
|
|
|
and "allow_anonymous_user_web" in view_flags
|
|
|
|
):
|
|
|
|
# For endpoints that support anonymous web access, we do that.
|
|
|
|
# TODO: Allow /api calls when this is stable enough.
|
|
|
|
target_function = csrf_protect(public_json_view(target_function))
|
|
|
|
else:
|
|
|
|
# Otherwise, throw an authentication error; our middleware
|
|
|
|
# will generate the appropriate HTTP response.
|
2023-02-04 02:07:20 +01:00
|
|
|
raise MissingAuthenticationError
|
2022-08-02 00:21:20 +02:00
|
|
|
|
|
|
|
if request.method in ["DELETE", "PATCH", "PUT"]:
|
|
|
|
# process_as_post needs to be the outer decorator, because
|
|
|
|
# otherwise we might access and thus cache a value for
|
|
|
|
# request.POST.
|
|
|
|
target_function = process_as_post(target_function)
|
|
|
|
|
|
|
|
return target_function(request, **kwargs)
|
|
|
|
|
|
|
|
|
2020-09-22 06:04:45 +02:00
|
|
|
def rest_path(
|
|
|
|
route: str,
|
2022-12-06 22:26:39 +01:00
|
|
|
**handlers: Union[
|
|
|
|
Callable[..., HttpResponseBase],
|
|
|
|
Tuple[Callable[..., HttpResponseBase], Set[str]],
|
|
|
|
],
|
2020-09-22 06:04:45 +02:00
|
|
|
) -> URLPattern:
|
2022-08-15 21:50:30 +02:00
|
|
|
return path(route, rest_dispatch, handlers)
|