repo stringlengths 7 55 | path stringlengths 4 127 | func_name stringlengths 1 88 | original_string stringlengths 75 19.8k | language stringclasses 1
value | code stringlengths 75 19.8k | code_tokens list | docstring stringlengths 3 17.3k | docstring_tokens list | sha stringlengths 40 40 | url stringlengths 87 242 | partition stringclasses 1
value |
|---|---|---|---|---|---|---|---|---|---|---|---|
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | is_model_mpttmeta_subclass | def is_model_mpttmeta_subclass(node):
"""Checks that node is derivative of MPTTMeta class."""
if node.name != 'MPTTMeta' or not isinstance(node.parent, ClassDef):
return False
parents = ('django.db.models.base.Model',
'.Model', # for the transformed version used in this plugin
... | python | def is_model_mpttmeta_subclass(node):
"""Checks that node is derivative of MPTTMeta class."""
if node.name != 'MPTTMeta' or not isinstance(node.parent, ClassDef):
return False
parents = ('django.db.models.base.Model',
'.Model', # for the transformed version used in this plugin
... | [
"def",
"is_model_mpttmeta_subclass",
"(",
"node",
")",
":",
"if",
"node",
".",
"name",
"!=",
"'MPTTMeta'",
"or",
"not",
"isinstance",
"(",
"node",
".",
"parent",
",",
"ClassDef",
")",
":",
"return",
"False",
"parents",
"=",
"(",
"'django.db.models.base.Model'"... | Checks that node is derivative of MPTTMeta class. | [
"Checks",
"that",
"node",
"is",
"derivative",
"of",
"MPTTMeta",
"class",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L469-L480 | train |
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | _attribute_is_magic | def _attribute_is_magic(node, attrs, parents):
"""Checks that node is an attribute used inside one of allowed parents"""
if node.attrname not in attrs:
return False
if not node.last_child():
return False
try:
for cls in node.last_child().inferred():
if isinstance(cls... | python | def _attribute_is_magic(node, attrs, parents):
"""Checks that node is an attribute used inside one of allowed parents"""
if node.attrname not in attrs:
return False
if not node.last_child():
return False
try:
for cls in node.last_child().inferred():
if isinstance(cls... | [
"def",
"_attribute_is_magic",
"(",
"node",
",",
"attrs",
",",
"parents",
")",
":",
"if",
"node",
".",
"attrname",
"not",
"in",
"attrs",
":",
"return",
"False",
"if",
"not",
"node",
".",
"last_child",
"(",
")",
":",
"return",
"False",
"try",
":",
"for",... | Checks that node is an attribute used inside one of allowed parents | [
"Checks",
"that",
"node",
"is",
"an",
"attribute",
"used",
"inside",
"one",
"of",
"allowed",
"parents"
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L483-L498 | train |
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | generic_is_view_attribute | def generic_is_view_attribute(parents, attrs):
"""Generates is_X_attribute function for given parents and attrs."""
def is_attribute(node):
return _attribute_is_magic(node, attrs, parents)
return is_attribute | python | def generic_is_view_attribute(parents, attrs):
"""Generates is_X_attribute function for given parents and attrs."""
def is_attribute(node):
return _attribute_is_magic(node, attrs, parents)
return is_attribute | [
"def",
"generic_is_view_attribute",
"(",
"parents",
",",
"attrs",
")",
":",
"def",
"is_attribute",
"(",
"node",
")",
":",
"return",
"_attribute_is_magic",
"(",
"node",
",",
"attrs",
",",
"parents",
")",
"return",
"is_attribute"
] | Generates is_X_attribute function for given parents and attrs. | [
"Generates",
"is_X_attribute",
"function",
"for",
"given",
"parents",
"and",
"attrs",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L621-L625 | train |
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | is_model_view_subclass_method_shouldnt_be_function | def is_model_view_subclass_method_shouldnt_be_function(node):
"""Checks that node is get or post method of the View class."""
if node.name not in ('get', 'post'):
return False
parent = node.parent
while parent and not isinstance(parent, ScopedClass):
parent = parent.parent
subclass... | python | def is_model_view_subclass_method_shouldnt_be_function(node):
"""Checks that node is get or post method of the View class."""
if node.name not in ('get', 'post'):
return False
parent = node.parent
while parent and not isinstance(parent, ScopedClass):
parent = parent.parent
subclass... | [
"def",
"is_model_view_subclass_method_shouldnt_be_function",
"(",
"node",
")",
":",
"if",
"node",
".",
"name",
"not",
"in",
"(",
"'get'",
",",
"'post'",
")",
":",
"return",
"False",
"parent",
"=",
"node",
".",
"parent",
"while",
"parent",
"and",
"not",
"isin... | Checks that node is get or post method of the View class. | [
"Checks",
"that",
"node",
"is",
"get",
"or",
"post",
"method",
"of",
"the",
"View",
"class",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L628-L641 | train |
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | is_model_media_valid_attributes | def is_model_media_valid_attributes(node):
"""Suppress warnings for valid attributes of Media class."""
if node.name not in ('js', ):
return False
parent = node.parent
while parent and not isinstance(parent, ScopedClass):
parent = parent.parent
if parent is None or parent.name != "... | python | def is_model_media_valid_attributes(node):
"""Suppress warnings for valid attributes of Media class."""
if node.name not in ('js', ):
return False
parent = node.parent
while parent and not isinstance(parent, ScopedClass):
parent = parent.parent
if parent is None or parent.name != "... | [
"def",
"is_model_media_valid_attributes",
"(",
"node",
")",
":",
"if",
"node",
".",
"name",
"not",
"in",
"(",
"'js'",
",",
")",
":",
"return",
"False",
"parent",
"=",
"node",
".",
"parent",
"while",
"parent",
"and",
"not",
"isinstance",
"(",
"parent",
",... | Suppress warnings for valid attributes of Media class. | [
"Suppress",
"warnings",
"for",
"valid",
"attributes",
"of",
"Media",
"class",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L682-L694 | train |
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | is_templatetags_module_valid_constant | def is_templatetags_module_valid_constant(node):
"""Suppress warnings for valid constants in templatetags module."""
if node.name not in ('register', ):
return False
parent = node.parent
while not isinstance(parent, Module):
parent = parent.parent
if "templatetags." not in parent.n... | python | def is_templatetags_module_valid_constant(node):
"""Suppress warnings for valid constants in templatetags module."""
if node.name not in ('register', ):
return False
parent = node.parent
while not isinstance(parent, Module):
parent = parent.parent
if "templatetags." not in parent.n... | [
"def",
"is_templatetags_module_valid_constant",
"(",
"node",
")",
":",
"if",
"node",
".",
"name",
"not",
"in",
"(",
"'register'",
",",
")",
":",
"return",
"False",
"parent",
"=",
"node",
".",
"parent",
"while",
"not",
"isinstance",
"(",
"parent",
",",
"Mod... | Suppress warnings for valid constants in templatetags module. | [
"Suppress",
"warnings",
"for",
"valid",
"constants",
"in",
"templatetags",
"module",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L697-L709 | train |
PyCQA/pylint-django | pylint_django/augmentations/__init__.py | is_urls_module_valid_constant | def is_urls_module_valid_constant(node):
"""Suppress warnings for valid constants in urls module."""
if node.name not in ('urlpatterns', 'app_name'):
return False
parent = node.parent
while not isinstance(parent, Module):
parent = parent.parent
if not parent.name.endswith('urls'):
... | python | def is_urls_module_valid_constant(node):
"""Suppress warnings for valid constants in urls module."""
if node.name not in ('urlpatterns', 'app_name'):
return False
parent = node.parent
while not isinstance(parent, Module):
parent = parent.parent
if not parent.name.endswith('urls'):
... | [
"def",
"is_urls_module_valid_constant",
"(",
"node",
")",
":",
"if",
"node",
".",
"name",
"not",
"in",
"(",
"'urlpatterns'",
",",
"'app_name'",
")",
":",
"return",
"False",
"parent",
"=",
"node",
".",
"parent",
"while",
"not",
"isinstance",
"(",
"parent",
... | Suppress warnings for valid constants in urls module. | [
"Suppress",
"warnings",
"for",
"valid",
"constants",
"in",
"urls",
"module",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/augmentations/__init__.py#L712-L724 | train |
PyCQA/pylint-django | pylint_django/plugin.py | load_configuration | def load_configuration(linter):
"""
Amend existing checker config.
"""
name_checker = get_checker(linter, NameChecker)
name_checker.config.good_names += ('qs', 'urlpatterns', 'register', 'app_name', 'handler500')
# we don't care about South migrations
linter.config.black_list += ('migration... | python | def load_configuration(linter):
"""
Amend existing checker config.
"""
name_checker = get_checker(linter, NameChecker)
name_checker.config.good_names += ('qs', 'urlpatterns', 'register', 'app_name', 'handler500')
# we don't care about South migrations
linter.config.black_list += ('migration... | [
"def",
"load_configuration",
"(",
"linter",
")",
":",
"name_checker",
"=",
"get_checker",
"(",
"linter",
",",
"NameChecker",
")",
"name_checker",
".",
"config",
".",
"good_names",
"+=",
"(",
"'qs'",
",",
"'urlpatterns'",
",",
"'register'",
",",
"'app_name'",
"... | Amend existing checker config. | [
"Amend",
"existing",
"checker",
"config",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/plugin.py#L13-L21 | train |
PyCQA/pylint-django | pylint_django/plugin.py | register | def register(linter):
"""
Registering additional checkers.
"""
# add all of the checkers
register_checkers(linter)
# register any checking fiddlers
try:
from pylint_django.augmentations import apply_augmentations
apply_augmentations(linter)
except ImportError:
# ... | python | def register(linter):
"""
Registering additional checkers.
"""
# add all of the checkers
register_checkers(linter)
# register any checking fiddlers
try:
from pylint_django.augmentations import apply_augmentations
apply_augmentations(linter)
except ImportError:
# ... | [
"def",
"register",
"(",
"linter",
")",
":",
"# add all of the checkers",
"register_checkers",
"(",
"linter",
")",
"# register any checking fiddlers",
"try",
":",
"from",
"pylint_django",
".",
"augmentations",
"import",
"apply_augmentations",
"apply_augmentations",
"(",
"l... | Registering additional checkers. | [
"Registering",
"additional",
"checkers",
"."
] | 0bbee433519f48134df4a797341c4196546a454e | https://github.com/PyCQA/pylint-django/blob/0bbee433519f48134df4a797341c4196546a454e/pylint_django/plugin.py#L24-L41 | train |
05bit/peewee-async | peewee_async.py | create_object | async def create_object(model, **data):
"""Create object asynchronously.
:param model: mode class
:param data: data for initializing object
:return: new object saved to database
"""
# NOTE! Here are internals involved:
#
# - obj._data
# - obj._get_pk_value()
# - obj._set_pk_valu... | python | async def create_object(model, **data):
"""Create object asynchronously.
:param model: mode class
:param data: data for initializing object
:return: new object saved to database
"""
# NOTE! Here are internals involved:
#
# - obj._data
# - obj._get_pk_value()
# - obj._set_pk_valu... | [
"async",
"def",
"create_object",
"(",
"model",
",",
"*",
"*",
"data",
")",
":",
"# NOTE! Here are internals involved:",
"#",
"# - obj._data",
"# - obj._get_pk_value()",
"# - obj._set_pk_value()",
"# - obj._prepare_instance()",
"#",
"warnings",
".",
"warn",
"(",
"\"create_... | Create object asynchronously.
:param model: mode class
:param data: data for initializing object
:return: new object saved to database | [
"Create",
"object",
"asynchronously",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L430-L454 | train |
05bit/peewee-async | peewee_async.py | get_object | async def get_object(source, *args):
"""Get object asynchronously.
:param source: mode class or query to get object from
:param args: lookup parameters
:return: model instance or raises ``peewee.DoesNotExist`` if object not
found
"""
warnings.warn("get_object() is deprecated, Manager.ge... | python | async def get_object(source, *args):
"""Get object asynchronously.
:param source: mode class or query to get object from
:param args: lookup parameters
:return: model instance or raises ``peewee.DoesNotExist`` if object not
found
"""
warnings.warn("get_object() is deprecated, Manager.ge... | [
"async",
"def",
"get_object",
"(",
"source",
",",
"*",
"args",
")",
":",
"warnings",
".",
"warn",
"(",
"\"get_object() is deprecated, Manager.get() \"",
"\"should be used instead\"",
",",
"DeprecationWarning",
")",
"if",
"isinstance",
"(",
"source",
",",
"peewee",
"... | Get object asynchronously.
:param source: mode class or query to get object from
:param args: lookup parameters
:return: model instance or raises ``peewee.DoesNotExist`` if object not
found | [
"Get",
"object",
"asynchronously",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L457-L481 | train |
05bit/peewee-async | peewee_async.py | delete_object | async def delete_object(obj, recursive=False, delete_nullable=False):
"""Delete object asynchronously.
:param obj: object to delete
:param recursive: if ``True`` also delete all other objects depends on
object
:param delete_nullable: if `True` and delete is recursive then delete even
'n... | python | async def delete_object(obj, recursive=False, delete_nullable=False):
"""Delete object asynchronously.
:param obj: object to delete
:param recursive: if ``True`` also delete all other objects depends on
object
:param delete_nullable: if `True` and delete is recursive then delete even
'n... | [
"async",
"def",
"delete_object",
"(",
"obj",
",",
"recursive",
"=",
"False",
",",
"delete_nullable",
"=",
"False",
")",
":",
"warnings",
".",
"warn",
"(",
"\"delete_object() is deprecated, Manager.delete() \"",
"\"should be used instead\"",
",",
"DeprecationWarning",
")... | Delete object asynchronously.
:param obj: object to delete
:param recursive: if ``True`` also delete all other objects depends on
object
:param delete_nullable: if `True` and delete is recursive then delete even
'nullable' dependencies
For details please check out `Model.delete_instanc... | [
"Delete",
"object",
"asynchronously",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L484-L513 | train |
05bit/peewee-async | peewee_async.py | update_object | async def update_object(obj, only=None):
"""Update object asynchronously.
:param obj: object to update
:param only: list or tuple of fields to updata, is `None` then all fields
updated
This function does the same as `Model.save()`_ for already saved object,
but it doesn't invoke ``save... | python | async def update_object(obj, only=None):
"""Update object asynchronously.
:param obj: object to update
:param only: list or tuple of fields to updata, is `None` then all fields
updated
This function does the same as `Model.save()`_ for already saved object,
but it doesn't invoke ``save... | [
"async",
"def",
"update_object",
"(",
"obj",
",",
"only",
"=",
"None",
")",
":",
"# Here are private calls involved:",
"#",
"# - obj._data",
"# - obj._meta",
"# - obj._prune_fields()",
"# - obj._pk_expr()",
"# - obj._dirty.clear()",
"#",
"warnings",
".",
"warn",
"(",
"\... | Update object asynchronously.
:param obj: object to update
:param only: list or tuple of fields to updata, is `None` then all fields
updated
This function does the same as `Model.save()`_ for already saved object,
but it doesn't invoke ``save()`` method on model class. That is
impo... | [
"Update",
"object",
"asynchronously",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L516-L555 | train |
05bit/peewee-async | peewee_async.py | select | async def select(query):
"""Perform SELECT query asynchronously.
"""
assert isinstance(query, peewee.SelectQuery),\
("Error, trying to run select coroutine"
"with wrong query class %s" % str(query))
cursor = await _execute_query_async(query)
result = AsyncQueryWrapper(cursor=curso... | python | async def select(query):
"""Perform SELECT query asynchronously.
"""
assert isinstance(query, peewee.SelectQuery),\
("Error, trying to run select coroutine"
"with wrong query class %s" % str(query))
cursor = await _execute_query_async(query)
result = AsyncQueryWrapper(cursor=curso... | [
"async",
"def",
"select",
"(",
"query",
")",
":",
"assert",
"isinstance",
"(",
"query",
",",
"peewee",
".",
"SelectQuery",
")",
",",
"(",
"\"Error, trying to run select coroutine\"",
"\"with wrong query class %s\"",
"%",
"str",
"(",
"query",
")",
")",
"cursor",
... | Perform SELECT query asynchronously. | [
"Perform",
"SELECT",
"query",
"asynchronously",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L558-L577 | train |
05bit/peewee-async | peewee_async.py | insert | async def insert(query):
"""Perform INSERT query asynchronously. Returns last insert ID.
This function is called by object.create for single objects only.
"""
assert isinstance(query, peewee.Insert),\
("Error, trying to run insert coroutine"
"with wrong query class %s" % str(query))
... | python | async def insert(query):
"""Perform INSERT query asynchronously. Returns last insert ID.
This function is called by object.create for single objects only.
"""
assert isinstance(query, peewee.Insert),\
("Error, trying to run insert coroutine"
"with wrong query class %s" % str(query))
... | [
"async",
"def",
"insert",
"(",
"query",
")",
":",
"assert",
"isinstance",
"(",
"query",
",",
"peewee",
".",
"Insert",
")",
",",
"(",
"\"Error, trying to run insert coroutine\"",
"\"with wrong query class %s\"",
"%",
"str",
"(",
"query",
")",
")",
"cursor",
"=",
... | Perform INSERT query asynchronously. Returns last insert ID.
This function is called by object.create for single objects only. | [
"Perform",
"INSERT",
"query",
"asynchronously",
".",
"Returns",
"last",
"insert",
"ID",
".",
"This",
"function",
"is",
"called",
"by",
"object",
".",
"create",
"for",
"single",
"objects",
"only",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L580-L601 | train |
05bit/peewee-async | peewee_async.py | update | async def update(query):
"""Perform UPDATE query asynchronously. Returns number of rows updated.
"""
assert isinstance(query, peewee.Update),\
("Error, trying to run update coroutine"
"with wrong query class %s" % str(query))
cursor = await _execute_query_async(query)
rowcount = cu... | python | async def update(query):
"""Perform UPDATE query asynchronously. Returns number of rows updated.
"""
assert isinstance(query, peewee.Update),\
("Error, trying to run update coroutine"
"with wrong query class %s" % str(query))
cursor = await _execute_query_async(query)
rowcount = cu... | [
"async",
"def",
"update",
"(",
"query",
")",
":",
"assert",
"isinstance",
"(",
"query",
",",
"peewee",
".",
"Update",
")",
",",
"(",
"\"Error, trying to run update coroutine\"",
"\"with wrong query class %s\"",
"%",
"str",
"(",
"query",
")",
")",
"cursor",
"=",
... | Perform UPDATE query asynchronously. Returns number of rows updated. | [
"Perform",
"UPDATE",
"query",
"asynchronously",
".",
"Returns",
"number",
"of",
"rows",
"updated",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L604-L615 | train |
05bit/peewee-async | peewee_async.py | delete | async def delete(query):
"""Perform DELETE query asynchronously. Returns number of rows deleted.
"""
assert isinstance(query, peewee.Delete),\
("Error, trying to run delete coroutine"
"with wrong query class %s" % str(query))
cursor = await _execute_query_async(query)
rowcount = cu... | python | async def delete(query):
"""Perform DELETE query asynchronously. Returns number of rows deleted.
"""
assert isinstance(query, peewee.Delete),\
("Error, trying to run delete coroutine"
"with wrong query class %s" % str(query))
cursor = await _execute_query_async(query)
rowcount = cu... | [
"async",
"def",
"delete",
"(",
"query",
")",
":",
"assert",
"isinstance",
"(",
"query",
",",
"peewee",
".",
"Delete",
")",
",",
"(",
"\"Error, trying to run delete coroutine\"",
"\"with wrong query class %s\"",
"%",
"str",
"(",
"query",
")",
")",
"cursor",
"=",
... | Perform DELETE query asynchronously. Returns number of rows deleted. | [
"Perform",
"DELETE",
"query",
"asynchronously",
".",
"Returns",
"number",
"of",
"rows",
"deleted",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L618-L629 | train |
05bit/peewee-async | peewee_async.py | sync_unwanted | def sync_unwanted(database):
"""Context manager for preventing unwanted sync queries.
`UnwantedSyncQueryError` exception will raise on such query.
NOTE: sync_unwanted() context manager is **deprecated**, use
database's `.allow_sync()` context manager or `Manager.allow_sync()`
context manager.
"... | python | def sync_unwanted(database):
"""Context manager for preventing unwanted sync queries.
`UnwantedSyncQueryError` exception will raise on such query.
NOTE: sync_unwanted() context manager is **deprecated**, use
database's `.allow_sync()` context manager or `Manager.allow_sync()`
context manager.
"... | [
"def",
"sync_unwanted",
"(",
"database",
")",
":",
"warnings",
".",
"warn",
"(",
"\"sync_unwanted() context manager is deprecated, \"",
"\"use database's `.allow_sync()` context manager or \"",
"\"`Manager.allow_sync()` context manager. \"",
",",
"DeprecationWarning",
")",
"old_allow... | Context manager for preventing unwanted sync queries.
`UnwantedSyncQueryError` exception will raise on such query.
NOTE: sync_unwanted() context manager is **deprecated**, use
database's `.allow_sync()` context manager or `Manager.allow_sync()`
context manager. | [
"Context",
"manager",
"for",
"preventing",
"unwanted",
"sync",
"queries",
".",
"UnwantedSyncQueryError",
"exception",
"will",
"raise",
"on",
"such",
"query",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1287-L1302 | train |
05bit/peewee-async | peewee_async.py | Manager.get | async def get(self, source_, *args, **kwargs):
"""Get the model instance.
:param source_: model or base query for lookup
Example::
async def my_async_func():
obj1 = await objects.get(MyModel, id=1)
obj2 = await objects.get(MyModel, MyModel.id==1)
... | python | async def get(self, source_, *args, **kwargs):
"""Get the model instance.
:param source_: model or base query for lookup
Example::
async def my_async_func():
obj1 = await objects.get(MyModel, id=1)
obj2 = await objects.get(MyModel, MyModel.id==1)
... | [
"async",
"def",
"get",
"(",
"self",
",",
"source_",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"await",
"self",
".",
"connect",
"(",
")",
"if",
"isinstance",
"(",
"source_",
",",
"peewee",
".",
"Query",
")",
":",
"query",
"=",
"source_",
... | Get the model instance.
:param source_: model or base query for lookup
Example::
async def my_async_func():
obj1 = await objects.get(MyModel, id=1)
obj2 = await objects.get(MyModel, MyModel.id==1)
obj3 = await objects.get(MyModel.select().wh... | [
"Get",
"the",
"model",
"instance",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L147-L180 | train |
05bit/peewee-async | peewee_async.py | Manager.create | async def create(self, model_, **data):
"""Create a new object saved to database.
"""
inst = model_(**data)
query = model_.insert(**dict(inst.__data__))
pk = await self.execute(query)
if inst._pk is None:
inst._pk = pk
return inst | python | async def create(self, model_, **data):
"""Create a new object saved to database.
"""
inst = model_(**data)
query = model_.insert(**dict(inst.__data__))
pk = await self.execute(query)
if inst._pk is None:
inst._pk = pk
return inst | [
"async",
"def",
"create",
"(",
"self",
",",
"model_",
",",
"*",
"*",
"data",
")",
":",
"inst",
"=",
"model_",
"(",
"*",
"*",
"data",
")",
"query",
"=",
"model_",
".",
"insert",
"(",
"*",
"*",
"dict",
"(",
"inst",
".",
"__data__",
")",
")",
"pk"... | Create a new object saved to database. | [
"Create",
"a",
"new",
"object",
"saved",
"to",
"database",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L182-L191 | train |
05bit/peewee-async | peewee_async.py | Manager.get_or_create | async def get_or_create(self, model_, defaults=None, **kwargs):
"""Try to get an object or create it with the specified defaults.
Return 2-tuple containing the model instance and a boolean
indicating whether the instance was created.
"""
try:
return (await self.get(m... | python | async def get_or_create(self, model_, defaults=None, **kwargs):
"""Try to get an object or create it with the specified defaults.
Return 2-tuple containing the model instance and a boolean
indicating whether the instance was created.
"""
try:
return (await self.get(m... | [
"async",
"def",
"get_or_create",
"(",
"self",
",",
"model_",
",",
"defaults",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"return",
"(",
"await",
"self",
".",
"get",
"(",
"model_",
",",
"*",
"*",
"kwargs",
")",
")",
",",
"False",
... | Try to get an object or create it with the specified defaults.
Return 2-tuple containing the model instance and a boolean
indicating whether the instance was created. | [
"Try",
"to",
"get",
"an",
"object",
"or",
"create",
"it",
"with",
"the",
"specified",
"defaults",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L193-L204 | train |
05bit/peewee-async | peewee_async.py | Manager.create_or_get | async def create_or_get(self, model_, **kwargs):
"""Try to create new object with specified data. If object already
exists, then try to get it by unique fields.
"""
try:
return (await self.create(model_, **kwargs)), True
except IntegrityErrors:
query = []
... | python | async def create_or_get(self, model_, **kwargs):
"""Try to create new object with specified data. If object already
exists, then try to get it by unique fields.
"""
try:
return (await self.create(model_, **kwargs)), True
except IntegrityErrors:
query = []
... | [
"async",
"def",
"create_or_get",
"(",
"self",
",",
"model_",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"return",
"(",
"await",
"self",
".",
"create",
"(",
"model_",
",",
"*",
"*",
"kwargs",
")",
")",
",",
"True",
"except",
"IntegrityErrors",
":"... | Try to create new object with specified data. If object already
exists, then try to get it by unique fields. | [
"Try",
"to",
"create",
"new",
"object",
"with",
"specified",
"data",
".",
"If",
"object",
"already",
"exists",
"then",
"try",
"to",
"get",
"it",
"by",
"unique",
"fields",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L249-L261 | train |
05bit/peewee-async | peewee_async.py | Manager._subclassed | def _subclassed(base, *classes):
"""Check if all classes are subclassed from base.
"""
return all(map(lambda obj: isinstance(obj, base), classes)) | python | def _subclassed(base, *classes):
"""Check if all classes are subclassed from base.
"""
return all(map(lambda obj: isinstance(obj, base), classes)) | [
"def",
"_subclassed",
"(",
"base",
",",
"*",
"classes",
")",
":",
"return",
"all",
"(",
"map",
"(",
"lambda",
"obj",
":",
"isinstance",
"(",
"obj",
",",
"base",
")",
",",
"classes",
")",
")"
] | Check if all classes are subclassed from base. | [
"Check",
"if",
"all",
"classes",
"are",
"subclassed",
"from",
"base",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L382-L385 | train |
05bit/peewee-async | peewee_async.py | AsyncQueryWrapper._get_result_wrapper | def _get_result_wrapper(self, query):
"""Get result wrapper class.
"""
cursor = RowsCursor(self._rows, self._cursor.description)
return query._get_cursor_wrapper(cursor) | python | def _get_result_wrapper(self, query):
"""Get result wrapper class.
"""
cursor = RowsCursor(self._rows, self._cursor.description)
return query._get_cursor_wrapper(cursor) | [
"def",
"_get_result_wrapper",
"(",
"self",
",",
"query",
")",
":",
"cursor",
"=",
"RowsCursor",
"(",
"self",
".",
"_rows",
",",
"self",
".",
"_cursor",
".",
"description",
")",
"return",
"query",
".",
"_get_cursor_wrapper",
"(",
"cursor",
")"
] | Get result wrapper class. | [
"Get",
"result",
"wrapper",
"class",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L775-L779 | train |
05bit/peewee-async | peewee_async.py | AsyncQueryWrapper.fetchone | async def fetchone(self):
"""Fetch single row from the cursor.
"""
row = await self._cursor.fetchone()
if not row:
raise GeneratorExit
self._rows.append(row) | python | async def fetchone(self):
"""Fetch single row from the cursor.
"""
row = await self._cursor.fetchone()
if not row:
raise GeneratorExit
self._rows.append(row) | [
"async",
"def",
"fetchone",
"(",
"self",
")",
":",
"row",
"=",
"await",
"self",
".",
"_cursor",
".",
"fetchone",
"(",
")",
"if",
"not",
"row",
":",
"raise",
"GeneratorExit",
"self",
".",
"_rows",
".",
"append",
"(",
"row",
")"
] | Fetch single row from the cursor. | [
"Fetch",
"single",
"row",
"from",
"the",
"cursor",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L781-L787 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.connect_async | async def connect_async(self, loop=None, timeout=None):
"""Set up async connection on specified event loop or
on default event loop.
"""
if self.deferred:
raise Exception("Error, database not properly initialized "
"before opening connection")
... | python | async def connect_async(self, loop=None, timeout=None):
"""Set up async connection on specified event loop or
on default event loop.
"""
if self.deferred:
raise Exception("Error, database not properly initialized "
"before opening connection")
... | [
"async",
"def",
"connect_async",
"(",
"self",
",",
"loop",
"=",
"None",
",",
"timeout",
"=",
"None",
")",
":",
"if",
"self",
".",
"deferred",
":",
"raise",
"Exception",
"(",
"\"Error, database not properly initialized \"",
"\"before opening connection\"",
")",
"if... | Set up async connection on specified event loop or
on default event loop. | [
"Set",
"up",
"async",
"connection",
"on",
"specified",
"event",
"loop",
"or",
"on",
"default",
"event",
"loop",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L820-L852 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.cursor_async | async def cursor_async(self):
"""Acquire async cursor.
"""
await self.connect_async(loop=self._loop)
if self.transaction_depth_async() > 0:
conn = self.transaction_conn_async()
else:
conn = None
try:
return (await self._async_conn.cur... | python | async def cursor_async(self):
"""Acquire async cursor.
"""
await self.connect_async(loop=self._loop)
if self.transaction_depth_async() > 0:
conn = self.transaction_conn_async()
else:
conn = None
try:
return (await self._async_conn.cur... | [
"async",
"def",
"cursor_async",
"(",
"self",
")",
":",
"await",
"self",
".",
"connect_async",
"(",
"loop",
"=",
"self",
".",
"_loop",
")",
"if",
"self",
".",
"transaction_depth_async",
"(",
")",
">",
"0",
":",
"conn",
"=",
"self",
".",
"transaction_conn_... | Acquire async cursor. | [
"Acquire",
"async",
"cursor",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L854-L868 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.close_async | async def close_async(self):
"""Close async connection.
"""
if self._async_wait:
await self._async_wait
if self._async_conn:
conn = self._async_conn
self._async_conn = None
self._async_wait = None
self._task_data = None
... | python | async def close_async(self):
"""Close async connection.
"""
if self._async_wait:
await self._async_wait
if self._async_conn:
conn = self._async_conn
self._async_conn = None
self._async_wait = None
self._task_data = None
... | [
"async",
"def",
"close_async",
"(",
"self",
")",
":",
"if",
"self",
".",
"_async_wait",
":",
"await",
"self",
".",
"_async_wait",
"if",
"self",
".",
"_async_conn",
":",
"conn",
"=",
"self",
".",
"_async_conn",
"self",
".",
"_async_conn",
"=",
"None",
"se... | Close async connection. | [
"Close",
"async",
"connection",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L870-L880 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.push_transaction_async | async def push_transaction_async(self):
"""Increment async transaction depth.
"""
await self.connect_async(loop=self.loop)
depth = self.transaction_depth_async()
if not depth:
conn = await self._async_conn.acquire()
self._task_data.set('conn', conn)
... | python | async def push_transaction_async(self):
"""Increment async transaction depth.
"""
await self.connect_async(loop=self.loop)
depth = self.transaction_depth_async()
if not depth:
conn = await self._async_conn.acquire()
self._task_data.set('conn', conn)
... | [
"async",
"def",
"push_transaction_async",
"(",
"self",
")",
":",
"await",
"self",
".",
"connect_async",
"(",
"loop",
"=",
"self",
".",
"loop",
")",
"depth",
"=",
"self",
".",
"transaction_depth_async",
"(",
")",
"if",
"not",
"depth",
":",
"conn",
"=",
"a... | Increment async transaction depth. | [
"Increment",
"async",
"transaction",
"depth",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L882-L890 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.pop_transaction_async | async def pop_transaction_async(self):
"""Decrement async transaction depth.
"""
depth = self.transaction_depth_async()
if depth > 0:
depth -= 1
self._task_data.set('depth', depth)
if depth == 0:
conn = self._task_data.get('conn')
... | python | async def pop_transaction_async(self):
"""Decrement async transaction depth.
"""
depth = self.transaction_depth_async()
if depth > 0:
depth -= 1
self._task_data.set('depth', depth)
if depth == 0:
conn = self._task_data.get('conn')
... | [
"async",
"def",
"pop_transaction_async",
"(",
"self",
")",
":",
"depth",
"=",
"self",
".",
"transaction_depth_async",
"(",
")",
"if",
"depth",
">",
"0",
":",
"depth",
"-=",
"1",
"self",
".",
"_task_data",
".",
"set",
"(",
"'depth'",
",",
"depth",
")",
... | Decrement async transaction depth. | [
"Decrement",
"async",
"transaction",
"depth",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L892-L903 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.allow_sync | def allow_sync(self):
"""Allow sync queries within context. Close sync
connection on exit if connected.
Example::
with database.allow_sync():
PageBlock.create_table(True)
"""
old_allow_sync = self._allow_sync
self._allow_sync = True
... | python | def allow_sync(self):
"""Allow sync queries within context. Close sync
connection on exit if connected.
Example::
with database.allow_sync():
PageBlock.create_table(True)
"""
old_allow_sync = self._allow_sync
self._allow_sync = True
... | [
"def",
"allow_sync",
"(",
"self",
")",
":",
"old_allow_sync",
"=",
"self",
".",
"_allow_sync",
"self",
".",
"_allow_sync",
"=",
"True",
"try",
":",
"yield",
"except",
":",
"raise",
"finally",
":",
"try",
":",
"self",
".",
"close",
"(",
")",
"except",
"... | Allow sync queries within context. Close sync
connection on exit if connected.
Example::
with database.allow_sync():
PageBlock.create_table(True) | [
"Allow",
"sync",
"queries",
"within",
"context",
".",
"Close",
"sync",
"connection",
"on",
"exit",
"if",
"connected",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L940-L962 | train |
05bit/peewee-async | peewee_async.py | AsyncDatabase.execute_sql | def execute_sql(self, *args, **kwargs):
"""Sync execute SQL query, `allow_sync` must be set to True.
"""
assert self._allow_sync, (
"Error, sync query is not allowed! Call the `.set_allow_sync()` "
"or use the `.allow_sync()` context manager.")
if self._allow_sync... | python | def execute_sql(self, *args, **kwargs):
"""Sync execute SQL query, `allow_sync` must be set to True.
"""
assert self._allow_sync, (
"Error, sync query is not allowed! Call the `.set_allow_sync()` "
"or use the `.allow_sync()` context manager.")
if self._allow_sync... | [
"def",
"execute_sql",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"assert",
"self",
".",
"_allow_sync",
",",
"(",
"\"Error, sync query is not allowed! Call the `.set_allow_sync()` \"",
"\"or use the `.allow_sync()` context manager.\"",
")",
"if",
"... | Sync execute SQL query, `allow_sync` must be set to True. | [
"Sync",
"execute",
"SQL",
"query",
"allow_sync",
"must",
"be",
"set",
"to",
"True",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L964-L974 | train |
05bit/peewee-async | peewee_async.py | AsyncPostgresqlConnection.cursor | async def cursor(self, conn=None, *args, **kwargs):
"""Get a cursor for the specified transaction connection
or acquire from the pool.
"""
in_transaction = conn is not None
if not conn:
conn = await self.acquire()
cursor = await conn.cursor(*args, **kwargs)
... | python | async def cursor(self, conn=None, *args, **kwargs):
"""Get a cursor for the specified transaction connection
or acquire from the pool.
"""
in_transaction = conn is not None
if not conn:
conn = await self.acquire()
cursor = await conn.cursor(*args, **kwargs)
... | [
"async",
"def",
"cursor",
"(",
"self",
",",
"conn",
"=",
"None",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"in_transaction",
"=",
"conn",
"is",
"not",
"None",
"if",
"not",
"conn",
":",
"conn",
"=",
"await",
"self",
".",
"acquire",
"(",
... | Get a cursor for the specified transaction connection
or acquire from the pool. | [
"Get",
"a",
"cursor",
"for",
"the",
"specified",
"transaction",
"connection",
"or",
"acquire",
"from",
"the",
"pool",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1017-L1028 | train |
05bit/peewee-async | peewee_async.py | AsyncPostgresqlMixin.connect_params_async | def connect_params_async(self):
"""Connection parameters for `aiopg.Connection`
"""
kwargs = self.connect_params.copy()
kwargs.update({
'minsize': self.min_connections,
'maxsize': self.max_connections,
'enable_json': self._enable_json,
'ena... | python | def connect_params_async(self):
"""Connection parameters for `aiopg.Connection`
"""
kwargs = self.connect_params.copy()
kwargs.update({
'minsize': self.min_connections,
'maxsize': self.max_connections,
'enable_json': self._enable_json,
'ena... | [
"def",
"connect_params_async",
"(",
"self",
")",
":",
"kwargs",
"=",
"self",
".",
"connect_params",
".",
"copy",
"(",
")",
"kwargs",
".",
"update",
"(",
"{",
"'minsize'",
":",
"self",
".",
"min_connections",
",",
"'maxsize'",
":",
"self",
".",
"max_connect... | Connection parameters for `aiopg.Connection` | [
"Connection",
"parameters",
"for",
"aiopg",
".",
"Connection"
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1057-L1067 | train |
05bit/peewee-async | peewee_async.py | AsyncMySQLConnection.release_cursor | async def release_cursor(self, cursor, in_transaction=False):
"""Release cursor coroutine. Unless in transaction,
the connection is also released back to the pool.
"""
conn = cursor.connection
await cursor.close()
if not in_transaction:
self.release(conn) | python | async def release_cursor(self, cursor, in_transaction=False):
"""Release cursor coroutine. Unless in transaction,
the connection is also released back to the pool.
"""
conn = cursor.connection
await cursor.close()
if not in_transaction:
self.release(conn) | [
"async",
"def",
"release_cursor",
"(",
"self",
",",
"cursor",
",",
"in_transaction",
"=",
"False",
")",
":",
"conn",
"=",
"cursor",
".",
"connection",
"await",
"cursor",
".",
"close",
"(",
")",
"if",
"not",
"in_transaction",
":",
"self",
".",
"release",
... | Release cursor coroutine. Unless in transaction,
the connection is also released back to the pool. | [
"Release",
"cursor",
"coroutine",
".",
"Unless",
"in",
"transaction",
"the",
"connection",
"is",
"also",
"released",
"back",
"to",
"the",
"pool",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1195-L1202 | train |
05bit/peewee-async | peewee_async.py | MySQLDatabase.connect_params_async | def connect_params_async(self):
"""Connection parameters for `aiomysql.Connection`
"""
kwargs = self.connect_params.copy()
kwargs.update({
'minsize': self.min_connections,
'maxsize': self.max_connections,
'autocommit': True,
})
return k... | python | def connect_params_async(self):
"""Connection parameters for `aiomysql.Connection`
"""
kwargs = self.connect_params.copy()
kwargs.update({
'minsize': self.min_connections,
'maxsize': self.max_connections,
'autocommit': True,
})
return k... | [
"def",
"connect_params_async",
"(",
"self",
")",
":",
"kwargs",
"=",
"self",
".",
"connect_params",
".",
"copy",
"(",
")",
"kwargs",
".",
"update",
"(",
"{",
"'minsize'",
":",
"self",
".",
"min_connections",
",",
"'maxsize'",
":",
"self",
".",
"max_connect... | Connection parameters for `aiomysql.Connection` | [
"Connection",
"parameters",
"for",
"aiomysql",
".",
"Connection"
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1229-L1238 | train |
05bit/peewee-async | peewee_async.py | TaskLocals.get | def get(self, key, *val):
"""Get value stored for current running task. Optionally
you may provide the default value. Raises `KeyError` when
can't get the value and no default one is provided.
"""
data = self.get_data()
if data is not None:
return data.get(key... | python | def get(self, key, *val):
"""Get value stored for current running task. Optionally
you may provide the default value. Raises `KeyError` when
can't get the value and no default one is provided.
"""
data = self.get_data()
if data is not None:
return data.get(key... | [
"def",
"get",
"(",
"self",
",",
"key",
",",
"*",
"val",
")",
":",
"data",
"=",
"self",
".",
"get_data",
"(",
")",
"if",
"data",
"is",
"not",
"None",
":",
"return",
"data",
".",
"get",
"(",
"key",
",",
"*",
"val",
")",
"if",
"val",
":",
"retur... | Get value stored for current running task. Optionally
you may provide the default value. Raises `KeyError` when
can't get the value and no default one is provided. | [
"Get",
"value",
"stored",
"for",
"current",
"running",
"task",
".",
"Optionally",
"you",
"may",
"provide",
"the",
"default",
"value",
".",
"Raises",
"KeyError",
"when",
"can",
"t",
"get",
"the",
"value",
"and",
"no",
"default",
"one",
"is",
"provided",
"."... | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1475-L1485 | train |
05bit/peewee-async | peewee_async.py | TaskLocals.set | def set(self, key, val):
"""Set value stored for current running task.
"""
data = self.get_data(True)
if data is not None:
data[key] = val
else:
raise RuntimeError("No task is currently running") | python | def set(self, key, val):
"""Set value stored for current running task.
"""
data = self.get_data(True)
if data is not None:
data[key] = val
else:
raise RuntimeError("No task is currently running") | [
"def",
"set",
"(",
"self",
",",
"key",
",",
"val",
")",
":",
"data",
"=",
"self",
".",
"get_data",
"(",
"True",
")",
"if",
"data",
"is",
"not",
"None",
":",
"data",
"[",
"key",
"]",
"=",
"val",
"else",
":",
"raise",
"RuntimeError",
"(",
"\"No tas... | Set value stored for current running task. | [
"Set",
"value",
"stored",
"for",
"current",
"running",
"task",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1487-L1494 | train |
05bit/peewee-async | peewee_async.py | TaskLocals.get_data | def get_data(self, create=False):
"""Get dict stored for current running task. Return `None`
or an empty dict if no data was found depending on the
`create` argument value.
:param create: if argument is `True`, create empty dict
for task, default: `False`
... | python | def get_data(self, create=False):
"""Get dict stored for current running task. Return `None`
or an empty dict if no data was found depending on the
`create` argument value.
:param create: if argument is `True`, create empty dict
for task, default: `False`
... | [
"def",
"get_data",
"(",
"self",
",",
"create",
"=",
"False",
")",
":",
"task",
"=",
"asyncio_current_task",
"(",
"loop",
"=",
"self",
".",
"loop",
")",
"if",
"task",
":",
"task_id",
"=",
"id",
"(",
"task",
")",
"if",
"create",
"and",
"task_id",
"not"... | Get dict stored for current running task. Return `None`
or an empty dict if no data was found depending on the
`create` argument value.
:param create: if argument is `True`, create empty dict
for task, default: `False` | [
"Get",
"dict",
"stored",
"for",
"current",
"running",
"task",
".",
"Return",
"None",
"or",
"an",
"empty",
"dict",
"if",
"no",
"data",
"was",
"found",
"depending",
"on",
"the",
"create",
"argument",
"value",
"."
] | d15f4629da1d9975da4ec37306188e68d288c862 | https://github.com/05bit/peewee-async/blob/d15f4629da1d9975da4ec37306188e68d288c862/peewee_async.py#L1496-L1511 | train |
jpype-project/jpype | jpype/_linux.py | LinuxJVMFinder._get_from_bin | def _get_from_bin(self):
"""
Retrieves the Java library path according to the real installation of
the java executable
:return: The path to the JVM library, or None
"""
# Find the real interpreter installation path
java_bin = os.path.realpath(self._java)
... | python | def _get_from_bin(self):
"""
Retrieves the Java library path according to the real installation of
the java executable
:return: The path to the JVM library, or None
"""
# Find the real interpreter installation path
java_bin = os.path.realpath(self._java)
... | [
"def",
"_get_from_bin",
"(",
"self",
")",
":",
"# Find the real interpreter installation path",
"java_bin",
"=",
"os",
".",
"path",
".",
"realpath",
"(",
"self",
".",
"_java",
")",
"if",
"os",
".",
"path",
".",
"exists",
"(",
"java_bin",
")",
":",
"# Get to ... | Retrieves the Java library path according to the real installation of
the java executable
:return: The path to the JVM library, or None | [
"Retrieves",
"the",
"Java",
"library",
"path",
"according",
"to",
"the",
"real",
"installation",
"of",
"the",
"java",
"executable"
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_linux.py#L49-L64 | train |
jpype-project/jpype | setupext/build_ext.py | BuildExtCommand.initialize_options | def initialize_options(self, *args):
"""omit -Wstrict-prototypes from CFLAGS since its only valid for C code."""
import distutils.sysconfig
cfg_vars = distutils.sysconfig.get_config_vars()
# if 'CFLAGS' in cfg_vars:
# cfg_vars['CFLAGS'] = cfg_vars['CFLAGS'].replace('-Wstrict-pr... | python | def initialize_options(self, *args):
"""omit -Wstrict-prototypes from CFLAGS since its only valid for C code."""
import distutils.sysconfig
cfg_vars = distutils.sysconfig.get_config_vars()
# if 'CFLAGS' in cfg_vars:
# cfg_vars['CFLAGS'] = cfg_vars['CFLAGS'].replace('-Wstrict-pr... | [
"def",
"initialize_options",
"(",
"self",
",",
"*",
"args",
")",
":",
"import",
"distutils",
".",
"sysconfig",
"cfg_vars",
"=",
"distutils",
".",
"sysconfig",
".",
"get_config_vars",
"(",
")",
"# if 'CFLAGS' in cfg_vars:",
"# cfg_vars['CFLAGS'] = cfg_v... | omit -Wstrict-prototypes from CFLAGS since its only valid for C code. | [
"omit",
"-",
"Wstrict",
"-",
"prototypes",
"from",
"CFLAGS",
"since",
"its",
"only",
"valid",
"for",
"C",
"code",
"."
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/setupext/build_ext.py#L37-L51 | train |
jpype-project/jpype | jpype/_classpath.py | addClassPath | def addClassPath(path1):
""" Add a path to the java class path"""
global _CLASSPATHS
path1=_os.path.abspath(path1)
if _sys.platform=='cygwin':
path1=_posix2win(path1)
_CLASSPATHS.add(str(path1)) | python | def addClassPath(path1):
""" Add a path to the java class path"""
global _CLASSPATHS
path1=_os.path.abspath(path1)
if _sys.platform=='cygwin':
path1=_posix2win(path1)
_CLASSPATHS.add(str(path1)) | [
"def",
"addClassPath",
"(",
"path1",
")",
":",
"global",
"_CLASSPATHS",
"path1",
"=",
"_os",
".",
"path",
".",
"abspath",
"(",
"path1",
")",
"if",
"_sys",
".",
"platform",
"==",
"'cygwin'",
":",
"path1",
"=",
"_posix2win",
"(",
"path1",
")",
"_CLASSPATHS... | Add a path to the java class path | [
"Add",
"a",
"path",
"to",
"the",
"java",
"class",
"path"
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_classpath.py#L57-L63 | train |
jpype-project/jpype | jpype/_classpath.py | getClassPath | def getClassPath():
""" Get the full java class path.
Includes user added paths and the environment CLASSPATH.
"""
global _CLASSPATHS
global _SEP
out=[]
for path in _CLASSPATHS:
if path=='':
continue
if path.endswith('*'):
paths=_glob.glob(path+".jar"... | python | def getClassPath():
""" Get the full java class path.
Includes user added paths and the environment CLASSPATH.
"""
global _CLASSPATHS
global _SEP
out=[]
for path in _CLASSPATHS:
if path=='':
continue
if path.endswith('*'):
paths=_glob.glob(path+".jar"... | [
"def",
"getClassPath",
"(",
")",
":",
"global",
"_CLASSPATHS",
"global",
"_SEP",
"out",
"=",
"[",
"]",
"for",
"path",
"in",
"_CLASSPATHS",
":",
"if",
"path",
"==",
"''",
":",
"continue",
"if",
"path",
".",
"endswith",
"(",
"'*'",
")",
":",
"paths",
"... | Get the full java class path.
Includes user added paths and the environment CLASSPATH. | [
"Get",
"the",
"full",
"java",
"class",
"path",
"."
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_classpath.py#L65-L83 | train |
jpype-project/jpype | jpype/_jvmfinder.py | JVMFinder.find_libjvm | def find_libjvm(self, java_home):
"""
Recursively looks for the given file
:param java_home: A Java home folder
:param filename: Name of the file to find
:return: The first found file path, or None
"""
found_jamvm = False
non_supported_jvm = ('cacao', 'ja... | python | def find_libjvm(self, java_home):
"""
Recursively looks for the given file
:param java_home: A Java home folder
:param filename: Name of the file to find
:return: The first found file path, or None
"""
found_jamvm = False
non_supported_jvm = ('cacao', 'ja... | [
"def",
"find_libjvm",
"(",
"self",
",",
"java_home",
")",
":",
"found_jamvm",
"=",
"False",
"non_supported_jvm",
"=",
"(",
"'cacao'",
",",
"'jamvm'",
")",
"found_non_supported_jvm",
"=",
"False",
"# Look for the file",
"for",
"root",
",",
"_",
",",
"names",
"i... | Recursively looks for the given file
:param java_home: A Java home folder
:param filename: Name of the file to find
:return: The first found file path, or None | [
"Recursively",
"looks",
"for",
"the",
"given",
"file"
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_jvmfinder.py#L48-L82 | train |
jpype-project/jpype | jpype/_jvmfinder.py | JVMFinder.find_possible_homes | def find_possible_homes(self, parents):
"""
Generator that looks for the first-level children folders that could be
Java installations, according to their name
:param parents: A list of parent directories
:return: The possible JVM installation folders
"""
homes =... | python | def find_possible_homes(self, parents):
"""
Generator that looks for the first-level children folders that could be
Java installations, according to their name
:param parents: A list of parent directories
:return: The possible JVM installation folders
"""
homes =... | [
"def",
"find_possible_homes",
"(",
"self",
",",
"parents",
")",
":",
"homes",
"=",
"[",
"]",
"java_names",
"=",
"(",
"'jre'",
",",
"'jdk'",
",",
"'java'",
")",
"for",
"parent",
"in",
"parents",
":",
"for",
"childname",
"in",
"sorted",
"(",
"os",
".",
... | Generator that looks for the first-level children folders that could be
Java installations, according to their name
:param parents: A list of parent directories
:return: The possible JVM installation folders | [
"Generator",
"that",
"looks",
"for",
"the",
"first",
"-",
"level",
"children",
"folders",
"that",
"could",
"be",
"Java",
"installations",
"according",
"to",
"their",
"name"
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_jvmfinder.py#L85-L111 | train |
jpype-project/jpype | jpype/_jvmfinder.py | JVMFinder._get_from_java_home | def _get_from_java_home(self):
"""
Retrieves the Java library path according to the JAVA_HOME environment
variable
:return: The path to the JVM library, or None
"""
# Get the environment variable
java_home = os.getenv("JAVA_HOME")
if java_home and os.path... | python | def _get_from_java_home(self):
"""
Retrieves the Java library path according to the JAVA_HOME environment
variable
:return: The path to the JVM library, or None
"""
# Get the environment variable
java_home = os.getenv("JAVA_HOME")
if java_home and os.path... | [
"def",
"_get_from_java_home",
"(",
"self",
")",
":",
"# Get the environment variable",
"java_home",
"=",
"os",
".",
"getenv",
"(",
"\"JAVA_HOME\"",
")",
"if",
"java_home",
"and",
"os",
".",
"path",
".",
"exists",
"(",
"java_home",
")",
":",
"# Get the real insta... | Retrieves the Java library path according to the JAVA_HOME environment
variable
:return: The path to the JVM library, or None | [
"Retrieves",
"the",
"Java",
"library",
"path",
"according",
"to",
"the",
"JAVA_HOME",
"environment",
"variable"
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_jvmfinder.py#L156-L174 | train |
jpype-project/jpype | jpype/_jvmfinder.py | JVMFinder._get_from_known_locations | def _get_from_known_locations(self):
"""
Retrieves the first existing Java library path in the predefined known
locations
:return: The path to the JVM library, or None
"""
for home in self.find_possible_homes(self._locations):
jvm = self.find_libjvm(home)
... | python | def _get_from_known_locations(self):
"""
Retrieves the first existing Java library path in the predefined known
locations
:return: The path to the JVM library, or None
"""
for home in self.find_possible_homes(self._locations):
jvm = self.find_libjvm(home)
... | [
"def",
"_get_from_known_locations",
"(",
"self",
")",
":",
"for",
"home",
"in",
"self",
".",
"find_possible_homes",
"(",
"self",
".",
"_locations",
")",
":",
"jvm",
"=",
"self",
".",
"find_libjvm",
"(",
"home",
")",
"if",
"jvm",
"is",
"not",
"None",
":",... | Retrieves the first existing Java library path in the predefined known
locations
:return: The path to the JVM library, or None | [
"Retrieves",
"the",
"first",
"existing",
"Java",
"library",
"path",
"in",
"the",
"predefined",
"known",
"locations"
] | 3ce953ae7b35244077249ce650b9acd0a7010d17 | https://github.com/jpype-project/jpype/blob/3ce953ae7b35244077249ce650b9acd0a7010d17/jpype/_jvmfinder.py#L177-L187 | train |
graphql-python/gql | gql-checker/gql_checker/__init__.py | ImportVisitor.node_query | def node_query(self, node):
"""
Return the query for the gql call node
"""
if isinstance(node, ast.Call):
assert node.args
arg = node.args[0]
if not isinstance(arg, ast.Str):
return
else:
raise TypeError(type(node))... | python | def node_query(self, node):
"""
Return the query for the gql call node
"""
if isinstance(node, ast.Call):
assert node.args
arg = node.args[0]
if not isinstance(arg, ast.Str):
return
else:
raise TypeError(type(node))... | [
"def",
"node_query",
"(",
"self",
",",
"node",
")",
":",
"if",
"isinstance",
"(",
"node",
",",
"ast",
".",
"Call",
")",
":",
"assert",
"node",
".",
"args",
"arg",
"=",
"node",
".",
"args",
"[",
"0",
"]",
"if",
"not",
"isinstance",
"(",
"arg",
","... | Return the query for the gql call node | [
"Return",
"the",
"query",
"for",
"the",
"gql",
"call",
"node"
] | 3653bb5260b60a6c72d0bb0137874fb40969a826 | https://github.com/graphql-python/gql/blob/3653bb5260b60a6c72d0bb0137874fb40969a826/gql-checker/gql_checker/__init__.py#L36-L49 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/namers.py | default | def default(thumbnailer, prepared_options, source_filename,
thumbnail_extension, **kwargs):
"""
Easy-thumbnails' default name processor.
For example: ``source.jpg.100x100_q80_crop_upscale.jpg``
"""
filename_parts = [source_filename]
if ('%(opts)s' in thumbnailer.thumbnail_basedir or... | python | def default(thumbnailer, prepared_options, source_filename,
thumbnail_extension, **kwargs):
"""
Easy-thumbnails' default name processor.
For example: ``source.jpg.100x100_q80_crop_upscale.jpg``
"""
filename_parts = [source_filename]
if ('%(opts)s' in thumbnailer.thumbnail_basedir or... | [
"def",
"default",
"(",
"thumbnailer",
",",
"prepared_options",
",",
"source_filename",
",",
"thumbnail_extension",
",",
"*",
"*",
"kwargs",
")",
":",
"filename_parts",
"=",
"[",
"source_filename",
"]",
"if",
"(",
"'%(opts)s'",
"in",
"thumbnailer",
".",
"thumbnai... | Easy-thumbnails' default name processor.
For example: ``source.jpg.100x100_q80_crop_upscale.jpg`` | [
"Easy",
"-",
"thumbnails",
"default",
"name",
"processor",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/namers.py#L7-L21 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/namers.py | hashed | def hashed(source_filename, prepared_options, thumbnail_extension, **kwargs):
"""
Generate a short hashed thumbnail filename.
Creates a 12 character url-safe base64 sha1 filename (plus the extension),
for example: ``6qW1buHgLaZ9.jpg``.
"""
parts = ':'.join([source_filename] + prepared_options)
... | python | def hashed(source_filename, prepared_options, thumbnail_extension, **kwargs):
"""
Generate a short hashed thumbnail filename.
Creates a 12 character url-safe base64 sha1 filename (plus the extension),
for example: ``6qW1buHgLaZ9.jpg``.
"""
parts = ':'.join([source_filename] + prepared_options)
... | [
"def",
"hashed",
"(",
"source_filename",
",",
"prepared_options",
",",
"thumbnail_extension",
",",
"*",
"*",
"kwargs",
")",
":",
"parts",
"=",
"':'",
".",
"join",
"(",
"[",
"source_filename",
"]",
"+",
"prepared_options",
")",
"short_sha",
"=",
"hashlib",
".... | Generate a short hashed thumbnail filename.
Creates a 12 character url-safe base64 sha1 filename (plus the extension),
for example: ``6qW1buHgLaZ9.jpg``. | [
"Generate",
"a",
"short",
"hashed",
"thumbnail",
"filename",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/namers.py#L34-L44 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/namers.py | source_hashed | def source_hashed(source_filename, prepared_options, thumbnail_extension,
**kwargs):
"""
Generate a thumbnail filename of the source filename and options separately
hashed, along with the size.
The format of the filename is a 12 character base64 sha1 hash of the source
filename, t... | python | def source_hashed(source_filename, prepared_options, thumbnail_extension,
**kwargs):
"""
Generate a thumbnail filename of the source filename and options separately
hashed, along with the size.
The format of the filename is a 12 character base64 sha1 hash of the source
filename, t... | [
"def",
"source_hashed",
"(",
"source_filename",
",",
"prepared_options",
",",
"thumbnail_extension",
",",
"*",
"*",
"kwargs",
")",
":",
"source_sha",
"=",
"hashlib",
".",
"sha1",
"(",
"source_filename",
".",
"encode",
"(",
"'utf-8'",
")",
")",
".",
"digest",
... | Generate a thumbnail filename of the source filename and options separately
hashed, along with the size.
The format of the filename is a 12 character base64 sha1 hash of the source
filename, the size surrounded by underscores, and an 8 character options
base64 sha1 hash of the thumbnail options. For ex... | [
"Generate",
"a",
"thumbnail",
"filename",
"of",
"the",
"source",
"filename",
"and",
"options",
"separately",
"hashed",
"along",
"with",
"the",
"size",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/namers.py#L47-L64 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/engine.py | save_image | def save_image(image, destination=None, filename=None, **options):
"""
Save a PIL image.
"""
if destination is None:
destination = BytesIO()
filename = filename or ''
# Ensure plugins are fully loaded so that Image.EXTENSION is populated.
Image.init()
format = Image.EXTENSION.get... | python | def save_image(image, destination=None, filename=None, **options):
"""
Save a PIL image.
"""
if destination is None:
destination = BytesIO()
filename = filename or ''
# Ensure plugins are fully loaded so that Image.EXTENSION is populated.
Image.init()
format = Image.EXTENSION.get... | [
"def",
"save_image",
"(",
"image",
",",
"destination",
"=",
"None",
",",
"filename",
"=",
"None",
",",
"*",
"*",
"options",
")",
":",
"if",
"destination",
"is",
"None",
":",
"destination",
"=",
"BytesIO",
"(",
")",
"filename",
"=",
"filename",
"or",
"'... | Save a PIL image. | [
"Save",
"a",
"PIL",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/engine.py#L44-L78 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/engine.py | generate_source_image | def generate_source_image(source_file, processor_options, generators=None,
fail_silently=True):
"""
Processes a source ``File`` through a series of source generators, stopping
once a generator returns an image.
The return value is this image instance or ``None`` if no generato... | python | def generate_source_image(source_file, processor_options, generators=None,
fail_silently=True):
"""
Processes a source ``File`` through a series of source generators, stopping
once a generator returns an image.
The return value is this image instance or ``None`` if no generato... | [
"def",
"generate_source_image",
"(",
"source_file",
",",
"processor_options",
",",
"generators",
"=",
"None",
",",
"fail_silently",
"=",
"True",
")",
":",
"processor_options",
"=",
"ThumbnailOptions",
"(",
"processor_options",
")",
"# Keep record of whether the source fil... | Processes a source ``File`` through a series of source generators, stopping
once a generator returns an image.
The return value is this image instance or ``None`` if no generators
return an image.
If the source file cannot be opened, it will be set to ``None`` and still
passed to the generators. | [
"Processes",
"a",
"source",
"File",
"through",
"a",
"series",
"of",
"source",
"generators",
"stopping",
"once",
"a",
"generator",
"returns",
"an",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/engine.py#L81-L134 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/conf.py | AppSettings.revert | def revert(self):
"""
Revert any changes made to settings.
"""
for attr, value in self._changed.items():
setattr(django_settings, attr, value)
for attr in self._added:
delattr(django_settings, attr)
self._changed = {}
self._added = []
... | python | def revert(self):
"""
Revert any changes made to settings.
"""
for attr, value in self._changed.items():
setattr(django_settings, attr, value)
for attr in self._added:
delattr(django_settings, attr)
self._changed = {}
self._added = []
... | [
"def",
"revert",
"(",
"self",
")",
":",
"for",
"attr",
",",
"value",
"in",
"self",
".",
"_changed",
".",
"items",
"(",
")",
":",
"setattr",
"(",
"django_settings",
",",
"attr",
",",
"value",
")",
"for",
"attr",
"in",
"self",
".",
"_added",
":",
"de... | Revert any changes made to settings. | [
"Revert",
"any",
"changes",
"made",
"to",
"settings",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/conf.py#L32-L43 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/source_generators.py | pil_image | def pil_image(source, exif_orientation=True, **options):
"""
Try to open the source file directly using PIL, ignoring any errors.
exif_orientation
If EXIF orientation data is present, perform any required reorientation
before passing the data along the processing pipeline.
"""
# U... | python | def pil_image(source, exif_orientation=True, **options):
"""
Try to open the source file directly using PIL, ignoring any errors.
exif_orientation
If EXIF orientation data is present, perform any required reorientation
before passing the data along the processing pipeline.
"""
# U... | [
"def",
"pil_image",
"(",
"source",
",",
"exif_orientation",
"=",
"True",
",",
"*",
"*",
"options",
")",
":",
"# Use a BytesIO wrapper because if the source is an incomplete file like",
"# object, PIL may have problems with it. For example, some image types",
"# require tell and seek ... | Try to open the source file directly using PIL, ignoring any errors.
exif_orientation
If EXIF orientation data is present, perform any required reorientation
before passing the data along the processing pipeline. | [
"Try",
"to",
"open",
"the",
"source",
"file",
"directly",
"using",
"PIL",
"ignoring",
"any",
"errors",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/source_generators.py#L14-L45 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/optimize/post_processor.py | optimize_thumbnail | def optimize_thumbnail(thumbnail):
'''Optimize thumbnail images by removing unnecessary data'''
try:
optimize_command = settings.THUMBNAIL_OPTIMIZE_COMMAND[
determinetype(thumbnail.path)]
if not optimize_command:
return
except (TypeError, KeyError, NotImplementedError... | python | def optimize_thumbnail(thumbnail):
'''Optimize thumbnail images by removing unnecessary data'''
try:
optimize_command = settings.THUMBNAIL_OPTIMIZE_COMMAND[
determinetype(thumbnail.path)]
if not optimize_command:
return
except (TypeError, KeyError, NotImplementedError... | [
"def",
"optimize_thumbnail",
"(",
"thumbnail",
")",
":",
"try",
":",
"optimize_command",
"=",
"settings",
".",
"THUMBNAIL_OPTIMIZE_COMMAND",
"[",
"determinetype",
"(",
"thumbnail",
".",
"path",
")",
"]",
"if",
"not",
"optimize_command",
":",
"return",
"except",
... | Optimize thumbnail images by removing unnecessary data | [
"Optimize",
"thumbnail",
"images",
"by",
"removing",
"unnecessary",
"data"
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/optimize/post_processor.py#L37-L65 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/templatetags/thumbnail.py | thumbnail | def thumbnail(parser, token):
"""
Creates a thumbnail of an ImageField.
Basic tag Syntax::
{% thumbnail [source] [size] [options] %}
*source* must be a ``File`` object, usually an Image/FileField of a model
instance.
*size* can either be:
* the name of an alias
* the size i... | python | def thumbnail(parser, token):
"""
Creates a thumbnail of an ImageField.
Basic tag Syntax::
{% thumbnail [source] [size] [options] %}
*source* must be a ``File`` object, usually an Image/FileField of a model
instance.
*size* can either be:
* the name of an alias
* the size i... | [
"def",
"thumbnail",
"(",
"parser",
",",
"token",
")",
":",
"args",
"=",
"token",
".",
"split_contents",
"(",
")",
"tag",
"=",
"args",
"[",
"0",
"]",
"# Check to see if we're setting to a context variable.",
"if",
"len",
"(",
"args",
")",
">",
"4",
"and",
"... | Creates a thumbnail of an ImageField.
Basic tag Syntax::
{% thumbnail [source] [size] [options] %}
*source* must be a ``File`` object, usually an Image/FileField of a model
instance.
*size* can either be:
* the name of an alias
* the size in the format ``[width]x[height]`` (for exa... | [
"Creates",
"a",
"thumbnail",
"of",
"an",
"ImageField",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/templatetags/thumbnail.py#L135-L232 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/templatetags/thumbnail.py | thumbnail_url | def thumbnail_url(source, alias):
"""
Return the thumbnail url for a source file using an aliased set of
thumbnail options.
If no matching alias is found, returns an empty string.
Example usage::
<img src="{{ person.photo|thumbnail_url:'small' }}" alt="">
"""
try:
thumb = ... | python | def thumbnail_url(source, alias):
"""
Return the thumbnail url for a source file using an aliased set of
thumbnail options.
If no matching alias is found, returns an empty string.
Example usage::
<img src="{{ person.photo|thumbnail_url:'small' }}" alt="">
"""
try:
thumb = ... | [
"def",
"thumbnail_url",
"(",
"source",
",",
"alias",
")",
":",
"try",
":",
"thumb",
"=",
"get_thumbnailer",
"(",
"source",
")",
"[",
"alias",
"]",
"except",
"Exception",
":",
"return",
"''",
"return",
"thumb",
".",
"url"
] | Return the thumbnail url for a source file using an aliased set of
thumbnail options.
If no matching alias is found, returns an empty string.
Example usage::
<img src="{{ person.photo|thumbnail_url:'small' }}" alt=""> | [
"Return",
"the",
"thumbnail",
"url",
"for",
"a",
"source",
"file",
"using",
"an",
"aliased",
"set",
"of",
"thumbnail",
"options",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/templatetags/thumbnail.py#L287-L302 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/templatetags/thumbnail.py | data_uri | def data_uri(thumbnail):
"""
This filter will return the base64 encoded data URI for a given thumbnail object.
Example usage::
{% thumbnail sample_image 25x25 crop as thumb %}
<img src="{{ thumb|data_uri }}">
will for instance be rendered as:
<img src="data:image/png;base64,i... | python | def data_uri(thumbnail):
"""
This filter will return the base64 encoded data URI for a given thumbnail object.
Example usage::
{% thumbnail sample_image 25x25 crop as thumb %}
<img src="{{ thumb|data_uri }}">
will for instance be rendered as:
<img src="data:image/png;base64,i... | [
"def",
"data_uri",
"(",
"thumbnail",
")",
":",
"try",
":",
"thumbnail",
".",
"open",
"(",
"'rb'",
")",
"data",
"=",
"thumbnail",
".",
"read",
"(",
")",
"finally",
":",
"thumbnail",
".",
"close",
"(",
")",
"mime_type",
"=",
"mimetypes",
".",
"guess_type... | This filter will return the base64 encoded data URI for a given thumbnail object.
Example usage::
{% thumbnail sample_image 25x25 crop as thumb %}
<img src="{{ thumb|data_uri }}">
will for instance be rendered as:
<img src="data:image/png;base64,iVBORw0KGgo..."> | [
"This",
"filter",
"will",
"return",
"the",
"base64",
"encoded",
"data",
"URI",
"for",
"a",
"given",
"thumbnail",
"object",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/templatetags/thumbnail.py#L306-L326 | train |
SmileyChris/easy-thumbnails | setup.py | read_files | def read_files(*filenames):
"""
Output the contents of one or more files to a single concatenated string.
"""
output = []
for filename in filenames:
f = codecs.open(filename, encoding='utf-8')
try:
output.append(f.read())
finally:
f.close()
return ... | python | def read_files(*filenames):
"""
Output the contents of one or more files to a single concatenated string.
"""
output = []
for filename in filenames:
f = codecs.open(filename, encoding='utf-8')
try:
output.append(f.read())
finally:
f.close()
return ... | [
"def",
"read_files",
"(",
"*",
"filenames",
")",
":",
"output",
"=",
"[",
"]",
"for",
"filename",
"in",
"filenames",
":",
"f",
"=",
"codecs",
".",
"open",
"(",
"filename",
",",
"encoding",
"=",
"'utf-8'",
")",
"try",
":",
"output",
".",
"append",
"("... | Output the contents of one or more files to a single concatenated string. | [
"Output",
"the",
"contents",
"of",
"one",
"or",
"more",
"files",
"to",
"a",
"single",
"concatenated",
"string",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/setup.py#L26-L37 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/management/__init__.py | all_thumbnails | def all_thumbnails(path, recursive=True, prefix=None, subdir=None):
"""
Return a dictionary referencing all files which match the thumbnail format.
Each key is a source image filename, relative to path.
Each value is a list of dictionaries as explained in `thumbnails_for_file`.
"""
if prefix is... | python | def all_thumbnails(path, recursive=True, prefix=None, subdir=None):
"""
Return a dictionary referencing all files which match the thumbnail format.
Each key is a source image filename, relative to path.
Each value is a list of dictionaries as explained in `thumbnails_for_file`.
"""
if prefix is... | [
"def",
"all_thumbnails",
"(",
"path",
",",
"recursive",
"=",
"True",
",",
"prefix",
"=",
"None",
",",
"subdir",
"=",
"None",
")",
":",
"if",
"prefix",
"is",
"None",
":",
"prefix",
"=",
"settings",
".",
"THUMBNAIL_PREFIX",
"if",
"subdir",
"is",
"None",
... | Return a dictionary referencing all files which match the thumbnail format.
Each key is a source image filename, relative to path.
Each value is a list of dictionaries as explained in `thumbnails_for_file`. | [
"Return",
"a",
"dictionary",
"referencing",
"all",
"files",
"which",
"match",
"the",
"thumbnail",
"format",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/management/__init__.py#L11-L61 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/management/__init__.py | thumbnails_for_file | def thumbnails_for_file(relative_source_path, root=None, basedir=None,
subdir=None, prefix=None):
"""
Return a list of dictionaries, one for each thumbnail belonging to the
source image.
The following list explains each key of the dictionary:
`filename` -- absolute thumb... | python | def thumbnails_for_file(relative_source_path, root=None, basedir=None,
subdir=None, prefix=None):
"""
Return a list of dictionaries, one for each thumbnail belonging to the
source image.
The following list explains each key of the dictionary:
`filename` -- absolute thumb... | [
"def",
"thumbnails_for_file",
"(",
"relative_source_path",
",",
"root",
"=",
"None",
",",
"basedir",
"=",
"None",
",",
"subdir",
"=",
"None",
",",
"prefix",
"=",
"None",
")",
":",
"if",
"root",
"is",
"None",
":",
"root",
"=",
"settings",
".",
"MEDIA_ROOT... | Return a list of dictionaries, one for each thumbnail belonging to the
source image.
The following list explains each key of the dictionary:
`filename` -- absolute thumbnail path
`x` and `y` -- the size of the thumbnail
`options` -- list of options for this thumbnail
`quality` -- ... | [
"Return",
"a",
"list",
"of",
"dictionaries",
"one",
"for",
"each",
"thumbnail",
"belonging",
"to",
"the",
"source",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/management/__init__.py#L64-L91 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/management/__init__.py | delete_thumbnails | def delete_thumbnails(relative_source_path, root=None, basedir=None,
subdir=None, prefix=None):
"""
Delete all thumbnails for a source image.
"""
thumbs = thumbnails_for_file(relative_source_path, root, basedir, subdir,
prefix)
return _delete_us... | python | def delete_thumbnails(relative_source_path, root=None, basedir=None,
subdir=None, prefix=None):
"""
Delete all thumbnails for a source image.
"""
thumbs = thumbnails_for_file(relative_source_path, root, basedir, subdir,
prefix)
return _delete_us... | [
"def",
"delete_thumbnails",
"(",
"relative_source_path",
",",
"root",
"=",
"None",
",",
"basedir",
"=",
"None",
",",
"subdir",
"=",
"None",
",",
"prefix",
"=",
"None",
")",
":",
"thumbs",
"=",
"thumbnails_for_file",
"(",
"relative_source_path",
",",
"root",
... | Delete all thumbnails for a source image. | [
"Delete",
"all",
"thumbnails",
"for",
"a",
"source",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/management/__init__.py#L94-L101 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/management/__init__.py | delete_all_thumbnails | def delete_all_thumbnails(path, recursive=True):
"""
Delete all files within a path which match the thumbnails pattern.
By default, matching files from all sub-directories are also removed. To
only remove from the path directory, set recursive=False.
"""
total = 0
for thumbs in all_thumbnai... | python | def delete_all_thumbnails(path, recursive=True):
"""
Delete all files within a path which match the thumbnails pattern.
By default, matching files from all sub-directories are also removed. To
only remove from the path directory, set recursive=False.
"""
total = 0
for thumbs in all_thumbnai... | [
"def",
"delete_all_thumbnails",
"(",
"path",
",",
"recursive",
"=",
"True",
")",
":",
"total",
"=",
"0",
"for",
"thumbs",
"in",
"all_thumbnails",
"(",
"path",
",",
"recursive",
"=",
"recursive",
")",
".",
"values",
"(",
")",
":",
"total",
"+=",
"_delete_... | Delete all files within a path which match the thumbnails pattern.
By default, matching files from all sub-directories are also removed. To
only remove from the path directory, set recursive=False. | [
"Delete",
"all",
"files",
"within",
"a",
"path",
"which",
"match",
"the",
"thumbnails",
"pattern",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/management/__init__.py#L117-L127 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/signal_handlers.py | signal_committed_filefields | def signal_committed_filefields(sender, instance, **kwargs):
"""
A post_save signal handler which sends a signal for each ``FileField`` that
was committed this save.
"""
for field_name in getattr(instance, '_uncommitted_filefields', ()):
fieldfile = getattr(instance, field_name)
# Do... | python | def signal_committed_filefields(sender, instance, **kwargs):
"""
A post_save signal handler which sends a signal for each ``FileField`` that
was committed this save.
"""
for field_name in getattr(instance, '_uncommitted_filefields', ()):
fieldfile = getattr(instance, field_name)
# Do... | [
"def",
"signal_committed_filefields",
"(",
"sender",
",",
"instance",
",",
"*",
"*",
"kwargs",
")",
":",
"for",
"field_name",
"in",
"getattr",
"(",
"instance",
",",
"'_uncommitted_filefields'",
",",
"(",
")",
")",
":",
"fieldfile",
"=",
"getattr",
"(",
"inst... | A post_save signal handler which sends a signal for each ``FileField`` that
was committed this save. | [
"A",
"post_save",
"signal",
"handler",
"which",
"sends",
"a",
"signal",
"for",
"each",
"FileField",
"that",
"was",
"committed",
"this",
"save",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/signal_handlers.py#L25-L34 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/signal_handlers.py | generate_aliases | def generate_aliases(fieldfile, **kwargs):
"""
A saved_file signal handler which generates thumbnails for all field,
model, and app specific aliases matching the saved file's field.
"""
# Avoids circular import.
from easy_thumbnails.files import generate_all_aliases
generate_all_aliases(fiel... | python | def generate_aliases(fieldfile, **kwargs):
"""
A saved_file signal handler which generates thumbnails for all field,
model, and app specific aliases matching the saved file's field.
"""
# Avoids circular import.
from easy_thumbnails.files import generate_all_aliases
generate_all_aliases(fiel... | [
"def",
"generate_aliases",
"(",
"fieldfile",
",",
"*",
"*",
"kwargs",
")",
":",
"# Avoids circular import.",
"from",
"easy_thumbnails",
".",
"files",
"import",
"generate_all_aliases",
"generate_all_aliases",
"(",
"fieldfile",
",",
"include_global",
"=",
"False",
")"
] | A saved_file signal handler which generates thumbnails for all field,
model, and app specific aliases matching the saved file's field. | [
"A",
"saved_file",
"signal",
"handler",
"which",
"generates",
"thumbnails",
"for",
"all",
"field",
"model",
"and",
"app",
"specific",
"aliases",
"matching",
"the",
"saved",
"file",
"s",
"field",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/signal_handlers.py#L37-L44 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/signal_handlers.py | generate_aliases_global | def generate_aliases_global(fieldfile, **kwargs):
"""
A saved_file signal handler which generates thumbnails for all field,
model, and app specific aliases matching the saved file's field, also
generating thumbnails for each project-wide alias.
"""
# Avoids circular import.
from easy_thumbna... | python | def generate_aliases_global(fieldfile, **kwargs):
"""
A saved_file signal handler which generates thumbnails for all field,
model, and app specific aliases matching the saved file's field, also
generating thumbnails for each project-wide alias.
"""
# Avoids circular import.
from easy_thumbna... | [
"def",
"generate_aliases_global",
"(",
"fieldfile",
",",
"*",
"*",
"kwargs",
")",
":",
"# Avoids circular import.",
"from",
"easy_thumbnails",
".",
"files",
"import",
"generate_all_aliases",
"generate_all_aliases",
"(",
"fieldfile",
",",
"include_global",
"=",
"True",
... | A saved_file signal handler which generates thumbnails for all field,
model, and app specific aliases matching the saved file's field, also
generating thumbnails for each project-wide alias. | [
"A",
"saved_file",
"signal",
"handler",
"which",
"generates",
"thumbnails",
"for",
"all",
"field",
"model",
"and",
"app",
"specific",
"aliases",
"matching",
"the",
"saved",
"file",
"s",
"field",
"also",
"generating",
"thumbnails",
"for",
"each",
"project",
"-",
... | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/signal_handlers.py#L47-L55 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/processors.py | colorspace | def colorspace(im, bw=False, replace_alpha=False, **kwargs):
"""
Convert images to the correct color space.
A passive option (i.e. always processed) of this method is that all images
(unless grayscale) are converted to RGB colorspace.
This processor should be listed before :func:`scale_and_crop` s... | python | def colorspace(im, bw=False, replace_alpha=False, **kwargs):
"""
Convert images to the correct color space.
A passive option (i.e. always processed) of this method is that all images
(unless grayscale) are converted to RGB colorspace.
This processor should be listed before :func:`scale_and_crop` s... | [
"def",
"colorspace",
"(",
"im",
",",
"bw",
"=",
"False",
",",
"replace_alpha",
"=",
"False",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"im",
".",
"mode",
"==",
"'I'",
":",
"# PIL (and pillow) have can't convert 16 bit grayscale images to lower",
"# modes, so manual... | Convert images to the correct color space.
A passive option (i.e. always processed) of this method is that all images
(unless grayscale) are converted to RGB colorspace.
This processor should be listed before :func:`scale_and_crop` so palette is
changed before the image is resized.
bw
Mak... | [
"Convert",
"images",
"to",
"the",
"correct",
"color",
"space",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/processors.py#L45-L90 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/processors.py | autocrop | def autocrop(im, autocrop=False, **kwargs):
"""
Remove any unnecessary whitespace from the edges of the source image.
This processor should be listed before :func:`scale_and_crop` so the
whitespace is removed from the source image before it is resized.
autocrop
Activates the autocrop metho... | python | def autocrop(im, autocrop=False, **kwargs):
"""
Remove any unnecessary whitespace from the edges of the source image.
This processor should be listed before :func:`scale_and_crop` so the
whitespace is removed from the source image before it is resized.
autocrop
Activates the autocrop metho... | [
"def",
"autocrop",
"(",
"im",
",",
"autocrop",
"=",
"False",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"autocrop",
":",
"# If transparent, flatten.",
"if",
"utils",
".",
"is_transparent",
"(",
"im",
")",
":",
"no_alpha",
"=",
"Image",
".",
"new",
"(",
"... | Remove any unnecessary whitespace from the edges of the source image.
This processor should be listed before :func:`scale_and_crop` so the
whitespace is removed from the source image before it is resized.
autocrop
Activates the autocrop method for this image. | [
"Remove",
"any",
"unnecessary",
"whitespace",
"from",
"the",
"edges",
"of",
"the",
"source",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/processors.py#L93-L119 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/processors.py | filters | def filters(im, detail=False, sharpen=False, **kwargs):
"""
Pass the source image through post-processing filters.
sharpen
Sharpen the thumbnail image (using the PIL sharpen filter)
detail
Add detail to the image, like a mild *sharpen* (using the PIL
``detail`` filter).
""... | python | def filters(im, detail=False, sharpen=False, **kwargs):
"""
Pass the source image through post-processing filters.
sharpen
Sharpen the thumbnail image (using the PIL sharpen filter)
detail
Add detail to the image, like a mild *sharpen* (using the PIL
``detail`` filter).
""... | [
"def",
"filters",
"(",
"im",
",",
"detail",
"=",
"False",
",",
"sharpen",
"=",
"False",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"detail",
":",
"im",
"=",
"im",
".",
"filter",
"(",
"ImageFilter",
".",
"DETAIL",
")",
"if",
"sharpen",
":",
"im",
"=... | Pass the source image through post-processing filters.
sharpen
Sharpen the thumbnail image (using the PIL sharpen filter)
detail
Add detail to the image, like a mild *sharpen* (using the PIL
``detail`` filter). | [
"Pass",
"the",
"source",
"image",
"through",
"post",
"-",
"processing",
"filters",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/processors.py#L280-L296 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/processors.py | background | def background(im, size, background=None, **kwargs):
"""
Add borders of a certain color to make the resized image fit exactly within
the dimensions given.
background
Background color to use
"""
if not background:
# Primary option not given, nothing to do.
return im
i... | python | def background(im, size, background=None, **kwargs):
"""
Add borders of a certain color to make the resized image fit exactly within
the dimensions given.
background
Background color to use
"""
if not background:
# Primary option not given, nothing to do.
return im
i... | [
"def",
"background",
"(",
"im",
",",
"size",
",",
"background",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"not",
"background",
":",
"# Primary option not given, nothing to do.",
"return",
"im",
"if",
"not",
"size",
"[",
"0",
"]",
"or",
"not",
... | Add borders of a certain color to make the resized image fit exactly within
the dimensions given.
background
Background color to use | [
"Add",
"borders",
"of",
"a",
"certain",
"color",
"to",
"make",
"the",
"resized",
"image",
"fit",
"exactly",
"within",
"the",
"dimensions",
"given",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/processors.py#L299-L324 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | generate_all_aliases | def generate_all_aliases(fieldfile, include_global):
"""
Generate all of a file's aliases.
:param fieldfile: A ``FieldFile`` instance.
:param include_global: A boolean which determines whether to generate
thumbnails for project-wide aliases in addition to field, model, and
app specific ... | python | def generate_all_aliases(fieldfile, include_global):
"""
Generate all of a file's aliases.
:param fieldfile: A ``FieldFile`` instance.
:param include_global: A boolean which determines whether to generate
thumbnails for project-wide aliases in addition to field, model, and
app specific ... | [
"def",
"generate_all_aliases",
"(",
"fieldfile",
",",
"include_global",
")",
":",
"all_options",
"=",
"aliases",
".",
"all",
"(",
"fieldfile",
",",
"include_global",
"=",
"include_global",
")",
"if",
"all_options",
":",
"thumbnailer",
"=",
"get_thumbnailer",
"(",
... | Generate all of a file's aliases.
:param fieldfile: A ``FieldFile`` instance.
:param include_global: A boolean which determines whether to generate
thumbnails for project-wide aliases in addition to field, model, and
app specific aliases. | [
"Generate",
"all",
"of",
"a",
"file",
"s",
"aliases",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L79-L93 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailFile._get_image | def _get_image(self):
"""
Get a PIL Image instance of this file.
The image is cached to avoid the file needing to be read again if the
function is called again.
"""
if not hasattr(self, '_image_cache'):
from easy_thumbnails.source_generators import pil_image
... | python | def _get_image(self):
"""
Get a PIL Image instance of this file.
The image is cached to avoid the file needing to be read again if the
function is called again.
"""
if not hasattr(self, '_image_cache'):
from easy_thumbnails.source_generators import pil_image
... | [
"def",
"_get_image",
"(",
"self",
")",
":",
"if",
"not",
"hasattr",
"(",
"self",
",",
"'_image_cache'",
")",
":",
"from",
"easy_thumbnails",
".",
"source_generators",
"import",
"pil_image",
"self",
".",
"image",
"=",
"pil_image",
"(",
"self",
")",
"return",
... | Get a PIL Image instance of this file.
The image is cached to avoid the file needing to be read again if the
function is called again. | [
"Get",
"a",
"PIL",
"Image",
"instance",
"of",
"this",
"file",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L183-L193 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailFile._set_image | def _set_image(self, image):
"""
Set the image for this file.
This also caches the dimensions of the image.
"""
if image:
self._image_cache = image
self._dimensions_cache = image.size
else:
if hasattr(self, '_image_cache'):
... | python | def _set_image(self, image):
"""
Set the image for this file.
This also caches the dimensions of the image.
"""
if image:
self._image_cache = image
self._dimensions_cache = image.size
else:
if hasattr(self, '_image_cache'):
... | [
"def",
"_set_image",
"(",
"self",
",",
"image",
")",
":",
"if",
"image",
":",
"self",
".",
"_image_cache",
"=",
"image",
"self",
".",
"_dimensions_cache",
"=",
"image",
".",
"size",
"else",
":",
"if",
"hasattr",
"(",
"self",
",",
"'_image_cache'",
")",
... | Set the image for this file.
This also caches the dimensions of the image. | [
"Set",
"the",
"image",
"for",
"this",
"file",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L195-L208 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailFile.set_image_dimensions | def set_image_dimensions(self, thumbnail):
"""
Set image dimensions from the cached dimensions of a ``Thumbnail``
model instance.
"""
try:
dimensions = getattr(thumbnail, 'dimensions', None)
except models.ThumbnailDimensions.DoesNotExist:
dimension... | python | def set_image_dimensions(self, thumbnail):
"""
Set image dimensions from the cached dimensions of a ``Thumbnail``
model instance.
"""
try:
dimensions = getattr(thumbnail, 'dimensions', None)
except models.ThumbnailDimensions.DoesNotExist:
dimension... | [
"def",
"set_image_dimensions",
"(",
"self",
",",
"thumbnail",
")",
":",
"try",
":",
"dimensions",
"=",
"getattr",
"(",
"thumbnail",
",",
"'dimensions'",
",",
"None",
")",
"except",
"models",
".",
"ThumbnailDimensions",
".",
"DoesNotExist",
":",
"dimensions",
"... | Set image dimensions from the cached dimensions of a ``Thumbnail``
model instance. | [
"Set",
"image",
"dimensions",
"from",
"the",
"cached",
"dimensions",
"of",
"a",
"Thumbnail",
"model",
"instance",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L274-L286 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | Thumbnailer.generate_thumbnail | def generate_thumbnail(self, thumbnail_options, high_resolution=False,
silent_template_exception=False):
"""
Return an unsaved ``ThumbnailFile`` containing a thumbnail image.
The thumbnail image is generated using the ``thumbnail_options``
dictionary.
... | python | def generate_thumbnail(self, thumbnail_options, high_resolution=False,
silent_template_exception=False):
"""
Return an unsaved ``ThumbnailFile`` containing a thumbnail image.
The thumbnail image is generated using the ``thumbnail_options``
dictionary.
... | [
"def",
"generate_thumbnail",
"(",
"self",
",",
"thumbnail_options",
",",
"high_resolution",
"=",
"False",
",",
"silent_template_exception",
"=",
"False",
")",
":",
"thumbnail_options",
"=",
"self",
".",
"get_options",
"(",
"thumbnail_options",
")",
"orig_size",
"=",... | Return an unsaved ``ThumbnailFile`` containing a thumbnail image.
The thumbnail image is generated using the ``thumbnail_options``
dictionary. | [
"Return",
"an",
"unsaved",
"ThumbnailFile",
"containing",
"a",
"thumbnail",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L359-L413 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | Thumbnailer.get_existing_thumbnail | def get_existing_thumbnail(self, thumbnail_options, high_resolution=False):
"""
Return a ``ThumbnailFile`` containing an existing thumbnail for a set
of thumbnail options, or ``None`` if not found.
"""
thumbnail_options = self.get_options(thumbnail_options)
names = [
... | python | def get_existing_thumbnail(self, thumbnail_options, high_resolution=False):
"""
Return a ``ThumbnailFile`` containing an existing thumbnail for a set
of thumbnail options, or ``None`` if not found.
"""
thumbnail_options = self.get_options(thumbnail_options)
names = [
... | [
"def",
"get_existing_thumbnail",
"(",
"self",
",",
"thumbnail_options",
",",
"high_resolution",
"=",
"False",
")",
":",
"thumbnail_options",
"=",
"self",
".",
"get_options",
"(",
"thumbnail_options",
")",
"names",
"=",
"[",
"self",
".",
"get_thumbnail_name",
"(",
... | Return a ``ThumbnailFile`` containing an existing thumbnail for a set
of thumbnail options, or ``None`` if not found. | [
"Return",
"a",
"ThumbnailFile",
"containing",
"an",
"existing",
"thumbnail",
"for",
"a",
"set",
"of",
"thumbnail",
"options",
"or",
"None",
"if",
"not",
"found",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L461-L488 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | Thumbnailer.get_thumbnail | def get_thumbnail(self, thumbnail_options, save=True, generate=None,
silent_template_exception=False):
"""
Return a ``ThumbnailFile`` containing a thumbnail.
If a matching thumbnail already exists, it will simply be returned.
By default (unless the ``Thumbnailer``... | python | def get_thumbnail(self, thumbnail_options, save=True, generate=None,
silent_template_exception=False):
"""
Return a ``ThumbnailFile`` containing a thumbnail.
If a matching thumbnail already exists, it will simply be returned.
By default (unless the ``Thumbnailer``... | [
"def",
"get_thumbnail",
"(",
"self",
",",
"thumbnail_options",
",",
"save",
"=",
"True",
",",
"generate",
"=",
"None",
",",
"silent_template_exception",
"=",
"False",
")",
":",
"thumbnail_options",
"=",
"self",
".",
"get_options",
"(",
"thumbnail_options",
")",
... | Return a ``ThumbnailFile`` containing a thumbnail.
If a matching thumbnail already exists, it will simply be returned.
By default (unless the ``Thumbnailer`` was instanciated with
``generate=False``), thumbnails that don't exist are generated.
Otherwise ``None`` is returned.
F... | [
"Return",
"a",
"ThumbnailFile",
"containing",
"a",
"thumbnail",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L490-L544 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | Thumbnailer.save_thumbnail | def save_thumbnail(self, thumbnail):
"""
Save a thumbnail to the thumbnail_storage.
Also triggers the ``thumbnail_created`` signal and caches the
thumbnail values and dimensions for future lookups.
"""
filename = thumbnail.name
try:
self.thumbnail_sto... | python | def save_thumbnail(self, thumbnail):
"""
Save a thumbnail to the thumbnail_storage.
Also triggers the ``thumbnail_created`` signal and caches the
thumbnail values and dimensions for future lookups.
"""
filename = thumbnail.name
try:
self.thumbnail_sto... | [
"def",
"save_thumbnail",
"(",
"self",
",",
"thumbnail",
")",
":",
"filename",
"=",
"thumbnail",
".",
"name",
"try",
":",
"self",
".",
"thumbnail_storage",
".",
"delete",
"(",
"filename",
")",
"except",
"Exception",
":",
"pass",
"self",
".",
"thumbnail_storag... | Save a thumbnail to the thumbnail_storage.
Also triggers the ``thumbnail_created`` signal and caches the
thumbnail values and dimensions for future lookups. | [
"Save",
"a",
"thumbnail",
"to",
"the",
"thumbnail_storage",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L546-L575 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | Thumbnailer.thumbnail_exists | def thumbnail_exists(self, thumbnail_name):
"""
Calculate whether the thumbnail already exists and that the source is
not newer than the thumbnail.
If the source and thumbnail file storages are local, their file
modification times are used. Otherwise the database cached modifica... | python | def thumbnail_exists(self, thumbnail_name):
"""
Calculate whether the thumbnail already exists and that the source is
not newer than the thumbnail.
If the source and thumbnail file storages are local, their file
modification times are used. Otherwise the database cached modifica... | [
"def",
"thumbnail_exists",
"(",
"self",
",",
"thumbnail_name",
")",
":",
"if",
"self",
".",
"remote_source",
":",
"return",
"False",
"if",
"utils",
".",
"is_storage_local",
"(",
"self",
".",
"source_storage",
")",
":",
"source_modtime",
"=",
"utils",
".",
"g... | Calculate whether the thumbnail already exists and that the source is
not newer than the thumbnail.
If the source and thumbnail file storages are local, their file
modification times are used. Otherwise the database cached modification
times are used. | [
"Calculate",
"whether",
"the",
"thumbnail",
"already",
"exists",
"and",
"that",
"the",
"source",
"is",
"not",
"newer",
"than",
"the",
"thumbnail",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L577-L616 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailerFieldFile.save | def save(self, name, content, *args, **kwargs):
"""
Save the file, also saving a reference to the thumbnail cache Source
model.
"""
super(ThumbnailerFieldFile, self).save(name, content, *args, **kwargs)
self.get_source_cache(create=True, update=True) | python | def save(self, name, content, *args, **kwargs):
"""
Save the file, also saving a reference to the thumbnail cache Source
model.
"""
super(ThumbnailerFieldFile, self).save(name, content, *args, **kwargs)
self.get_source_cache(create=True, update=True) | [
"def",
"save",
"(",
"self",
",",
"name",
",",
"content",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"super",
"(",
"ThumbnailerFieldFile",
",",
"self",
")",
".",
"save",
"(",
"name",
",",
"content",
",",
"*",
"args",
",",
"*",
"*",
"kwar... | Save the file, also saving a reference to the thumbnail cache Source
model. | [
"Save",
"the",
"file",
"also",
"saving",
"a",
"reference",
"to",
"the",
"thumbnail",
"cache",
"Source",
"model",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L665-L671 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailerFieldFile.delete | def delete(self, *args, **kwargs):
"""
Delete the image, along with any generated thumbnails.
"""
source_cache = self.get_source_cache()
# First, delete any related thumbnails.
self.delete_thumbnails(source_cache)
# Next, delete the source image.
super(Thu... | python | def delete(self, *args, **kwargs):
"""
Delete the image, along with any generated thumbnails.
"""
source_cache = self.get_source_cache()
# First, delete any related thumbnails.
self.delete_thumbnails(source_cache)
# Next, delete the source image.
super(Thu... | [
"def",
"delete",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"source_cache",
"=",
"self",
".",
"get_source_cache",
"(",
")",
"# First, delete any related thumbnails.",
"self",
".",
"delete_thumbnails",
"(",
"source_cache",
")",
"# Next, del... | Delete the image, along with any generated thumbnails. | [
"Delete",
"the",
"image",
"along",
"with",
"any",
"generated",
"thumbnails",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L673-L684 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailerFieldFile.delete_thumbnails | def delete_thumbnails(self, source_cache=None):
"""
Delete any thumbnails generated from the source image.
:arg source_cache: An optional argument only used for optimisation
where the source cache instance is already known.
:returns: The number of files deleted.
"""
... | python | def delete_thumbnails(self, source_cache=None):
"""
Delete any thumbnails generated from the source image.
:arg source_cache: An optional argument only used for optimisation
where the source cache instance is already known.
:returns: The number of files deleted.
"""
... | [
"def",
"delete_thumbnails",
"(",
"self",
",",
"source_cache",
"=",
"None",
")",
":",
"source_cache",
"=",
"self",
".",
"get_source_cache",
"(",
")",
"deleted",
"=",
"0",
"if",
"source_cache",
":",
"thumbnail_storage_hash",
"=",
"utils",
".",
"get_storage_hash",
... | Delete any thumbnails generated from the source image.
:arg source_cache: An optional argument only used for optimisation
where the source cache instance is already known.
:returns: The number of files deleted. | [
"Delete",
"any",
"thumbnails",
"generated",
"from",
"the",
"source",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L688-L709 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailerFieldFile.get_thumbnails | def get_thumbnails(self, *args, **kwargs):
"""
Return an iterator which returns ThumbnailFile instances.
"""
# First, delete any related thumbnails.
source_cache = self.get_source_cache()
if source_cache:
thumbnail_storage_hash = utils.get_storage_hash(
... | python | def get_thumbnails(self, *args, **kwargs):
"""
Return an iterator which returns ThumbnailFile instances.
"""
# First, delete any related thumbnails.
source_cache = self.get_source_cache()
if source_cache:
thumbnail_storage_hash = utils.get_storage_hash(
... | [
"def",
"get_thumbnails",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"# First, delete any related thumbnails.",
"source_cache",
"=",
"self",
".",
"get_source_cache",
"(",
")",
"if",
"source_cache",
":",
"thumbnail_storage_hash",
"=",
"utils",... | Return an iterator which returns ThumbnailFile instances. | [
"Return",
"an",
"iterator",
"which",
"returns",
"ThumbnailFile",
"instances",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L713-L727 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/files.py | ThumbnailerImageFieldFile.save | def save(self, name, content, *args, **kwargs):
"""
Save the image.
The image will be resized down using a ``ThumbnailField`` if
``resize_source`` (a dictionary of thumbnail options) is provided by
the field.
"""
options = getattr(self.field, 'resize_source', Non... | python | def save(self, name, content, *args, **kwargs):
"""
Save the image.
The image will be resized down using a ``ThumbnailField`` if
``resize_source`` (a dictionary of thumbnail options) is provided by
the field.
"""
options = getattr(self.field, 'resize_source', Non... | [
"def",
"save",
"(",
"self",
",",
"name",
",",
"content",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"options",
"=",
"getattr",
"(",
"self",
".",
"field",
",",
"'resize_source'",
",",
"None",
")",
"if",
"options",
":",
"if",
"'quality'",
"... | Save the image.
The image will be resized down using a ``ThumbnailField`` if
``resize_source`` (a dictionary of thumbnail options) is provided by
the field. | [
"Save",
"the",
"image",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/files.py#L749-L769 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/management/commands/thumbnail_cleanup.py | queryset_iterator | def queryset_iterator(queryset, chunksize=1000):
"""
The queryset iterator helps to keep the memory consumption down.
And also making it easier to process for weaker computers.
"""
if queryset.exists():
primary_key = 0
last_pk = queryset.order_by('-pk')[0].pk
queryset = query... | python | def queryset_iterator(queryset, chunksize=1000):
"""
The queryset iterator helps to keep the memory consumption down.
And also making it easier to process for weaker computers.
"""
if queryset.exists():
primary_key = 0
last_pk = queryset.order_by('-pk')[0].pk
queryset = query... | [
"def",
"queryset_iterator",
"(",
"queryset",
",",
"chunksize",
"=",
"1000",
")",
":",
"if",
"queryset",
".",
"exists",
"(",
")",
":",
"primary_key",
"=",
"0",
"last_pk",
"=",
"queryset",
".",
"order_by",
"(",
"'-pk'",
")",
"[",
"0",
"]",
".",
"pk",
"... | The queryset iterator helps to keep the memory consumption down.
And also making it easier to process for weaker computers. | [
"The",
"queryset",
"iterator",
"helps",
"to",
"keep",
"the",
"memory",
"consumption",
"down",
".",
"And",
"also",
"making",
"it",
"easier",
"to",
"process",
"for",
"weaker",
"computers",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/management/commands/thumbnail_cleanup.py#L105-L118 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/management/commands/thumbnail_cleanup.py | ThumbnailCollectionCleaner.print_stats | def print_stats(self):
"""
Print statistics about the cleanup performed.
"""
print(
"{0:-<48}".format(str(datetime.now().strftime('%Y-%m-%d %H:%M '))))
print("{0:<40} {1:>7}".format("Sources checked:", self.sources))
print("{0:<40} {1:>7}".format(
... | python | def print_stats(self):
"""
Print statistics about the cleanup performed.
"""
print(
"{0:-<48}".format(str(datetime.now().strftime('%Y-%m-%d %H:%M '))))
print("{0:<40} {1:>7}".format("Sources checked:", self.sources))
print("{0:<40} {1:>7}".format(
... | [
"def",
"print_stats",
"(",
"self",
")",
":",
"print",
"(",
"\"{0:-<48}\"",
".",
"format",
"(",
"str",
"(",
"datetime",
".",
"now",
"(",
")",
".",
"strftime",
"(",
"'%Y-%m-%d %H:%M '",
")",
")",
")",
")",
"print",
"(",
"\"{0:<40} {1:>7}\"",
".",
"format",... | Print statistics about the cleanup performed. | [
"Print",
"statistics",
"about",
"the",
"cleanup",
"performed",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/management/commands/thumbnail_cleanup.py#L91-L102 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases.populate_from_settings | def populate_from_settings(self):
"""
Populate the aliases from the ``THUMBNAIL_ALIASES`` setting.
"""
settings_aliases = settings.THUMBNAIL_ALIASES
if settings_aliases:
for target, aliases in settings_aliases.items():
target_aliases = self._aliases.se... | python | def populate_from_settings(self):
"""
Populate the aliases from the ``THUMBNAIL_ALIASES`` setting.
"""
settings_aliases = settings.THUMBNAIL_ALIASES
if settings_aliases:
for target, aliases in settings_aliases.items():
target_aliases = self._aliases.se... | [
"def",
"populate_from_settings",
"(",
"self",
")",
":",
"settings_aliases",
"=",
"settings",
".",
"THUMBNAIL_ALIASES",
"if",
"settings_aliases",
":",
"for",
"target",
",",
"aliases",
"in",
"settings_aliases",
".",
"items",
"(",
")",
":",
"target_aliases",
"=",
"... | Populate the aliases from the ``THUMBNAIL_ALIASES`` setting. | [
"Populate",
"the",
"aliases",
"from",
"the",
"THUMBNAIL_ALIASES",
"setting",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L23-L31 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases.set | def set(self, alias, options, target=None):
"""
Add an alias.
:param alias: The name of the alias to add.
:param options: The easy-thumbnails options dictonary for this alias
(should include ``size``).
:param target: A field, model, or app to limit this alias to
... | python | def set(self, alias, options, target=None):
"""
Add an alias.
:param alias: The name of the alias to add.
:param options: The easy-thumbnails options dictonary for this alias
(should include ``size``).
:param target: A field, model, or app to limit this alias to
... | [
"def",
"set",
"(",
"self",
",",
"alias",
",",
"options",
",",
"target",
"=",
"None",
")",
":",
"target",
"=",
"self",
".",
"_coerce_target",
"(",
"target",
")",
"or",
"''",
"target_aliases",
"=",
"self",
".",
"_aliases",
".",
"setdefault",
"(",
"target... | Add an alias.
:param alias: The name of the alias to add.
:param options: The easy-thumbnails options dictonary for this alias
(should include ``size``).
:param target: A field, model, or app to limit this alias to
(optional). | [
"Add",
"an",
"alias",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L33-L45 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases.get | def get(self, alias, target=None):
"""
Get a dictionary of aliased options.
:param alias: The name of the aliased options.
:param target: Get alias for this specific target (optional).
If no matching alias is found, returns ``None``.
"""
for target_part in rever... | python | def get(self, alias, target=None):
"""
Get a dictionary of aliased options.
:param alias: The name of the aliased options.
:param target: Get alias for this specific target (optional).
If no matching alias is found, returns ``None``.
"""
for target_part in rever... | [
"def",
"get",
"(",
"self",
",",
"alias",
",",
"target",
"=",
"None",
")",
":",
"for",
"target_part",
"in",
"reversed",
"(",
"list",
"(",
"self",
".",
"_get_targets",
"(",
"target",
")",
")",
")",
":",
"options",
"=",
"self",
".",
"_get",
"(",
"targ... | Get a dictionary of aliased options.
:param alias: The name of the aliased options.
:param target: Get alias for this specific target (optional).
If no matching alias is found, returns ``None``. | [
"Get",
"a",
"dictionary",
"of",
"aliased",
"options",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L47-L59 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases.all | def all(self, target=None, include_global=True):
"""
Get a dictionary of all aliases and their options.
:param target: Include aliases for this specific field, model or app
(optional).
:param include_global: Include all non target-specific aliases
(default ``True... | python | def all(self, target=None, include_global=True):
"""
Get a dictionary of all aliases and their options.
:param target: Include aliases for this specific field, model or app
(optional).
:param include_global: Include all non target-specific aliases
(default ``True... | [
"def",
"all",
"(",
"self",
",",
"target",
"=",
"None",
",",
"include_global",
"=",
"True",
")",
":",
"aliases",
"=",
"{",
"}",
"for",
"target_part",
"in",
"self",
".",
"_get_targets",
"(",
"target",
",",
"include_global",
")",
":",
"aliases",
".",
"upd... | Get a dictionary of all aliases and their options.
:param target: Include aliases for this specific field, model or app
(optional).
:param include_global: Include all non target-specific aliases
(default ``True``).
For example::
>>> aliases.all(target='my_a... | [
"Get",
"a",
"dictionary",
"of",
"all",
"aliases",
"and",
"their",
"options",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L61-L78 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases._get | def _get(self, target, alias):
"""
Internal method to get a specific alias.
"""
if target not in self._aliases:
return
return self._aliases[target].get(alias) | python | def _get(self, target, alias):
"""
Internal method to get a specific alias.
"""
if target not in self._aliases:
return
return self._aliases[target].get(alias) | [
"def",
"_get",
"(",
"self",
",",
"target",
",",
"alias",
")",
":",
"if",
"target",
"not",
"in",
"self",
".",
"_aliases",
":",
"return",
"return",
"self",
".",
"_aliases",
"[",
"target",
"]",
".",
"get",
"(",
"alias",
")"
] | Internal method to get a specific alias. | [
"Internal",
"method",
"to",
"get",
"a",
"specific",
"alias",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L80-L86 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases._get_targets | def _get_targets(self, target, include_global=True):
"""
Internal iterator to split up a complete target into the possible parts
it may match.
For example::
>>> list(aliases._get_targets('my_app.MyModel.somefield'))
['', 'my_app', 'my_app.MyModel', 'my_app.MyMod... | python | def _get_targets(self, target, include_global=True):
"""
Internal iterator to split up a complete target into the possible parts
it may match.
For example::
>>> list(aliases._get_targets('my_app.MyModel.somefield'))
['', 'my_app', 'my_app.MyModel', 'my_app.MyMod... | [
"def",
"_get_targets",
"(",
"self",
",",
"target",
",",
"include_global",
"=",
"True",
")",
":",
"target",
"=",
"self",
".",
"_coerce_target",
"(",
"target",
")",
"if",
"include_global",
":",
"yield",
"''",
"if",
"not",
"target",
":",
"return",
"target_bit... | Internal iterator to split up a complete target into the possible parts
it may match.
For example::
>>> list(aliases._get_targets('my_app.MyModel.somefield'))
['', 'my_app', 'my_app.MyModel', 'my_app.MyModel.somefield'] | [
"Internal",
"iterator",
"to",
"split",
"up",
"a",
"complete",
"target",
"into",
"the",
"possible",
"parts",
"it",
"may",
"match",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L88-L105 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/alias.py | Aliases._coerce_target | def _coerce_target(self, target):
"""
Internal method to coerce a target to a string.
The assumption is that if it is not ``None`` and not a string, it is
a Django ``FieldFile`` object.
"""
if not target or isinstance(target, six.string_types):
return target
... | python | def _coerce_target(self, target):
"""
Internal method to coerce a target to a string.
The assumption is that if it is not ``None`` and not a string, it is
a Django ``FieldFile`` object.
"""
if not target or isinstance(target, six.string_types):
return target
... | [
"def",
"_coerce_target",
"(",
"self",
",",
"target",
")",
":",
"if",
"not",
"target",
"or",
"isinstance",
"(",
"target",
",",
"six",
".",
"string_types",
")",
":",
"return",
"target",
"if",
"not",
"hasattr",
"(",
"target",
",",
"'instance'",
")",
":",
... | Internal method to coerce a target to a string.
The assumption is that if it is not ``None`` and not a string, it is
a Django ``FieldFile`` object. | [
"Internal",
"method",
"to",
"coerce",
"a",
"target",
"to",
"a",
"string",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/alias.py#L107-L128 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/utils.py | image_entropy | def image_entropy(im):
"""
Calculate the entropy of an image. Used for "smart cropping".
"""
if not isinstance(im, Image.Image):
# Can only deal with PIL images. Fall back to a constant entropy.
return 0
hist = im.histogram()
hist_size = float(sum(hist))
hist = [h / hist_size... | python | def image_entropy(im):
"""
Calculate the entropy of an image. Used for "smart cropping".
"""
if not isinstance(im, Image.Image):
# Can only deal with PIL images. Fall back to a constant entropy.
return 0
hist = im.histogram()
hist_size = float(sum(hist))
hist = [h / hist_size... | [
"def",
"image_entropy",
"(",
"im",
")",
":",
"if",
"not",
"isinstance",
"(",
"im",
",",
"Image",
".",
"Image",
")",
":",
"# Can only deal with PIL images. Fall back to a constant entropy.",
"return",
"0",
"hist",
"=",
"im",
".",
"histogram",
"(",
")",
"hist_size... | Calculate the entropy of an image. Used for "smart cropping". | [
"Calculate",
"the",
"entropy",
"of",
"an",
"image",
".",
"Used",
"for",
"smart",
"cropping",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/utils.py#L18-L28 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/utils.py | dynamic_import | def dynamic_import(import_string):
"""
Dynamically import a module or object.
"""
# Use rfind rather than rsplit for Python 2.3 compatibility.
lastdot = import_string.rfind('.')
if lastdot == -1:
return __import__(import_string, {}, {}, [])
module_name, attr = import_string[:lastdot]... | python | def dynamic_import(import_string):
"""
Dynamically import a module or object.
"""
# Use rfind rather than rsplit for Python 2.3 compatibility.
lastdot = import_string.rfind('.')
if lastdot == -1:
return __import__(import_string, {}, {}, [])
module_name, attr = import_string[:lastdot]... | [
"def",
"dynamic_import",
"(",
"import_string",
")",
":",
"# Use rfind rather than rsplit for Python 2.3 compatibility.",
"lastdot",
"=",
"import_string",
".",
"rfind",
"(",
"'.'",
")",
"if",
"lastdot",
"==",
"-",
"1",
":",
"return",
"__import__",
"(",
"import_string",... | Dynamically import a module or object. | [
"Dynamically",
"import",
"a",
"module",
"or",
"object",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/utils.py#L31-L41 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/utils.py | is_transparent | def is_transparent(image):
"""
Check to see if an image is transparent.
"""
if not isinstance(image, Image.Image):
# Can only deal with PIL images, fall back to the assumption that that
# it's not transparent.
return False
return (image.mode in ('RGBA', 'LA') or
(... | python | def is_transparent(image):
"""
Check to see if an image is transparent.
"""
if not isinstance(image, Image.Image):
# Can only deal with PIL images, fall back to the assumption that that
# it's not transparent.
return False
return (image.mode in ('RGBA', 'LA') or
(... | [
"def",
"is_transparent",
"(",
"image",
")",
":",
"if",
"not",
"isinstance",
"(",
"image",
",",
"Image",
".",
"Image",
")",
":",
"# Can only deal with PIL images, fall back to the assumption that that",
"# it's not transparent.",
"return",
"False",
"return",
"(",
"image"... | Check to see if an image is transparent. | [
"Check",
"to",
"see",
"if",
"an",
"image",
"is",
"transparent",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/utils.py#L89-L98 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/utils.py | is_progressive | def is_progressive(image):
"""
Check to see if an image is progressive.
"""
if not isinstance(image, Image.Image):
# Can only check PIL images for progressive encoding.
return False
return ('progressive' in image.info) or ('progression' in image.info) | python | def is_progressive(image):
"""
Check to see if an image is progressive.
"""
if not isinstance(image, Image.Image):
# Can only check PIL images for progressive encoding.
return False
return ('progressive' in image.info) or ('progression' in image.info) | [
"def",
"is_progressive",
"(",
"image",
")",
":",
"if",
"not",
"isinstance",
"(",
"image",
",",
"Image",
".",
"Image",
")",
":",
"# Can only check PIL images for progressive encoding.",
"return",
"False",
"return",
"(",
"'progressive'",
"in",
"image",
".",
"info",
... | Check to see if an image is progressive. | [
"Check",
"to",
"see",
"if",
"an",
"image",
"is",
"progressive",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/utils.py#L101-L108 | train |
SmileyChris/easy-thumbnails | easy_thumbnails/utils.py | get_modified_time | def get_modified_time(storage, name):
"""
Get modified time from storage, ensuring the result is a timezone-aware
datetime.
"""
try:
try:
# Prefer Django 1.10 API and fall back to old one
modified_time = storage.get_modified_time(name)
except AttributeError:
... | python | def get_modified_time(storage, name):
"""
Get modified time from storage, ensuring the result is a timezone-aware
datetime.
"""
try:
try:
# Prefer Django 1.10 API and fall back to old one
modified_time = storage.get_modified_time(name)
except AttributeError:
... | [
"def",
"get_modified_time",
"(",
"storage",
",",
"name",
")",
":",
"try",
":",
"try",
":",
"# Prefer Django 1.10 API and fall back to old one",
"modified_time",
"=",
"storage",
".",
"get_modified_time",
"(",
"name",
")",
"except",
"AttributeError",
":",
"modified_time... | Get modified time from storage, ensuring the result is a timezone-aware
datetime. | [
"Get",
"modified",
"time",
"from",
"storage",
"ensuring",
"the",
"result",
"is",
"a",
"timezone",
"-",
"aware",
"datetime",
"."
] | b08ab44883bf7b221a98dadb9b589cb95d35b0bf | https://github.com/SmileyChris/easy-thumbnails/blob/b08ab44883bf7b221a98dadb9b589cb95d35b0bf/easy_thumbnails/utils.py#L140-L159 | train |
dr-leo/pandaSDMX | pandasdmx/utils/anynamedtuple.py | namedtuple | def namedtuple(typename, field_names, verbose=False, rename=False):
"""Returns a new subclass of tuple with named fields.
This is a patched version of collections.namedtuple from the stdlib.
Unlike the latter, it accepts non-identifier strings as field names.
All values are accessible through dict synta... | python | def namedtuple(typename, field_names, verbose=False, rename=False):
"""Returns a new subclass of tuple with named fields.
This is a patched version of collections.namedtuple from the stdlib.
Unlike the latter, it accepts non-identifier strings as field names.
All values are accessible through dict synta... | [
"def",
"namedtuple",
"(",
"typename",
",",
"field_names",
",",
"verbose",
"=",
"False",
",",
"rename",
"=",
"False",
")",
":",
"if",
"isinstance",
"(",
"field_names",
",",
"str",
")",
":",
"field_names",
"=",
"field_names",
".",
"replace",
"(",
"','",
",... | Returns a new subclass of tuple with named fields.
This is a patched version of collections.namedtuple from the stdlib.
Unlike the latter, it accepts non-identifier strings as field names.
All values are accessible through dict syntax. Fields whose names are
identifiers are also accessible via attribute... | [
"Returns",
"a",
"new",
"subclass",
"of",
"tuple",
"with",
"named",
"fields",
".",
"This",
"is",
"a",
"patched",
"version",
"of",
"collections",
".",
"namedtuple",
"from",
"the",
"stdlib",
".",
"Unlike",
"the",
"latter",
"it",
"accepts",
"non",
"-",
"identi... | 71dd81ebb0d5169e5adcb8b52d516573d193f2d6 | https://github.com/dr-leo/pandaSDMX/blob/71dd81ebb0d5169e5adcb8b52d516573d193f2d6/pandasdmx/utils/anynamedtuple.py#L89-L172 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.