B
    h'                 @   sH  d Z ddlZddlmZ ddl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mZmZ ddlmZmZmZmZmZmZmZmZ ddlZejrddlmZmZ d	ZG d
d dZe Z e!e!e!dddZ"G dd de#Z$G dd de#Z%G dd de%Z&G dd de%Z'G dd de#Z(G dd de(Z)G dd de(Z*G dd de(Z+G dd  d e(Z,G d!d" d"e(Z-G d#d$ d$e(Z.G d%d& d&e(Z/G d'd( d(e(Z0G d)d* d*e(Z1G d+d, d,e(Z2G d-d. d.e2Z3G d/d0 d0e(Z4G d1d2 d2e5Z6G d3d4 d4e#Z7G d5d6 d6e#Z8e!e!d7d8d9Z9d=e8e$e!e!e*d:d;d<Z:dS )>a  A simple template system that compiles templates to Python code.

Basic usage looks like::

    t = template.Template("<html>{{ myvalue }}</html>")
    print(t.generate(myvalue="XXX"))

`Loader` is a class that loads templates from a root directory and caches
the compiled templates::

    loader = template.Loader("/home/btaylor")
    print(loader.load("test.html").generate(myvalue="XXX"))

We compile all templates to raw Python. Error-reporting is currently... uh,
interesting. Syntax for the templates::

    ### base.html
    <html>
      <head>
        <title>{% block title %}Default title{% end %}</title>
      </head>
      <body>
        <ul>
          {% for student in students %}
            {% block student %}
              <li>{{ escape(student.name) }}</li>
            {% end %}
          {% end %}
        </ul>
      </body>
    </html>

    ### bold.html
    {% extends "base.html" %}

    {% block title %}A bolder title{% end %}

    {% block student %}
      <li><span style="bold">{{ escape(student.name) }}</span></li>
    {% end %}

Unlike most other template systems, we do not put any restrictions on the
expressions you can include in your statements. ``if`` and ``for`` blocks get
translated exactly into Python, so you can do complex expressions like::

   {% for student in [p for p in people if p.student and p.age > 23] %}
     <li>{{ escape(student.name) }}</li>
   {% end %}

Translating directly to Python means you can apply functions to expressions
easily, like the ``escape()`` function in the examples above. You can pass
functions in to your template just like any other variable
(In a `.RequestHandler`, override `.RequestHandler.get_template_namespace`)::

   ### Python code
   def add(x, y):
      return x + y
   template.execute(add=add)

   ### The template
   {{ add(1, 2) }}

We provide the functions `escape() <.xhtml_escape>`, `.url_escape()`,
`.json_encode()`, and `.squeeze()` to all templates by default.

Typical applications do not create `Template` or `Loader` instances by
hand, but instead use the `~.RequestHandler.render` and
`~.RequestHandler.render_string` methods of
`tornado.web.RequestHandler`, which load templates automatically based
on the ``template_path`` `.Application` setting.

Variable names beginning with ``_tt_`` are reserved by the template
system and should not be used by application code.

Syntax Reference
----------------

Template expressions are surrounded by double curly braces: ``{{ ... }}``.
The contents may be any python expression, which will be escaped according
to the current autoescape setting and inserted into the output.  Other
template directives use ``{% %}``.

