當前位置: 首頁>>代碼示例>>Python>>正文


Python Template.generate方法代碼示例

本文整理匯總了Python中jinja2.Template.generate方法的典型用法代碼示例。如果您正苦於以下問題:Python Template.generate方法的具體用法?Python Template.generate怎麽用?Python Template.generate使用的例子?那麽, 這裏精選的方法代碼示例或許可以為您提供幫助。您也可以進一步了解該方法所在jinja2.Template的用法示例。


在下文中一共展示了Template.generate方法的5個代碼示例,這些例子默認根據受歡迎程度排序。您可以為喜歡或者感覺有用的代碼點讚,您的評價將有助於係統推薦出更棒的Python代碼示例。

示例1: test_async_iteration_in_templates

# 需要導入模塊: from jinja2 import Template [as 別名]
# 或者: from jinja2.Template import generate [as 別名]
def test_async_iteration_in_templates():
    t = Template('{% for x in rng %}{{ x }}{% endfor %}',
                 enable_async=True)
    async def async_iterator():
        for item in [1, 2, 3]:
            yield item
    rv = list(t.generate(rng=async_iterator()))
    assert rv == ['1', '2', '3']
開發者ID:AlfiyaZi,項目名稱:jinja,代碼行數:10,代碼來源:test_async.py

示例2: test_async_iteration_in_templates_extended

# 需要導入模塊: from jinja2 import Template [as 別名]
# 或者: from jinja2.Template import generate [as 別名]
def test_async_iteration_in_templates_extended():
    t = Template('{% for x in rng %}{{ loop.index0 }}/{{ x }}{% endfor %}',
                 enable_async=True)
    async def async_iterator():
        for item in [1, 2, 3]:
            yield item
    rv = list(t.generate(rng=async_iterator()))
    assert rv == ['0/1', '1/2', '2/3']
開發者ID:AlfiyaZi,項目名稱:jinja,代碼行數:10,代碼來源:test_async.py

示例3: test_async_generate

# 需要導入模塊: from jinja2 import Template [as 別名]
# 或者: from jinja2.Template import generate [as 別名]
def test_async_generate():
    t = Template('{% for x in [1, 2, 3] %}{{ x }}{% endfor %}',
                 enable_async=True)
    rv = list(t.generate())
    assert rv == ['1', '2', '3']
開發者ID:AlfiyaZi,項目名稱:jinja,代碼行數:7,代碼來源:test_async.py

示例4: Controller

# 需要導入模塊: from jinja2 import Template [as 別名]
# 或者: from jinja2.Template import generate [as 別名]
class Controller(object):
    """
    The abstract base class for the controller of storage. This class does not actually impliment any
    functionality (other than the constructor) but rather sets the method contracts for the methods supported by all
    controllers.

    :param template: The template string or Template instance for the jinja2 template used to create the \
    contents of the tiny
    :type template: str or jinja2.Template
    :param str prefix_separator: The seperator between the prefix and tiny_text
    :param int initial_tiny_length: The length to try for autogenerating tiny text
    :param int max_retries: The max number if attempts to generate a unique tiny
    :param bool overwrite: Overwrite (if tiny text is provided)

    :ivar jinja2.Template template: The template used to generate the HTML of the tinyurl
    :ivar str prefix_separator: The separator betweek the prefix and tiny_text for any URL created by :func:`create_url`
    :ivar int initial_tiny_length: The initial length to attempt the auto_generated tiny_text, increased ny one for \
    each collision after the second.
    :ivar int max_retries: The maximum number of collisions that will be tolerated before raising an exception
    :ivar bool overwrite: Whether a duplicat (provided) tiny_text will overwrite \
    (otherwise raises :class:`TinyURLExistsException`)
    """
    __metaclass__ = ABCMeta

    def __init__(self, template, prefix_separator=".", tiny_length=4, max_retries=5, overwrite=False, analytics=None):
        self.prefix_separator = prefix_separator
        self.initial_tiny_length = tiny_length
        self.max_retries = max_retries
        self.overwrite = overwrite
        self._template = None
        self.template = template
        self.analytics = analytics

    @property
    def template(self):
        """
        The jinja2 template used to create the meta redirect

        :setter: Takes either a string (which is a valid Template) or jinja2.Template object
        :getter: Returns the jinja2.Template object
        :type: jinja2.Template
        """
        return self._template

    @template.setter
    def template(self, template):
        """
        Set the template

        :param template: The template the controller will use to generate the tinyURL
        :type template: str, jinja2.Template
        :raises; AttributeError
        """
        if isinstance(template, Template):
            self._template = template
        else:
            self.template = Template(template)

    @abstractmethod
    def put(self, url):
        """
        Put the tiny url to storage.

        If the tiny_text is provided in the url, it will be used (and overwritten is specified)
        Otherwise, it will attempt to generate non-conflicting tiny text up to max_retries times.
        Often, with large number of tiny_urls we see failure counts increase, in which case the initial_tiny_length
        should be increased to increase the namespace

        :param url: the stiny.utl.StaticURL to be generated
        :raises: TooManyNameCollisions - if we're unable to autogenerate a tiny_text name
        :raises: TinyURLExistsException - if the provided tiny exists and we're not overwriting
        """
        pass

    @abstractmethod
    def get(self, tiny_uri):
        """
        Get the tiny url from storage.

        If the tiny_text is provided in the url, it will be used (and overwritten is specified)
        Otherwise, it will attempt to generate non-conflicting tiny text up to max_retries times.
        Often, with large number of tiny_urls we see failure counts increase, in which case the initial_tiny_length
        should be increased to increase the namespace

        :param tiny_uri: the name of the tiny url
        :raises: TinyURLDoesNotExistsException - if the provided tiny exists and we're not overwriting
        """
        pass

    @abstractmethod
    def delete(self, url):
        """
        Delete the tiny url from storage.

        :param url: the stiny.utl.StaticURL to be deleted (tiny_text must be provided) or str of tiny_text
        :raises: TinyURLDoesNotExistsException - if the provided tiny does not exist
        """
        pass

    @abstractmethod
#.........這裏部分代碼省略.........
開發者ID:eflee,項目名稱:stiny,代碼行數:103,代碼來源:controller.py

示例5: Template

# 需要導入模塊: from jinja2 import Template [as 別名]
# 或者: from jinja2.Template import generate [as 別名]
from jinja2 import Template

template_str = 'first={{first}}\n' \
               'last={{last}}'
template = Template(template_str)
stream = template.stream({'first': 'John', 'last': 'Doe'})

count = 0
while True:
    try:
        count += 1
        resolved = stream.next()
        print count, resolved
    except StopIteration:
        break

generator = template.generate({'first': 'John', 'last': 'Doe'})

count = 0
for s in generator:
    count += 1
    print count, s
開發者ID:manasdk,項目名稱:py-learn,代碼行數:24,代碼來源:streaming_template.py


注:本文中的jinja2.Template.generate方法示例由純淨天空整理自Github/MSDocs等開源代碼及文檔管理平台,相關代碼片段篩選自各路編程大神貢獻的開源項目,源碼版權歸原作者所有,傳播和使用請參考對應項目的License;未經允許,請勿轉載。