当前位置: 首页>>代码示例>>Python>>正文


Python Url.regex方法代码示例

本文整理汇总了Python中thumbor.url.Url.regex方法的典型用法代码示例。如果您正苦于以下问题:Python Url.regex方法的具体用法?Python Url.regex怎么用?Python Url.regex使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在thumbor.url.Url的用法示例。


在下文中一共展示了Url.regex方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: get_handlers

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def get_handlers(self):
        handlers = [
            (r'/healthcheck', HealthcheckHandler),
        ]

        if self.context.config.UPLOAD_ENABLED:
            # TODO: Old handler to upload images. Will be deprecated soon.
            handlers.append(
                (r'/upload', LegacyImageUploadHandler, {'context': self.context})
            )

            # Handler to upload images (POST).
            handlers.append(
                (r'/image', ImageUploadHandler, {'context': self.context})
            )

            # Handler to retrieve or modify existing images  (GET, PUT, DELETE)
            handlers.append(
                (r'/image/(.*)', ImageResourceHandler, {'context': self.context})
            )

        if self.context.config.USE_BLACKLIST:
            handlers.append(
                (r'/blacklist', BlacklistHandler, {'context': self.context})
            )

        # Imaging handler (GET)
        handlers.append(
            (Url.regex(not self.context.config.SECURITY_DISABLE_KEY), ImagingHandler, {'context': self.context})
        )

        return handlers
开发者ID:ettoredn,项目名称:thumbor,代码行数:34,代码来源:app.py

示例2: post

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def post(self, **kw):
        paths = self.get_arguments('paths[]')

        if len(paths) > MultiHandler.paths_limit:
            self.set_status(400)
            super(MultiHandler, self).write(
                'Too many paths: %d max' % MultiHandler.paths_limit
            )
            super(MultiHandler, self).finish()
            return

        for path in paths:
            request = HTTPServerRequest(
                method='GET',
                uri=path,
                host=self.request.host,
                connection=self.request.connection
            )

            handler = MultiHandler(
                self.application,
                request,
                context=self.context
            )

            # Copy over the storage as-is, which allows those requests to
            # share storage if needed (useful for request-storage)
            handler.context.modules.storage = self.context.modules.storage

            m = re.match(Url.regex(), path)
            yield handler.check_image(m.groupdict())

        # Close the request ASAP, the work is to be done async
        self.set_status(200)
        super(MultiHandler, self).finish()
开发者ID:wikimedia,项目名称:thumbor-multi-handler,代码行数:37,代码来源:multi.py

示例3: __init__

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def __init__(self, context):
        self.context = context

        handlers = [
            (r'/healthcheck', HealthcheckHandler),
        ]

        if context.config.UPLOAD_ENABLED:
            # TODO Old handler to upload images
            handlers.append(
                (r'/upload', UploadHandler, {'context': self.context})
            )

            # Handler to upload images (POST).
            handlers.append(
                (r'/image', ImagesHandler, {'context': self.context})
            )

            # Handler to retrieve or modify existing images  (GET, PUT, DELETE)
            handlers.append(
                (r'/image/(.*)', ImageHandler, {'context': self.context})
            )

        # Imaging handler (GET)
        handlers.append(
            (Url.regex(), ImagingHandler, {'context': self.context})
        )

        super(ThumborServiceApp, self).__init__(handlers)
开发者ID:Hazer,项目名称:thumbor,代码行数:31,代码来源:app.py

示例4: path_to_parameters

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def path_to_parameters(cls, path):
        '''
        :param path: url path
        :return: A dictionary of parameters to be used with
                ImagingHandler instances
        '''
        if not cls._url_regex:
            cls._url_regex = re.compile(Url.regex())

        if cls._url_regex.groups:
            match = cls._url_regex.match(path)

            # See https://github.com/tornadoweb/tornado/blob/01c78ebfcc993ff4f1d8336c2c45844fe9dab60e/tornado/web.py#L1951
            # Pass matched groups to the handler.  Since
            # match.groups() includes both named and
            # unnamed groups, we want to use either groups
            # or groupdict but not both.
            if cls._url_regex.groupindex:
                parameters = dict(
                    (str(k), tornado.web._unquote_or_none(v))
                    for (k, v) in match.groupdict().items())
            else:
                parameters = [
                    tornado.web._unquote_or_none(s)
                    for s in match.groups()
                ]
        else:
            parameters = dict()

        return parameters
开发者ID:Bladrak,项目名称:core,代码行数:32,代码来源:web.py

