
    g                       d dl mZ d dlZd dlZd dlZd dlZd dlmZ d dl	m
Z
 d dlmZ d dlmZ d dlmZ d dlmZ d d	lmZ d d
lmZ d dlmZ d dlmZ d dlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddl m!Z! ddl m"Z" ddl#m$Z$ ddl#m%Z% ddlm&Z& ddl'm(Z( ddl'm)Z) ddl*m+Z+ ddl*m,Z, ddl*m-Z- ddl*m.Z. ej^                  rd dl0mZ1 ddl2m3Z3 dd l2m4Z4 dd!l5m6Z6  ejn                  d"ejp                  #      Z9 ejn                  d$ejt                  #      Z; ejn                  d%ejx                  #      Z= ejn                  d&ej|                  #      Z? ejn                  d'ej                  #      ZAd+d(ZB G d) d*e-      ZCy),    )annotationsN)	timedelta)chain)Aborter)
BadRequest)BadRequestKeyError)
BuildError)Map)Rule)Response)cached_property)redirect   )typing)Config)ConfigAttribute)_AppCtxGlobals)_split_blueprint_path)get_debug_flag)DefaultJSONProvider)JSONProvidercreate_loggerDispatchingJinjaLoader)Environment   )_endpoint_from_view_func)find_package)Scaffold)setupmethod)FlaskClient)FlaskCliRunner)	BlueprintT_shell_context_processor)bound
T_teardownT_template_filterT_template_globalT_template_testc                B    | t        | t              r| S t        |       S )N)seconds)
isinstancer   )values    m/var/www/html/FastMealFinder_FlaskServer-InitialRelease/venv/lib/python3.12/site-packages/flask/sansio/app.py_make_timedeltar0   4   s     }
5)4U##    c                  P    e Zd ZU dZeZeZeZ	e
Z ee   d      Z eej                   eedf      d      Z ee   de      ZeZded<   	 i Zd	ed
<   eZeZdZded<   dZ ded<   d	ed<   ded<   	 	 	 	 	 	 	 	 	 d0	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 d1 fdZ!d2dZ"e#d3d       Z$e#d4d       Z%e#d5d       Z&d5dZ'd6d7dZ(d8dZ)d3dZ*d9dZ+d:dZ,e-d;d       Z.e.j^                  d<d       Z.e0d=d       Z1d>d Z2e0	 	 	 d?	 	 	 	 	 	 	 	 	 	 	 d@d!       Z3e0	 dA	 	 	 dBd"       Z4e0	 dA	 	 	 	 	 dCd#       Z5e0	 dA	 	 	 dDd$       Z6e0	 dA	 	 	 	 	 dEd%       Z7e0	 dA	 	 	 dFd&       Z8e0	 dA	 	 	 	 	 dGd'       Z9e0dHd(       Z:e0	 	 	 	 dId)       Z;	 	 	 	 	 	 dJd*Z<dKd+Z=dLd,Z>dMdNd-Z?dOd.Z@	 	 	 	 	 	 	 	 dPd/ZA xZBS )QAppa  The flask object implements a WSGI application and acts as the central
    object.  It is passed the name of the module or package of the
    application.  Once it is created it will act as a central registry for
    the view functions, the URL rules, template configuration and much more.

    The name of the package is used to resolve resources from inside the
    package or the folder the module is contained in depending on if the
    package parameter resolves to an actual python package (a folder with
    an :file:`__init__.py` file inside) or a standard module (just a ``.py`` file).

    For more information about resource loading, see :func:`open_resource`.

    Usually you create a :class:`Flask` instance in your main module or
    in the :file:`__init__.py` file of your package like this::

        from flask import Flask
        app = Flask(__name__)

    .. admonition:: About the First Parameter

        The idea of the first parameter is to give Flask an idea of what
        belongs to your application.  This name is used to find resources
        on the filesystem, can be used by extensions to improve debugging
        information and a lot more.

        So it's important what you provide there.  If you are using a single
        module, `__name__` is always the correct value.  If you however are
        using a package, it's usually recommended to hardcode the name of
        your package there.

        For example if your application is defined in :file:`yourapplication/app.py`
        you should create it with one of the two versions below::

            app = Flask('yourapplication')
            app = Flask(__name__.split('.')[0])

        Why is that?  The application will work even with `__name__`, thanks
        to how resources are looked up.  However it will make debugging more
        painful.  Certain extensions can make assumptions based on the
        import name of your application.  For example the Flask-SQLAlchemy
        extension will look for the code in your application that triggered
        an SQL query in debug mode.  If the import name is not properly set
        up, that debugging information is lost.  (For example it would only
        pick up SQL queries in `yourapplication.app` and not
        `yourapplication.views.frontend`)

    .. versionadded:: 0.7
       The `static_url_path`, `static_folder`, and `template_folder`
       parameters were added.

    .. versionadded:: 0.8
       The `instance_path` and `instance_relative_config` parameters were
       added.

    .. versionadded:: 0.11
       The `root_path` parameter was added.

    .. versionadded:: 1.0
       The ``host_matching`` and ``static_host`` parameters were added.

    .. versionadded:: 1.0
       The ``subdomain_matching`` parameter was added. Subdomain
       matching needs to be enabled manually now. Setting
       :data:`SERVER_NAME` does not implicitly enable it.

    :param import_name: the name of the application package
    :param static_url_path: can be used to specify a different path for the
                            static files on the web.  Defaults to the name
                            of the `static_folder` folder.
    :param static_folder: The folder with static files that is served at
        ``static_url_path``. Relative to the application ``root_path``
        or an absolute path. Defaults to ``'static'``.
    :param static_host: the host to use when adding the static route.
        Defaults to None. Required when using ``host_matching=True``
        with a ``static_folder`` configured.
    :param host_matching: set ``url_map.host_matching`` attribute.
        Defaults to False.
    :param subdomain_matching: consider the subdomain relative to
        :data:`SERVER_NAME` when matching routes. Defaults to False.
    :param template_folder: the folder that contains the templates that should
                            be used by the application.  Defaults to
                            ``'templates'`` folder in the root path of the
                            application.
    :param instance_path: An alternative instance path for the application.
                          By default the folder ``'instance'`` next to the
                          package or module is assumed to be the instance
                          path.
    :param instance_relative_config: if set to ``True`` relative filenames
                                     for loading the config are assumed to
                                     be relative to the instance path instead
                                     of the application root.
    :param root_path: The path to the root of the application files.
        This should only be set manually when it can't be detected
        automatically, such as for namespace packages.
    TESTINGN
