umap/umap/utils.py
2020-03-01 11:11:27 +01:00

145 lines
5.4 KiB
Python

import gzip
from django.urls import get_resolver
from django.urls import URLPattern, URLResolver
def get_uri_template(urlname, args=None, prefix=""):
'''
Utility function to return an URI Template from a named URL in django
Copied from django-digitalpaper.
Restrictions:
- Only supports named urls! i.e. url(... name="toto")
- Only support one namespace level
- Only returns the first URL possibility.
- Supports multiple pattern possibilities (i.e., patterns with
non-capturing parenthesis in them) by trying to find a pattern
whose optional parameters match those you specified (a parameter
is considered optional if it doesn't appear in every pattern possibility)
'''
def _convert(template, args=None):
"""URI template converter"""
if not args:
args = []
paths = template % dict([p, "{%s}" % p] for p in args)
return u'%s/%s' % (prefix, paths)
resolver = get_resolver(None)
parts = urlname.split(':')
if len(parts) > 1 and parts[0] in resolver.namespace_dict:
namespace = parts[0]
urlname = parts[1]
nprefix, resolver = resolver.namespace_dict[namespace]
prefix = prefix + '/' + nprefix.rstrip('/')
possibilities = resolver.reverse_dict.getlist(urlname)
for tmp in possibilities:
possibility, pattern = tmp[:2]
if not args:
# If not args are specified, we only consider the first pattern
# django gives us
result, params = possibility[0]
return _convert(result, params)
else:
# If there are optionnal arguments passed, use them to try to find
# the correct pattern.
# First, we need to build a list with all the arguments
seen_params = []
for result, params in possibility:
seen_params.append(params)
# Then build a set to find the common ones, and use it to build the
# list of all the expected params
common_params = reduce(lambda x, y: set(x) & set(y), seen_params)
expected_params = sorted(common_params.union(args))
# Then loop again over the pattern possibilities and return
# the first one that strictly match expected params
for result, params in possibility:
if sorted(params) == expected_params:
return _convert(result, params)
return None
class DecoratedURLPattern(URLPattern):
def resolve(self, *args, **kwargs):
result = URLPattern.resolve(self, *args, **kwargs)
if result:
for func in self._decorate_with:
result.func = func(result.func)
return result
def decorated_patterns(func, *urls):
"""
Utility function to decorate a group of url in urls.py
Taken from http://djangosnippets.org/snippets/532/ + comments
See also http://friendpaste.com/6afByRiBB9CMwPft3a6lym
Example:
urlpatterns = [
url(r'^language/(?P<lang_code>[a-z]+)$', views.MyView, name='name'),
] + decorated_patterns(login_required, url(r'^', include('cms.urls')),
"""
def decorate(urls, func):
for url in urls:
if isinstance(url, URLPattern):
url.__class__ = DecoratedURLPattern
if not hasattr(url, "_decorate_with"):
setattr(url, "_decorate_with", [])
url._decorate_with.append(func)
elif isinstance(url, URLResolver):
for pp in url.url_patterns:
if isinstance(pp, URLPattern):
pp.__class__ = DecoratedURLPattern
if not hasattr(pp, "_decorate_with"):
setattr(pp, "_decorate_with", [])
pp._decorate_with.append(func)
if func:
if not isinstance(func, (list, tuple)):
func = [func]
for f in func:
decorate(urls, f)
return urls
def gzip_file(from_path, to_path):
with open(from_path, 'rb') as f_in:
with gzip.open(to_path, 'wb') as f_out:
f_out.writelines(f_in)
def oauth_user_details(strategy, details, user=None, *args, **kwargs):
"""
This method is a pipeline stage only to be used with social_auth
Note this is a workaround that can break if social_auth is updated
Update user details using data from provider.
"""
if not user:
return
changed = False # flag to track changes
# uMap fix: remove 'username' from protected fields
protected = ('id', 'pk', 'email') + \
tuple(strategy.setting('PROTECTED_USER_FIELDS', []))
# Update user model attributes with the new data sent by the current
# provider. Update on some attributes is disabled by default, for
# example username and id fields. It's also possible to disable update
# on fields defined in SOCIAL_AUTH_PROTECTED_USER_FIELDS.
for name, value in details.items():
if value is None or not hasattr(user, name) or name in protected:
continue
# Check https://github.com/omab/python-social-auth/issues/671
current_value = getattr(user, name, None)
# uMap fix: update field when value has changed
if current_value == value:
continue
changed = True
setattr(user, name, value)
if changed:
strategy.storage.user.changed(user)