Utilities

Various utility functions shipped with Werkzeug.

HTML Helpers

class werkzeug.utils.HTMLBuilder(dialect)

Helper object for HTML generation.

Per default there are two instances of that class. The html one, and the xhtml one for those two dialects. The class uses keyword parameters and positional parameters to generate small snippets of HTML.

Keyword parameters are converted to XML/SGML attributes, positional arguments are used as children. Because Python accepts positional arguments before keyword arguments it’s a good idea to use a list with the star-syntax for some children:

>>> html.p(class_='foo', *[html.a('foo', href='foo.html'), ' ',
...                        html.a('bar', href='bar.html')])
u'<p class="foo"><a href="foo.html">foo</a> <a href="bar.html">bar</a></p>'

This class works around some browser limitations and can not be used for arbitrary SGML/XML generation. For that purpose lxml and similar libraries exist.

Calling the builder escapes the string passed:

>>> html.p(html("<foo>"))
u'<p>&lt;foo&gt;</p>'
werkzeug.utils.escape(s, quote=None)

Replace special characters “&”, “<”, “>” and (”) to HTML-safe sequences.

There is a special handling for None which escapes to an empty string.

在 0.9 版更改: quote is now implicitly on.

参数:
  • s – the string to escape.
  • quote – ignored.
werkzeug.utils.unescape(s)

The reverse function of escape. This unescapes all the HTML entities, not only the XML entities inserted by escape.

参数:s – the string to unescape.

General Helpers

class werkzeug.utils.cached_property(func, name=None, doc=None)

A decorator that converts a function into a lazy property. The function wrapped is called the first time to retrieve the result and then that calculated result is used the next time you access the value:

class Foo(object):

    @cached_property
    def foo(self):
        # calculate something important here
        return 42

The class has to have a __dict__ in order for this property to work.

class werkzeug.utils.environ_property(name, default=None, load_func=None, dump_func=None, read_only=None, doc=None)

Maps request attributes to environment variables. This works not only for the Werzeug request object, but also any other class with an environ attribute:

>>> class Test(object):
...     environ = {'key': 'value'}
...     test = environ_property('key')
>>> var = Test()
>>> var.test
'value'

If you pass it a second value it’s used as default if the key does not exist, the third one can be a converter that takes a value and converts it. If it raises ValueError or TypeError the default value is used. If no default value is provided None is used.

Per default the property is read only. You have to explicitly enable it by passing read_only=False to the constructor.

class werkzeug.utils.header_property(name, default=None, load_func=None, dump_func=None, read_only=None, doc=None)

Like environ_property but for headers.

Parse a cookie. Either from a string or WSGI environ.

Per default encoding errors are ignored. If you want a different behavior you can set errors to 'replace' or 'strict'. In strict mode a HTTPUnicodeError is raised.

在 0.5 版更改: This function now returns a TypeConversionDict instead of a regular dict. The cls parameter was added.

参数:
  • header – the header to be used to parse the cookie. Alternatively this can be a WSGI environment.
  • charset – the charset for the cookie values.
  • errors – the error behavior for the charset decoding.
  • cls – an optional dict class to use. If this is not specified or None the default TypeConversionDict is used.

Creates a new Set-Cookie header without the Set-Cookie prefix The parameters are the same as in the cookie Morsel object in the Python standard library but it accepts unicode data, too.

On Python 3 the return value of this function will be a unicode string, on Python 2 it will be a native string. In both cases the return value is usually restricted to ascii as the vast majority of values are properly escaped, but that is no guarantee. If a unicode string is returned it’s tunneled through latin1 as required by PEP 3333.

The return value is not ASCII safe if the key contains unicode characters. This is technically against the specification but happens in the wild. It’s strongly recommended to not use non-ASCII values for the keys.

参数:
  • max_age – should be a number of seconds, or None (default) if the cookie should last only as long as the client’s browser session. Additionally timedelta objects are accepted, too.
  • expires – should be a datetime object or unix timestamp.
  • path – limits the cookie to a given path, per default it will span the whole domain.
  • domain – Use this if you want to set a cross-domain cookie. For example, domain=".example.com" will set a cookie that is readable by the domain www.example.com, foo.example.com etc. Otherwise, a cookie will only be readable by the domain that set it.
  • secure – The cookie will only be available via HTTPS
  • httponly – disallow JavaScript to access the cookie. This is an extension to the cookie standard and probably not supported by all browsers.
  • charset – the encoding for unicode values.
  • sync_expires – automatically set expires if max_age is defined but expires not.