To comment out a section so that it is omitted from the output, surround it
with ``{# ... #}``.

These tags may be escaped as ``{{!``, ``{%!``, and ``{#!``
if you need to include a literal ``{{``, ``{%``, or ``{#`` in the output.


``{% apply *function* %}...{% end %}``
    Applies a function to the output of all template code between ``apply``
    and ``end``::

        {% apply linkify %}{{name}} said: {{message}}{% end %}

    Note that as an implementation detail apply blocks are implemented
    as nested functions and thus may interact strangely with variables
    set via ``{% set %}``, or the use of ``{% break %}`` or ``{% continue %}``
    within loops.

``{% autoescape *function* %}``
    Sets the autoescape mode for the current file.  This does not affect
    other files, even those referenced by ``{% include %}``.  Note that
    autoescaping can also be configured globally, at the `.Application`
    or `Loader`.::

        {% autoescape xhtml_escape %}
        {% autoescape None %}

``{% block *name* %}...{% end %}``
    Indicates a named, replaceable block for use with ``{% extends %}``.
    Blocks in the parent template will be replaced with the contents of
    the same-named block in a child template.::

        <!-- base.html -->
        <title>{% block title %}Default title{% end %}</title>

        <!-- mypage.html -->
        {% extends "base.html" %}
        {% block title %}My page title{% end %}

``{% comment ... %}``
    A comment which will be removed from the template output.  Note that
    there is no ``{% end %}`` tag; the comment goes from the word ``comment``
    to the closing ``%}`` tag.

``{% extends *filename* %}``
    Inherit from another template.  Templates that use ``extends`` should
    contain one or more ``block`` tags to replace content from the parent
    template.  Anything in the child template not contained in a ``block``
    tag will be ignored.  For an example, see the ``{% block %}`` tag.

``{% for *var* in *expr* %}...{% end %}``
    Same as the python ``for`` statement.  ``{% break %}`` and
    ``{% continue %}`` may be used inside the loop.

``{% from *x* import *y* %}``
    Same as the python ``import`` statement.

``{% if *condition* %}...{% elif *condition* %}...{% else %}...{% end %}``
    Conditional statement - outputs the first section whose condition is
    true.  (The ``elif`` and ``else`` sections are optional)

``{% import *module* %}``
    Same as the python ``import`` statement.

``{% include *filename* %}``
    Includes another template file.  The included file can see all the local
    variables as if it were copied directly to the point of the ``include``
    directive (the ``{% autoescape %}`` directive is an exception).
    Alternately, ``{% module Template(filename, **kwargs) %}`` may be used
    to include another template with an isolated namespace.

``{% module *expr* %}``
    Renders a `~tornado.web.UIModule`.  The output of the ``UIModule`` is
    not escaped::

        {% module Template("foo.html", arg=42) %}

    ``UIModules`` are a feature of the `tornado.web.RequestHandler`
    class (and specifically its ``render`` method) and will not work
    when the template system is used on its own in other contexts.

``{% raw *expr* %}``
    Outputs the result of the given expression without autoescaping.

``{% set *x* = *y* %}``
    Sets a local variable.

``{% try %}...{% except %}...{% else %}...{% finally %}...{% end %}``
    Same as the python ``try`` statement.

``{% while *condition* %}... {% end %}``
    Same as the python ``while`` statement.  ``{% break %}`` and
    ``{% continue %}`` may be used inside the loop.

``{% whitespace *mode* %}``
    Sets the whitespace mode for the remainder of the current file
    (or until the next ``{% whitespace %}`` directive). See
    `filter_whitespace` for available options. New in Tornado 4.3.
    N)StringIO)escape)app_log)
ObjectDictexec_inunicode_type)AnyUnionCallableListDictIterableOptionalTextIO)TupleContextManagerxhtml_escapec               @   s   e Zd ZdS )_UnsetMarkerN)__name__
__module____qualname__ r   r   MC:\Users\sanjo\AppData\Local\Qlobot\Launcher\ext_packages\tornado\template.pyr      s   r   )modetextreturnc             C   sZ   | dkr|S | dkr4t dd|}t dd|}|S | dkrJt dd|S td	|  d
S )a  Transform whitespace in ``text`` according to ``mode``.

    Available modes are:

    * ``all``: Return all whitespace unmodified.
    * ``single``: Collapse consecutive whitespace with a single whitespace
      character, preserving newlines.
    * ``oneline``: Collapse all runs of whitespace into a single space
      character, removing all newlines in the process.

    .. versionadded:: 4.3
    allsinglez([\t ]+) z
(\s*\n\s*)
Zonelinez(\s+)zinvalid whitespace mode %sN)resub	Exception)r   r   r   r   r   filter_whitespace   s    r#   c            	   @   s   e Zd ZdZddeedfeeef edeee	f eee	f eddddZ
eedd	d
Zed edddZed ed dddZdS )TemplatezA compiled template.

    We compile into Python from the given template_string. You can generate
    the template from variables with generate().
    z<string>N