SECRET_KEYPERMANENT_SESSION_LIFETIME)get_converterztype[JSONProvider]json_provider_classdict[str, t.Any]jinja_optionsztype[FlaskClient] | Nonetest_client_classztype[FlaskCliRunner] | Nonetest_cli_runner_classdefault_configztype[Response]response_classc                   t         |   |||||
       || j                         }n*t        j                  j                  |      st        d      || _        | j                  |	      | _	        | j                         | _        | j                  |       | _        	 g | _        g | _        g | _        i | _        i | _        | j'                  |      | _        || _        d| _        y )N)import_namestatic_folderstatic_url_pathtemplate_folder	root_pathzWIf an instance path is provided it must be absolute. A relative path was given instead.)host_matchingF)super__init__auto_find_instance_pathospathisabs
ValueErrorinstance_pathmake_configconfigmake_aborteraborterr8   jsonurl_build_error_handlersteardown_appcontext_funcsshell_context_processors
blueprints
extensionsurl_map_classurl_mapsubdomain_matching_got_first_request)selfr@   rB   rA   static_hostrE   rZ   rC   rM   instance_relative_configrD   	__class__s              r/   rG   zApp.__init__  s    	#'++ 	 	
   88:M}-6  +
 &&'?@ ((*"&":":4"@		2  	% EG& QS% 13 -/" )))F"4 #(r1   c                :    | j                   rt        d| d      y )NzThe setup method 'z' can no longer be called on the application. It has already handled its first request, any changes will not be applied consistently.