werkzeug.utils.redirect(location, code=302)

Return a response object (a WSGI application) that, if called, redirects the client to the target location. Supported codes are 301, 302, 303, 305, and 307. 300 is not supported because it’s not a real redirect and 304 because it’s the answer for a request with a request with defined If-Modified-Since headers.

0.6 新版功能: The location can now be a unicode string that is encoded using the iri_to_uri() function.

参数:
  • location – the location the response should redirect to.
  • code – the redirect status code. defaults to 302.
werkzeug.utils.append_slash_redirect(environ, code=301)

Redirect to the same URL but with a slash appended. The behavior of this function is undefined if the path ends with a slash already.

参数:
  • environ – the WSGI environment for the request that triggers the redirect.
  • code – the status code for the redirect.
werkzeug.utils.import_string(import_name, silent=False)

Imports an object based on a string. This is useful if you want to use import paths as endpoints or something similar. An import path can be specified either in dotted notation (xml.sax.saxutils.escape) or with a colon as object delimiter (xml.sax.saxutils:escape).

If silent is True the return value will be None if the import fails.

参数:
  • import_name – the dotted name for the object to import.
  • silent – if set to True import errors are ignored and None is returned instead.
返回:

imported object

werkzeug.utils.find_modules(import_path, include_packages=False, recursive=False)

Find all the modules below a package. This can be useful to automatically import all views / controllers so that their metaclasses / function decorators have a chance to register themselves on the application.

Packages are not returned unless include_packages is True. This can also recursively list modules but in that case it will import all the packages to get the correct load path of that module.

参数:
  • import_name – the dotted name for the package to find child modules.
  • include_packages – set to True if packages should be returned, too.
  • recursive – set to True if recursion should happen.
返回:

generator

werkzeug.utils.validate_arguments(func, args, kwargs, drop_extra=True)

Check if the function accepts the arguments and keyword arguments. Returns a new (args, kwargs) tuple that can safely be passed to the function without causing a TypeError because the function signature is incompatible. If drop_extra is set to True (which is the default) any extra positional or keyword arguments are dropped automatically.

The exception raised provides three attributes:

missing
A set of argument names that the function expected but where missing.
extra
A dict of keyword arguments that the function can not handle but where provided.
extra_positional
A list of values that where given by positional argument but the function cannot accept.

This can be useful for decorators that forward user submitted data to a view function:

from werkzeug.utils import ArgumentValidationError, validate_arguments

def sanitize(f):
    def proxy(request):
        data = request.values.to_dict()
        try:
            args, kwargs = validate_arguments(f, (request,), data)
        except ArgumentValidationError:
            raise BadRequest('The browser failed to transmit all '
                             'the data expected.')
        return f(*args, **kwargs)
    return proxy
参数:
  • func – the function the validation is performed against.
  • args – a tuple of positional arguments.
  • kwargs – a dict of keyword arguments.
  • drop_extra – set to False if you don’t want extra arguments to be silently dropped.
返回:

tuple in the form (args, kwargs).

werkzeug.utils.secure_filename(filename)

Pass it a filename and it will return a secure version of it. This filename can then safely be stored on a regular file system and passed to os.path.join(). The filename returned is an ASCII only string for maximum portability.

On windows system the function also makes sure that the file is not named after one of the special device files.

>>> secure_filename("My cool movie.mov")
'My_cool_movie.mov'
>>> secure_filename("../../../etc/passwd")
'etc_passwd'
>>> secure_filename(u'i contain cool \xfcml\xe4uts.txt')
'i_contain_cool_umlauts.txt'

The function might return an empty filename. It’s your responsibility to ensure that the filename is unique and that you generate random filename if the function returned an empty one.

0.5 新版功能.

参数:filename – the filename to secure
werkzeug.utils.bind_arguments(func, args, kwargs)

Bind the arguments provided into a dict. When passed a function, a tuple of arguments and a dict of keyword arguments bind_arguments returns a dict of names as the function would see it. This can be useful to implement a cache decorator that uses the function arguments to build the cache key based on the values of the arguments.

参数:
  • func – the function the arguments should be bound for.
  • args – tuple of positional arguments.
  • kwargs – a dict of keyword arguments.