BaseLoader)template_stringnameloadercompress_whitespace
autoescape
whitespacer   c       	      C   sR  t || _|tk	r0|dk	r$td|r,dnd}|dkrh|rJ|jrJ|j}n|ds^|drdd}nd}|dk	sttt|d t	|t
s|| _n|r|j| _nt| _|r|jni | _t|t ||}t| t|| | _| || _|| _y,tt | jd| jd	d
 ddd| _W n6 tk
rL   t| j }td| j|  Y nX dS )a  Construct a Template.

        :arg str template_string: the contents of the template file.
        :arg str name: the filename from which the template was loaded
            (used for error message).
        :arg tornado.template.BaseLoader loader: the `~tornado.template.BaseLoader` responsible
            for this template, used to resolve ``{% include %}`` and ``{% extend %}`` directives.
        :arg bool compress_whitespace: Deprecated since Tornado 4.3.
            Equivalent to ``whitespace="single"`` if true and
            ``whitespace="all"`` if false.
        :arg str autoescape: The name of a function in the template
            namespace, or ``None`` to disable escaping by default.
        :arg str whitespace: A string specifying treatment of whitespace;
            see `filter_whitespace` for options.

        .. versionchanged:: 4.3
           Added ``whitespace`` parameter; deprecated ``compress_whitespace``.
        Nz2cannot set both whitespace and compress_whitespacer   r   z.htmlz.js z%s.generated.py._execT)dont_inheritz%s code:
%s)r   
native_strr'   _UNSETr"   r+   endswithAssertionErrorr#   
isinstancer   r*   _DEFAULT_AUTOESCAPE	namespace_TemplateReader_File_parsefile_generate_pythoncoder(   compile
to_unicodereplacecompiled_format_coderstripr   error)	selfr&   r'   r(   r)   r*   r+   readerZformatted_coder   r   r   __init__  sB    




zTemplate.__init__)kwargsr   c                s   t jt jt jt jt jt jtt jtt	f j
ddt fdddd}| j || t j| ttg t	f |d }t  | S )z0Generate this template with the given arguments.r-   r.   c                s    j S )N)r=   )r'   )rE   r   r   <lambda>_      z#Template.generate.<locals>.<lambda>)
get_source)r   r   
url_escapejson_encodesqueezelinkifydatetimeZ_tt_utf8Z_tt_string_typesr   
__loader__Z_tt_execute)r   r   rL   rM   rN   rO   rP   utf8r   bytesr'   r@   r   updater7   r   rA   typingcastr
   	linecache
clearcache)rE   rH   r7   executer   )rE   r   generateP  s"    
zTemplate.generate)r(   r   c             C   sp   t  }zZi }| |}|  x|D ]}||| q$W t||||d j}|d | | S |  X d S )Nr   )	r   _get_ancestorsreversefind_named_blocks_CodeWritertemplaterZ   getvalueclose)rE   r(   buffernamed_blocks	ancestorsZancestorwriterr   r   r   r<   k  s    

zTemplate._generate_pythonr9   c             C   sV   | j g}xH| j jjD ]:}t|tr|s.td||j| j}||	| qW |S )Nz1{% extends %} block found, but no template loader)
r;   bodychunksr5   _ExtendsBlock
ParseErrorloadr'   extendr[   )rE   r(   rd   chunkr_   r   r   r   r[   z  s    
zTemplate._get_ancestors)r   r   r   __doc__r2   r	   strrS   boolr   rG   r   rZ   r   r<   r   r[   r   r   r   r   r$      s   (Cr$   c               @   sz   e Zd ZdZeddfeeeef eddddZddddZ	deeed	d
dZ
deeed	ddZeedddZdS )r%   zBase class for template loaders.

    You must use a template loader to use template constructs like
    ``{% extends %}`` and ``{% include %}``. The loader caches all
    templates after they are loaded the first time.
    N)r*   r7   r+   r   c             C   s*   || _ |pi | _|| _i | _t | _dS )a  Construct a template loader.

        :arg str autoescape: The name of a function in the template
            namespace, such as "xhtml_escape", or ``None`` to disable
            autoescaping by default.
        :arg dict namespace: A dictionary to be added to the default template
            namespace, or ``None``.
        :arg str whitespace: A string specifying default behavior for
            whitespace in templates; see `filter_whitespace` for options.
            Default is "single" for files ending in ".html" and ".js" and
            "all" for other files.

        .. versionchanged:: 4.3
           Added ``whitespace`` parameter.
        N)r*   r7   r+   	templates	threadingRLocklock)rE   r*   r7   r+   r   r   r   rG     s
    