Make sure all imports, decorators, functions, etc. needed to set up the application are done before running it.)r[   AssertionError)r\   f_names     r/   _check_setup_finishedzApp._check_setup_finished  s.    "" $VH -   #r1   c                    | j                   dk(  r`t        t        j                  d   dd      }|yt        j
                  j                  t        j
                  j                  |            d   S | j                   S )a_  The name of the application.  This is usually the import name
        with the difference that it's guessed from the run file if the
        import name is main.  This name is used as a display name when
        Flask needs the name of the application.  It can be set and overridden
        to change the value.

        .. versionadded:: 0.8
        __main____file__Nr   )r@   getattrsysmodulesrI   rJ   splitextbasename)r\   fns     r/   namezApp.name  sf     z)$S[[%<j$OBz!77##BGG$4$4R$89!<<r1   c                    t        |       S )a  A standard Python :class:`~logging.Logger` for the app, with
        the same name as :attr:`name`.

        In debug mode, the logger's :attr:`~logging.Logger.level` will
        be set to :data:`~logging.DEBUG`.

        If there are no handlers configured, a default handler will be
        added. See :doc:`/logging` for more information.

        .. versionchanged:: 1.1.0
            The logger takes the same name as :attr:`name` rather than
            hard-coding ``"flask.app"``.

        .. versionchanged:: 1.0.0
            Behavior was simplified. The logger is always named
            ``"flask.app"``. The level is only set during configuration,
            it doesn't check ``app.debug`` each time. Only one format is
            used, not different ones depending on ``app.debug``. No
            handlers are removed, and a handler is only added if no
            handlers are already configured.

        .. versionadded:: 0.3
        r   r\   s    r/   loggerz
App.logger  s    2 T""r1   c                "    | j                         S )zThe Jinja environment used to load templates.

        The environment is created the first time this property is
        accessed. Changing :attr:`jinja_options` after that will have no
        effect.
        )create_jinja_environmentro   s    r/   	jinja_envzApp.jinja_env  s     ,,..r1   c                    t               N)NotImplementedErrorro   s    r/   rr   zApp.create_jinja_environment  s    !##r1   c                    | j                   }|r| j                  }t        | j                        }t	               |d<   | j                  ||      S )ad  Used to create the config attribute by the Flask constructor.
        The `instance_relative` parameter is passed in from the constructor
        of Flask (there named `instance_relative_config`) and indicates if
        the config should be relative to the instance path or the root path
        of the application.

        .. versionadded:: 0.8
        DEBUG)rD   rM   dictr=   r   config_class)r\   instance_relativerD   defaultss       r/   rN   zApp.make_config  sK     NN	**I++,*,  H55r1   c                "    | j                         S )aV  Create the object to assign to :attr:`aborter`. That object
        is called by :func:`flask.abort` to raise HTTP errors, and can
        be called directly as well.

        By default, this creates an instance of :attr:`aborter_class`,
        which defaults to :class:`werkzeug.exceptions.Aborter`.

        .. versionadded:: 2.2
        )aborter_classro   s    r/   rP   zApp.make_aborter  s     !!##r1   c                    t        | j                        \  }}| t        j                  j	                  |d      S t        j                  j	                  |d| j
                   d      S )a  Tries to locate the instance path if it was not provided to the
        constructor of the application class.  It will basically calculate
        the path to a folder named ``instance`` next to your main file or
        the package.

        .. versionadded:: 0.8
        instancevarz	-instance)r   r@   rI   rJ   joinrm   )r\   prefixpackage_paths      r/   rH   zApp.auto_find_instance_path  sU      ,D,<,<=>77<<j99ww||FEdii[	+BCCr1   c                    t        |       S )a  Creates the loader for the Jinja2 environment.  Can be used to
        override just the loader and keeping the rest unchanged.  It's
        discouraged to override this function.  Instead one should override
        the :meth:`jinja_loader` function instead.

        The global loader dispatches between the loaders of the application
        and the individual blueprints.

        .. versionadded:: 0.7
        r   ro   s    r/   create_global_jinja_loaderzApp.create_global_jinja_loader  s     &d++r1   c                *    |y|j                  d      S )a  Returns ``True`` if autoescaping should be active for the given
        template name. If no template name is given, returns `True`.

        .. versionchanged:: 2.2
            Autoescaping is now enabled by default for ``.svg`` files.

        .. versionadded:: 0.5
        T)z.htmlz.htmz.xmlz.xhtmlz.svg)endswith)r\   filenames     r/   select_jinja_autoescapezApp.select_jinja_autoescape  s       !LMMr1   c                     | j                   d   S )a  Whether debug mode is enabled. When using ``flask run`` to start the
        development server, an interactive debugger will be shown for unhandled
        exceptions, and the server will be reloaded when code changes. This maps to the
        :data:`DEBUG` config key. It may not behave as expected if set late.

        **Do not enable debug mode when deploying in production.**

        Default: ``False``
        rx   )rO   ro   s    r/   debugz	App.debug%  s     {{7##r1   c                d    || j                   d<   | j                   d   || j                  _        y y )Nrx   TEMPLATES_AUTO_RELOAD)rO   rs   auto_reload)r\   r.   s     r/   r   z	App.debug2  s1    $G;;./7).DNN& 8r1   c                (    |j                  | |       y)ax  Register a :class:`~flask.Blueprint` on the application. Keyword
        arguments passed to this method will override the defaults set on the
        blueprint.

        Calls the blueprint's :meth:`~flask.Blueprint.register` method after
        recording the blueprint in the application's :attr:`blueprints`.

        :param blueprint: The blueprint to register.
        :param url_prefix: Blueprint routes will be prefixed with this.
        :param subdomain: Blueprint routes will match on this subdomain.
        :param url_defaults: Blueprint routes will use these default values for
            view arguments.
        :param options: Additional keyword arguments are passed to
            :class:`~flask.blueprints.BlueprintSetupState`. They can be
            accessed in :meth:`~flask.Blueprint.record` callbacks.

        .. versionchanged:: 2.0.1
            The ``name`` option can be used to change the (pre-dotted)
            name the blueprint is registered with. This allows the same
            blueprint to be registered multiple times with unique names
            for ``url_for``.

        .. versionadded:: 0.7
        N)register)r\   	blueprintoptionss      r/   register_blueprintzApp.register_blueprint9  s    4 	4)r1   c                6    | j                   j                         S )zhIterates over all blueprints by the order they were registered.

        .. versionadded:: 0.11
        )rV   valuesro   s    r/   iter_blueprintszApp.iter_blueprintsU  s    
 %%''r1   c                   |t        |      }||d<   |j                  dd       }|t        |dd       xs d}t        |t              rt        d      |D ch c]  }|j                          }}t        t        |dd            }|t        |dd       }|)d|vr#| j                  d	   rd
}|j                  d       nd}||z  } | j                  |fd|i|}	||	_        | j                  j                  |	       |@| j                  j                  |      }
|
|
|k7  rt        d|       || j                  |<   y y c c}w )Nendpointmethods)GETzYAllowed methods must be a list of strings, for example: @app.route(..., methods=["POST"])required_methods provide_automatic_optionsOPTIONSPROVIDE_AUTOMATIC_OPTIONSTFzDView function mapping is overwriting an existing endpoint function: )r   poprg   r-   str	TypeErroruppersetrO   addurl_rule_classr   rY   view_functionsgetra   )r\   ruler   	view_funcr   r   r   itemr   rule_objold_funcs              r/   add_url_rulezApp.add_url_rule\  s    /	:H&
++i.
 ?iD9EXGgs#>  -44D4::<44 &)<NPR)S%T %,(/6)% %,'DKK8S,T,0) $$Y/,1) 	##&4&&tHWHH-F*" **..x8H#I(=$++3*6  -6D) !5 5s   D?c                     d fd}|S )a  A decorator that is used to register custom template filter.
        You can specify a name for the filter, otherwise the function
        name will be used. Example::

          @app.template_filter()
          def reverse(s):
              return s[::-1]

        :param name: the optional name of the filter, otherwise the
                     function name will be used.
        c                .    j                  |        | S N)rm   )add_template_filterfrm   r\   s    r/   	decoratorz&App.template_filter.<locals>.decorator      $$QT$2Hr1   )r   r(   returnr(   r   r\   rm   r   s   `` r/   template_filterzApp.template_filter  s     	 r1   c                R    || j                   j                  |xs |j                  <   y)zRegister a custom template filter.  Works exactly like the
        :meth:`template_filter` decorator.

        :param name: the optional name of the filter, otherwise the
                     function name will be used.
        N)rs   filters__name__r\   r   rm   s      r/   r   zApp.add_template_filter  s!     67t1qzz2r1   c                     d fd}|S )aS  A decorator that is used to register custom template test.
        You can specify a name for the test, otherwise the function
        name will be used. Example::

          @app.template_test()
          def is_prime(n):
              if n == 2:
                  return True
              for i in range(2, int(math.ceil(math.sqrt(n))) + 1):
                  if n % i == 0:
                      return False
              return True

        .. versionadded:: 0.10

        :param name: the optional name of the test, otherwise the
                     function name will be used.
        c                .    j                  |        | S r   )add_template_testr   s    r/   r   z$App.template_test.<locals>.decorator  s    ""14"0Hr1   )r   r*   r   r*   r   r   s   `` r/   template_testzApp.template_test  s    .	 r1   c                R    || j                   j                  |xs |j                  <   y)zRegister a custom template test.  Works exactly like the
        :meth:`template_test` decorator.

        .. versionadded:: 0.10

        :param name: the optional name of the test, otherwise the
                     function name will be used.
        N)rs   testsr   r   s      r/   r   zApp.add_template_test  s!     45T/QZZ0r1   c                     d fd}|S )a  A decorator that is used to register a custom template global function.
        You can specify a name for the global function, otherwise the function
        name will be used. Example::

            @app.template_global()
            def double(n):
                return 2 * n

        .. versionadded:: 0.10

        :param name: the optional name of the global function, otherwise the
                     function name will be used.
        c                .    j                  |        | S r   )add_template_globalr   s    r/   r   z&App.template_global.<locals>.decorator  r   r1   )r   r)   r   r)   r   r   s   `` r/   template_globalzApp.template_global  s    $	 r1   c                R    || j                   j                  |xs |j                  <   y)a  Register a custom template global function. Works exactly like the
        :meth:`template_global` decorator.

        .. versionadded:: 0.10

        :param name: the optional name of the global function, otherwise the
                     function name will be used.
        N)rs   globalsr   r   s      r/   r   zApp.add_template_global  s!     67t1qzz2r1   c                <    | j                   j                  |       |S )a  Registers a function to be called when the application
        context is popped. The application context is typically popped
        after the request context for each request, at the end of CLI
        commands, or after a manually pushed context ends.

        .. code-block:: python

            with app.app_context():
                ...

        When the ``with`` block exits (or ``ctx.pop()`` is called), the
        teardown functions are called just before the app context is
        made inactive. Since a request context typically also manages an
        application context it would also be called when you pop a
        request context.

        When a teardown function was called because of an unhandled
        exception it will be passed an error object. If an
        :meth:`errorhandler` is registered, it will handle the exception
        and the teardown will not receive it.

        Teardown functions must avoid raising exceptions. If they
        execute code that might fail they must surround that code with a
        ``try``/``except`` block and log any errors.

        The return values of teardown functions are ignored.

        .. versionadded:: 0.9
        )rT   appendr\   r   s     r/   teardown_appcontextzApp.teardown_appcontext
  s    > 	&&--a0r1   c                <    | j                   j                  |       |S )zVRegisters a shell context processor function.

        .. versionadded:: 0.11
        )rU   r   r   s     r/   shell_context_processorzApp.shell_context_processor,  s     	%%,,Q/r1   c                    | j                  t        |            \  }}g |d}||dfndD ]J  }|D ]C  }| j                  |   |   }|s|j                  D ]  }	|j	                  |	      }
