Python werkzeug.utils.import_string() Examples
The following are 30
code examples of werkzeug.utils.import_string().
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
You may also want to check out all available functions/classes of the module
werkzeug.utils
, or try the search function
.
Example #1
Source File: app.py From huskar with MIT License | 6 votes |
def create_app(): app = Flask(__name__) app.config['DEBUG'] = settings.DEBUG app.config['SECRET_KEY'] = settings.SECRET_KEY app.config['PRESERVE_CONTEXT_ON_EXCEPTION'] = False app.config['SENTRY_DSN'] = settings.SENTRY_DSN app.config['BABEL_DEFAULT_LOCALE'] = settings.DEFAULT_LOCALE app.config['BABEL_DEFAULT_TIMEZONE'] = settings.DEFAULT_TIMEZONE app.config['LOGGER_HANDLER_POLICY'] = 'never' app.logger.propagate = True for extension_qualname in extensions: extension = import_string(extension_qualname) extension.init_app(app) for blueprint_qualname, url_prefix in blueprints: blueprint = import_string(blueprint_qualname) app.register_blueprint(blueprint, url_prefix=url_prefix) return app
Example #2
Source File: app.py From daenerys with Apache License 2.0 | 6 votes |
def dispatch_url(self, url_string): url, url_adapter, query_args = self.parse_url(url_string) try: endpoint, kwargs = url_adapter.match() except NotFound: raise NotSupported(url_string) except RequestRedirect as e: new_url = "{0.new_url}?{1}".format(e, url_encode(query_args)) return self.dispatch_url(new_url) try: handler = import_string(endpoint) request = Request(url=url, args=query_args) return handler(request, **kwargs) except RequestRedirect as e: return self.dispatch_url(e.new_url)
Example #3
Source File: __init__.py From evesrp with BSD 2-Clause "Simplified" License | 6 votes |
def _config_killmails(app): killmail_sources = [] # For now, use a loop with checks. After removing the depecated config # method it can be rewritten as a list comprehension for source in app.config['SRP_KILLMAIL_SOURCES']: if isinstance(source, six.string_types): killmail_sources.append(import_string(source)) elif isinstance(source, type): _deprecated_object_instance('SRP_KILLMAIL_SOURCES', source) killmail_sources.append(source) app.killmail_sources = killmail_sources # Work around DBAPI-specific issues with Decimal subclasses. # Specifically, almost everything besides pysqlite and psycopg2 raise # exceptions if an instance of a Decimal subclass as opposed to an instance of # Decimal itself is passed in as a value for a Numeric column.
Example #4
Source File: __init__.py From syntheticmass with Apache License 2.0 | 5 votes |
def iter_suites(): """Yields all testsuites.""" for module in find_modules(__name__): mod = import_string(module) if hasattr(mod, 'suite'): yield mod.suite()
Example #5
Source File: config.py From data with GNU General Public License v3.0 | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. Just the uppercase variables in that object are stored in the config. Example usage:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #6
Source File: serving.py From data with GNU General Public License v3.0 | 5 votes |
def main(): '''A simple command-line interface for :py:func:`run_simple`.''' # in contrast to argparse, this works at least under Python < 2.7 import optparse from werkzeug.utils import import_string parser = optparse.OptionParser( usage='Usage: %prog [options] app_module:app_object') parser.add_option('-b', '--bind', dest='address', help='The hostname:port the app should listen on.') parser.add_option('-d', '--debug', dest='use_debugger', action='store_true', default=False, help='Use Werkzeug\'s debugger.') parser.add_option('-r', '--reload', dest='use_reloader', action='store_true', default=False, help='Reload Python process if modules change.') options, args = parser.parse_args() hostname, port = None, None if options.address: address = options.address.split(':') hostname = address[0] if len(address) > 1: port = address[1] if len(args) != 1: sys.stdout.write('No application supplied, or too much. See --help\n') sys.exit(1) app = import_string(args[0]) run_simple( hostname=(hostname or '127.0.0.1'), port=int(port or 5000), application=app, use_reloader=options.use_reloader, use_debugger=options.use_debugger )
Example #7
Source File: __init__.py From data with GNU General Public License v3.0 | 5 votes |
def iter_suites(): """Yields all testsuites.""" for module in find_modules(__name__): mod = import_string(module) if hasattr(mod, 'suite'): yield mod.suite()
Example #8
Source File: __init__.py From data with GNU General Public License v3.0 | 5 votes |
def iter_suites(): """Yields all testsuites.""" for module in find_modules(__name__): mod = import_string(module) if hasattr(mod, 'suite'): yield mod.suite()
Example #9
Source File: testtools.py From data with GNU General Public License v3.0 | 5 votes |
def xml(self): """Get an etree if possible.""" if 'xml' not in self.mimetype: raise AttributeError( 'Not a XML response (Content-Type: %s)' % self.mimetype) for module in ['xml.etree.ElementTree', 'ElementTree', 'elementtree.ElementTree']: etree = import_string(module, silent=True) if etree is not None: return etree.XML(self.body) raise RuntimeError('You must have ElementTree installed ' 'to use TestResponse.xml')
Example #10
Source File: serving.py From data with GNU General Public License v3.0 | 5 votes |
def main(): '''A simple command-line interface for :py:func:`run_simple`.''' # in contrast to argparse, this works at least under Python < 2.7 import optparse from werkzeug.utils import import_string parser = optparse.OptionParser( usage='Usage: %prog [options] app_module:app_object') parser.add_option('-b', '--bind', dest='address', help='The hostname:port the app should listen on.') parser.add_option('-d', '--debug', dest='use_debugger', action='store_true', default=False, help='Use Werkzeug\'s debugger.') parser.add_option('-r', '--reload', dest='use_reloader', action='store_true', default=False, help='Reload Python process if modules change.') options, args = parser.parse_args() hostname, port = None, None if options.address: address = options.address.split(':') hostname = address[0] if len(address) > 1: port = address[1] if len(args) != 1: sys.stdout.write('No application supplied, or too much. See --help\n') sys.exit(1) app = import_string(args[0]) run_simple( hostname=(hostname or '127.0.0.1'), port=int(port or 5000), application=app, use_reloader=options.use_reloader, use_debugger=options.use_debugger )
Example #11
Source File: __init__.py From data with GNU General Public License v3.0 | 5 votes |
def iter_suites(): """Yields all testsuites.""" for module in find_modules(__name__): mod = import_string(module) if hasattr(mod, 'suite'): yield mod.suite()
Example #12
Source File: config.py From data with GNU General Public License v3.0 | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. Just the uppercase variables in that object are stored in the config. Example usage:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #13
Source File: serving.py From arithmancer with Apache License 2.0 | 5 votes |
def main(): '''A simple command-line interface for :py:func:`run_simple`.''' # in contrast to argparse, this works at least under Python < 2.7 import optparse from werkzeug.utils import import_string parser = optparse.OptionParser(usage='Usage: %prog [options] app_module:app_object') parser.add_option('-b', '--bind', dest='address', help='The hostname:port the app should listen on.') parser.add_option('-d', '--debug', dest='use_debugger', action='store_true', default=False, help='Use Werkzeug\'s debugger.') parser.add_option('-r', '--reload', dest='use_reloader', action='store_true', default=False, help='Reload Python process if modules change.') options, args = parser.parse_args() hostname, port = None, None if options.address: address = options.address.split(':') hostname = address[0] if len(address) > 1: port = address[1] if len(args) != 1: sys.stdout.write('No application supplied, or too much. See --help\n') sys.exit(1) app = import_string(args[0]) run_simple( hostname=(hostname or '127.0.0.1'), port=int(port or 5000), application=app, use_reloader=options.use_reloader, use_debugger=options.use_debugger )
Example #14
Source File: config.py From arithmancer with Apache License 2.0 | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. Just the uppercase variables in that object are stored in the config. Example usage:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #15
Source File: testtools.py From syntheticmass with Apache License 2.0 | 5 votes |
def xml(self): """Get an etree if possible.""" if 'xml' not in self.mimetype: raise AttributeError( 'Not a XML response (Content-Type: %s)' % self.mimetype) for module in ['xml.etree.ElementTree', 'ElementTree', 'elementtree.ElementTree']: etree = import_string(module, silent=True) if etree is not None: return etree.XML(self.body) raise RuntimeError('You must have ElementTree installed ' 'to use TestResponse.xml')
Example #16
Source File: serving.py From syntheticmass with Apache License 2.0 | 5 votes |
def main(): '''A simple command-line interface for :py:func:`run_simple`.''' # in contrast to argparse, this works at least under Python < 2.7 import optparse from werkzeug.utils import import_string parser = optparse.OptionParser( usage='Usage: %prog [options] app_module:app_object') parser.add_option('-b', '--bind', dest='address', help='The hostname:port the app should listen on.') parser.add_option('-d', '--debug', dest='use_debugger', action='store_true', default=False, help='Use Werkzeug\'s debugger.') parser.add_option('-r', '--reload', dest='use_reloader', action='store_true', default=False, help='Reload Python process if modules change.') options, args = parser.parse_args() hostname, port = None, None if options.address: address = options.address.split(':') hostname = address[0] if len(address) > 1: port = address[1] if len(args) != 1: sys.stdout.write('No application supplied, or too much. See --help\n') sys.exit(1) app = import_string(args[0]) run_simple( hostname=(hostname or '127.0.0.1'), port=int(port or 5000), application=app, use_reloader=options.use_reloader, use_debugger=options.use_debugger )
Example #17
Source File: config.py From syntheticmass with Apache License 2.0 | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. Just the uppercase variables in that object are stored in the config. Example usage:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #18
Source File: config.py From appengine-try-python-flask with Apache License 2.0 | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. Just the uppercase variables in that object are stored in the config. Example usage:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #19
Source File: testtools.py From cloud-playground with Apache License 2.0 | 5 votes |
def xml(self): """Get an etree if possible.""" if 'xml' not in self.mimetype: raise AttributeError( 'Not a XML response (Content-Type: %s)' % self.mimetype) for module in ['xml.etree.ElementTree', 'ElementTree', 'elementtree.ElementTree']: etree = import_string(module, silent=True) if etree is not None: return etree.XML(self.body) raise RuntimeError('You must have ElementTree installed ' 'to use TestResponse.xml')
Example #20
Source File: serving.py From cloud-playground with Apache License 2.0 | 5 votes |
def main(): '''A simple command-line interface for :py:func:`run_simple`.''' # in contrast to argparse, this works at least under Python < 2.7 import optparse from werkzeug.utils import import_string parser = optparse.OptionParser(usage='Usage: %prog [options] app_module:app_object') parser.add_option('-b', '--bind', dest='address', help='The hostname:port the app should listen on.') parser.add_option('-d', '--debug', dest='use_debugger', action='store_true', default=False, help='Use Werkzeug\'s debugger.') parser.add_option('-r', '--reload', dest='use_reloader', action='store_true', default=False, help='Reload Python process if modules change.') options, args = parser.parse_args() hostname, port = None, None if options.address: address = options.address.split(':') hostname = address[0] if len(address) > 1: port = address[1] if len(args) != 1: sys.stdout.write('No application supplied, or too much. See --help\n') sys.exit(1) app = import_string(args[0]) run_simple( hostname=(hostname or '127.0.0.1'), port=int(port or 5000), application=app, use_reloader=options.use_reloader, use_debugger=options.use_debugger )
Example #21
Source File: config.py From cloud-playground with Apache License 2.0 | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. Just the uppercase variables in that object are stored in the config. Example usage:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #22
Source File: testtools.py From PhonePi_SampleServer with MIT License | 5 votes |
def xml(self): """Get an etree if possible.""" if 'xml' not in self.mimetype: raise AttributeError( 'Not a XML response (Content-Type: %s)' % self.mimetype) for module in ['xml.etree.ElementTree', 'ElementTree', 'elementtree.ElementTree']: etree = import_string(module, silent=True) if etree is not None: return etree.XML(self.body) raise RuntimeError('You must have ElementTree installed ' 'to use TestResponse.xml')
Example #23
Source File: serving.py From PhonePi_SampleServer with MIT License | 5 votes |
def main(): '''A simple command-line interface for :py:func:`run_simple`.''' # in contrast to argparse, this works at least under Python < 2.7 import optparse from werkzeug.utils import import_string parser = optparse.OptionParser( usage='Usage: %prog [options] app_module:app_object') parser.add_option('-b', '--bind', dest='address', help='The hostname:port the app should listen on.') parser.add_option('-d', '--debug', dest='use_debugger', action='store_true', default=False, help='Use Werkzeug\'s debugger.') parser.add_option('-r', '--reload', dest='use_reloader', action='store_true', default=False, help='Reload Python process if modules change.') options, args = parser.parse_args() hostname, port = None, None if options.address: address = options.address.split(':') hostname = address[0] if len(address) > 1: port = address[1] if len(args) != 1: sys.stdout.write('No application supplied, or too much. See --help\n') sys.exit(1) app = import_string(args[0]) run_simple( hostname=(hostname or '127.0.0.1'), port=int(port or 5000), application=app, use_reloader=options.use_reloader, use_debugger=options.use_debugger )
Example #24
Source File: config.py From PhonePi_SampleServer with MIT License | 5 votes |
def from_object(self, obj): """Updates the values from the given object. An object can be of one of the following two types: - a string: in this case the object with that name will be imported - an actual object reference: that object is used directly Objects are usually either modules or classes. :meth:`from_object` loads only the uppercase attributes of the module/class. A ``dict`` object will not work with :meth:`from_object` because the keys of a ``dict`` are not attributes of the ``dict`` class. Example of module-based configuration:: app.config.from_object('yourapplication.default_config') from yourapplication import default_config app.config.from_object(default_config) You should not use this function to load the actual configuration but rather configuration defaults. The actual config should be loaded with :meth:`from_pyfile` and ideally from a location not within the package because the package might be installed system wide. See :ref:`config-dev-prod` for an example of class-based configuration using :meth:`from_object`. :param obj: an import name or object """ if isinstance(obj, string_types): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #25
Source File: __init__.py From amundsensearchlibrary with Apache License 2.0 | 5 votes |
def get_proxy_client() -> BaseProxy: """ Provides singleton proxy client based on the config :return: Proxy instance of any subclass of BaseProxy """ global _proxy_client if _proxy_client: return _proxy_client with _proxy_client_lock: if _proxy_client: return _proxy_client else: obj = current_app.config[config.PROXY_CLIENT_KEY] # Gather all the configuration to create a Proxy Client host = current_app.config[config.PROXY_ENDPOINT] user = current_app.config[config.PROXY_USER] password = current_app.config[config.PROXY_PASSWORD] client = import_string(current_app.config[config.PROXY_CLIENT]) # number of results per search page page_size = current_app.config.get(config.SEARCH_PAGE_SIZE_KEY, DEFAULT_PAGE_SIZE) _proxy_client = client(host=host, user=user, password=password, client=obj, page_size=page_size) return _proxy_client
Example #26
Source File: config_parser.py From sample-platform with ISC License | 5 votes |
def parse_config(obj: str) -> Dict[Any, Any]: """ Parse given config either from a file or from an object. Method borrowed from Flask. :param obj: The config to parse. :type obj: any :return: A dictionary containing the parsed Flask config :rtype: dict """ config = {} if isinstance(obj, str): obj = import_string(obj) for key in dir(obj): if key.isupper(): config[key] = getattr(obj, key) return config
Example #27
Source File: config.py From revelation with MIT License | 5 votes |
def load_from_object(self, obj): """Load the configs from a python object passed to the function""" if isinstance(obj, str): obj = import_string(obj) for key in dir(obj): if key.isupper(): self[key] = getattr(obj, key)
Example #28
Source File: application.py From BhagavadGita with GNU General Public License v3.0 | 5 votes |
def make_oauth_session(self, **kwargs): kwargs.setdefault('scope', self.scope) # configures automatic token refresh if possible if self.refresh_token_url: if not hasattr(self, '_tokensaver'): raise RuntimeError('missing tokensaver') kwargs.setdefault('auto_refresh_url', self.refresh_token_url) kwargs.setdefault('auto_refresh_kwargs', { 'client_id': self.client_id, 'client_secret': self.client_secret, }) kwargs.setdefault('token_updater', self._tokensaver) # creates session oauth = self.session_class(self.client_id, **kwargs) # patches session compliance_fixes = self.compliance_fixes if compliance_fixes is not None: if compliance_fixes.startswith('.'): compliance_fixes = \ 'requests_oauthlib.compliance_fixes' + compliance_fixes apply_fixes = import_string(compliance_fixes) oauth = apply_fixes(oauth) return oauth
Example #29
Source File: check.py From flask-ldap-login with BSD 2-Clause "Simplified" License | 5 votes |
def main(): parser = ArgumentParser(description=__doc__) parser.add_argument('app_module', metavar='APP_MODULE', help='Python importible flask application e.g. my.module:app') parser.add_argument('-u', '--username', help='Ldap login with this username') parser.add_argument('-p', '--password', help='Ldap login with this password') args = parser.parse_args() if ':' in args.app_module: import_name, appname = args.app_module.split(':', 1) else: import_name, appname = args.app_module, 'app' module = import_string(import_name) app = getattr(module, appname) username = args.username or raw_input('Username: ') password = args.password or getpass.getpass() app.ldap_login_manager.set_raise_errors() try: userdata = app.ldap_login_manager.ldap_login(username, password) print("Got userdata for %s" % username) pprint(userdata) except Exception as e: print("User not found") pprint(e)
Example #30
Source File: storage.py From vulyk with BSD 3-Clause "New" or "Revised" License | 5 votes |
def __init__(self, plugin_name: str, root_url: str = '/static', prefix: str = '') -> None: """ Let's stub some dumb fields to get this one treated like a regular Flask blueprint while collecting static files. :param plugin_name: Plugin module name :type plugin_name: str :param root_url: Root static URL :type root_url: str """ static_path = import_string(plugin_name).__path__[0] static_path = os.path.join(static_path, 'static') self.name = '{}{}'.format(prefix, plugin_name) self.static_url_path = '{}/{}/static'.format(root_url, self.name) self.static_folder = '' self.has_static_folder = os.path.isdir(static_path) if self.has_static_folder: self.static_folder = static_path