zBaseLoader.__init__)r   c          	   C   s   | j  i | _W dQ R X dS )z'Resets the cache of compiled templates.N)rs   rp   )rE   r   r   r   reset  s    zBaseLoader.reset)r'   parent_pathr   c             C   s
   t  dS )z@Converts a possibly-relative path to absolute (used internally).N)NotImplementedError)rE   r'   ru   r   r   r   resolve_path  s    zBaseLoader.resolve_pathc          	   C   sD   | j ||d}| j& || jkr0| || j|< | j| S Q R X dS )zLoads a template.)ru   N)rw   rs   rp   _create_template)rE   r'   ru   r   r   r   rj     s
    
zBaseLoader.load)r'   r   c             C   s
   t  d S )N)rv   )rE   r'   r   r   r   rx     s    zBaseLoader._create_template)N)N)r   r   r   rm   r6   rn   r   r   rG   rt   rw   r$   rj   rx   r   r   r   r   r%     s   r%   c                   sN   e Zd ZdZeedd fddZdeeedddZeed	d
dZ	  Z
S )Loaderz?A template loader that loads from a single root directory.
    N)root_directoryrH   r   c                s$   t t| jf | tj|| _d S )N)superry   rG   ospathabspathroot)rE   rz   rH   )	__class__r   r   rG     s    zLoader.__init__)r'   ru   r   c             C   s   |r~| ds~| ds~| ds~tj| j|}tjtj|}tjtj||}| | jr~|t| jd d  }|S )N</   )
startswithr|   r}   joinr   dirnamer~   len)rE   r'   ru   Zcurrent_pathfile_dirrelative_pathr   r   r   rw     s    


zLoader.resolve_path)r'   r   c          	   C   s<   t j| j|}t|d}t| || d}|S Q R X d S )Nrb)r'   r(   )r|   r}   r   r   openr$   read)rE   r'   r}   fr_   r   r   r   rx     s    zLoader._create_template)N)r   r   r   rm   rn   r   rG   rw   r$   rx   __classcell__r   r   )r   r   ry     s   ry   c                   sV   e Zd ZdZeeef edd fddZdeeedddZee	d	d
dZ
  ZS )
DictLoaderz/A template loader that loads from a dictionary.N)dictrH   r   c                s   t t| jf | || _d S )N)r{   r   rG   r   )rE   r   rH   )r   r   r   rG     s    zDictLoader.__init__)r'   ru   r   c             C   sB   |r>| ds>| ds>| ds>t|}tt||}|S )Nr   r   )r   	posixpathr   normpathr   )rE   r'   ru   r   r   r   r   rw     s    



zDictLoader.resolve_path)r'   r   c             C   s   t | j| || dS )N)r'   r(   )r$   r   )rE   r'   r   r   r   rx     s    zDictLoader._create_template)N)r   r   r   rm   r   rn   r   rG   rw   r$   rx   r   r   r   )r   r   r     s   r   c               @   sL   e Zd Zed  dddZdddddZee ee	d	f dd
ddZ
dS )_Node)r   c             C   s   dS )Nr   r   )rE   r   r   r   
each_child  s    z_Node.each_childr^   N)re   r   c             C   s
   t  d S )N)rv   )rE   re   r   r   r   rZ     s    z_Node.generate_NamedBlock)r(   rc   r   c             C   s"   x|   D ]}||| q
W d S )N)r   r]   )rE   r(   rc   childr   r   r   r]     s    z_Node.find_named_blocks)r   r   r   r   r   rZ   r   r%   r   rn   r]   r   r   r   r   r     s   r   c               @   s@   e Zd ZedddddZddddd	Zed
 dddZdS )r9   