|
|
c c c S  E L y)a(  Return a registered error handler for an exception in this order:
        blueprint handler for a specific code, app handler for a specific code,
        blueprint handler for an exception class, app handler for an exception
        class, or ``None`` if a suitable handler is not found.
        Nru   )_get_exc_class_and_codetypeerror_handler_spec__mro__r   )r\   erV   	exc_classcodenamescrm   handler_mapclshandlers              r/   _find_error_handlerzApp._find_error_handler7  s     66tAw?	4#*#d#!%!1$w 	'A 
'"55d;A>"$,, 'C)ooc2G*&	'
'	' r1   c                    | j                   d   ry| j                   d   }|| j                  rt        |t              ry|rt        |t              S y)a  Checks if an HTTP exception should be trapped or not.  By default
        this will return ``False`` for all exceptions except for a bad request
        key error if ``TRAP_BAD_REQUEST_ERRORS`` is set to ``True``.  It
        also returns ``True`` if ``TRAP_HTTP_EXCEPTIONS`` is set to ``True``.

        This is called for all HTTP exceptions raised by a view function.
        If it returns ``True`` for any exception the error handler for this
        exception is not called and it shows up as regular exception in the
        traceback.  This is helpful for debugging implicitly raised HTTP
        exceptions.

        .. versionchanged:: 1.0
            Bad request errors are not trapped by default in debug mode.

        .. versionadded:: 0.8
        TRAP_HTTP_EXCEPTIONSTTRAP_BAD_REQUEST_ERRORSF)rO   r   r-   r   r   )r\   r   trap_bad_requests      r/   trap_http_exceptionzApp.trap_http_exceptionP  sT    " ;;-.;;'@A $