示例5: get_handlers

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def get_handlers(self):
        handlers = [
            (r'/healthcheck', HealthcheckHandler),
        ]

        if self.context.config.UPLOAD_ENABLED:
            # Handler to upload images (POST).
            handlers.append(
                (r'/image', ImageUploadHandler, {'context': self.context})
            )

            # Handler to retrieve or modify existing images  (GET, PUT, DELETE)
            handlers.append(
                (r'/image/(.*)', ImageResourceHandler, {'context': self.context})
            )

        if self.context.config.USE_BLACKLIST:
            handlers.append(
                (r'/blacklist', BlacklistHandler, {'context': self.context})
            )

        # Imaging handler (GET)
        handlers.append(
            (Url.regex(), ImagingHandler, {'context': self.context})
        )

        return handlers
开发者ID:5um1th,项目名称:thumbor,代码行数:29,代码来源:app.py

示例6: test_returns_route_regex_with_filters

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
def test_returns_route_regex_with_filters():
    class TestFilter(object):
        regex = r'some-filter-fake-regex'

    url = Url.regex(filters=[TestFilter])

    assert url == '/?unsafe/(?:(?P<meta>meta)/)?(?:(?P<crop_left>\d+)x(?P<crop_top>\d+):(?P<crop_right>\d+)x(?P<crop_bottom>\d+)/)?(?:(?P<fit_in>fit-in)/)?(?:(?P<horizontal_flip>-)?(?P<width>\d+)?x(?P<vertical_flip>-)?(?P<height>\d+)?/)?(?:(?P<halign>left|right|center)/)?(?:(?P<valign>top|bottom|middle)/)?(?:(?P<smart>smart)/)?some-filter-fake-regex(?P<image>.+)'
开发者ID:torkil,项目名称:thumbor,代码行数:9,代码来源:test_urls.py

示例7: __init__

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def __init__(self, context):
        self.context = context

        handlers = [(r"/healthcheck", HealthcheckHandler)]

        if context.config.ENABLE_ORIGINAL_PHOTO_UPLOAD:
            handlers.append((r"/upload", UploadHandler, {"context": context}))

        handlers.append((Url.regex(), ImageProcessHandler, {"context": context}))

        super(ThumborServiceApp, self).__init__(handlers)
开发者ID:diogomonica,项目名称:thumbor,代码行数:13,代码来源:app.py

示例8: test_can_get_regex_without_unsafe

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def test_can_get_regex_without_unsafe(self):
        regex = Url.regex(False)

        expect(regex).to_equal(
            '/?(?:(?P<debug>debug)/)?(?:(?P<meta>meta)/)?'
            '(?:(?P<trim>trim(?::(?:top-left|bottom-right))?(?::\\d+)?)/)?'
            '(?:(?P<crop_left>\\d+)x(?P<crop_top>\\d+):(?P<crop_right>\\d+)x(?P<crop_bottom>\\d+)/)?'
            '(?:(?P<adaptive>adaptive-)?(?P<full>full-)?(?P<fit_in>fit-in)/)?(?:(?P<horizontal_flip>-)?'
            '(?P<width>(?:\\d+|orig))?x(?P<vertical_flip>-)?(?P<height>(?:\\d+|orig))?/)?'
            '(?:(?P<halign>left|right|center)/)?(?:(?P<valign>top|bottom|middle)/)?'
            '(?:(?P<smart>smart)/)?(?:filters:(?P<filters>.+?\\))/)?(?P<image>.+)'
        )
开发者ID:5um1th,项目名称:thumbor,代码行数:14,代码来源:test_url.py

示例9: __init__

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def __init__(self, context):
        self.context = context

        handlers = [
            (r'/healthcheck', HealthcheckHandler),
        ]

        if context.config.UPLOAD_ENABLED:
            handlers.append(
                (r'/upload', UploadHandler, { 'context': context })
            )

        handlers.append(
            (Url.regex(has_unsafe_or_hash=False,with_save=True), SaveHandler, { 'context': context })
        )

        handlers.append(
            (Url.regex(), ImageProcessHandler, { 'context':  context })
        )


        super(ThumborServiceApp, self).__init__(handlers)
开发者ID:pagalguy,项目名称:thumbor,代码行数:24,代码来源:app.py

示例10: test_can_get_handlers

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def test_can_get_handlers(self):
        ctx = mock.Mock(
            config=mock.Mock(
                UPLOAD_ENABLED=False,
                USE_BLACKLIST=False,
            )
        )
        app = ThumborServiceApp(ctx)

        handlers = app.get_handlers()
        expect(handlers).to_length(2)
        expect(handlers[0][0]).to_equal(r'/healthcheck')
        expect(handlers[1][0]).to_equal(Url.regex())
开发者ID:5um1th,项目名称:thumbor,代码行数:15,代码来源:test_app.py