_ChunkListN)r_   rf   r   c             C   s   || _ || _d| _d S )Nr   )r_   rf   line)rE   r_   rf   r   r   r   rG     s    z_File.__init__r^   )re   r   c          	   C   s\   | d| j | < | d| j | d| j | j| | d| j W d Q R X d S )Nzdef _tt_execute():z_tt_buffer = []z_tt_append = _tt_buffer.appendz$return _tt_utf8('').join(_tt_buffer))
write_liner   indentrf   rZ   )rE   re   r   r   r   rZ     s    
z_File.generater   )r   c             C   s   | j fS )N)rf   )rE   r   r   r   r     s    z_File.each_child)r   r   r   r$   rG   rZ   r   r   r   r   r   r   r9     s   r9   c               @   sB   e Zd Zee ddddZdddddZed	 d
ddZdS )r   N)rg   r   c             C   s
   || _ d S )N)rg   )rE   rg   r   r   r   rG     s    z_ChunkList.__init__r^   )re   r   c             C   s   x| j D ]}|| qW d S )N)rg   rZ   )rE   re   rl   r   r   r   rZ     s    z_ChunkList.generater   )r   c             C   s   | j S )N)rg   )rE   r   r   r   r     s    z_ChunkList.each_child)	r   r   r   r   r   rG   rZ   r   r   r   r   r   r   r     s   r   c               @   sb   e Zd ZeeeeddddZed dddZ	d	dd
ddZ
ee eed f ddddZdS )r   N)r'   rf   r_   r   r   c             C   s   || _ || _|| _|| _d S )N)r'   rf   r_   r   )rE   r'   rf   r_   r   r   r   r   rG   $  s    z_NamedBlock.__init__r   )r   c             C   s   | j fS )N)rf   )rE   r   r   r   r   *  s    z_NamedBlock.each_childr^   )re   r   c          	   C   s8   |j | j }||j| j |j| W d Q R X d S )N)rc   r'   includer_   r   rf   rZ   )rE   re   blockr   r   r   rZ   -  s    z_NamedBlock.generate)r(   rc   r   c             C   s   | || j < t| || d S )N)r'   r   r]   )rE   r(   rc   r   r   r   r]   2  s    
z_NamedBlock.find_named_blocks)r   r   r   rn   r   r$   intrG   r   r   rZ   r   r%   r   r]   r   r   r   r   r   #  s
   r   c               @   s   e Zd ZeddddZdS )rh   N)r'   r   c             C   s
   || _ d S )N)r'   )rE   r'   r   r   r   rG   :  s    z_ExtendsBlock.__init__)r   r   r   rn   rG   r   r   r   r   rh   9  s   rh   c               @   sN   e Zd ZededdddZee eee	f ddddZ