101a,,r1   c                     y)a
  This is called to figure out if an error should be ignored
        or not as far as the teardown system is concerned.  If this
        function returns ``True`` then the teardown handlers will not be
        passed the error.

        .. versionadded:: 0.10
        Fr   )r\   errors     r/   should_ignore_errorzApp.should_ignore_errors  s     r1   c                2    t        ||| j                        S )aV  Create a redirect response object.

        This is called by :func:`flask.redirect`, and can be called
        directly as well.

        :param location: The URL to redirect to.
        :param code: The status code for the redirect.

        .. versionadded:: 2.2
            Moved from ``flask.redirect``, which calls this method.
        )r   r   )_wz_redirectr>   )r\   locationr   s      r/   r   zApp.redirect}  s      ((
 	
r1   c           
         d}d|v r0t        |t        t        |j                  d      d                     }|D ].  }|| j                  v s| j                  |   D ]  } |||        0 y)zInjects the URL defaults for the given endpoint directly into
        the values dictionary passed.  This is used internally and
        automatically called on URL building.

        .. versionadded:: 0.7
        ru   .r   N)r   reversedr   
rpartitionurl_default_functions)r\   r   r   r   rm   funcs         r/   inject_url_defaultszApp.inject_url_defaults  s     )0 (?x 5h6I6I#6Nq6Q RSE  	+Dt111 66t< +D6*+	+r1   c                    | j                   D ]  }	  ||||      }||c S  |t        j                         d   u r |# t        $ r}|}Y d}~Bd}~ww xY w)a  Called by :meth:`.url_for` if a
        :exc:`~werkzeug.routing.BuildError` was raised. If this returns
        a value, it will be returned by ``url_for``, otherwise the error
        will be re-raised.

        Each function in :attr:`url_build_error_handlers` is called with
        ``error``, ``endpoint`` and ``values``. If a function returns
        ``None`` or raises a ``BuildError``, it is skipped. Otherwise,
        its return value is returned by ``url_for``.

        :param error: The active ``BuildError`` being handled.
        :param endpoint: The endpoint being built.
        :param values: The keyword arguments passed to ``url_for``.
        Nr   )rS   r	   rh   exc_info)r\   r   r   r   r   rvr   s          r/   handle_url_build_errorzApp.handle_url_build_error  sl    " 44 	GUHf5
 >I	 CLLN1%%  s   