示例11: __init__

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def __init__(self, conf_file=None, security_key=None, custom_handlers=None):
        if conf_file is None:
            conf_file = ThumborServiceApp.get_conf_file(conf_file)

        logger.info('Config file: %s' % conf_file)
        parse_config_file(conf_file)

        self.loader = real_import(conf.LOADER)
        self.storage = real_import(conf.STORAGE)
        self.engine = real_import(conf.ENGINE)
        self.detectors = [real_import(detector_name).Detector for detector_name in conf.DETECTORS]
        self.filters = [real_import(filter_name).Filter for filter_name in conf.FILTERS]
        filters.compile_filters(self.filters)

        # run again to overwrite the default settings on the
        # imported modules with the ones defined into the config file
        parse_config_file(conf_file)

        #storage = storage.Storage()
        #self.engine = self.engine.Engine()

        if security_key:
            options.SECURITY_KEY = security_key

        handler_context = {
            'loader': self.loader,
            'storage': self.storage,
            'engine': self.engine,
            'detectors': self.detectors,
            'filters': self.filters
        }

        handlers = [
            (r'/healthcheck', HealthcheckHandler)
        ]

        if conf.ALLOW_UNSAFE_URL:
            handlers.append(
                (Url.regex(), MainHandler, handler_context),
            )

        if custom_handlers:
            for handler in custom_handlers:
                handlers.append((handler[0], handler[1], handler_context))
        else:
            handlers.append(
                (r'/(?P<crypto>[^/]+)/(?P<image>(.+))', CryptoHandler, handler_context)
            )

        super(ThumborServiceApp, self).__init__(handlers)
开发者ID:cezarsa,项目名称:thumbor,代码行数:52,代码来源:app.py

示例12: get_handlers

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def get_handlers(self):
        handlers = [(r"/healthcheck", HealthcheckHandler)]

        if self.context.config.UPLOAD_ENABLED:
            # TODO Old handler to upload images
            handlers.append((r"/upload", UploadHandler, {"context": self.context}))

            # Handler to upload images (POST).
            handlers.append((r"/image", ImagesHandler, {"context": self.context}))

            # Handler to retrieve or modify existing images  (GET, PUT, DELETE)
            handlers.append((r"/image/(.*)", ImageHandler, {"context": self.context}))

        # Imaging handler (GET)
        handlers.append((Url.regex(), ImagingHandler, {"context": self.context}))

        return handlers
开发者ID:WBlackstorm,项目名称:thumbor,代码行数:19,代码来源:app.py

示例13: __init__

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def __init__(self, context):
        self.context = context

        handlers = [
            (r'/healthcheck', HealthcheckHandler)
        ]

        if context.config.ALLOW_UNSAFE_URL:
            handlers.append(
                (Url.regex(), MainHandler, { 'context': context }),
            )

        handlers.append(
            (r'/(?P<crypto>[^/]+)/(?P<image>(?:.+))', CryptoHandler, { 'context': context })
        )

        super(ThumborServiceApp, self).__init__(handlers)
开发者ID:mikelikespie,项目名称:thumbor,代码行数:19,代码来源:app.py

示例14: __init__

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def __init__(self, conf_file=None):

        if conf_file is None:
            conf_file = ThumborServiceApp.get_conf_file(conf_file)

        logger.info('Config file: %s' % conf_file)
        parse_config_file(conf_file)

        loader = real_import(options.LOADER)
        storage = real_import(options.STORAGE)
        engine = real_import(options.ENGINE)

        detectors = []
        for detector_name in options.DETECTORS:
            detectors.append(real_import(detector_name).Detector)

        # run again to overwrite the default settings on the
        # imported modules with the ones defined into the config file
        parse_config_file(conf_file)

        storage = storage.Storage()
        engine = engine.Engine()

        handler_context = {
            'loader': loader,
            'storage': storage,
            'engine': engine,
            'detectors': detectors
        }

        handlers = [
            (r'/healthcheck', HealthcheckHandler)
        ]

        if options.ALLOW_UNSAFE_URL:
            handlers.append(
                (Url.regex(), MainHandler, handler_context),
            )

        handlers.append(
            (r'/(?P<crypto>[^/]+)/(?P<image>(.+))', EncryptedHandler, handler_context)
        )

        super(ThumborServiceApp, self).__init__(handlers)
开发者ID:rootart,项目名称:thumbor,代码行数:46,代码来源:app.py

示例15: get

# 需要导入模块: from thumbor.url import Url [as 别名]
# 或者: from thumbor.url.Url import regex [as 别名]
    def get(self, url):
        url = url.encode('utf-8')
        image = ""

        if self.context.config.get('SHORTENER_GENERATOR_PRESERVE_NAME'):
            reg = re.compile(Url.regex())
            result = reg.match(url)

            if result is None:
                raise ValueError("URL does not match thumbor's URL pattern")

            result = result.groupdict()

            image = "/{image}".format(image=os.path.basename(result['image']))

        return "{hash}{image}".format(
            hash=self.shorten(url),
            image=image
        )
开发者ID:thumbor-community,项目名称:shortener,代码行数:21,代码来源:__init__.py


注:本文中的thumbor.url.Url.regex方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。