d	dd
ddZdS )_IncludeBlockr8   N)r'   rF   r   r   c             C   s   || _ |j | _|| _d S )N)r'   template_namer   )rE   r'   rF   r   r   r   r   rG   ?  s    z_IncludeBlock.__init__)r(   rc   r   c             C   s.   |d k	st || j| j}|j|| d S )N)r4   rj   r'   r   r;   r]   )rE   r(   rc   includedr   r   r   r]   D  s    z_IncludeBlock.find_named_blocksr^   )re   r   c          	   C   sL   |j d k	st|j | j| j}||| j |jj	| W d Q R X d S )N)
r(   r4   rj   r'   r   r   r   r;   rf   rZ   )rE   re   r   r   r   r   rZ   K  s    z_IncludeBlock.generate)r   r   r   rn   r   rG   r   r%   r   r   r]   rZ   r   r   r   r   r   >  s   r   c               @   sB   e Zd ZeeeddddZed dddZd	dd
ddZ	dS )_ApplyBlockN)methodr   rf   r   c             C   s   || _ || _|| _d S )N)r   r   rf   )rE   r   r   rf   r   r   r   rG   S  s    z_ApplyBlock.__init__r   )r   c             C   s   | j fS )N)rf   )rE   r   r   r   r   X  s    z_ApplyBlock.each_childr^   )re   r   c          	   C   s   d|j  }| j d7  _ |d| | j | < |d| j |d| j | j| |d| j W d Q R X |d| j|f | j d S )Nz_tt_apply%dr   z	def %s():z_tt_buffer = []z_tt_append = _tt_buffer.appendz$return _tt_utf8('').join(_tt_buffer)z_tt_append(_tt_utf8(%s(%s()))))apply_counterr   r   r   rf   rZ   r   )rE   re   method_namer   r   r   rZ   [  s    

z_ApplyBlock.generate)
r   r   r   rn   r   r   rG   r   r   rZ   r   r   r   r   r   R  s   r   c               @   sB   e Zd ZeeeddddZee dddZddd	d
dZ	dS )_ControlBlockN)	statementr   rf   r   c             C   s   || _ || _|| _d S )N)r   r   rf   )rE   r   r   rf   r   r   r   rG   j  s    z_ControlBlock.__init__)r   c             C   s   | j fS )N)rf   )rE   r   r   r   r   o  s    z_ControlBlock.each_childr^   )re   r   c          	   C   sF   | d| j | j |   | j| | d| j W d Q R X d S )Nz%s:pass)r   r   r   r   rf   rZ   )rE   re   r   r   r   rZ   r  s    
z_ControlBlock.generate)
r   r   r   rn   r   r   rG   r   r   rZ   r   r   r   r   r   i  s   r   c               @   s.   e Zd ZeeddddZdddddZdS )	_IntermediateControlBlockN)r   r   r   c             C   s   || _ || _d S )N)r   r   )rE   r   r   r   r   r   rG   {  s    z"_IntermediateControlBlock.__init__r^   )re   r   c             C   s0   | d| j | d| j | j| d  d S )Nr   z%s:r   )r   r   r   indent_size)rE   re   r   r   r   rZ     s    z"_IntermediateControlBlock.generate)r   r   r   rn   r   rG   rZ   r   r   r   r   r   z  s   r   c               @   s.   e Zd ZeeddddZdddddZdS )	
_StatementN)r   r   r   c             C   s   || _ || _d S )N)r   r   )rE   r   r   r   r   r   rG     s    z_Statement.__init__r^   )re   r   c             C   s   | | j| j d S )N)r   r   r   )rE   re   r   r   r   rZ     s    z_Statement.generate)r   r   r   rn   r   rG   rZ   r   r   r   r   r     s   r   c               @   s2   e Zd Zd
eeeddddZddddd	ZdS )_ExpressionFN)
expressionr   rawr   c             C   s   || _ || _|| _d S )N)r   r   r   )rE   r   r   r   r   r   r   rG     s    z_Expression.__init__r^   )re   r   c             C   sj   | d| j | j | d| j | d| j | jsX|jjd k	rX| d|jj | j | d| j d S )Nz_tt_tmp = %szEif isinstance(_tt_tmp, _tt_string_types): _tt_tmp = _tt_utf8(_tt_tmp)z&else: _tt_tmp = _tt_utf8(str(_tt_tmp))z_tt_tmp = _tt_utf8(%s(_tt_tmp))z_tt_append(_tt_tmp))r   r   r   r   current_templater*   )rE   re   r   r   r   rZ     s    
z_Expression.generate)F)r   r   r   rn   r   ro   rG   rZ   r   r   r   r   r     s   r   c                   s&   e Zd Zeedd fddZ  ZS )_ModuleN)r   r   r   c                s   t t| jd| |dd d S )Nz_tt_modules.T)r   )r{   r   rG   )rE   r   r   )r   r   r   rG     s    z_Module.__init__)r   r   r   rn   r   rG   r   r   r   )r   r   r     s   r   c               @   s0   e Zd ZeeeddddZdddddZdS )	_TextN)valuer   r+   r   c             C   s   || _ || _|| _d S )N)r   r   r+   )rE   r   r   r+   r   r   r   rG     s    z_Text.__init__r^   )re   r   c             C   s:   | j }d|krt| j|}|r6|dt| | j d S )Nz<pre>z_tt_append(%r))r   r#   r+   r   r   rR   r   )rE   re   r   r   r   r   rZ     s
    z_Text.generate)r   r   r   rn   r   rG   rZ   r   r   r   r   r     s   r   c               @   s4   e Zd ZdZd
eeeddddZeddd	ZdS )ri   zRaised for template syntax errors.

    ``ParseError`` instances have ``filename`` and ``lineno`` attributes
    indicating the position of the error.

    .. versionchanged:: 4.3
       Added ``filename`` and ``lineno`` attributes.
    Nr   )messagefilenamelinenor   c             C   s   || _ || _|| _d S )N)r   r   r   )rE   r   r   r   r   r   r   rG     s    zParseError.__init__)r   c             C   s   d| j | j| jf S )Nz%s at %s:%d)r   r   r   )rE   r   r   r   __str__  s    zParseError.__str__)Nr   )r   r   r   rm   rn   r   rG   r   r   r   r   r   ri     s   ri   c               @   sr   e Zd Zeeeef ee e	ddddZ