返回:

a dict of bound keyword arguments.

URL Helpers

class werkzeug.urls.Href(base='./', charset='utf-8', sort=False, key=None)

Implements a callable that constructs URLs with the given base. The function can be called with any number of positional and keyword arguments which than are used to assemble the URL. Works with URLs and posix paths.

Positional arguments are appended as individual segments to the path of the URL:

>>> href = Href('/foo')
>>> href('bar', 23)
'/foo/bar/23'
>>> href('foo', bar=23)
'/foo/foo?bar=23'

If any of the arguments (positional or keyword) evaluates to None it will be skipped. If no keyword arguments are given the last argument can be a dict or MultiDict (or any other dict subclass), otherwise the keyword arguments are used for the query parameters, cutting off the first trailing underscore of the parameter name:

>>> href(is_=42)
'/foo?is=42'
>>> href({'foo': 'bar'})
'/foo?foo=bar'

Combining of both methods is not allowed:

>>> href({'foo': 'bar'}, bar=42)
Traceback (most recent call last):
  ...
TypeError: keyword arguments and query-dicts can't be combined

Accessing attributes on the href object creates a new href object with the attribute name as prefix:

>>> bar_href = href.bar
>>> bar_href("blub")
'/foo/bar/blub'

If sort is set to True the items are sorted by key or the default sorting algorithm:

>>> href = Href("/", sort=True)
>>> href(a=1, b=2, c=3)
'/?a=1&b=2&c=3'

0.5 新版功能: sort and key were added.

werkzeug.urls.url_decode(s, charset='utf-8', decode_keys=False, include_empty=True, errors='replace', separator='&', cls=None)

Parse a querystring and return it as MultiDict. There is a difference in key decoding on different Python versions. On Python 3 keys will always be fully decoded whereas on Python 2, keys will remain bytestrings if they fit into ASCII. On 2.x keys can be forced to be unicode by setting decode_keys to True.

If the charset is set to None no unicode decoding will happen and raw bytes will be returned.

Per default a missing value for a key will default to an empty key. If you don’t want that behavior you can set include_empty to False.

Per default encoding errors are ignored. If you want a different behavior you can set errors to 'replace' or 'strict'. In strict mode a HTTPUnicodeError is raised.

在 0.5 版更改: In previous versions ”;” and “&” could be used for url decoding. This changed in 0.5 where only “&” is supported. If you want to use ”;” instead a different separator can be provided.

The cls parameter was added.

参数:
  • s – a string with the query string to decode.
  • charset – the charset of the query string. If set to None no unicode decoding will take place.
  • decode_keys – Used on Python 2.x to control whether keys should be forced to be unicode objects. If set to True then keys will be unicode in all cases. Otherwise, they remain str if they fit into ASCII.
  • include_empty – Set to False if you don’t want empty values to appear in the dict.
  • errors – the decoding error behavior.
  • separator – the pair separator to be used, defaults to &
  • cls – an optional dict class to use. If this is not specified or None the default MultiDict is used.
werkzeug.urls.url_decode_stream(stream, charset='utf-8', decode_keys=False, include_empty=True, errors='replace', separator='&', cls=None, limit=None, return_iterator=False)

Works like url_decode() but decodes a stream. The behavior of stream and limit follows functions like make_line_iter(). The generator of pairs is directly fed to the cls so you can consume the data while it’s parsed.

0.8 新版功能.

参数:
  • stream – a stream with the encoded querystring
  • charset – the charset of the query string. If set to None no unicode decoding will take place.
  • decode_keys – Used on Python 2.x to control whether keys should be forced to be unicode objects. If set to True, keys will be unicode in all cases. Otherwise, they remain str if they fit into ASCII.
  • include_empty – Set to False if you don’t want empty values to appear in the dict.
  • errors – the decoding error behavior.
  • separator – the pair separator to be used, defaults to &
  • cls – an optional dict class to use. If this is not specified or None the default MultiDict is used.
  • limit – the content length of the URL data. Not necessary if a limited stream is provided.
  • return_iterator – if set to True the cls argument is ignored and an iterator over all decoded pairs is returned
werkzeug.urls.url_encode(obj, charset='utf-8', encode_keys=False, sort=False, key=None, separator='&')

URL encode a dict/MultiDict. If a value is None it will not appear in the result string. Per default only values are encoded into the target charset strings. If encode_keys is set to True unicode keys are supported too.