?	AAA)	NstaticNFF	templatesNFN)r@   r   rB   
str | NonerA   str | os.PathLike[str] | Noner]   r   rE   boolrZ   r   rC   r   rM   r   r^   r   rD   r   r   None)rb   r   r   r   )r   r   )r   zlogging.Logger)r   r   )F)r{   r   r   r   )r   r   )r   r   )r   r   r   r   )r   r   )r.   r   r   r   )r   r$   r   t.Anyr   r   )r   zt.ValuesView[Blueprint])NNN)r   r   r   r   r   zft.RouteCallable | Noner   zbool | Noner   r   r   r   ru   )rm   r   r   z2t.Callable[[T_template_filter], T_template_filter])r   zft.TemplateFilterCallablerm   r   r   r   )rm   r   r   z.t.Callable[[T_template_test], T_template_test])r   zft.TemplateTestCallablerm   r   r   r   )rm   r   r   z2t.Callable[[T_template_global], T_template_global])r   zft.TemplateGlobalCallablerm   r   r   r   )r   r'   r   r'   )r   r%   r   r%   )r   	ExceptionrV   z	list[str]r   zft.ErrorHandlerCallable | None)r   r   r   r   )r   zBaseException | Noner   r   )i.  )r   r   r   intr   BaseResponse)r   r   r   r9   r   r   )r   r	   r   r   r   r9   r   r   )Cr   
__module____qualname____doc__r   r~   r   jinja_environmentr   app_ctx_globals_classr   rz   r   r   testingtUnionr   bytes
secret_keyr   r0   permanent_session_lifetimer   r8   __annotations__r:   r   r   r
   rX   r;   r<   rG   rc   r   rm   rp   rs   rr   rN   rP   rH   r   r   propertyr   setterr!   r   r   r   r   r   r   r   r   r   r   r   r   r   r   r   r   r   __classcell__)r_   s   @r/   r3   r3   ;   s   ^P M
 $  + L $od#I.G <eT)9!:;LIJ "<!;$%"
 /B+A	( ')M#( N M 37/6 :>6=$$""
 '+7?"&##(9D$(). $A(A( $A( 5	A(
  A( A( !A( 7A( "A( #'A( A( 
A(F
      # #4 / /$6 
$D,N 
$ 
$ \\/ / * *6(   $-1158686 86 +	86
 $/86 86 
86 86t !%	; * ?C	7*	72<	7		7 	7 !%	7 8 =A5(50:5	5 5 !%	; . ?C7*72<7	7 7  B *	" (1	'2!F
$+*  +. 8H 	 r1   r3   )r.   ztimedelta | int | Noner   ztimedelta | None)D
__future__r   loggingrI   rh   r   r  datetimer   	itertoolsr   werkzeug.exceptionsr   r   r   werkzeug.routingr	   r
   r   werkzeug.sansio.responser   werkzeug.utilsr   r   r    ftrO   r   r   ctxr   helpersr   r   json.providerr   r   r   
templatingr   r   scaffoldr   r   r    r!   TYPE_CHECKINGwerkzeug.wrappersr   r  r"   r#   rV   r$   TypeVarShellContextProcessorCallabler%   TeardownCallabler'   TemplateFilterCallabler(   TemplateGlobalCallabler)   TemplateTestCallabler*   r0   r3   r   r1   r/   <module>r%     s   "  	 
    ' * 2 '   ! - * 3   $   + $ / ( # / $ . "  !??:%(%%AIIr'G'G  QYY|2+>+>?
AII19R9RS AII19R9RS !))-R5L5LM$I( Ir1   