edddZddd	d
Ze	eddddZdeeeddddZdS )r^   N)r;   rc   r(   r   r   c             C   s.   || _ || _|| _|| _d| _g | _d| _d S )Nr   )r;   rc   r(   r   r   include_stack_indent)rE   r;   rc   r(   r   r   r   r   rG     s    z_CodeWriter.__init__)r   c             C   s   | j S )N)r   )rE   r   r   r   r     s    z_CodeWriter.indent_sizer   c                s   G  fdddt }| S )Nc                   s2   e Zd Zdd fddZedd fddZdS )	z$_CodeWriter.indent.<locals>.Indenterr^   )r   c                s     j d7  _  S )Nr   )r   )r.   )rE   r   r   	__enter__  s    z._CodeWriter.indent.<locals>.Indenter.__enter__N)argsr   c                s     j dkst  j d8  _ d S )Nr   r   )r   r4   )r.   r   )rE   r   r   __exit__  s    z-_CodeWriter.indent.<locals>.Indenter.__exit__)r   r   r   r   r   r   r   )rE   r   r   Indenter  s   r   )object)rE   r   r   )rE   r   r     s    	z_CodeWriter.indent)r_   r   r   c                s2    j  j|f | _G  fdddt}| S )Nc                   s2   e Zd Zdd fddZedd fddZdS )	z,_CodeWriter.include.<locals>.IncludeTemplater^   )r   c                s    S )Nr   )r.   )rE   r   r   r     s    z6_CodeWriter.include.<locals>.IncludeTemplate.__enter__N)r   r   c                s    j  d  _d S )Nr   )r   popr   )r.   r   )rE   r   r   r     s    z5_CodeWriter.include.<locals>.IncludeTemplate.__exit__)r   r   r   r   r   r   r   )rE   r   r   IncludeTemplate  s   r   )r   appendr   r   )rE   r_   r   r   r   )rE   r   r     s    z_CodeWriter.include)r   line_numberr   r   c             C   sh   |d kr| j }d| jj|f }| jrJdd | jD }|ddt| 7 }td| | | | jd d S )Nz	  # %s:%dc             S   s   g | ]\}}d |j |f qS )z%s:%d)r'   ).0Ztmplr   r   r   r   
<listcomp>  s    z*_CodeWriter.write_line.<locals>.<listcomp>z	 (via %s)z, z    )r;   )r   r   r'   r   r   reversedprintr;   )rE   r   r   r   Zline_commentrd   r   r   r   r     s    z_CodeWriter.write_line)N)r   r   r   r   r   rn   r   r   r%   r$   rG   r   r   r   r   r   r   r   r   r   r^     s   
	r^   c               @   s   e Zd ZeeeddddZdeeeedddZdeed	d
dZedddZedddZ	e
eef edddZedddZeddddZdS )r8   N)r'   r   r+   r   c             C   s"   || _ || _|| _d| _d| _d S )Nr   r   )r'   r   r+   r   pos)rE   r'   r   r+   r   r   r   rG   
  s
    z_TemplateReader.__init__r   )needlestartendr   c             C   sn   |dkst || j}||7 }|d kr6| j||}n$||7 }||ksJt | j|||}|dkrj||8 }|S )Nr   )r4   r   r   find)rE   r   r   r   r   indexr   r   r   r     s    z_TemplateReader.find)countr   c             C   sX   |d krt | j| j }| j| }|  j| jd| j|7  _| j| j| }|| _|S )Nr   )r   r   r   r   r   )rE   r   Znewpossr   r   r   consume  s    