If sort is set to True the items are sorted by key or the default sorting algorithm.

0.5 新版功能: sort, key, and separator were added.

参数:
  • obj – the object to encode into a query string.
  • charset – the charset of the query string.
  • encode_keys – set to True if you have unicode keys. (Ignored on Python 3.x)
  • sort – set to True if you want parameters to be sorted by key.
  • separator – the separator to be used for the pairs.
  • key – an optional function to be used for sorting. For more details check out the sorted() documentation.
werkzeug.urls.url_encode_stream(obj, stream=None, charset='utf-8', encode_keys=False, sort=False, key=None, separator='&')

Like url_encode() but writes the results to a stream object. If the stream is None a generator over all encoded pairs is returned.

0.8 新版功能.

参数:
  • obj – the object to encode into a query string.
  • stream – a stream to write the encoded object into or None if an iterator over the encoded pairs should be returned. In that case the separator argument is ignored.
  • charset – the charset of the query string.
  • encode_keys – set to True if you have unicode keys. (Ignored on Python 3.x)
  • sort – set to True if you want parameters to be sorted by key.
  • separator – the separator to be used for the pairs.
  • key – an optional function to be used for sorting. For more details check out the sorted() documentation.
werkzeug.urls.url_quote(string, charset='utf-8', errors='strict', safe='/:', unsafe='')

URL encode a single string with a given encoding.

参数:
  • s – the string to quote.
  • charset – the charset to be used.
  • safe – an optional sequence of safe characters.
  • unsafe – an optional sequence of unsafe characters.

0.9.2 新版功能: The unsafe parameter was added.

werkzeug.urls.url_quote_plus(string, charset='utf-8', errors='strict', safe='')

URL encode a single string with the given encoding and convert whitespace to “+”.

参数:
  • s – The string to quote.
  • charset – The charset to be used.
  • safe – An optional sequence of safe characters.
werkzeug.urls.url_unquote(string, charset='utf-8', errors='replace', unsafe='')

URL decode a single string with a given encoding. If the charset is set to None no unicode decoding is performed and raw bytes are returned.

参数:
  • s – the string to unquote.
  • charset – the charset of the query string. If set to None no unicode decoding will take place.
  • errors – the error handling for the charset decoding.
werkzeug.urls.url_unquote_plus(s, charset='utf-8', errors='replace')

URL decode a single string with the given charset and decode “+” to whitespace.

Per default encoding errors are ignored. If you want a different behavior you can set errors to 'replace' or 'strict'. In strict mode a HTTPUnicodeError is raised.

参数:
  • s – The string to unquote.
  • charset – the charset of the query string. If set to None no unicode decoding will take place.
  • errors – The error handling for the charset decoding.
werkzeug.urls.url_fix(s, charset='utf-8')

Sometimes you get an URL by a user that just isn’t a real URL because it contains unsafe characters like ‘ ‘ and so on. This function can fix some of the problems in a similar way browsers handle data entered by the user:

>>> url_fix(u'http://de.wikipedia.org/wiki/Elf (Begriffskl\xe4rung)')
'http://de.wikipedia.org/wiki/Elf%20(Begriffskl%C3%A4rung)'
参数:
  • s – the string with the URL to fix.
  • charset – The target charset for the URL if the url was given as unicode string.
werkzeug.urls.uri_to_iri(uri, charset='utf-8', errors='replace')

Converts a URI in a given charset to a IRI.

Examples for URI versus IRI:

>>> uri_to_iri(b'http://xn--n3h.net/')
u'http://\u2603.net/'
>>> uri_to_iri(b'http://%C3%BCser:p%C3%A4ssword@xn--n3h.net/p%C3%A5th')
u'http://\xfcser:p\xe4ssword@\u2603.net/p\xe5th'

Query strings are left unchanged:

>>> uri_to_iri('/?foo=24&x=%26%2f')
u'/?foo=24&x=%26%2f'

0.6 新版功能.

参数:
  • uri – The URI to convert.
  • charset – The charset of the URI.
  • errors – The error handling on decode.
werkzeug.urls.iri_to_uri(iri, charset='utf-8', errors='strict')

Converts any unicode based IRI to an acceptable ASCII URI. Werkzeug always uses utf-8 URLs internally because this is what browsers and HTTP do as well. In some places where it accepts an URL it also accepts a unicode IRI and converts it into a URI.