z_TemplateReader.consume)r   c             C   s   t | j| j S )N)r   r   r   )rE   r   r   r   	remaining(  s    z_TemplateReader.remainingc             C   s   |   S )N)r   )rE   r   r   r   __len__+  s    z_TemplateReader.__len__)keyr   c             C   s   t |tr`t| }||\}}}|d kr2| j}n
|| j7 }|d k	rN|| j7 }| jt||| S |dk rr| j| S | j| j|  S d S )Nr   )r5   slicer   indicesr   r   )rE   r   sizer   stopstepr   r   r   __getitem__.  s    



z_TemplateReader.__getitem__c             C   s   | j | jd  S )N)r   r   )rE   r   r   r   r   >  s    z_TemplateReader.__str__)msgr   c             C   s   t || j| jd S )N)ri   r'   r   )rE   r   r   r   r   raise_parse_errorA  s    z!_TemplateReader.raise_parse_error)r   N)N)r   r   r   rn   rG   r   r   r   r   r   r	   r   r   r   r   r   r   r   r   r8   	  s   	r8   )r=   r   c                s<   |   }dttt|d   d fddt|D S )Nz%%%dd  %%s
r   r,   c                s    g | ]\}} |d  |f qS )r   r   )r   ir   )formatr   r   r   H  s    z _format_code.<locals>.<listcomp>)
splitlinesr   reprr   	enumerate)r=   linesr   )r   r   rB   E  s    rB   )rF   r_   in_blockin_loopr   c             C   sb  t g }xRd}x| d|}|dks6|d |  krh|rH| d|  |jt|  | j| j	 |S | |d  dkr|d7 }q|d |  k r| |d  dkr| |d  dkr|d7 }qP qW |dkr| |}|jt|| j| j	 | d}| j}|  r6| d dkr6| d |jt||| j	 q|d	krx| d
}	|	dkr^| d | |	
 }
| d q|dkr| d}	|	dkr| d | |	
 }
| d |
s| d |jt|
| q|dkst|| d}	|	dkr| d | |	
 }
| d |
s4| d |
d\}}}|
 }tddddgtdgtdgtdgd}||}|d k	r|s| d||f  ||kr| d||f  |jt|
| qq|dkr|s| d |S |dkrR|dkr
q|d kr@|
d!
d"}|s4| d# t|}n|d$krf|sZ| d% t|
|}n|d&kr|
d!
d"}|s| d' t|| |}n|d(kr|s| d) t||}n~|d*kr|
 }|d+krd }||_qnT|d,kr|
 }t|d- || _	qn.|d.kr.t||d/d0}n|d1krBt||}|j| qq|d2kr|d3krvt| |||}n(|d4krt| ||d }nt| |||}|d4kr|s| d5 t|||}n6|d6kr|s| d7 t||||}nt|
||}|j| qq|d8krL|s6| d|tddgf  |jt|
| qq| d9|  qW d S ):Nr   {r   r   z Missing {%% end %%} block for %s)r   %#   !z{#z#}zMissing end comment #}z{{z}}zMissing end expression }}zEmpty expressionz{%z%}zMissing end block %}zEmpty block tag ({% %})r   ifforwhiletry)elseelifexceptfinallyz%s outside %s blockz'%s block cannot be attached to %s blockr   zExtra {% end %} block)
extendsr   setimportfromcommentr*   r+   r   moduler   r   "'zextends missing file path)r   r   zimport missing statementr   zinclude missing file pathr   zset missing statementr*   Noner+   r,   r   T)r   r   )applyr   r   r   r   r   )r   r   r   zapply missing method namer   zblock missing name)breakcontinuezunknown operator: %r)r   r   r   r   rg   r   r   r   r   r+   stripr   r4   	partitionr   getr   rh   r   r   r*   r#   r   r:   r   r   r   )rF   r_   r   r   rf   ZcurlyZconsZstart_bracer   r   contentsoperatorspacesuffixZintermediate_blocksZallowed_parentsr   fnr   Z
block_bodyr   r   r   r:   K  s   
















































r:   )NN);rm   rP   ior   rW   os.pathr|   r   r    rq   tornador   tornado.logr   tornado.utilr   r   r   rU   r   r	   r
   r   r   r   r   r   TYPE_CHECKINGr   r   r6   r   r2   rn   r#   r   r$   r%   ry   r   r   r9   r   r   rh   r   r   r   r   r   r   r   r   r"   ri   r^   r8   rB   r:   r   r   r   r   <module>   sV   ( =	8<	 