Examples for IRI versus URI:

>>> iri_to_uri(u'http://☃.net/')
'http://xn--n3h.net/'
>>> iri_to_uri(u'http://üser:pässword@☃.net/påth')
'http://%C3%BCser:p%C3%A4ssword@xn--n3h.net/p%C3%A5th'

0.6 新版功能.

参数:
  • iri – The IRI to convert.
  • charset – The charset for the URI.

UserAgent Parsing

class werkzeug.useragents.UserAgent(environ_or_string)

Represents a user agent. Pass it a WSGI environment or a user agent string and you can inspect some of the details from the user agent string via the attributes. The following attributes exist:

string

the raw user agent string

platform

the browser platform. The following platforms are currently recognized:

  • aix
  • amiga
  • android
  • bsd
  • hpux
  • iphone
  • ipad
  • irix
  • linux
  • macos
  • sco
  • solaris
  • wii
  • windows
browser

the name of the browser. The following browsers are currently recognized:

  • aol *
  • ask *
  • camino
  • chrome
  • firefox
  • galeon
  • google *
  • kmeleon
  • konqueror
  • links
  • lynx
  • msie
  • msn
  • netscape
  • opera
  • safari
  • seamonkey
  • webkit
  • yahoo *

(Browsers maked with a star (*) are crawlers.)

version

the version of the browser

language

the language of the browser

Security Helpers

0.6.1 新版功能.

werkzeug.security.generate_password_hash(password, method='pbkdf2:sha1', salt_length=8)

Hash a password with the given method and salt with with a string of the given length. The format of the string returned includes the method that was used so that check_password_hash() can check the hash.

The format for the hashed string looks like this:

method$salt$hash

This method can not generate unsalted passwords but it is possible to set the method to plain to enforce plaintext passwords. If a salt is used, hmac is used internally to salt the password.

If PBKDF2 is wanted it can be enabled by setting the method to pbkdf2:method:iterations where iterations is optional:

pbkdf2:sha1:2000$salt$hash
pbkdf2:sha1$salt$hash
参数:
  • password – the password to hash
  • method – the hash method to use (one that hashlib supports), can optionally be in the format pbpdf2:<method>[:iterations] to enable PBKDF2.
  • salt_length – the length of the salt in letters
werkzeug.security.check_password_hash(pwhash, password)

check a password against a given salted and hashed password value. In order to support unsalted legacy passwords this method supports plain text passwords, md5 and sha1 hashes (both salted and unsalted).

Returns True if the password matched, False otherwise.

参数:
  • pwhash – a hashed string like returned by generate_password_hash()
  • password – the plaintext password to compare against the hash
werkzeug.security.safe_str_cmp(a, b)

This function compares strings in somewhat constant time. This requires that the length of at least one string is known in advance.

Returns True if the two strings are equal or False if they are not.

0.7 新版功能.

werkzeug.security.safe_join(directory, filename)

Safely join directory and filename. If this cannot be done, this function returns None.

参数:
  • directory – the base directory.
  • filename – the untrusted filename relative to that directory.
werkzeug.security.pbkdf2_hex(data, salt, iterations=1000, keylen=None, hashfunc=None)

Like pbkdf2_bin() but returns a hex encoded string.

0.9 新版功能.

参数:
  • data – the data to derive.
  • salt – the salt for the derivation.
  • iterations – the number of iterations.
  • keylen – the length of the resulting key. If not provided the digest size will be used.
  • hashfunc – the hash function to use. This can either be the string name of a known hash function or a function from the hashlib module. Defaults to sha1.
werkzeug.security.pbkdf2_bin(data, salt, iterations=1000, keylen=None, hashfunc=None)

Returns a binary digest for the PBKDF2 hash algorithm of data with the given salt. It iterates iterations time and produces a key of keylen bytes. By default SHA-1 is used as hash function, a different hashlib hashfunc can be provided.

0.9 新版功能.

参数:
  • data – the data to derive.
  • salt – the salt for the derivation.
  • iterations – the number of iterations.
  • keylen – the length of the resulting key. If not provided the digest size will be used.
  • hashfunc – the hash function to use. This can either be the string name of a known hash function or a function from the hashlib module. Defaults to sha1.

內容目录

Related Topics

本页

Fork me on GitHub