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 |
|---|---|---|---|---|---|---|---|---|---|---|---|
sofiatolaosebikan/hopcroftkarp | hopcroftkarp/__init__.py | HopcroftKarp.__dfs | def __dfs(self, v, index, layers):
"""
we recursively run dfs on each vertices in free_vertex,
:param v: vertices in free_vertex
:return: True if P is not empty (i.e., the maximal set of vertex-disjoint alternating path of length k)
and false otherwise.
"""
if in... | python | def __dfs(self, v, index, layers):
"""
we recursively run dfs on each vertices in free_vertex,
:param v: vertices in free_vertex
:return: True if P is not empty (i.e., the maximal set of vertex-disjoint alternating path of length k)
and false otherwise.
"""
if in... | [
"def",
"__dfs",
"(",
"self",
",",
"v",
",",
"index",
",",
"layers",
")",
":",
"if",
"index",
"==",
"0",
":",
"path",
"=",
"[",
"v",
"]",
"while",
"self",
".",
"_dfs_parent",
"[",
"v",
"]",
"!=",
"v",
":",
"path",
".",
"append",
"(",
"self",
"... | we recursively run dfs on each vertices in free_vertex,
:param v: vertices in free_vertex
:return: True if P is not empty (i.e., the maximal set of vertex-disjoint alternating path of length k)
and false otherwise. | [
"we",
"recursively",
"run",
"dfs",
"on",
"each",
"vertices",
"in",
"free_vertex"
] | 5e6cf4f95702304847307a07d369f8041edff8c9 | https://github.com/sofiatolaosebikan/hopcroftkarp/blob/5e6cf4f95702304847307a07d369f8041edff8c9/hopcroftkarp/__init__.py#L84-L109 | train |
tehmaze/parser | parser/base.py | Parser.method | def method(self, symbol):
'''
Symbol decorator.
'''
assert issubclass(symbol, SymbolBase)
def wrapped(fn):
setattr(symbol, fn.__name__, fn)
return wrapped | python | def method(self, symbol):
'''
Symbol decorator.
'''
assert issubclass(symbol, SymbolBase)
def wrapped(fn):
setattr(symbol, fn.__name__, fn)
return wrapped | [
"def",
"method",
"(",
"self",
",",
"symbol",
")",
":",
"assert",
"issubclass",
"(",
"symbol",
",",
"SymbolBase",
")",
"def",
"wrapped",
"(",
"fn",
")",
":",
"setattr",
"(",
"symbol",
",",
"fn",
".",
"__name__",
",",
"fn",
")",
"return",
"wrapped"
] | Symbol decorator. | [
"Symbol",
"decorator",
"."
] | ccc69236304b2f00671f14c62433e8830b838101 | https://github.com/tehmaze/parser/blob/ccc69236304b2f00671f14c62433e8830b838101/parser/base.py#L69-L76 | train |
antoniobotelho/py-business-calendar | business_calendar/business_calendar.py | _simpleparsefun | def _simpleparsefun(date):
"""Simple date parsing function"""
if hasattr(date, 'year'):
return date
try:
date = datetime.datetime.strptime(date, '%Y-%m-%d')
except ValueError:
date = datetime.datetime.strptime(date, '%Y-%m-%d %H:%M:%S')
return date | python | def _simpleparsefun(date):
"""Simple date parsing function"""
if hasattr(date, 'year'):
return date
try:
date = datetime.datetime.strptime(date, '%Y-%m-%d')
except ValueError:
date = datetime.datetime.strptime(date, '%Y-%m-%d %H:%M:%S')
return date | [
"def",
"_simpleparsefun",
"(",
"date",
")",
":",
"if",
"hasattr",
"(",
"date",
",",
"'year'",
")",
":",
"return",
"date",
"try",
":",
"date",
"=",
"datetime",
".",
"datetime",
".",
"strptime",
"(",
"date",
",",
"'%Y-%m-%d'",
")",
"except",
"ValueError",
... | Simple date parsing function | [
"Simple",
"date",
"parsing",
"function"
] | 92365fbddd043e41e33b01f1ddd9dd6a5094c031 | https://github.com/antoniobotelho/py-business-calendar/blob/92365fbddd043e41e33b01f1ddd9dd6a5094c031/business_calendar/business_calendar.py#L63-L71 | train |
nephila/django-knocker | knocker/mixins.py | KnockerModel._connect | def _connect(cls):
"""
Connect signal to current model
"""
post_save.connect(
notify_items, sender=cls,
dispatch_uid='knocker_{0}'.format(cls.__name__)
) | python | def _connect(cls):
"""
Connect signal to current model
"""
post_save.connect(
notify_items, sender=cls,
dispatch_uid='knocker_{0}'.format(cls.__name__)
) | [
"def",
"_connect",
"(",
"cls",
")",
":",
"post_save",
".",
"connect",
"(",
"notify_items",
",",
"sender",
"=",
"cls",
",",
"dispatch_uid",
"=",
"'knocker_{0}'",
".",
"format",
"(",
"cls",
".",
"__name__",
")",
")"
] | Connect signal to current model | [
"Connect",
"signal",
"to",
"current",
"model"
] | d25380d43a1f91285f1581dcf9db8510fe87f354 | https://github.com/nephila/django-knocker/blob/d25380d43a1f91285f1581dcf9db8510fe87f354/knocker/mixins.py#L31-L38 | train |
nephila/django-knocker | knocker/mixins.py | KnockerModel._disconnect | def _disconnect(cls):
"""
Disconnect signal from current model
"""
post_save.disconnect(
notify_items, sender=cls,
dispatch_uid='knocker_{0}'.format(cls.__name__)
) | python | def _disconnect(cls):
"""
Disconnect signal from current model
"""
post_save.disconnect(
notify_items, sender=cls,
dispatch_uid='knocker_{0}'.format(cls.__name__)
) | [
"def",
"_disconnect",
"(",
"cls",
")",
":",
"post_save",
".",
"disconnect",
"(",
"notify_items",
",",
"sender",
"=",
"cls",
",",
"dispatch_uid",
"=",
"'knocker_{0}'",
".",
"format",
"(",
"cls",
".",
"__name__",
")",
")"
] | Disconnect signal from current model | [
"Disconnect",
"signal",
"from",
"current",
"model"
] | d25380d43a1f91285f1581dcf9db8510fe87f354 | https://github.com/nephila/django-knocker/blob/d25380d43a1f91285f1581dcf9db8510fe87f354/knocker/mixins.py#L41-L48 | train |
nephila/django-knocker | knocker/mixins.py | KnockerModel.as_knock | def as_knock(self, created=False):
"""
Returns a dictionary with the knock data built from _knocker_data
"""
knock = {}
if self.should_knock(created):
for field, data in self._retrieve_data(None, self._knocker_data):
knock[field] = data
return ... | python | def as_knock(self, created=False):
"""
Returns a dictionary with the knock data built from _knocker_data
"""
knock = {}
if self.should_knock(created):
for field, data in self._retrieve_data(None, self._knocker_data):
knock[field] = data
return ... | [
"def",
"as_knock",
"(",
"self",
",",
"created",
"=",
"False",
")",
":",
"knock",
"=",
"{",
"}",
"if",
"self",
".",
"should_knock",
"(",
"created",
")",
":",
"for",
"field",
",",
"data",
"in",
"self",
".",
"_retrieve_data",
"(",
"None",
",",
"self",
... | Returns a dictionary with the knock data built from _knocker_data | [
"Returns",
"a",
"dictionary",
"with",
"the",
"knock",
"data",
"built",
"from",
"_knocker_data"
] | d25380d43a1f91285f1581dcf9db8510fe87f354 | https://github.com/nephila/django-knocker/blob/d25380d43a1f91285f1581dcf9db8510fe87f354/knocker/mixins.py#L97-L105 | train |
nephila/django-knocker | knocker/mixins.py | KnockerModel.send_knock | def send_knock(self, created=False):
"""
Send the knock in the associated channels Group
"""
knock = self.as_knock(created)
if knock:
gr = Group('knocker-{0}'.format(knock['language']))
gr.send({'text': json.dumps(knock)}) | python | def send_knock(self, created=False):
"""
Send the knock in the associated channels Group
"""
knock = self.as_knock(created)
if knock:
gr = Group('knocker-{0}'.format(knock['language']))
gr.send({'text': json.dumps(knock)}) | [
"def",
"send_knock",
"(",
"self",
",",
"created",
"=",
"False",
")",
":",
"knock",
"=",
"self",
".",
"as_knock",
"(",
"created",
")",
"if",
"knock",
":",
"gr",
"=",
"Group",
"(",
"'knocker-{0}'",
".",
"format",
"(",
"knock",
"[",
"'language'",
"]",
"... | Send the knock in the associated channels Group | [
"Send",
"the",
"knock",
"in",
"the",
"associated",
"channels",
"Group"
] | d25380d43a1f91285f1581dcf9db8510fe87f354 | https://github.com/nephila/django-knocker/blob/d25380d43a1f91285f1581dcf9db8510fe87f354/knocker/mixins.py#L107-L114 | train |
ryukinix/decorating | decorating/color.py | colorize | def colorize(printable, color, style='normal', autoreset=True):
"""Colorize some message with ANSI colors specification
:param printable: interface whose has __str__ or __repr__ method
:param color: the colors defined in COLOR_MAP to colorize the text
:style: can be 'normal', 'bold' or 'underline'
... | python | def colorize(printable, color, style='normal', autoreset=True):
"""Colorize some message with ANSI colors specification
:param printable: interface whose has __str__ or __repr__ method
:param color: the colors defined in COLOR_MAP to colorize the text
:style: can be 'normal', 'bold' or 'underline'
... | [
"def",
"colorize",
"(",
"printable",
",",
"color",
",",
"style",
"=",
"'normal'",
",",
"autoreset",
"=",
"True",
")",
":",
"if",
"not",
"COLORED",
":",
"# disable color",
"return",
"printable",
"if",
"color",
"not",
"in",
"COLOR_MAP",
":",
"raise",
"Runtim... | Colorize some message with ANSI colors specification
:param printable: interface whose has __str__ or __repr__ method
:param color: the colors defined in COLOR_MAP to colorize the text
:style: can be 'normal', 'bold' or 'underline'
:returns: the 'printable' colorized with style | [
"Colorize",
"some",
"message",
"with",
"ANSI",
"colors",
"specification"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/color.py#L45-L63 | train |
FortyNorthSecurity/Hasher | hashes/common/helpers.py | color | def color(string, status=True, warning=False, bold=True):
"""
Change text color for the linux terminal, defaults to green.
Set "warning=True" for red.
"""
attr = []
if status:
# green
attr.append('32')
if warning:
# red
attr.append('31')
if bold:
a... | python | def color(string, status=True, warning=False, bold=True):
"""
Change text color for the linux terminal, defaults to green.
Set "warning=True" for red.
"""
attr = []
if status:
# green
attr.append('32')
if warning:
# red
attr.append('31')
if bold:
a... | [
"def",
"color",
"(",
"string",
",",
"status",
"=",
"True",
",",
"warning",
"=",
"False",
",",
"bold",
"=",
"True",
")",
":",
"attr",
"=",
"[",
"]",
"if",
"status",
":",
"# green",
"attr",
".",
"append",
"(",
"'32'",
")",
"if",
"warning",
":",
"# ... | Change text color for the linux terminal, defaults to green.
Set "warning=True" for red. | [
"Change",
"text",
"color",
"for",
"the",
"linux",
"terminal",
"defaults",
"to",
"green",
".",
"Set",
"warning",
"=",
"True",
"for",
"red",
"."
] | 40173c56b36680ab1ddc57a9c13c36b3a1ec51c3 | https://github.com/FortyNorthSecurity/Hasher/blob/40173c56b36680ab1ddc57a9c13c36b3a1ec51c3/hashes/common/helpers.py#L10-L24 | train |
marrow/mongo | marrow/mongo/util/capped.py | _patch | def _patch():
"""Patch pymongo's Collection object to add a tail method.
While not nessicarily recommended, you can use this to inject `tail` as a method into Collection, making it
generally accessible.
"""
if not __debug__: # pragma: no cover
import warnings
warnings.warn("A catgirl has died.", ImportWar... | python | def _patch():
"""Patch pymongo's Collection object to add a tail method.
While not nessicarily recommended, you can use this to inject `tail` as a method into Collection, making it
generally accessible.
"""
if not __debug__: # pragma: no cover
import warnings
warnings.warn("A catgirl has died.", ImportWar... | [
"def",
"_patch",
"(",
")",
":",
"if",
"not",
"__debug__",
":",
"# pragma: no cover",
"import",
"warnings",
"warnings",
".",
"warn",
"(",
"\"A catgirl has died.\"",
",",
"ImportWarning",
")",
"from",
"pymongo",
".",
"collection",
"import",
"Collection",
"Collection... | Patch pymongo's Collection object to add a tail method.
While not nessicarily recommended, you can use this to inject `tail` as a method into Collection, making it
generally accessible. | [
"Patch",
"pymongo",
"s",
"Collection",
"object",
"to",
"add",
"a",
"tail",
"method",
".",
"While",
"not",
"nessicarily",
"recommended",
"you",
"can",
"use",
"this",
"to",
"inject",
"tail",
"as",
"a",
"method",
"into",
"Collection",
"making",
"it",
"generally... | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/util/capped.py#L49-L61 | train |
marrow/mongo | marrow/mongo/core/trait/queryable.py | Queryable._prepare_find | def _prepare_find(cls, *args, **kw):
"""Execute a find and return the resulting queryset using combined plain and parametric query generation.
Additionally, performs argument case normalization, refer to the `_prepare_query` method's docstring.
"""
cls, collection, query, options = cls._prepare_query(
... | python | def _prepare_find(cls, *args, **kw):
"""Execute a find and return the resulting queryset using combined plain and parametric query generation.
Additionally, performs argument case normalization, refer to the `_prepare_query` method's docstring.
"""
cls, collection, query, options = cls._prepare_query(
... | [
"def",
"_prepare_find",
"(",
"cls",
",",
"*",
"args",
",",
"*",
"*",
"kw",
")",
":",
"cls",
",",
"collection",
",",
"query",
",",
"options",
"=",
"cls",
".",
"_prepare_query",
"(",
"cls",
".",
"FIND_MAPPING",
",",
"cls",
".",
"FIND_OPTIONS",
",",
"*"... | Execute a find and return the resulting queryset using combined plain and parametric query generation.
Additionally, performs argument case normalization, refer to the `_prepare_query` method's docstring. | [
"Execute",
"a",
"find",
"and",
"return",
"the",
"resulting",
"queryset",
"using",
"combined",
"plain",
"and",
"parametric",
"query",
"generation",
".",
"Additionally",
"performs",
"argument",
"case",
"normalization",
"refer",
"to",
"the",
"_prepare_query",
"method",... | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/queryable.py#L113-L146 | train |
marrow/mongo | marrow/mongo/core/trait/queryable.py | Queryable.reload | def reload(self, *fields, **kw):
"""Reload the entire document from the database, or refresh specific named top-level fields."""
Doc, collection, query, options = self._prepare_find(id=self.id, projection=fields, **kw)
result = collection.find_one(query, **options)
if fields: # Refresh only the requested... | python | def reload(self, *fields, **kw):
"""Reload the entire document from the database, or refresh specific named top-level fields."""
Doc, collection, query, options = self._prepare_find(id=self.id, projection=fields, **kw)
result = collection.find_one(query, **options)
if fields: # Refresh only the requested... | [
"def",
"reload",
"(",
"self",
",",
"*",
"fields",
",",
"*",
"*",
"kw",
")",
":",
"Doc",
",",
"collection",
",",
"query",
",",
"options",
"=",
"self",
".",
"_prepare_find",
"(",
"id",
"=",
"self",
".",
"id",
",",
"projection",
"=",
"fields",
",",
... | Reload the entire document from the database, or refresh specific named top-level fields. | [
"Reload",
"the",
"entire",
"document",
"from",
"the",
"database",
"or",
"refresh",
"specific",
"named",
"top",
"-",
"level",
"fields",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/queryable.py#L271-L284 | train |
andrasmaroy/pconf | pconf/pconf.py | Pconf.get | def get(cls):
"""Get values gathered from the previously set hierarchy.
Respects the order in which sources are set, the first source set
has the highest priority, overrides values with the same key that
exist in sources with lower priority.
Returns:
dict: The dicti... | python | def get(cls):
"""Get values gathered from the previously set hierarchy.
Respects the order in which sources are set, the first source set
has the highest priority, overrides values with the same key that
exist in sources with lower priority.
Returns:
dict: The dicti... | [
"def",
"get",
"(",
"cls",
")",
":",
"results",
"=",
"{",
"}",
"hierarchy",
"=",
"cls",
".",
"__hierarchy",
"hierarchy",
".",
"reverse",
"(",
")",
"for",
"storeMethod",
"in",
"hierarchy",
":",
"cls",
".",
"merger",
".",
"merge",
"(",
"results",
",",
"... | Get values gathered from the previously set hierarchy.
Respects the order in which sources are set, the first source set
has the highest priority, overrides values with the same key that
exist in sources with lower priority.
Returns:
dict: The dictionary containing values g... | [
"Get",
"values",
"gathered",
"from",
"the",
"previously",
"set",
"hierarchy",
"."
] | 1f930bf4e88bf8b4732fcc95557c66f3608b8821 | https://github.com/andrasmaroy/pconf/blob/1f930bf4e88bf8b4732fcc95557c66f3608b8821/pconf/pconf.py#L27-L45 | train |
andrasmaroy/pconf | pconf/pconf.py | Pconf.argv | def argv(cls, name, short_name=None, type=None, help=None):
""" Set command line arguments as a source
Parses the command line arguments described by the parameters.
Args:
name: the long name of the argument (foo)
short_name: the optional short name of the argument (f)
... | python | def argv(cls, name, short_name=None, type=None, help=None):
""" Set command line arguments as a source
Parses the command line arguments described by the parameters.
Args:
name: the long name of the argument (foo)
short_name: the optional short name of the argument (f)
... | [
"def",
"argv",
"(",
"cls",
",",
"name",
",",
"short_name",
"=",
"None",
",",
"type",
"=",
"None",
",",
"help",
"=",
"None",
")",
":",
"cls",
".",
"__hierarchy",
".",
"append",
"(",
"argv",
".",
"Argv",
"(",
"name",
",",
"short_name",
",",
"type",
... | Set command line arguments as a source
Parses the command line arguments described by the parameters.
Args:
name: the long name of the argument (foo)
short_name: the optional short name of the argument (f)
type: the optional type of the argument, defaults to bool
... | [
"Set",
"command",
"line",
"arguments",
"as",
"a",
"source"
] | 1f930bf4e88bf8b4732fcc95557c66f3608b8821 | https://github.com/andrasmaroy/pconf/blob/1f930bf4e88bf8b4732fcc95557c66f3608b8821/pconf/pconf.py#L72-L83 | train |
andrasmaroy/pconf | pconf/pconf.py | Pconf.env | def env(cls, separator=None, match=None, whitelist=None, parse_values=None, to_lower=None, convert_underscores=None):
"""Set environment variables as a source.
By default all environment variables available to the process are used.
This can be narrowed by the args.
Args:
se... | python | def env(cls, separator=None, match=None, whitelist=None, parse_values=None, to_lower=None, convert_underscores=None):
"""Set environment variables as a source.
By default all environment variables available to the process are used.
This can be narrowed by the args.
Args:
se... | [
"def",
"env",
"(",
"cls",
",",
"separator",
"=",
"None",
",",
"match",
"=",
"None",
",",
"whitelist",
"=",
"None",
",",
"parse_values",
"=",
"None",
",",
"to_lower",
"=",
"None",
",",
"convert_underscores",
"=",
"None",
")",
":",
"cls",
".",
"__hierarc... | Set environment variables as a source.
By default all environment variables available to the process are used.
This can be narrowed by the args.
Args:
separator: Keys are split along this character, the resulting
splits are considered nested values.
matc... | [
"Set",
"environment",
"variables",
"as",
"a",
"source",
"."
] | 1f930bf4e88bf8b4732fcc95557c66f3608b8821 | https://github.com/andrasmaroy/pconf/blob/1f930bf4e88bf8b4732fcc95557c66f3608b8821/pconf/pconf.py#L86-L104 | train |
andrasmaroy/pconf | pconf/pconf.py | Pconf.file | def file(cls, path, encoding=None, parser=None):
"""Set a file as a source.
File are parsed as literal python dicts by default, this behaviour
can be configured.
Args:
path: The path to the file to be parsed
encoding: The encoding of the file.
De... | python | def file(cls, path, encoding=None, parser=None):
"""Set a file as a source.
File are parsed as literal python dicts by default, this behaviour
can be configured.
Args:
path: The path to the file to be parsed
encoding: The encoding of the file.
De... | [
"def",
"file",
"(",
"cls",
",",
"path",
",",
"encoding",
"=",
"None",
",",
"parser",
"=",
"None",
")",
":",
"cls",
".",
"__hierarchy",
".",
"append",
"(",
"file",
".",
"File",
"(",
"path",
",",
"encoding",
",",
"parser",
")",
")"
] | Set a file as a source.
File are parsed as literal python dicts by default, this behaviour
can be configured.
Args:
path: The path to the file to be parsed
encoding: The encoding of the file.
Defaults to 'raw'. Available built-in values: 'ini', 'json', '... | [
"Set",
"a",
"file",
"as",
"a",
"source",
"."
] | 1f930bf4e88bf8b4732fcc95557c66f3608b8821 | https://github.com/andrasmaroy/pconf/blob/1f930bf4e88bf8b4732fcc95557c66f3608b8821/pconf/pconf.py#L107-L122 | train |
marrow/mongo | marrow/mongo/param/project.py | P | def P(Document, *fields, **kw):
"""Generate a MongoDB projection dictionary using the Django ORM style."""
__always__ = kw.pop('__always__', set())
projected = set()
omitted = set()
for field in fields:
if field[0] in ('-', '!'):
omitted.add(field[1:])
elif field[0] == '+':
projected.add(field[1:])
... | python | def P(Document, *fields, **kw):
"""Generate a MongoDB projection dictionary using the Django ORM style."""
__always__ = kw.pop('__always__', set())
projected = set()
omitted = set()
for field in fields:
if field[0] in ('-', '!'):
omitted.add(field[1:])
elif field[0] == '+':
projected.add(field[1:])
... | [
"def",
"P",
"(",
"Document",
",",
"*",
"fields",
",",
"*",
"*",
"kw",
")",
":",
"__always__",
"=",
"kw",
".",
"pop",
"(",
"'__always__'",
",",
"set",
"(",
")",
")",
"projected",
"=",
"set",
"(",
")",
"omitted",
"=",
"set",
"(",
")",
"for",
"fie... | Generate a MongoDB projection dictionary using the Django ORM style. | [
"Generate",
"a",
"MongoDB",
"projection",
"dictionary",
"using",
"the",
"Django",
"ORM",
"style",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/param/project.py#L11-L35 | train |
marrow/mongo | web/session/mongo.py | MongoSession.is_valid | def is_valid(self, context, sid):
"""Identify if the given session ID is currently valid.
Return True if valid, False if explicitly invalid, None if unknown.
"""
record = self._Document.find_one(sid, project=('expires', ))
if not record:
return
return not record._expired | python | def is_valid(self, context, sid):
"""Identify if the given session ID is currently valid.
Return True if valid, False if explicitly invalid, None if unknown.
"""
record = self._Document.find_one(sid, project=('expires', ))
if not record:
return
return not record._expired | [
"def",
"is_valid",
"(",
"self",
",",
"context",
",",
"sid",
")",
":",
"record",
"=",
"self",
".",
"_Document",
".",
"find_one",
"(",
"sid",
",",
"project",
"=",
"(",
"'expires'",
",",
")",
")",
"if",
"not",
"record",
":",
"return",
"return",
"not",
... | Identify if the given session ID is currently valid.
Return True if valid, False if explicitly invalid, None if unknown. | [
"Identify",
"if",
"the",
"given",
"session",
"ID",
"is",
"currently",
"valid",
".",
"Return",
"True",
"if",
"valid",
"False",
"if",
"explicitly",
"invalid",
"None",
"if",
"unknown",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/web/session/mongo.py#L55-L66 | train |
marrow/mongo | web/session/mongo.py | MongoSession.invalidate | def invalidate(self, context, sid):
"""Immediately expire a session from the backing store."""
result = self._Document.get_collection().delete_one({'_id': sid})
return result.deleted_count == 1 | python | def invalidate(self, context, sid):
"""Immediately expire a session from the backing store."""
result = self._Document.get_collection().delete_one({'_id': sid})
return result.deleted_count == 1 | [
"def",
"invalidate",
"(",
"self",
",",
"context",
",",
"sid",
")",
":",
"result",
"=",
"self",
".",
"_Document",
".",
"get_collection",
"(",
")",
".",
"delete_one",
"(",
"{",
"'_id'",
":",
"sid",
"}",
")",
"return",
"result",
".",
"deleted_count",
"=="... | Immediately expire a session from the backing store. | [
"Immediately",
"expire",
"a",
"session",
"from",
"the",
"backing",
"store",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/web/session/mongo.py#L68-L73 | train |
marrow/mongo | web/session/mongo.py | MongoSession.persist | def persist(self, context):
"""Update or insert the session document into the configured collection"""
D = self._Document
document = context.session[self.name]
D.get_collection().replace_one(D.id == document.id, document, True) | python | def persist(self, context):
"""Update or insert the session document into the configured collection"""
D = self._Document
document = context.session[self.name]
D.get_collection().replace_one(D.id == document.id, document, True) | [
"def",
"persist",
"(",
"self",
",",
"context",
")",
":",
"D",
"=",
"self",
".",
"_Document",
"document",
"=",
"context",
".",
"session",
"[",
"self",
".",
"name",
"]",
"D",
".",
"get_collection",
"(",
")",
".",
"replace_one",
"(",
"D",
".",
"id",
"... | Update or insert the session document into the configured collection | [
"Update",
"or",
"insert",
"the",
"session",
"document",
"into",
"the",
"configured",
"collection"
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/web/session/mongo.py#L92-L98 | train |
nephila/django-knocker | knocker/consumers.py | ws_connect | def ws_connect(message):
"""
Channels connection setup.
Register the current client on the related Group according to the language
"""
prefix, language = message['path'].strip('/').split('/')
gr = Group('knocker-{0}'.format(language))
gr.add(message.reply_channel)
message.channel_session... | python | def ws_connect(message):
"""
Channels connection setup.
Register the current client on the related Group according to the language
"""
prefix, language = message['path'].strip('/').split('/')
gr = Group('knocker-{0}'.format(language))
gr.add(message.reply_channel)
message.channel_session... | [
"def",
"ws_connect",
"(",
"message",
")",
":",
"prefix",
",",
"language",
"=",
"message",
"[",
"'path'",
"]",
".",
"strip",
"(",
"'/'",
")",
".",
"split",
"(",
"'/'",
")",
"gr",
"=",
"Group",
"(",
"'knocker-{0}'",
".",
"format",
"(",
"language",
")",... | Channels connection setup.
Register the current client on the related Group according to the language | [
"Channels",
"connection",
"setup",
".",
"Register",
"the",
"current",
"client",
"on",
"the",
"related",
"Group",
"according",
"to",
"the",
"language"
] | d25380d43a1f91285f1581dcf9db8510fe87f354 | https://github.com/nephila/django-knocker/blob/d25380d43a1f91285f1581dcf9db8510fe87f354/knocker/consumers.py#L9-L18 | train |
nephila/django-knocker | knocker/consumers.py | ws_disconnect | def ws_disconnect(message):
"""
Channels connection close.
Deregister the client
"""
language = message.channel_session['knocker']
gr = Group('knocker-{0}'.format(language))
gr.discard(message.reply_channel) | python | def ws_disconnect(message):
"""
Channels connection close.
Deregister the client
"""
language = message.channel_session['knocker']
gr = Group('knocker-{0}'.format(language))
gr.discard(message.reply_channel) | [
"def",
"ws_disconnect",
"(",
"message",
")",
":",
"language",
"=",
"message",
".",
"channel_session",
"[",
"'knocker'",
"]",
"gr",
"=",
"Group",
"(",
"'knocker-{0}'",
".",
"format",
"(",
"language",
")",
")",
"gr",
".",
"discard",
"(",
"message",
".",
"r... | Channels connection close.
Deregister the client | [
"Channels",
"connection",
"close",
".",
"Deregister",
"the",
"client"
] | d25380d43a1f91285f1581dcf9db8510fe87f354 | https://github.com/nephila/django-knocker/blob/d25380d43a1f91285f1581dcf9db8510fe87f354/knocker/consumers.py#L30-L37 | train |
ryukinix/decorating | decorating/animation.py | AnimatedDecorator.start | def start(self, autopush=True):
"""Start a new animation instance"""
if self.enabled:
if autopush:
self.push_message(self.message)
self.spinner.message = ' - '.join(self.animation.messages)
if not self.spinner.running:
self.animatio... | python | def start(self, autopush=True):
"""Start a new animation instance"""
if self.enabled:
if autopush:
self.push_message(self.message)
self.spinner.message = ' - '.join(self.animation.messages)
if not self.spinner.running:
self.animatio... | [
"def",
"start",
"(",
"self",
",",
"autopush",
"=",
"True",
")",
":",
"if",
"self",
".",
"enabled",
":",
"if",
"autopush",
":",
"self",
".",
"push_message",
"(",
"self",
".",
"message",
")",
"self",
".",
"spinner",
".",
"message",
"=",
"' - '",
".",
... | Start a new animation instance | [
"Start",
"a",
"new",
"animation",
"instance"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/animation.py#L235-L246 | train |
ryukinix/decorating | decorating/animation.py | AnimatedDecorator.stop | def stop(cls):
"""Stop the thread animation gracefully and reset_message"""
if AnimatedDecorator._enabled:
if cls.spinner.running:
cls.spinner.running = False
cls.animation.thread.join()
if any(cls.animation.messages):
cls.pop_mess... | python | def stop(cls):
"""Stop the thread animation gracefully and reset_message"""
if AnimatedDecorator._enabled:
if cls.spinner.running:
cls.spinner.running = False
cls.animation.thread.join()
if any(cls.animation.messages):
cls.pop_mess... | [
"def",
"stop",
"(",
"cls",
")",
":",
"if",
"AnimatedDecorator",
".",
"_enabled",
":",
"if",
"cls",
".",
"spinner",
".",
"running",
":",
"cls",
".",
"spinner",
".",
"running",
"=",
"False",
"cls",
".",
"animation",
".",
"thread",
".",
"join",
"(",
")"... | Stop the thread animation gracefully and reset_message | [
"Stop",
"the",
"thread",
"animation",
"gracefully",
"and",
"reset_message"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/animation.py#L249-L259 | train |
ryukinix/decorating | decorating/animation.py | AnimatedDecorator.auto_message | def auto_message(self, args):
"""Try guess the message by the args passed
args: a set of args passed on the wrapper __call__ in
the definition above.
if the object already have some message (defined in __init__),
we don't change that. If the first arg is a function, so is... | python | def auto_message(self, args):
"""Try guess the message by the args passed
args: a set of args passed on the wrapper __call__ in
the definition above.
if the object already have some message (defined in __init__),
we don't change that. If the first arg is a function, so is... | [
"def",
"auto_message",
"(",
"self",
",",
"args",
")",
":",
"if",
"any",
"(",
"args",
")",
"and",
"callable",
"(",
"args",
"[",
"0",
"]",
")",
"and",
"not",
"self",
".",
"message",
":",
"return",
"args",
"[",
"0",
"]",
".",
"__name__",
"elif",
"no... | Try guess the message by the args passed
args: a set of args passed on the wrapper __call__ in
the definition above.
if the object already have some message (defined in __init__),
we don't change that. If the first arg is a function, so is decorated
without argument, use ... | [
"Try",
"guess",
"the",
"message",
"by",
"the",
"args",
"passed"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/animation.py#L296-L315 | train |
ryukinix/decorating | decorating/animation.py | WritingDecorator.start | def start(self):
"""Activate the TypingStream on stdout"""
self.streams.append(sys.stdout)
sys.stdout = self.stream | python | def start(self):
"""Activate the TypingStream on stdout"""
self.streams.append(sys.stdout)
sys.stdout = self.stream | [
"def",
"start",
"(",
"self",
")",
":",
"self",
".",
"streams",
".",
"append",
"(",
"sys",
".",
"stdout",
")",
"sys",
".",
"stdout",
"=",
"self",
".",
"stream"
] | Activate the TypingStream on stdout | [
"Activate",
"the",
"TypingStream",
"on",
"stdout"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/animation.py#L353-L356 | train |
ryukinix/decorating | decorating/animation.py | WritingDecorator.stop | def stop(cls):
"""Change back the normal stdout after the end"""
if any(cls.streams):
sys.stdout = cls.streams.pop(-1)
else:
sys.stdout = sys.__stdout__ | python | def stop(cls):
"""Change back the normal stdout after the end"""
if any(cls.streams):
sys.stdout = cls.streams.pop(-1)
else:
sys.stdout = sys.__stdout__ | [
"def",
"stop",
"(",
"cls",
")",
":",
"if",
"any",
"(",
"cls",
".",
"streams",
")",
":",
"sys",
".",
"stdout",
"=",
"cls",
".",
"streams",
".",
"pop",
"(",
"-",
"1",
")",
"else",
":",
"sys",
".",
"stdout",
"=",
"sys",
".",
"__stdout__"
] | Change back the normal stdout after the end | [
"Change",
"back",
"the",
"normal",
"stdout",
"after",
"the",
"end"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/animation.py#L359-L364 | train |
marrow/mongo | marrow/mongo/core/trait/lockable.py | Lockable.prolong | def prolong(self):
"""Prolong the working duration of an already held lock.
Attempting to prolong a lock not already owned will result in a Locked exception.
"""
D = self.__class__
collection = self.get_collection()
identity = self.Lock()
query = D.id == self
query &= D.lock.instance == identit... | python | def prolong(self):
"""Prolong the working duration of an already held lock.
Attempting to prolong a lock not already owned will result in a Locked exception.
"""
D = self.__class__
collection = self.get_collection()
identity = self.Lock()
query = D.id == self
query &= D.lock.instance == identit... | [
"def",
"prolong",
"(",
"self",
")",
":",
"D",
"=",
"self",
".",
"__class__",
"collection",
"=",
"self",
".",
"get_collection",
"(",
")",
"identity",
"=",
"self",
".",
"Lock",
"(",
")",
"query",
"=",
"D",
".",
"id",
"==",
"self",
"query",
"&=",
"D",... | Prolong the working duration of an already held lock.
Attempting to prolong a lock not already owned will result in a Locked exception. | [
"Prolong",
"the",
"working",
"duration",
"of",
"an",
"already",
"held",
"lock",
".",
"Attempting",
"to",
"prolong",
"a",
"lock",
"not",
"already",
"owned",
"will",
"result",
"in",
"a",
"Locked",
"exception",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/lockable.py#L245-L271 | train |
marrow/mongo | marrow/mongo/core/trait/lockable.py | Lockable.release | def release(self, force=False):
"""Release an exclusive lock on this integration task.
Unless forcing, if we are not the current owners of the lock a Locked exception will be raised.
"""
D = self.__class__
collection = self.get_collection()
identity = self.Lock()
query = D.id == self
if not ... | python | def release(self, force=False):
"""Release an exclusive lock on this integration task.
Unless forcing, if we are not the current owners of the lock a Locked exception will be raised.
"""
D = self.__class__
collection = self.get_collection()
identity = self.Lock()
query = D.id == self
if not ... | [
"def",
"release",
"(",
"self",
",",
"force",
"=",
"False",
")",
":",
"D",
"=",
"self",
".",
"__class__",
"collection",
"=",
"self",
".",
"get_collection",
"(",
")",
"identity",
"=",
"self",
".",
"Lock",
"(",
")",
"query",
"=",
"D",
".",
"id",
"==",... | Release an exclusive lock on this integration task.
Unless forcing, if we are not the current owners of the lock a Locked exception will be raised. | [
"Release",
"an",
"exclusive",
"lock",
"on",
"this",
"integration",
"task",
".",
"Unless",
"forcing",
"if",
"we",
"are",
"not",
"the",
"current",
"owners",
"of",
"the",
"lock",
"a",
"Locked",
"exception",
"will",
"be",
"raised",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/lockable.py#L273-L299 | train |
ryukinix/decorating | decorating/stream.py | Animation.write | def write(self, message, autoerase=True):
"""Send something for stdout and erased after delay"""
super(Animation, self).write(message)
self.last_message = message
if autoerase:
time.sleep(self.interval)
self.erase(message) | python | def write(self, message, autoerase=True):
"""Send something for stdout and erased after delay"""
super(Animation, self).write(message)
self.last_message = message
if autoerase:
time.sleep(self.interval)
self.erase(message) | [
"def",
"write",
"(",
"self",
",",
"message",
",",
"autoerase",
"=",
"True",
")",
":",
"super",
"(",
"Animation",
",",
"self",
")",
".",
"write",
"(",
"message",
")",
"self",
".",
"last_message",
"=",
"message",
"if",
"autoerase",
":",
"time",
".",
"s... | Send something for stdout and erased after delay | [
"Send",
"something",
"for",
"stdout",
"and",
"erased",
"after",
"delay"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/stream.py#L82-L88 | train |
ryukinix/decorating | decorating/stream.py | Clean.write | def write(self, message, flush=False):
"""Write something on the default stream with a prefixed message"""
# this need be threadsafe because the concurrent spinning running on
# the stderr
with self.lock:
self.paralell_stream.erase()
super(Clean, self).write(messa... | python | def write(self, message, flush=False):
"""Write something on the default stream with a prefixed message"""
# this need be threadsafe because the concurrent spinning running on
# the stderr
with self.lock:
self.paralell_stream.erase()
super(Clean, self).write(messa... | [
"def",
"write",
"(",
"self",
",",
"message",
",",
"flush",
"=",
"False",
")",
":",
"# this need be threadsafe because the concurrent spinning running on",
"# the stderr",
"with",
"self",
".",
"lock",
":",
"self",
".",
"paralell_stream",
".",
"erase",
"(",
")",
"su... | Write something on the default stream with a prefixed message | [
"Write",
"something",
"on",
"the",
"default",
"stream",
"with",
"a",
"prefixed",
"message"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/stream.py#L120-L126 | train |
ryukinix/decorating | decorating/stream.py | Writting.write | def write(self, message, flush=True):
if isinstance(message, bytes): # pragma: no cover
message = message.decode('utf-8')
"""A Writting like write method, delayed at each char"""
for char in message:
time.sleep(self.delay * (4 if char == '\n' else 1))
super(... | python | def write(self, message, flush=True):
if isinstance(message, bytes): # pragma: no cover
message = message.decode('utf-8')
"""A Writting like write method, delayed at each char"""
for char in message:
time.sleep(self.delay * (4 if char == '\n' else 1))
super(... | [
"def",
"write",
"(",
"self",
",",
"message",
",",
"flush",
"=",
"True",
")",
":",
"if",
"isinstance",
"(",
"message",
",",
"bytes",
")",
":",
"# pragma: no cover",
"message",
"=",
"message",
".",
"decode",
"(",
"'utf-8'",
")",
"for",
"char",
"in",
"mes... | A Writting like write method, delayed at each char | [
"A",
"Writting",
"like",
"write",
"method",
"delayed",
"at",
"each",
"char"
] | df78c3f87800205701704c0bc0fb9b6bb908ba7e | https://github.com/ryukinix/decorating/blob/df78c3f87800205701704c0bc0fb9b6bb908ba7e/decorating/stream.py#L148-L155 | train |
marrow/mongo | marrow/mongo/core/trait/collection.py | Collection._get_default_projection | def _get_default_projection(cls):
"""Construct the default projection document."""
projected = [] # The fields explicitly requested for inclusion.
neutral = [] # Fields returning neutral (None) status.
omitted = False # Have any fields been explicitly omitted?
for name, field in cls.__fields__.items(... | python | def _get_default_projection(cls):
"""Construct the default projection document."""
projected = [] # The fields explicitly requested for inclusion.
neutral = [] # Fields returning neutral (None) status.
omitted = False # Have any fields been explicitly omitted?
for name, field in cls.__fields__.items(... | [
"def",
"_get_default_projection",
"(",
"cls",
")",
":",
"projected",
"=",
"[",
"]",
"# The fields explicitly requested for inclusion.",
"neutral",
"=",
"[",
"]",
"# Fields returning neutral (None) status.",
"omitted",
"=",
"False",
"# Have any fields been explicitly omitted?",
... | Construct the default projection document. | [
"Construct",
"the",
"default",
"projection",
"document",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/collection.py#L203-L226 | train |
marrow/mongo | marrow/mongo/util/__init__.py | adjust_attribute_sequence | def adjust_attribute_sequence(*fields):
"""Move marrow.schema fields around to control positional instantiation order."""
amount = None
if fields and isinstance(fields[0], int):
amount, fields = fields[0], fields[1:]
def adjust_inner(cls):
for field in fields:
if field not in cls.__dict__:
# TODO: ... | python | def adjust_attribute_sequence(*fields):
"""Move marrow.schema fields around to control positional instantiation order."""
amount = None
if fields and isinstance(fields[0], int):
amount, fields = fields[0], fields[1:]
def adjust_inner(cls):
for field in fields:
if field not in cls.__dict__:
# TODO: ... | [
"def",
"adjust_attribute_sequence",
"(",
"*",
"fields",
")",
":",
"amount",
"=",
"None",
"if",
"fields",
"and",
"isinstance",
"(",
"fields",
"[",
"0",
"]",
",",
"int",
")",
":",
"amount",
",",
"fields",
"=",
"fields",
"[",
"0",
"]",
",",
"fields",
"[... | Move marrow.schema fields around to control positional instantiation order. | [
"Move",
"marrow",
".",
"schema",
"fields",
"around",
"to",
"control",
"positional",
"instantiation",
"order",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/util/__init__.py#L26-L55 | train |
tonybaloney/retox | retox/__main__.py | get_hashes | def get_hashes(path, exclude=None):
'''
Get a dictionary of file paths and timestamps.
Paths matching `exclude` regex will be excluded.
'''
out = {}
for f in Path(path).rglob('*'):
if f.is_dir():
# We want to watch files, not directories.
continue
if excl... | python | def get_hashes(path, exclude=None):
'''
Get a dictionary of file paths and timestamps.
Paths matching `exclude` regex will be excluded.
'''
out = {}
for f in Path(path).rglob('*'):
if f.is_dir():
# We want to watch files, not directories.
continue
if excl... | [
"def",
"get_hashes",
"(",
"path",
",",
"exclude",
"=",
"None",
")",
":",
"out",
"=",
"{",
"}",
"for",
"f",
"in",
"Path",
"(",
"path",
")",
".",
"rglob",
"(",
"'*'",
")",
":",
"if",
"f",
".",
"is_dir",
"(",
")",
":",
"# We want to watch files, not d... | Get a dictionary of file paths and timestamps.
Paths matching `exclude` regex will be excluded. | [
"Get",
"a",
"dictionary",
"of",
"file",
"paths",
"and",
"timestamps",
"."
] | 4635e31001d2ac083423f46766249ac8daca7c9c | https://github.com/tonybaloney/retox/blob/4635e31001d2ac083423f46766249ac8daca7c9c/retox/__main__.py#L103-L119 | train |
mediawiki-utilities/python-mwapi | mwapi/session.py | Session.request | def request(self, method, params=None, query_continue=None,
files=None, auth=None, continuation=False):
"""
Sends an HTTP request to the API.
:Parameters:
method : `str`
Which HTTP method to use for the request?
(Usually "POST" or "GET... | python | def request(self, method, params=None, query_continue=None,
files=None, auth=None, continuation=False):
"""
Sends an HTTP request to the API.
:Parameters:
method : `str`
Which HTTP method to use for the request?
(Usually "POST" or "GET... | [
"def",
"request",
"(",
"self",
",",
"method",
",",
"params",
"=",
"None",
",",
"query_continue",
"=",
"None",
",",
"files",
"=",
"None",
",",
"auth",
"=",
"None",
",",
"continuation",
"=",
"False",
")",
":",
"normal_params",
"=",
"_normalize_params",
"("... | Sends an HTTP request to the API.
:Parameters:
method : `str`
Which HTTP method to use for the request?
(Usually "POST" or "GET")
params : `dict`
A set of parameters to send with the request. These parameters
will be inclu... | [
"Sends",
"an",
"HTTP",
"request",
"to",
"the",
"API",
"."
] | 7a653c29207ecd318ae4b369d398aed13f26951d | https://github.com/mediawiki-utilities/python-mwapi/blob/7a653c29207ecd318ae4b369d398aed13f26951d/mwapi/session.py#L136-L171 | train |
mediawiki-utilities/python-mwapi | mwapi/session.py | Session.login | def login(self, username, password, login_token=None):
"""
Authenticate with the given credentials. If authentication is
successful, all further requests sent will be signed the authenticated
user.
Note that passwords are sent as plaintext. This is a limitation of the
M... | python | def login(self, username, password, login_token=None):
"""
Authenticate with the given credentials. If authentication is
successful, all further requests sent will be signed the authenticated
user.
Note that passwords are sent as plaintext. This is a limitation of the
M... | [
"def",
"login",
"(",
"self",
",",
"username",
",",
"password",
",",
"login_token",
"=",
"None",
")",
":",
"if",
"login_token",
"is",
"None",
":",
"token_doc",
"=",
"self",
".",
"post",
"(",
"action",
"=",
"'query'",
",",
"meta",
"=",
"'tokens'",
",",
... | Authenticate with the given credentials. If authentication is
successful, all further requests sent will be signed the authenticated
user.
Note that passwords are sent as plaintext. This is a limitation of the
Mediawiki API. Use a https host if you want your password to be secure
... | [
"Authenticate",
"with",
"the",
"given",
"credentials",
".",
"If",
"authentication",
"is",
"successful",
"all",
"further",
"requests",
"sent",
"will",
"be",
"signed",
"the",
"authenticated",
"user",
"."
] | 7a653c29207ecd318ae4b369d398aed13f26951d | https://github.com/mediawiki-utilities/python-mwapi/blob/7a653c29207ecd318ae4b369d398aed13f26951d/mwapi/session.py#L213-L246 | train |
mediawiki-utilities/python-mwapi | mwapi/session.py | Session.continue_login | def continue_login(self, login_token, **params):
"""
Continues a login that requires an additional step. This is common
for when login requires completing a captcha or supplying a two-factor
authentication token.
:Parameters:
login_token : `str`
A lo... | python | def continue_login(self, login_token, **params):
"""
Continues a login that requires an additional step. This is common
for when login requires completing a captcha or supplying a two-factor
authentication token.
:Parameters:
login_token : `str`
A lo... | [
"def",
"continue_login",
"(",
"self",
",",
"login_token",
",",
"*",
"*",
"params",
")",
":",
"login_params",
"=",
"{",
"'action'",
":",
"\"clientlogin\"",
",",
"'logintoken'",
":",
"login_token",
",",
"'logincontinue'",
":",
"1",
"}",
"login_params",
".",
"u... | Continues a login that requires an additional step. This is common
for when login requires completing a captcha or supplying a two-factor
authentication token.
:Parameters:
login_token : `str`
A login token generated by the MediaWiki API (and used in a
... | [
"Continues",
"a",
"login",
"that",
"requires",
"an",
"additional",
"step",
".",
"This",
"is",
"common",
"for",
"when",
"login",
"requires",
"completing",
"a",
"captcha",
"or",
"supplying",
"a",
"two",
"-",
"factor",
"authentication",
"token",
"."
] | 7a653c29207ecd318ae4b369d398aed13f26951d | https://github.com/mediawiki-utilities/python-mwapi/blob/7a653c29207ecd318ae4b369d398aed13f26951d/mwapi/session.py#L248-L273 | train |
mediawiki-utilities/python-mwapi | mwapi/session.py | Session.get | def get(self, query_continue=None, auth=None, continuation=False,
**params):
"""Makes an API request with the GET method
:Parameters:
query_continue : `dict`
Optionally, the value of a query continuation 'continue' field.
auth : mixed
... | python | def get(self, query_continue=None, auth=None, continuation=False,
**params):
"""Makes an API request with the GET method
:Parameters:
query_continue : `dict`
Optionally, the value of a query continuation 'continue' field.
auth : mixed
... | [
"def",
"get",
"(",
"self",
",",
"query_continue",
"=",
"None",
",",
"auth",
"=",
"None",
",",
"continuation",
"=",
"False",
",",
"*",
"*",
"params",
")",
":",
"return",
"self",
".",
"request",
"(",
"'GET'",
",",
"params",
"=",
"params",
",",
"auth",
... | Makes an API request with the GET method
:Parameters:
query_continue : `dict`
Optionally, the value of a query continuation 'continue' field.
auth : mixed
Auth tuple or callable to enable Basic/Digest/Custom HTTP Auth.
continuation : `bool`
... | [
"Makes",
"an",
"API",
"request",
"with",
"the",
"GET",
"method"
] | 7a653c29207ecd318ae4b369d398aed13f26951d | https://github.com/mediawiki-utilities/python-mwapi/blob/7a653c29207ecd318ae4b369d398aed13f26951d/mwapi/session.py#L284-L309 | train |
mediawiki-utilities/python-mwapi | mwapi/session.py | Session.post | def post(self, query_continue=None, upload_file=None, auth=None,
continuation=False, **params):
"""Makes an API request with the POST method
:Parameters:
query_continue : `dict`
Optionally, the value of a query continuation 'continue' field.
upload_f... | python | def post(self, query_continue=None, upload_file=None, auth=None,
continuation=False, **params):
"""Makes an API request with the POST method
:Parameters:
query_continue : `dict`
Optionally, the value of a query continuation 'continue' field.
upload_f... | [
"def",
"post",
"(",
"self",
",",
"query_continue",
"=",
"None",
",",
"upload_file",
"=",
"None",
",",
"auth",
"=",
"None",
",",
"continuation",
"=",
"False",
",",
"*",
"*",
"params",
")",
":",
"if",
"upload_file",
"is",
"not",
"None",
":",
"files",
"... | Makes an API request with the POST method
:Parameters:
query_continue : `dict`
Optionally, the value of a query continuation 'continue' field.
upload_file : `bytes`
The bytes of a file to upload.
auth : mixed
Auth tuple or call... | [
"Makes",
"an",
"API",
"request",
"with",
"the",
"POST",
"method"
] | 7a653c29207ecd318ae4b369d398aed13f26951d | https://github.com/mediawiki-utilities/python-mwapi/blob/7a653c29207ecd318ae4b369d398aed13f26951d/mwapi/session.py#L311-L342 | train |
marrow/mongo | marrow/mongo/core/trait/derived.py | Derived.promote | def promote(self, cls, update=False, preserve=True):
"""Transform this record into an instance of a more specialized subclass."""
if not issubclass(cls, self.__class__):
raise TypeError("Must promote to a subclass of " + self.__class__.__name__)
return self._as(cls, update, preserve) | python | def promote(self, cls, update=False, preserve=True):
"""Transform this record into an instance of a more specialized subclass."""
if not issubclass(cls, self.__class__):
raise TypeError("Must promote to a subclass of " + self.__class__.__name__)
return self._as(cls, update, preserve) | [
"def",
"promote",
"(",
"self",
",",
"cls",
",",
"update",
"=",
"False",
",",
"preserve",
"=",
"True",
")",
":",
"if",
"not",
"issubclass",
"(",
"cls",
",",
"self",
".",
"__class__",
")",
":",
"raise",
"TypeError",
"(",
"\"Must promote to a subclass of \"",... | Transform this record into an instance of a more specialized subclass. | [
"Transform",
"this",
"record",
"into",
"an",
"instance",
"of",
"a",
"more",
"specialized",
"subclass",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/derived.py#L36-L42 | train |
jrief/djangocms-bootstrap | cms_bootstrap/templatetags/bootstrap_tags.py | cut_levels | def cut_levels(nodes, start_level):
"""
cutting nodes away from menus
"""
final = []
removed = []
for node in nodes:
if not hasattr(node, 'level'):
# remove and ignore nodes that don't have level information
remove(node, removed)
continue
if no... | python | def cut_levels(nodes, start_level):
"""
cutting nodes away from menus
"""
final = []
removed = []
for node in nodes:
if not hasattr(node, 'level'):
# remove and ignore nodes that don't have level information
remove(node, removed)
continue
if no... | [
"def",
"cut_levels",
"(",
"nodes",
",",
"start_level",
")",
":",
"final",
"=",
"[",
"]",
"removed",
"=",
"[",
"]",
"for",
"node",
"in",
"nodes",
":",
"if",
"not",
"hasattr",
"(",
"node",
",",
"'level'",
")",
":",
"# remove and ignore nodes that don't have ... | cutting nodes away from menus | [
"cutting",
"nodes",
"away",
"from",
"menus"
] | 293a7050602d6e9a728acea2fb13893e5ec7992e | https://github.com/jrief/djangocms-bootstrap/blob/293a7050602d6e9a728acea2fb13893e5ec7992e/cms_bootstrap/templatetags/bootstrap_tags.py#L18-L53 | train |
marrow/mongo | marrow/mongo/core/trait/expires.py | Expires.from_mongo | def from_mongo(cls, data, expired=False, **kw):
"""In the event a value that has technically already expired is loaded, swap it for None."""
value = super(Expires, cls).from_mongo(data, **kw)
if not expired and value.is_expired:
return None
return value | python | def from_mongo(cls, data, expired=False, **kw):
"""In the event a value that has technically already expired is loaded, swap it for None."""
value = super(Expires, cls).from_mongo(data, **kw)
if not expired and value.is_expired:
return None
return value | [
"def",
"from_mongo",
"(",
"cls",
",",
"data",
",",
"expired",
"=",
"False",
",",
"*",
"*",
"kw",
")",
":",
"value",
"=",
"super",
"(",
"Expires",
",",
"cls",
")",
".",
"from_mongo",
"(",
"data",
",",
"*",
"*",
"kw",
")",
"if",
"not",
"expired",
... | In the event a value that has technically already expired is loaded, swap it for None. | [
"In",
"the",
"event",
"a",
"value",
"that",
"has",
"technically",
"already",
"expired",
"is",
"loaded",
"swap",
"it",
"for",
"None",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/core/trait/expires.py#L36-L44 | train |
marrow/mongo | marrow/mongo/param/sort.py | S | def S(Document, *fields):
"""Generate a MongoDB sort order list using the Django ORM style."""
result = []
for field in fields:
if isinstance(field, tuple): # Unpack existing tuple.
field, direction = field
result.append((field, direction))
continue
direction = ASCENDING
if not field.starts... | python | def S(Document, *fields):
"""Generate a MongoDB sort order list using the Django ORM style."""
result = []
for field in fields:
if isinstance(field, tuple): # Unpack existing tuple.
field, direction = field
result.append((field, direction))
continue
direction = ASCENDING
if not field.starts... | [
"def",
"S",
"(",
"Document",
",",
"*",
"fields",
")",
":",
"result",
"=",
"[",
"]",
"for",
"field",
"in",
"fields",
":",
"if",
"isinstance",
"(",
"field",
",",
"tuple",
")",
":",
"# Unpack existing tuple.",
"field",
",",
"direction",
"=",
"field",
"res... | Generate a MongoDB sort order list using the Django ORM style. | [
"Generate",
"a",
"MongoDB",
"sort",
"order",
"list",
"using",
"the",
"Django",
"ORM",
"style",
"."
] | 2066dc73e281b8a46cb5fc965267d6b8e1b18467 | https://github.com/marrow/mongo/blob/2066dc73e281b8a46cb5fc965267d6b8e1b18467/marrow/mongo/param/sort.py#L12-L38 | train |
vkruoso/receita-tools | receita/tools/get.py | Get.run | def run(self):
"""Reads data from CNPJ list and write results to output directory."""
self._assure_output_dir(self.output)
companies = self.read()
print '%s CNPJs found' % len(companies)
pbar = ProgressBar(
widgets=[Counter(), ' ', Percentage(), ' ', Bar(), ' ', Time... | python | def run(self):
"""Reads data from CNPJ list and write results to output directory."""
self._assure_output_dir(self.output)
companies = self.read()
print '%s CNPJs found' % len(companies)
pbar = ProgressBar(
widgets=[Counter(), ' ', Percentage(), ' ', Bar(), ' ', Time... | [
"def",
"run",
"(",
"self",
")",
":",
"self",
".",
"_assure_output_dir",
"(",
"self",
".",
"output",
")",
"companies",
"=",
"self",
".",
"read",
"(",
")",
"print",
"'%s CNPJs found'",
"%",
"len",
"(",
"companies",
")",
"pbar",
"=",
"ProgressBar",
"(",
"... | Reads data from CNPJ list and write results to output directory. | [
"Reads",
"data",
"from",
"CNPJ",
"list",
"and",
"write",
"results",
"to",
"output",
"directory",
"."
] | fd62a252c76541c9feac6470b9048b31348ffe86 | https://github.com/vkruoso/receita-tools/blob/fd62a252c76541c9feac6470b9048b31348ffe86/receita/tools/get.py#L25-L48 | train |
vkruoso/receita-tools | receita/tools/get.py | Get.read | def read(self):
"""Reads data from the CSV file."""
companies = []
with open(self.file) as f:
reader = unicodecsv.reader(f)
for line in reader:
if len(line) >= 1:
cnpj = self.format(line[0])
if self.valid(cnpj):
... | python | def read(self):
"""Reads data from the CSV file."""
companies = []
with open(self.file) as f:
reader = unicodecsv.reader(f)
for line in reader:
if len(line) >= 1:
cnpj = self.format(line[0])
if self.valid(cnpj):
... | [
"def",
"read",
"(",
"self",
")",
":",
"companies",
"=",
"[",
"]",
"with",
"open",
"(",
"self",
".",
"file",
")",
"as",
"f",
":",
"reader",
"=",
"unicodecsv",
".",
"reader",
"(",
"f",
")",
"for",
"line",
"in",
"reader",
":",
"if",
"len",
"(",
"l... | Reads data from the CSV file. | [
"Reads",
"data",
"from",
"the",
"CSV",
"file",
"."
] | fd62a252c76541c9feac6470b9048b31348ffe86 | https://github.com/vkruoso/receita-tools/blob/fd62a252c76541c9feac6470b9048b31348ffe86/receita/tools/get.py#L50-L60 | train |
vkruoso/receita-tools | receita/tools/get.py | Get.write | def write(self, data):
"""Writes json data to the output directory."""
cnpj, data = data
path = os.path.join(self.output, '%s.json' % cnpj)
with open(path, 'w') as f:
json.dump(data, f, encoding='utf-8') | python | def write(self, data):
"""Writes json data to the output directory."""
cnpj, data = data
path = os.path.join(self.output, '%s.json' % cnpj)
with open(path, 'w') as f:
json.dump(data, f, encoding='utf-8') | [
"def",
"write",
"(",
"self",
",",
"data",
")",
":",
"cnpj",
",",
"data",
"=",
"data",
"path",
"=",
"os",
".",
"path",
".",
"join",
"(",
"self",
".",
"output",
",",
"'%s.json'",
"%",
"cnpj",
")",
"with",
"open",
"(",
"path",
",",
"'w'",
")",
"as... | Writes json data to the output directory. | [
"Writes",
"json",
"data",
"to",
"the",
"output",
"directory",
"."
] | fd62a252c76541c9feac6470b9048b31348ffe86 | https://github.com/vkruoso/receita-tools/blob/fd62a252c76541c9feac6470b9048b31348ffe86/receita/tools/get.py#L62-L68 | train |
vkruoso/receita-tools | receita/tools/get.py | Get.valid | def valid(self, cnpj):
"""Check if a CNPJ is valid.
We should avoid sending invalid CNPJ to the web service as we know
it is going to be a waste of bandwidth. Assumes CNPJ is a string.
"""
if len(cnpj) != 14:
return False
tam = 12
nums = cnpj[:tam]
... | python | def valid(self, cnpj):
"""Check if a CNPJ is valid.
We should avoid sending invalid CNPJ to the web service as we know
it is going to be a waste of bandwidth. Assumes CNPJ is a string.
"""
if len(cnpj) != 14:
return False
tam = 12
nums = cnpj[:tam]
... | [
"def",
"valid",
"(",
"self",
",",
"cnpj",
")",
":",
"if",
"len",
"(",
"cnpj",
")",
"!=",
"14",
":",
"return",
"False",
"tam",
"=",
"12",
"nums",
"=",
"cnpj",
"[",
":",
"tam",
"]",
"digs",
"=",
"cnpj",
"[",
"tam",
":",
"]",
"tot",
"=",
"0",
... | Check if a CNPJ is valid.
We should avoid sending invalid CNPJ to the web service as we know
it is going to be a waste of bandwidth. Assumes CNPJ is a string. | [
"Check",
"if",
"a",
"CNPJ",
"is",
"valid",
"."
] | fd62a252c76541c9feac6470b9048b31348ffe86 | https://github.com/vkruoso/receita-tools/blob/fd62a252c76541c9feac6470b9048b31348ffe86/receita/tools/get.py#L88-L125 | train |
OpenTreeOfLife/peyotl | peyotl/utility/get_config.py | get_default_config_filename | def get_default_config_filename():
"""Returns the configuration filepath.
If PEYOTL_CONFIG_FILE is in the env that is the preferred choice; otherwise ~/.peyotl/config is preferred.
If the preferred file does not exist, then the packaged peyotl/default.conf from the installation of peyotl is
used.
A... | python | def get_default_config_filename():
"""Returns the configuration filepath.
If PEYOTL_CONFIG_FILE is in the env that is the preferred choice; otherwise ~/.peyotl/config is preferred.
If the preferred file does not exist, then the packaged peyotl/default.conf from the installation of peyotl is
used.
A... | [
"def",
"get_default_config_filename",
"(",
")",
":",
"global",
"_CONFIG_FN",
"if",
"_CONFIG_FN",
"is",
"not",
"None",
":",
"return",
"_CONFIG_FN",
"with",
"_CONFIG_FN_LOCK",
":",
"if",
"_CONFIG_FN",
"is",
"not",
"None",
":",
"return",
"_CONFIG_FN",
"if",
"'PEYOT... | Returns the configuration filepath.
If PEYOTL_CONFIG_FILE is in the env that is the preferred choice; otherwise ~/.peyotl/config is preferred.
If the preferred file does not exist, then the packaged peyotl/default.conf from the installation of peyotl is
used.
A RuntimeError is raised if that fails. | [
"Returns",
"the",
"configuration",
"filepath",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/get_config.py#L73-L104 | train |
OpenTreeOfLife/peyotl | peyotl/utility/get_config.py | get_raw_default_config_and_read_file_list | def get_raw_default_config_and_read_file_list():
"""Returns a ConfigParser object and a list of filenames that were parsed to initialize it"""
global _CONFIG, _READ_DEFAULT_FILES
if _CONFIG is not None:
return _CONFIG, _READ_DEFAULT_FILES
with _CONFIG_LOCK:
if _CONFIG is not None:
... | python | def get_raw_default_config_and_read_file_list():
"""Returns a ConfigParser object and a list of filenames that were parsed to initialize it"""
global _CONFIG, _READ_DEFAULT_FILES
if _CONFIG is not None:
return _CONFIG, _READ_DEFAULT_FILES
with _CONFIG_LOCK:
if _CONFIG is not None:
... | [
"def",
"get_raw_default_config_and_read_file_list",
"(",
")",
":",
"global",
"_CONFIG",
",",
"_READ_DEFAULT_FILES",
"if",
"_CONFIG",
"is",
"not",
"None",
":",
"return",
"_CONFIG",
",",
"_READ_DEFAULT_FILES",
"with",
"_CONFIG_LOCK",
":",
"if",
"_CONFIG",
"is",
"not",... | Returns a ConfigParser object and a list of filenames that were parsed to initialize it | [
"Returns",
"a",
"ConfigParser",
"object",
"and",
"a",
"list",
"of",
"filenames",
"that",
"were",
"parsed",
"to",
"initialize",
"it"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/get_config.py#L107-L124 | train |
OpenTreeOfLife/peyotl | peyotl/utility/get_config.py | get_config_object | def get_config_object():
"""Thread-safe accessor for the immutable default ConfigWrapper object"""
global _DEFAULT_CONFIG_WRAPPER
if _DEFAULT_CONFIG_WRAPPER is not None:
return _DEFAULT_CONFIG_WRAPPER
with _DEFAULT_CONFIG_WRAPPER_LOCK:
if _DEFAULT_CONFIG_WRAPPER is not None:
... | python | def get_config_object():
"""Thread-safe accessor for the immutable default ConfigWrapper object"""
global _DEFAULT_CONFIG_WRAPPER
if _DEFAULT_CONFIG_WRAPPER is not None:
return _DEFAULT_CONFIG_WRAPPER
with _DEFAULT_CONFIG_WRAPPER_LOCK:
if _DEFAULT_CONFIG_WRAPPER is not None:
... | [
"def",
"get_config_object",
"(",
")",
":",
"global",
"_DEFAULT_CONFIG_WRAPPER",
"if",
"_DEFAULT_CONFIG_WRAPPER",
"is",
"not",
"None",
":",
"return",
"_DEFAULT_CONFIG_WRAPPER",
"with",
"_DEFAULT_CONFIG_WRAPPER_LOCK",
":",
"if",
"_DEFAULT_CONFIG_WRAPPER",
"is",
"not",
"None... | Thread-safe accessor for the immutable default ConfigWrapper object | [
"Thread",
"-",
"safe",
"accessor",
"for",
"the",
"immutable",
"default",
"ConfigWrapper",
"object"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/get_config.py#L315-L324 | train |
OpenTreeOfLife/peyotl | peyotl/utility/get_config.py | ConfigWrapper.get_from_config_setting_cascade | def get_from_config_setting_cascade(self, sec_param_list, default=None, warn_on_none_level=logging.WARN):
"""return the first non-None setting from a series where each
element in `sec_param_list` is a section, param pair suitable for
a get_config_setting call.
Note that non-None values ... | python | def get_from_config_setting_cascade(self, sec_param_list, default=None, warn_on_none_level=logging.WARN):
"""return the first non-None setting from a series where each
element in `sec_param_list` is a section, param pair suitable for
a get_config_setting call.
Note that non-None values ... | [
"def",
"get_from_config_setting_cascade",
"(",
"self",
",",
"sec_param_list",
",",
"default",
"=",
"None",
",",
"warn_on_none_level",
"=",
"logging",
".",
"WARN",
")",
":",
"for",
"section",
",",
"param",
"in",
"sec_param_list",
":",
"r",
"=",
"self",
".",
"... | return the first non-None setting from a series where each
element in `sec_param_list` is a section, param pair suitable for
a get_config_setting call.
Note that non-None values for overrides for this ConfigWrapper instance will cause
this call to only evaluate the first element in ... | [
"return",
"the",
"first",
"non",
"-",
"None",
"setting",
"from",
"a",
"series",
"where",
"each",
"element",
"in",
"sec_param_list",
"is",
"a",
"section",
"param",
"pair",
"suitable",
"for",
"a",
"get_config_setting",
"call",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/get_config.py#L213-L228 | train |
hsolbrig/pyjsg | pyjsg/parser_impl/generate_python.py | parse | def parse(input_: Union[str, FileStream], source: str) -> Optional[str]:
"""Parse the text in infile and save the results in outfile
:param input_: string or stream to parse
:param source: source name for python file header
:return: python text if successful
"""
# Step 1: Tokenize the input st... | python | def parse(input_: Union[str, FileStream], source: str) -> Optional[str]:
"""Parse the text in infile and save the results in outfile
:param input_: string or stream to parse
:param source: source name for python file header
:return: python text if successful
"""
# Step 1: Tokenize the input st... | [
"def",
"parse",
"(",
"input_",
":",
"Union",
"[",
"str",
",",
"FileStream",
"]",
",",
"source",
":",
"str",
")",
"->",
"Optional",
"[",
"str",
"]",
":",
"# Step 1: Tokenize the input stream",
"error_listener",
"=",
"ParseErrorListener",
"(",
")",
"if",
"not"... | Parse the text in infile and save the results in outfile
:param input_: string or stream to parse
:param source: source name for python file header
:return: python text if successful | [
"Parse",
"the",
"text",
"in",
"infile",
"and",
"save",
"the",
"results",
"in",
"outfile"
] | 9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7 | https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/generate_python.py#L56-L91 | train |
globocom/tornado-alf | tornadoalf/client.py | Client.fetch | def fetch(self, request, callback=None, raise_error=True, **kwargs):
"""Executes a request by AsyncHTTPClient,
asynchronously returning an `tornado.HTTPResponse`.
The ``raise_error=False`` argument currently suppresses
*all* errors, encapsulating them in `HTTPResponse` objects
... | python | def fetch(self, request, callback=None, raise_error=True, **kwargs):
"""Executes a request by AsyncHTTPClient,
asynchronously returning an `tornado.HTTPResponse`.
The ``raise_error=False`` argument currently suppresses
*all* errors, encapsulating them in `HTTPResponse` objects
... | [
"def",
"fetch",
"(",
"self",
",",
"request",
",",
"callback",
"=",
"None",
",",
"raise_error",
"=",
"True",
",",
"*",
"*",
"kwargs",
")",
":",
"# accepts request as string then convert it to HTTPRequest",
"if",
"isinstance",
"(",
"request",
",",
"str",
")",
":... | Executes a request by AsyncHTTPClient,
asynchronously returning an `tornado.HTTPResponse`.
The ``raise_error=False`` argument currently suppresses
*all* errors, encapsulating them in `HTTPResponse` objects
following the tornado http-client standard | [
"Executes",
"a",
"request",
"by",
"AsyncHTTPClient",
"asynchronously",
"returning",
"an",
"tornado",
".",
"HTTPResponse",
"."
] | 3c3ec58c33f2d4ddfbed4ac18ca89d6beedf9c87 | https://github.com/globocom/tornado-alf/blob/3c3ec58c33f2d4ddfbed4ac18ca89d6beedf9c87/tornadoalf/client.py#L29-L66 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/validate_config.py | validate_config | def validate_config(key: str, config: dict) -> None:
"""
Call jsonschema validation to raise JSONValidation on non-compliance or silently pass.
:param key: validation schema key of interest
:param config: configuration dict to validate
"""
try:
jsonschema.validate(config, CONFIG_JSON_S... | python | def validate_config(key: str, config: dict) -> None:
"""
Call jsonschema validation to raise JSONValidation on non-compliance or silently pass.
:param key: validation schema key of interest
:param config: configuration dict to validate
"""
try:
jsonschema.validate(config, CONFIG_JSON_S... | [
"def",
"validate_config",
"(",
"key",
":",
"str",
",",
"config",
":",
"dict",
")",
"->",
"None",
":",
"try",
":",
"jsonschema",
".",
"validate",
"(",
"config",
",",
"CONFIG_JSON_SCHEMA",
"[",
"key",
"]",
")",
"except",
"jsonschema",
".",
"ValidationError",... | Call jsonschema validation to raise JSONValidation on non-compliance or silently pass.
:param key: validation schema key of interest
:param config: configuration dict to validate | [
"Call",
"jsonschema",
"validation",
"to",
"raise",
"JSONValidation",
"on",
"non",
"-",
"compliance",
"or",
"silently",
"pass",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/validate_config.py#L86-L99 | train |
CybOXProject/mixbox | mixbox/signals.py | __make_id | def __make_id(receiver):
"""Generate an identifier for a callable signal receiver.
This is used when disconnecting receivers, where we need to correctly
establish equivalence between the input receiver and the receivers assigned
to a signal.
Args:
receiver: A callable object.
Returns:... | python | def __make_id(receiver):
"""Generate an identifier for a callable signal receiver.
This is used when disconnecting receivers, where we need to correctly
establish equivalence between the input receiver and the receivers assigned
to a signal.
Args:
receiver: A callable object.
Returns:... | [
"def",
"__make_id",
"(",
"receiver",
")",
":",
"if",
"__is_bound_method",
"(",
"receiver",
")",
":",
"return",
"(",
"id",
"(",
"receiver",
".",
"__func__",
")",
",",
"id",
"(",
"receiver",
".",
"__self__",
")",
")",
"return",
"id",
"(",
"receiver",
")"... | Generate an identifier for a callable signal receiver.
This is used when disconnecting receivers, where we need to correctly
establish equivalence between the input receiver and the receivers assigned
to a signal.
Args:
receiver: A callable object.
Returns:
An identifier for the r... | [
"Generate",
"an",
"identifier",
"for",
"a",
"callable",
"signal",
"receiver",
"."
] | 9097dae7a433f5b98c18171c4a5598f69a7d30af | https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/signals.py#L41-L56 | train |
CybOXProject/mixbox | mixbox/signals.py | __purge | def __purge():
"""Remove all dead signal receivers from the global receivers collection.
Note:
It is assumed that the caller holds the __lock.
"""
global __receivers
newreceivers = collections.defaultdict(list)
for signal, receivers in six.iteritems(__receivers):
alive = [x for... | python | def __purge():
"""Remove all dead signal receivers from the global receivers collection.
Note:
It is assumed that the caller holds the __lock.
"""
global __receivers
newreceivers = collections.defaultdict(list)
for signal, receivers in six.iteritems(__receivers):
alive = [x for... | [
"def",
"__purge",
"(",
")",
":",
"global",
"__receivers",
"newreceivers",
"=",
"collections",
".",
"defaultdict",
"(",
"list",
")",
"for",
"signal",
",",
"receivers",
"in",
"six",
".",
"iteritems",
"(",
"__receivers",
")",
":",
"alive",
"=",
"[",
"x",
"f... | Remove all dead signal receivers from the global receivers collection.
Note:
It is assumed that the caller holds the __lock. | [
"Remove",
"all",
"dead",
"signal",
"receivers",
"from",
"the",
"global",
"receivers",
"collection",
"."
] | 9097dae7a433f5b98c18171c4a5598f69a7d30af | https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/signals.py#L59-L72 | train |
CybOXProject/mixbox | mixbox/signals.py | __live_receivers | def __live_receivers(signal):
"""Return all signal handlers that are currently still alive for the
input `signal`.
Args:
signal: A signal name.
Returns:
A list of callable receivers for the input signal.
"""
with __lock:
__purge()
receivers = [funcref() for func... | python | def __live_receivers(signal):
"""Return all signal handlers that are currently still alive for the
input `signal`.
Args:
signal: A signal name.
Returns:
A list of callable receivers for the input signal.
"""
with __lock:
__purge()
receivers = [funcref() for func... | [
"def",
"__live_receivers",
"(",
"signal",
")",
":",
"with",
"__lock",
":",
"__purge",
"(",
")",
"receivers",
"=",
"[",
"funcref",
"(",
")",
"for",
"funcref",
"in",
"__receivers",
"[",
"signal",
"]",
"]",
"return",
"receivers"
] | Return all signal handlers that are currently still alive for the
input `signal`.
Args:
signal: A signal name.
Returns:
A list of callable receivers for the input signal. | [
"Return",
"all",
"signal",
"handlers",
"that",
"are",
"currently",
"still",
"alive",
"for",
"the",
"input",
"signal",
"."
] | 9097dae7a433f5b98c18171c4a5598f69a7d30af | https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/signals.py#L75-L89 | train |
CybOXProject/mixbox | mixbox/signals.py | __is_bound_method | def __is_bound_method(method):
"""Return ``True`` if the `method` is a bound method (attached to an class
instance.
Args:
method: A method or function type object.
"""
if not(hasattr(method, "__func__") and hasattr(method, "__self__")):
return False
# Bound methods have a __sel... | python | def __is_bound_method(method):
"""Return ``True`` if the `method` is a bound method (attached to an class
instance.
Args:
method: A method or function type object.
"""
if not(hasattr(method, "__func__") and hasattr(method, "__self__")):
return False
# Bound methods have a __sel... | [
"def",
"__is_bound_method",
"(",
"method",
")",
":",
"if",
"not",
"(",
"hasattr",
"(",
"method",
",",
"\"__func__\"",
")",
"and",
"hasattr",
"(",
"method",
",",
"\"__self__\"",
")",
")",
":",
"return",
"False",
"# Bound methods have a __self__ attribute pointing t... | Return ``True`` if the `method` is a bound method (attached to an class
instance.
Args:
method: A method or function type object. | [
"Return",
"True",
"if",
"the",
"method",
"is",
"a",
"bound",
"method",
"(",
"attached",
"to",
"an",
"class",
"instance",
"."
] | 9097dae7a433f5b98c18171c4a5598f69a7d30af | https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/signals.py#L92-L103 | train |
CybOXProject/mixbox | mixbox/signals.py | disconnect | def disconnect(signal, receiver):
"""Disconnect the receiver `func` from the signal, identified by
`signal_id`.
Args:
signal: The signal identifier.
receiver: The callable receiver to disconnect.
Returns:
True if the receiver was successfully disconnected. False otherwise.
... | python | def disconnect(signal, receiver):
"""Disconnect the receiver `func` from the signal, identified by
`signal_id`.
Args:
signal: The signal identifier.
receiver: The callable receiver to disconnect.
Returns:
True if the receiver was successfully disconnected. False otherwise.
... | [
"def",
"disconnect",
"(",
"signal",
",",
"receiver",
")",
":",
"inputkey",
"=",
"__make_id",
"(",
"receiver",
")",
"with",
"__lock",
":",
"__purge",
"(",
")",
"receivers",
"=",
"__receivers",
".",
"get",
"(",
"signal",
")",
"for",
"idx",
"in",
"six",
"... | Disconnect the receiver `func` from the signal, identified by
`signal_id`.
Args:
signal: The signal identifier.
receiver: The callable receiver to disconnect.
Returns:
True if the receiver was successfully disconnected. False otherwise. | [
"Disconnect",
"the",
"receiver",
"func",
"from",
"the",
"signal",
"identified",
"by",
"signal_id",
"."
] | 9097dae7a433f5b98c18171c4a5598f69a7d30af | https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/signals.py#L149-L175 | train |
CybOXProject/mixbox | mixbox/signals.py | emit | def emit(signal, *args, **kwargs):
"""Emit a signal by serially calling each registered signal receiver for
the `signal`.
Note:
The receiver must accept the *args and/or **kwargs that have been
passed to it. There expected parameters are not dictated by
mixbox.
Args:
... | python | def emit(signal, *args, **kwargs):
"""Emit a signal by serially calling each registered signal receiver for
the `signal`.
Note:
The receiver must accept the *args and/or **kwargs that have been
passed to it. There expected parameters are not dictated by
mixbox.
Args:
... | [
"def",
"emit",
"(",
"signal",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"signal",
"not",
"in",
"__receivers",
":",
"return",
"receivers",
"=",
"__live_receivers",
"(",
"signal",
")",
"for",
"func",
"in",
"receivers",
":",
"func",
"(",
... | Emit a signal by serially calling each registered signal receiver for
the `signal`.
Note:
The receiver must accept the *args and/or **kwargs that have been
passed to it. There expected parameters are not dictated by
mixbox.
Args:
signal: A signal identifier or name.... | [
"Emit",
"a",
"signal",
"by",
"serially",
"calling",
"each",
"registered",
"signal",
"receiver",
"for",
"the",
"signal",
"."
] | 9097dae7a433f5b98c18171c4a5598f69a7d30af | https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/signals.py#L194-L214 | train |
yamins81/tabular | tabular/fast.py | arrayuniqify | def arrayuniqify(X, retainorder=False):
"""
Very fast uniqify routine for numpy arrays.
**Parameters**
**X** : numpy array
Determine the unique elements of this numpy array.
**retainorder** : Boolean, optional
Whether or not to return in... | python | def arrayuniqify(X, retainorder=False):
"""
Very fast uniqify routine for numpy arrays.
**Parameters**
**X** : numpy array
Determine the unique elements of this numpy array.
**retainorder** : Boolean, optional
Whether or not to return in... | [
"def",
"arrayuniqify",
"(",
"X",
",",
"retainorder",
"=",
"False",
")",
":",
"s",
"=",
"X",
".",
"argsort",
"(",
")",
"X",
"=",
"X",
"[",
"s",
"]",
"D",
"=",
"np",
".",
"append",
"(",
"[",
"True",
"]",
",",
"X",
"[",
"1",
":",
"]",
"!=",
... | Very fast uniqify routine for numpy arrays.
**Parameters**
**X** : numpy array
Determine the unique elements of this numpy array.
**retainorder** : Boolean, optional
Whether or not to return indices corresponding to unique
v... | [
"Very",
"fast",
"uniqify",
"routine",
"for",
"numpy",
"arrays",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/fast.py#L19-L75 | train |
yamins81/tabular | tabular/fast.py | equalspairs | def equalspairs(X, Y):
"""
Indices of elements in a sorted numpy array equal to those in another.
Given numpy array `X` and sorted numpy array `Y`, determine the indices in
Y equal to indices in X.
Returns `[A,B]` where `A` and `B` are numpy arrays of indices in `X` such
that::
... | python | def equalspairs(X, Y):
"""
Indices of elements in a sorted numpy array equal to those in another.
Given numpy array `X` and sorted numpy array `Y`, determine the indices in
Y equal to indices in X.
Returns `[A,B]` where `A` and `B` are numpy arrays of indices in `X` such
that::
... | [
"def",
"equalspairs",
"(",
"X",
",",
"Y",
")",
":",
"T",
"=",
"Y",
".",
"copy",
"(",
")",
"R",
"=",
"(",
"T",
"[",
"1",
":",
"]",
"!=",
"T",
"[",
":",
"-",
"1",
"]",
")",
".",
"nonzero",
"(",
")",
"[",
"0",
"]",
"R",
"=",
"np",
".",
... | Indices of elements in a sorted numpy array equal to those in another.
Given numpy array `X` and sorted numpy array `Y`, determine the indices in
Y equal to indices in X.
Returns `[A,B]` where `A` and `B` are numpy arrays of indices in `X` such
that::
Y[A[i]:B[i]] = Y[Y == X[i]]`
`... | [
"Indices",
"of",
"elements",
"in",
"a",
"sorted",
"numpy",
"array",
"equal",
"to",
"those",
"in",
"another",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/fast.py#L142-L191 | train |
yamins81/tabular | tabular/fast.py | isin | def isin(X,Y):
"""
Indices of elements in a numpy array that appear in another.
Fast routine for determining indices of elements in numpy array `X` that
appear in numpy array `Y`, returning a boolean array `Z` such that::
Z[i] = X[i] in Y
**Parameters**
**X** : numpy ar... | python | def isin(X,Y):
"""
Indices of elements in a numpy array that appear in another.
Fast routine for determining indices of elements in numpy array `X` that
appear in numpy array `Y`, returning a boolean array `Z` such that::
Z[i] = X[i] in Y
**Parameters**
**X** : numpy ar... | [
"def",
"isin",
"(",
"X",
",",
"Y",
")",
":",
"if",
"len",
"(",
"Y",
")",
">",
"0",
":",
"T",
"=",
"Y",
".",
"copy",
"(",
")",
"T",
".",
"sort",
"(",
")",
"D",
"=",
"T",
".",
"searchsorted",
"(",
"X",
")",
"T",
"=",
"np",
".",
"append",
... | Indices of elements in a numpy array that appear in another.
Fast routine for determining indices of elements in numpy array `X` that
appear in numpy array `Y`, returning a boolean array `Z` such that::
Z[i] = X[i] in Y
**Parameters**
**X** : numpy array
Nu... | [
"Indices",
"of",
"elements",
"in",
"a",
"numpy",
"array",
"that",
"appear",
"in",
"another",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/fast.py#L260-L304 | train |
yamins81/tabular | tabular/fast.py | arraydifference | def arraydifference(X,Y):
"""
Elements of a numpy array that do not appear in another.
Fast routine for determining which elements in numpy array `X`
do not appear in numpy array `Y`.
**Parameters**
**X** : numpy array
Numpy array to comapare to numpy array `Y`.
... | python | def arraydifference(X,Y):
"""
Elements of a numpy array that do not appear in another.
Fast routine for determining which elements in numpy array `X`
do not appear in numpy array `Y`.
**Parameters**
**X** : numpy array
Numpy array to comapare to numpy array `Y`.
... | [
"def",
"arraydifference",
"(",
"X",
",",
"Y",
")",
":",
"if",
"len",
"(",
"Y",
")",
">",
"0",
":",
"Z",
"=",
"isin",
"(",
"X",
",",
"Y",
")",
"return",
"X",
"[",
"np",
".",
"invert",
"(",
"Z",
")",
"]",
"else",
":",
"return",
"X"
] | Elements of a numpy array that do not appear in another.
Fast routine for determining which elements in numpy array `X`
do not appear in numpy array `Y`.
**Parameters**
**X** : numpy array
Numpy array to comapare to numpy array `Y`.
Return subset of `... | [
"Elements",
"of",
"a",
"numpy",
"array",
"that",
"do",
"not",
"appear",
"in",
"another",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/fast.py#L357-L391 | train |
yamins81/tabular | tabular/fast.py | arraymax | def arraymax(X,Y):
"""
Fast "vectorized" max function for element-wise comparison of two numpy arrays.
For two numpy arrays `X` and `Y` of equal length,
return numpy array `Z` such that::
Z[i] = max(X[i],Y[i])
**Parameters**
**X** : numpy array
Numpy... | python | def arraymax(X,Y):
"""
Fast "vectorized" max function for element-wise comparison of two numpy arrays.
For two numpy arrays `X` and `Y` of equal length,
return numpy array `Z` such that::
Z[i] = max(X[i],Y[i])
**Parameters**
**X** : numpy array
Numpy... | [
"def",
"arraymax",
"(",
"X",
",",
"Y",
")",
":",
"Z",
"=",
"np",
".",
"zeros",
"(",
"(",
"len",
"(",
"X",
")",
",",
")",
",",
"int",
")",
"A",
"=",
"X",
"<=",
"Y",
"B",
"=",
"Y",
"<",
"X",
"Z",
"[",
"A",
"]",
"=",
"Y",
"[",
"A",
"]"... | Fast "vectorized" max function for element-wise comparison of two numpy arrays.
For two numpy arrays `X` and `Y` of equal length,
return numpy array `Z` such that::
Z[i] = max(X[i],Y[i])
**Parameters**
**X** : numpy array
Numpy array; `len(X) = len(Y)`.
... | [
"Fast",
"vectorized",
"max",
"function",
"for",
"element",
"-",
"wise",
"comparison",
"of",
"two",
"numpy",
"arrays",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/fast.py#L434-L469 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/wallet.py | Wallet._seed2did | async def _seed2did(self) -> str:
"""
Derive DID, as per indy-sdk, from seed.
:return: DID
"""
rv = None
dids_with_meta = json.loads(await did.list_my_dids_with_meta(self.handle)) # list
if dids_with_meta:
for did_with_meta in dids_with_meta: # di... | python | async def _seed2did(self) -> str:
"""
Derive DID, as per indy-sdk, from seed.
:return: DID
"""
rv = None
dids_with_meta = json.loads(await did.list_my_dids_with_meta(self.handle)) # list
if dids_with_meta:
for did_with_meta in dids_with_meta: # di... | [
"async",
"def",
"_seed2did",
"(",
"self",
")",
"->",
"str",
":",
"rv",
"=",
"None",
"dids_with_meta",
"=",
"json",
".",
"loads",
"(",
"await",
"did",
".",
"list_my_dids_with_meta",
"(",
"self",
".",
"handle",
")",
")",
"# list",
"if",
"dids_with_meta",
"... | Derive DID, as per indy-sdk, from seed.
:return: DID | [
"Derive",
"DID",
"as",
"per",
"indy",
"-",
"sdk",
"from",
"seed",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/wallet.py#L181-L211 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/wallet.py | Wallet.remove | async def remove(self) -> None:
"""
Remove serialized wallet if it exists.
"""
LOGGER.debug('Wallet.remove >>>')
try:
LOGGER.info('Removing wallet: %s', self.name)
await wallet.delete_wallet(json.dumps(self.cfg), json.dumps(self.access_creds))
ex... | python | async def remove(self) -> None:
"""
Remove serialized wallet if it exists.
"""
LOGGER.debug('Wallet.remove >>>')
try:
LOGGER.info('Removing wallet: %s', self.name)
await wallet.delete_wallet(json.dumps(self.cfg), json.dumps(self.access_creds))
ex... | [
"async",
"def",
"remove",
"(",
"self",
")",
"->",
"None",
":",
"LOGGER",
".",
"debug",
"(",
"'Wallet.remove >>>'",
")",
"try",
":",
"LOGGER",
".",
"info",
"(",
"'Removing wallet: %s'",
",",
"self",
".",
"name",
")",
"await",
"wallet",
".",
"delete_wallet",... | Remove serialized wallet if it exists. | [
"Remove",
"serialized",
"wallet",
"if",
"it",
"exists",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/wallet.py#L353-L366 | train |
yamins81/tabular | tabular/io.py | loadSV | def loadSV(fname, shape=None, titles=None, aligned=False, byteorder=None,
renamer=None, **kwargs):
"""
Load a delimited text file to a numpy record array.
Basically, this function calls loadSVcols and combines columns returned by
that function into a numpy ndarray with stuctured dtype. A... | python | def loadSV(fname, shape=None, titles=None, aligned=False, byteorder=None,
renamer=None, **kwargs):
"""
Load a delimited text file to a numpy record array.
Basically, this function calls loadSVcols and combines columns returned by
that function into a numpy ndarray with stuctured dtype. A... | [
"def",
"loadSV",
"(",
"fname",
",",
"shape",
"=",
"None",
",",
"titles",
"=",
"None",
",",
"aligned",
"=",
"False",
",",
"byteorder",
"=",
"None",
",",
"renamer",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"[",
"columns",
",",
"metadata",
"]",... | Load a delimited text file to a numpy record array.
Basically, this function calls loadSVcols and combines columns returned by
that function into a numpy ndarray with stuctured dtype. Also uses and
returns metadata including column names, formats, coloring, &c. if these
items are determined during ... | [
"Load",
"a",
"delimited",
"text",
"file",
"to",
"a",
"numpy",
"record",
"array",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/io.py#L39-L152 | train |
yamins81/tabular | tabular/io.py | loadSVrecs | def loadSVrecs(fname, uselines=None, skiprows=0, linefixer=None,
delimiter_regex=None, verbosity=DEFAULT_VERBOSITY, **metadata):
"""
Load a separated value text file to a list of lists of strings of records.
Takes a tabular text file with a specified delimeter and end-of-line
character... | python | def loadSVrecs(fname, uselines=None, skiprows=0, linefixer=None,
delimiter_regex=None, verbosity=DEFAULT_VERBOSITY, **metadata):
"""
Load a separated value text file to a list of lists of strings of records.
Takes a tabular text file with a specified delimeter and end-of-line
character... | [
"def",
"loadSVrecs",
"(",
"fname",
",",
"uselines",
"=",
"None",
",",
"skiprows",
"=",
"0",
",",
"linefixer",
"=",
"None",
",",
"delimiter_regex",
"=",
"None",
",",
"verbosity",
"=",
"DEFAULT_VERBOSITY",
",",
"*",
"*",
"metadata",
")",
":",
"if",
"delimi... | Load a separated value text file to a list of lists of strings of records.
Takes a tabular text file with a specified delimeter and end-of-line
character, and return data as a list of lists of strings corresponding to
records (rows). Also uses and returns metadata (including column names,
formats, ... | [
"Load",
"a",
"separated",
"value",
"text",
"file",
"to",
"a",
"list",
"of",
"lists",
"of",
"strings",
"of",
"records",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/io.py#L401-L572 | train |
yamins81/tabular | tabular/io.py | parsetypes | def parsetypes(dtype):
"""
Parse the types from a structured numpy dtype object.
Return list of string representations of types from a structured numpy
dtype object, e.g. ['int', 'float', 'str'].
Used by :func:`tabular.io.saveSV` to write out type information in the
header.
**Parameters... | python | def parsetypes(dtype):
"""
Parse the types from a structured numpy dtype object.
Return list of string representations of types from a structured numpy
dtype object, e.g. ['int', 'float', 'str'].
Used by :func:`tabular.io.saveSV` to write out type information in the
header.
**Parameters... | [
"def",
"parsetypes",
"(",
"dtype",
")",
":",
"return",
"[",
"dtype",
"[",
"i",
"]",
".",
"name",
".",
"strip",
"(",
"'1234567890'",
")",
".",
"rstrip",
"(",
"'ing'",
")",
"for",
"i",
"in",
"range",
"(",
"len",
"(",
"dtype",
")",
")",
"]"
] | Parse the types from a structured numpy dtype object.
Return list of string representations of types from a structured numpy
dtype object, e.g. ['int', 'float', 'str'].
Used by :func:`tabular.io.saveSV` to write out type information in the
header.
**Parameters**
**dtype** : numpy dtyp... | [
"Parse",
"the",
"types",
"from",
"a",
"structured",
"numpy",
"dtype",
"object",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/io.py#L1808-L1835 | train |
yamins81/tabular | tabular/io.py | thresholdcoloring | def thresholdcoloring(coloring, names):
"""
Threshold a coloring dictionary for a given list of column names.
Threshold `coloring` based on `names`, a list of strings in::
coloring.values()
**Parameters**
**coloring** : dictionary
Hierarchical structure on the columns g... | python | def thresholdcoloring(coloring, names):
"""
Threshold a coloring dictionary for a given list of column names.
Threshold `coloring` based on `names`, a list of strings in::
coloring.values()
**Parameters**
**coloring** : dictionary
Hierarchical structure on the columns g... | [
"def",
"thresholdcoloring",
"(",
"coloring",
",",
"names",
")",
":",
"for",
"key",
"in",
"coloring",
".",
"keys",
"(",
")",
":",
"if",
"len",
"(",
"[",
"k",
"for",
"k",
"in",
"coloring",
"[",
"key",
"]",
"if",
"k",
"in",
"names",
"]",
")",
"==",
... | Threshold a coloring dictionary for a given list of column names.
Threshold `coloring` based on `names`, a list of strings in::
coloring.values()
**Parameters**
**coloring** : dictionary
Hierarchical structure on the columns given in the header of the
file; an attr... | [
"Threshold",
"a",
"coloring",
"dictionary",
"for",
"a",
"given",
"list",
"of",
"column",
"names",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/io.py#L1838-L1873 | train |
yamins81/tabular | tabular/io.py | makedir | def makedir(dir_name):
"""
"Strong" directory maker.
"Strong" version of `os.mkdir`. If `dir_name` already exists, this deletes
it first.
**Parameters**
**dir_name** : string
Path to a file directory that may or may not already exist.
**See Also:**
:func:`ta... | python | def makedir(dir_name):
"""
"Strong" directory maker.
"Strong" version of `os.mkdir`. If `dir_name` already exists, this deletes
it first.
**Parameters**
**dir_name** : string
Path to a file directory that may or may not already exist.
**See Also:**
:func:`ta... | [
"def",
"makedir",
"(",
"dir_name",
")",
":",
"if",
"os",
".",
"path",
".",
"exists",
"(",
"dir_name",
")",
":",
"delete",
"(",
"dir_name",
")",
"os",
".",
"mkdir",
"(",
"dir_name",
")"
] | "Strong" directory maker.
"Strong" version of `os.mkdir`. If `dir_name` already exists, this deletes
it first.
**Parameters**
**dir_name** : string
Path to a file directory that may or may not already exist.
**See Also:**
:func:`tabular.io.delete`,
`os <http... | [
"Strong",
"directory",
"maker",
"."
] | 1caf091c8c395960a9ad7078f95158b533cc52dd | https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/io.py#L1924-L1945 | train |
inveniosoftware/invenio-communities | invenio_communities/views/ui.py | pass_community | def pass_community(f):
"""Decorator to pass community."""
@wraps(f)
def inner(community_id, *args, **kwargs):
c = Community.get(community_id)
if c is None:
abort(404)
return f(c, *args, **kwargs)
return inner | python | def pass_community(f):
"""Decorator to pass community."""
@wraps(f)
def inner(community_id, *args, **kwargs):
c = Community.get(community_id)
if c is None:
abort(404)
return f(c, *args, **kwargs)
return inner | [
"def",
"pass_community",
"(",
"f",
")",
":",
"@",
"wraps",
"(",
"f",
")",
"def",
"inner",
"(",
"community_id",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"c",
"=",
"Community",
".",
"get",
"(",
"community_id",
")",
"if",
"c",
"is",
"Non... | Decorator to pass community. | [
"Decorator",
"to",
"pass",
"community",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/views/ui.py#L56-L64 | train |
inveniosoftware/invenio-communities | invenio_communities/views/ui.py | permission_required | def permission_required(action):
"""Decorator to require permission."""
def decorator(f):
@wraps(f)
def inner(community, *args, **kwargs):
permission = current_permission_factory(community, action=action)
if not permission.can():
abort(403)
ret... | python | def permission_required(action):
"""Decorator to require permission."""
def decorator(f):
@wraps(f)
def inner(community, *args, **kwargs):
permission = current_permission_factory(community, action=action)
if not permission.can():
abort(403)
ret... | [
"def",
"permission_required",
"(",
"action",
")",
":",
"def",
"decorator",
"(",
"f",
")",
":",
"@",
"wraps",
"(",
"f",
")",
"def",
"inner",
"(",
"community",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"permission",
"=",
"current_permission_fa... | Decorator to require permission. | [
"Decorator",
"to",
"require",
"permission",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/views/ui.py#L67-L77 | train |
inveniosoftware/invenio-communities | invenio_communities/views/ui.py | format_item | def format_item(item, template, name='item'):
"""Render a template to a string with the provided item in context."""
ctx = {name: item}
return render_template_to_string(template, **ctx) | python | def format_item(item, template, name='item'):
"""Render a template to a string with the provided item in context."""
ctx = {name: item}
return render_template_to_string(template, **ctx) | [
"def",
"format_item",
"(",
"item",
",",
"template",
",",
"name",
"=",
"'item'",
")",
":",
"ctx",
"=",
"{",
"name",
":",
"item",
"}",
"return",
"render_template_to_string",
"(",
"template",
",",
"*",
"*",
"ctx",
")"
] | Render a template to a string with the provided item in context. | [
"Render",
"a",
"template",
"to",
"a",
"string",
"with",
"the",
"provided",
"item",
"in",
"context",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/views/ui.py#L81-L84 | train |
inveniosoftware/invenio-communities | invenio_communities/views/ui.py | new | def new():
"""Create a new community."""
form = CommunityForm(formdata=request.values)
ctx = mycommunities_ctx()
ctx.update({
'form': form,
'is_new': True,
'community': None,
})
if form.validate_on_submit():
data = copy.deepcopy(form.data)
community_id ... | python | def new():
"""Create a new community."""
form = CommunityForm(formdata=request.values)
ctx = mycommunities_ctx()
ctx.update({
'form': form,
'is_new': True,
'community': None,
})
if form.validate_on_submit():
data = copy.deepcopy(form.data)
community_id ... | [
"def",
"new",
"(",
")",
":",
"form",
"=",
"CommunityForm",
"(",
"formdata",
"=",
"request",
".",
"values",
")",
"ctx",
"=",
"mycommunities_ctx",
"(",
")",
"ctx",
".",
"update",
"(",
"{",
"'form'",
":",
"form",
",",
"'is_new'",
":",
"True",
",",
"'com... | Create a new community. | [
"Create",
"a",
"new",
"community",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/views/ui.py#L171-L209 | train |
inveniosoftware/invenio-communities | invenio_communities/views/ui.py | edit | def edit(community):
"""Create or edit a community."""
form = EditCommunityForm(formdata=request.values, obj=community)
deleteform = DeleteCommunityForm()
ctx = mycommunities_ctx()
ctx.update({
'form': form,
'is_new': False,
'community': community,
'deleteform': delet... | python | def edit(community):
"""Create or edit a community."""
form = EditCommunityForm(formdata=request.values, obj=community)
deleteform = DeleteCommunityForm()
ctx = mycommunities_ctx()
ctx.update({
'form': form,
'is_new': False,
'community': community,
'deleteform': delet... | [
"def",
"edit",
"(",
"community",
")",
":",
"form",
"=",
"EditCommunityForm",
"(",
"formdata",
"=",
"request",
".",
"values",
",",
"obj",
"=",
"community",
")",
"deleteform",
"=",
"DeleteCommunityForm",
"(",
")",
"ctx",
"=",
"mycommunities_ctx",
"(",
")",
"... | Create or edit a community. | [
"Create",
"or",
"edit",
"a",
"community",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/views/ui.py#L216-L247 | train |
inveniosoftware/invenio-communities | invenio_communities/views/ui.py | delete | def delete(community):
"""Delete a community."""
deleteform = DeleteCommunityForm(formdata=request.values)
ctx = mycommunities_ctx()
ctx.update({
'deleteform': deleteform,
'is_new': False,
'community': community,
})
if deleteform.validate_on_submit():
community.d... | python | def delete(community):
"""Delete a community."""
deleteform = DeleteCommunityForm(formdata=request.values)
ctx = mycommunities_ctx()
ctx.update({
'deleteform': deleteform,
'is_new': False,
'community': community,
})
if deleteform.validate_on_submit():
community.d... | [
"def",
"delete",
"(",
"community",
")",
":",
"deleteform",
"=",
"DeleteCommunityForm",
"(",
"formdata",
"=",
"request",
".",
"values",
")",
"ctx",
"=",
"mycommunities_ctx",
"(",
")",
"ctx",
".",
"update",
"(",
"{",
"'deleteform'",
":",
"deleteform",
",",
"... | Delete a community. | [
"Delete",
"a",
"community",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/views/ui.py#L254-L271 | train |
OpenTreeOfLife/peyotl | tutorials/ot-oti-find-tree.py | ot_find_tree | def ot_find_tree(arg_dict, exact=True, verbose=False, oti_wrapper=None):
"""Uses a peyotl wrapper around an Open Tree web service to get a list of trees including values `value` for a given property to be searched on `porperty`.
The oti_wrapper can be None (in which case the default wrapper from peyotl.sugar w... | python | def ot_find_tree(arg_dict, exact=True, verbose=False, oti_wrapper=None):
"""Uses a peyotl wrapper around an Open Tree web service to get a list of trees including values `value` for a given property to be searched on `porperty`.
The oti_wrapper can be None (in which case the default wrapper from peyotl.sugar w... | [
"def",
"ot_find_tree",
"(",
"arg_dict",
",",
"exact",
"=",
"True",
",",
"verbose",
"=",
"False",
",",
"oti_wrapper",
"=",
"None",
")",
":",
"if",
"oti_wrapper",
"is",
"None",
":",
"from",
"peyotl",
".",
"sugar",
"import",
"oti",
"oti_wrapper",
"=",
"oti"... | Uses a peyotl wrapper around an Open Tree web service to get a list of trees including values `value` for a given property to be searched on `porperty`.
The oti_wrapper can be None (in which case the default wrapper from peyotl.sugar will be used.
All other arguments correspond to the arguments of the web-serv... | [
"Uses",
"a",
"peyotl",
"wrapper",
"around",
"an",
"Open",
"Tree",
"web",
"service",
"to",
"get",
"a",
"list",
"of",
"trees",
"including",
"values",
"value",
"for",
"a",
"given",
"property",
"to",
"be",
"searched",
"on",
"porperty",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/tutorials/ot-oti-find-tree.py#L12-L24 | train |
hsolbrig/pyjsg | pyjsg/jsglib/typing_patch_36.py | is_iterable | def is_iterable(etype) -> bool:
""" Determine whether etype is a List or other iterable """
return type(etype) is GenericMeta and issubclass(etype.__extra__, Iterable) | python | def is_iterable(etype) -> bool:
""" Determine whether etype is a List or other iterable """
return type(etype) is GenericMeta and issubclass(etype.__extra__, Iterable) | [
"def",
"is_iterable",
"(",
"etype",
")",
"->",
"bool",
":",
"return",
"type",
"(",
"etype",
")",
"is",
"GenericMeta",
"and",
"issubclass",
"(",
"etype",
".",
"__extra__",
",",
"Iterable",
")"
] | Determine whether etype is a List or other iterable | [
"Determine",
"whether",
"etype",
"is",
"a",
"List",
"or",
"other",
"iterable"
] | 9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7 | https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/typing_patch_36.py#L29-L31 | train |
OpenTreeOfLife/peyotl | tutorials/ot-tree-of-life-mrca.py | main | def main(argv):
"""This function sets up a command-line option parser and then calls fetch_and_write_mrca
to do all of the real work.
"""
import argparse
description = 'Uses Open Tree of Life web services to the MRCA for a set of OTT IDs.'
parser = argparse.ArgumentParser(prog='ot-tree-of-life-m... | python | def main(argv):
"""This function sets up a command-line option parser and then calls fetch_and_write_mrca
to do all of the real work.
"""
import argparse
description = 'Uses Open Tree of Life web services to the MRCA for a set of OTT IDs.'
parser = argparse.ArgumentParser(prog='ot-tree-of-life-m... | [
"def",
"main",
"(",
"argv",
")",
":",
"import",
"argparse",
"description",
"=",
"'Uses Open Tree of Life web services to the MRCA for a set of OTT IDs.'",
"parser",
"=",
"argparse",
".",
"ArgumentParser",
"(",
"prog",
"=",
"'ot-tree-of-life-mrca'",
",",
"description",
"="... | This function sets up a command-line option parser and then calls fetch_and_write_mrca
to do all of the real work. | [
"This",
"function",
"sets",
"up",
"a",
"command",
"-",
"line",
"option",
"parser",
"and",
"then",
"calls",
"fetch_and_write_mrca",
"to",
"do",
"all",
"of",
"the",
"real",
"work",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/tutorials/ot-tree-of-life-mrca.py#L63-L82 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/agent/origin.py | Origin.send_schema | async def send_schema(self, schema_data_json: str) -> str:
"""
Send schema to ledger, then retrieve it as written to the ledger and return it.
If schema already exists on ledger, log error and return schema.
:param schema_data_json: schema data json with name, version, attribute names; ... | python | async def send_schema(self, schema_data_json: str) -> str:
"""
Send schema to ledger, then retrieve it as written to the ledger and return it.
If schema already exists on ledger, log error and return schema.
:param schema_data_json: schema data json with name, version, attribute names; ... | [
"async",
"def",
"send_schema",
"(",
"self",
",",
"schema_data_json",
":",
"str",
")",
"->",
"str",
":",
"LOGGER",
".",
"debug",
"(",
"'Origin.send_schema >>> schema_data_json: %s'",
",",
"schema_data_json",
")",
"schema_data",
"=",
"json",
".",
"loads",
"(",
"sc... | Send schema to ledger, then retrieve it as written to the ledger and return it.
If schema already exists on ledger, log error and return schema.
:param schema_data_json: schema data json with name, version, attribute names; e.g.,
::
{
'name': 'my-schema',
... | [
"Send",
"schema",
"to",
"ledger",
"then",
"retrieve",
"it",
"as",
"written",
"to",
"the",
"ledger",
"and",
"return",
"it",
".",
"If",
"schema",
"already",
"exists",
"on",
"ledger",
"log",
"error",
"and",
"return",
"schema",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/agent/origin.py#L36-L82 | train |
OpenTreeOfLife/peyotl | peyotl/git_storage/type_aware_doc_store.py | TypeAwareDocStore._locked_refresh_doc_ids | def _locked_refresh_doc_ids(self):
"""Assumes that the caller has the _index_lock !
"""
d = {}
for s in self._shards:
for k in s.doc_index.keys():
if k in d:
raise KeyError('doc "{i}" found in multiple repos'.format(i=k))
d[... | python | def _locked_refresh_doc_ids(self):
"""Assumes that the caller has the _index_lock !
"""
d = {}
for s in self._shards:
for k in s.doc_index.keys():
if k in d:
raise KeyError('doc "{i}" found in multiple repos'.format(i=k))
d[... | [
"def",
"_locked_refresh_doc_ids",
"(",
"self",
")",
":",
"d",
"=",
"{",
"}",
"for",
"s",
"in",
"self",
".",
"_shards",
":",
"for",
"k",
"in",
"s",
".",
"doc_index",
".",
"keys",
"(",
")",
":",
"if",
"k",
"in",
"d",
":",
"raise",
"KeyError",
"(",
... | Assumes that the caller has the _index_lock ! | [
"Assumes",
"that",
"the",
"caller",
"has",
"the",
"_index_lock",
"!"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/type_aware_doc_store.py#L157-L166 | train |
OpenTreeOfLife/peyotl | peyotl/git_storage/type_aware_doc_store.py | TypeAwareDocStore.push_doc_to_remote | def push_doc_to_remote(self, remote_name, doc_id=None):
"""This will push the master branch to the remote named `remote_name`
using the mirroring strategy to cut down on locking of the working repo.
`doc_id` is used to determine which shard should be pushed.
if `doc_id` is None, all sha... | python | def push_doc_to_remote(self, remote_name, doc_id=None):
"""This will push the master branch to the remote named `remote_name`
using the mirroring strategy to cut down on locking of the working repo.
`doc_id` is used to determine which shard should be pushed.
if `doc_id` is None, all sha... | [
"def",
"push_doc_to_remote",
"(",
"self",
",",
"remote_name",
",",
"doc_id",
"=",
"None",
")",
":",
"if",
"doc_id",
"is",
"None",
":",
"ret",
"=",
"True",
"# @TODO should spawn a thread of each shard...",
"for",
"shard",
"in",
"self",
".",
"_shards",
":",
"if"... | This will push the master branch to the remote named `remote_name`
using the mirroring strategy to cut down on locking of the working repo.
`doc_id` is used to determine which shard should be pushed.
if `doc_id` is None, all shards are pushed. | [
"This",
"will",
"push",
"the",
"master",
"branch",
"to",
"the",
"remote",
"named",
"remote_name",
"using",
"the",
"mirroring",
"strategy",
"to",
"cut",
"down",
"on",
"locking",
"of",
"the",
"working",
"repo",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/type_aware_doc_store.py#L214-L229 | train |
OpenTreeOfLife/peyotl | peyotl/git_storage/type_aware_doc_store.py | TypeAwareDocStore.iter_doc_filepaths | def iter_doc_filepaths(self, **kwargs):
"""Generator that iterates over all detected documents.
and returns the filesystem path to each doc.
Order is by shard, but arbitrary within shards.
@TEMP not locked to prevent doc creation/deletion
"""
for shard in self._shards:
... | python | def iter_doc_filepaths(self, **kwargs):
"""Generator that iterates over all detected documents.
and returns the filesystem path to each doc.
Order is by shard, but arbitrary within shards.
@TEMP not locked to prevent doc creation/deletion
"""
for shard in self._shards:
... | [
"def",
"iter_doc_filepaths",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"for",
"shard",
"in",
"self",
".",
"_shards",
":",
"for",
"doc_id",
",",
"blob",
"in",
"shard",
".",
"iter_doc_filepaths",
"(",
"*",
"*",
"kwargs",
")",
":",
"yield",
"doc_id"... | Generator that iterates over all detected documents.
and returns the filesystem path to each doc.
Order is by shard, but arbitrary within shards.
@TEMP not locked to prevent doc creation/deletion | [
"Generator",
"that",
"iterates",
"over",
"all",
"detected",
"documents",
".",
"and",
"returns",
"the",
"filesystem",
"path",
"to",
"each",
"doc",
".",
"Order",
"is",
"by",
"shard",
"but",
"arbitrary",
"within",
"shards",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/type_aware_doc_store.py#L323-L331 | train |
inveniosoftware/invenio-communities | invenio_communities/forms.py | CommunityForm.data | def data(self):
"""Form data."""
d = super(CommunityForm, self).data
d.pop('csrf_token', None)
return d | python | def data(self):
"""Form data."""
d = super(CommunityForm, self).data
d.pop('csrf_token', None)
return d | [
"def",
"data",
"(",
"self",
")",
":",
"d",
"=",
"super",
"(",
"CommunityForm",
",",
"self",
")",
".",
"data",
"d",
".",
"pop",
"(",
"'csrf_token'",
",",
"None",
")",
"return",
"d"
] | Form data. | [
"Form",
"data",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/forms.py#L54-L58 | train |
inveniosoftware/invenio-communities | invenio_communities/forms.py | CommunityForm.validate_identifier | def validate_identifier(self, field):
"""Validate field identifier."""
if field.data:
field.data = field.data.lower()
if Community.get(field.data, with_deleted=True):
raise validators.ValidationError(
_('The identifier already exists. '
... | python | def validate_identifier(self, field):
"""Validate field identifier."""
if field.data:
field.data = field.data.lower()
if Community.get(field.data, with_deleted=True):
raise validators.ValidationError(
_('The identifier already exists. '
... | [
"def",
"validate_identifier",
"(",
"self",
",",
"field",
")",
":",
"if",
"field",
".",
"data",
":",
"field",
".",
"data",
"=",
"field",
".",
"data",
".",
"lower",
"(",
")",
"if",
"Community",
".",
"get",
"(",
"field",
".",
"data",
",",
"with_deleted"... | Validate field identifier. | [
"Validate",
"field",
"identifier",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/forms.py#L154-L161 | train |
OpenTreeOfLife/peyotl | peyotl/utility/input_output.py | read_filepath | def read_filepath(filepath, encoding='utf-8'):
"""Returns the text content of `filepath`"""
with codecs.open(filepath, 'r', encoding=encoding) as fo:
return fo.read() | python | def read_filepath(filepath, encoding='utf-8'):
"""Returns the text content of `filepath`"""
with codecs.open(filepath, 'r', encoding=encoding) as fo:
return fo.read() | [
"def",
"read_filepath",
"(",
"filepath",
",",
"encoding",
"=",
"'utf-8'",
")",
":",
"with",
"codecs",
".",
"open",
"(",
"filepath",
",",
"'r'",
",",
"encoding",
"=",
"encoding",
")",
"as",
"fo",
":",
"return",
"fo",
".",
"read",
"(",
")"
] | Returns the text content of `filepath` | [
"Returns",
"the",
"text",
"content",
"of",
"filepath"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/input_output.py#L25-L28 | train |
OpenTreeOfLife/peyotl | peyotl/utility/input_output.py | download | def download(url, encoding='utf-8'):
"""Returns the text fetched via http GET from URL, read as `encoding`"""
import requests
response = requests.get(url)
response.encoding = encoding
return response.text | python | def download(url, encoding='utf-8'):
"""Returns the text fetched via http GET from URL, read as `encoding`"""
import requests
response = requests.get(url)
response.encoding = encoding
return response.text | [
"def",
"download",
"(",
"url",
",",
"encoding",
"=",
"'utf-8'",
")",
":",
"import",
"requests",
"response",
"=",
"requests",
".",
"get",
"(",
"url",
")",
"response",
".",
"encoding",
"=",
"encoding",
"return",
"response",
".",
"text"
] | Returns the text fetched via http GET from URL, read as `encoding` | [
"Returns",
"the",
"text",
"fetched",
"via",
"http",
"GET",
"from",
"URL",
"read",
"as",
"encoding"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/input_output.py#L53-L58 | train |
OpenTreeOfLife/peyotl | peyotl/utility/input_output.py | pretty_dict_str | def pretty_dict_str(d, indent=2):
"""shows JSON indented representation of d"""
b = StringIO()
write_pretty_dict_str(b, d, indent=indent)
return b.getvalue() | python | def pretty_dict_str(d, indent=2):
"""shows JSON indented representation of d"""
b = StringIO()
write_pretty_dict_str(b, d, indent=indent)
return b.getvalue() | [
"def",
"pretty_dict_str",
"(",
"d",
",",
"indent",
"=",
"2",
")",
":",
"b",
"=",
"StringIO",
"(",
")",
"write_pretty_dict_str",
"(",
"b",
",",
"d",
",",
"indent",
"=",
"indent",
")",
"return",
"b",
".",
"getvalue",
"(",
")"
] | shows JSON indented representation of d | [
"shows",
"JSON",
"indented",
"representation",
"of",
"d"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/input_output.py#L80-L84 | train |
OpenTreeOfLife/peyotl | peyotl/utility/input_output.py | write_pretty_dict_str | def write_pretty_dict_str(out, obj, indent=2):
"""writes JSON indented representation of `obj` to `out`"""
json.dump(obj,
out,
indent=indent,
sort_keys=True,
separators=(',', ': '),
ensure_ascii=False,
encoding="utf-8") | python | def write_pretty_dict_str(out, obj, indent=2):
"""writes JSON indented representation of `obj` to `out`"""
json.dump(obj,
out,
indent=indent,
sort_keys=True,
separators=(',', ': '),
ensure_ascii=False,
encoding="utf-8") | [
"def",
"write_pretty_dict_str",
"(",
"out",
",",
"obj",
",",
"indent",
"=",
"2",
")",
":",
"json",
".",
"dump",
"(",
"obj",
",",
"out",
",",
"indent",
"=",
"indent",
",",
"sort_keys",
"=",
"True",
",",
"separators",
"=",
"(",
"','",
",",
"': '",
")... | writes JSON indented representation of `obj` to `out` | [
"writes",
"JSON",
"indented",
"representation",
"of",
"obj",
"to",
"out"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/utility/input_output.py#L87-L95 | train |
inveniosoftware/invenio-communities | invenio_communities/serializers/response.py | community_responsify | def community_responsify(schema_class, mimetype):
"""Create a community response serializer.
:param serializer: Serializer instance.
:param mimetype: MIME type of response.
"""
def view(data, code=200, headers=None, links_item_factory=None,
page=None, urlkwargs=None, links_pagination_f... | python | def community_responsify(schema_class, mimetype):
"""Create a community response serializer.
:param serializer: Serializer instance.
:param mimetype: MIME type of response.
"""
def view(data, code=200, headers=None, links_item_factory=None,
page=None, urlkwargs=None, links_pagination_f... | [
"def",
"community_responsify",
"(",
"schema_class",
",",
"mimetype",
")",
":",
"def",
"view",
"(",
"data",
",",
"code",
"=",
"200",
",",
"headers",
"=",
"None",
",",
"links_item_factory",
"=",
"None",
",",
"page",
"=",
"None",
",",
"urlkwargs",
"=",
"Non... | Create a community response serializer.
:param serializer: Serializer instance.
:param mimetype: MIME type of response. | [
"Create",
"a",
"community",
"response",
"serializer",
"."
] | 5c4de6783724d276ae1b6dd13a399a9e22fadc7a | https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/serializers/response.py#L58-L94 | train |
palantir/typedjsonrpc | typedjsonrpc/errors.py | InternalError.from_error | def from_error(exc_info, json_encoder, debug_url=None):
"""Wraps another Exception in an InternalError.
:param exc_info: The exception info for the wrapped exception
:type exc_info: (type, object, traceback)
:type json_encoder: json.JSONEncoder
:type debug_url: str | None
... | python | def from_error(exc_info, json_encoder, debug_url=None):
"""Wraps another Exception in an InternalError.
:param exc_info: The exception info for the wrapped exception
:type exc_info: (type, object, traceback)
:type json_encoder: json.JSONEncoder
:type debug_url: str | None
... | [
"def",
"from_error",
"(",
"exc_info",
",",
"json_encoder",
",",
"debug_url",
"=",
"None",
")",
":",
"exc",
"=",
"exc_info",
"[",
"1",
"]",
"data",
"=",
"exc",
".",
"__dict__",
".",
"copy",
"(",
")",
"for",
"key",
",",
"value",
"in",
"data",
".",
"i... | Wraps another Exception in an InternalError.
:param exc_info: The exception info for the wrapped exception
:type exc_info: (type, object, traceback)
:type json_encoder: json.JSONEncoder
:type debug_url: str | None
:rtype: InternalError
.. versionadded:: 0.1.0
..... | [
"Wraps",
"another",
"Exception",
"in",
"an",
"InternalError",
"."
] | 274218fcd236ff9643506caa629029c9ba25a0fb | https://github.com/palantir/typedjsonrpc/blob/274218fcd236ff9643506caa629029c9ba25a0fb/typedjsonrpc/errors.py#L99-L122 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/cache.py | SchemaCache.contains | def contains(self, index: Union[SchemaKey, int, str]) -> bool:
"""
Return whether the cache contains a schema for the input key, sequence number, or schema identifier.
:param index: schema key, sequence number, or sequence identifier
:return: whether the cache contains a schema for the ... | python | def contains(self, index: Union[SchemaKey, int, str]) -> bool:
"""
Return whether the cache contains a schema for the input key, sequence number, or schema identifier.
:param index: schema key, sequence number, or sequence identifier
:return: whether the cache contains a schema for the ... | [
"def",
"contains",
"(",
"self",
",",
"index",
":",
"Union",
"[",
"SchemaKey",
",",
"int",
",",
"str",
"]",
")",
"->",
"bool",
":",
"LOGGER",
".",
"debug",
"(",
"'SchemaCache.contains >>> index: %s'",
",",
"index",
")",
"rv",
"=",
"None",
"if",
"isinstanc... | Return whether the cache contains a schema for the input key, sequence number, or schema identifier.
:param index: schema key, sequence number, or sequence identifier
:return: whether the cache contains a schema for the input index | [
"Return",
"whether",
"the",
"cache",
"contains",
"a",
"schema",
"for",
"the",
"input",
"key",
"sequence",
"number",
"or",
"schema",
"identifier",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/cache.py#L115-L136 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/cache.py | RevoCacheEntry.cull | def cull(self, delta: bool) -> None:
"""
Cull cache entry frame list to size, favouring most recent query time.
:param delta: True to operate on rev reg deltas, False for rev reg states
"""
LOGGER.debug('RevoCacheEntry.cull >>> delta: %s', delta)
rr_frames = self.rr_de... | python | def cull(self, delta: bool) -> None:
"""
Cull cache entry frame list to size, favouring most recent query time.
:param delta: True to operate on rev reg deltas, False for rev reg states
"""
LOGGER.debug('RevoCacheEntry.cull >>> delta: %s', delta)
rr_frames = self.rr_de... | [
"def",
"cull",
"(",
"self",
",",
"delta",
":",
"bool",
")",
"->",
"None",
":",
"LOGGER",
".",
"debug",
"(",
"'RevoCacheEntry.cull >>> delta: %s'",
",",
"delta",
")",
"rr_frames",
"=",
"self",
".",
"rr_delta_frames",
"if",
"delta",
"else",
"self",
".",
"rr_... | Cull cache entry frame list to size, favouring most recent query time.
:param delta: True to operate on rev reg deltas, False for rev reg states | [
"Cull",
"cache",
"entry",
"frame",
"list",
"to",
"size",
"favouring",
"most",
"recent",
"query",
"time",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/cache.py#L413-L433 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/cache.py | RevocationCache.dflt_interval | def dflt_interval(self, cd_id: str) -> (int, int):
"""
Return default non-revocation interval from latest 'to' times on delta frames
of revocation cache entries on indices stemming from input cred def id.
Compute the 'from'/'to' values as the earliest/latest 'to' values of all
c... | python | def dflt_interval(self, cd_id: str) -> (int, int):
"""
Return default non-revocation interval from latest 'to' times on delta frames
of revocation cache entries on indices stemming from input cred def id.
Compute the 'from'/'to' values as the earliest/latest 'to' values of all
c... | [
"def",
"dflt_interval",
"(",
"self",
",",
"cd_id",
":",
"str",
")",
"->",
"(",
"int",
",",
"int",
")",
":",
"LOGGER",
".",
"debug",
"(",
"'RevocationCache.dflt_interval >>>'",
")",
"fro",
"=",
"None",
"to",
"=",
"None",
"for",
"rr_id",
"in",
"self",
":... | Return default non-revocation interval from latest 'to' times on delta frames
of revocation cache entries on indices stemming from input cred def id.
Compute the 'from'/'to' values as the earliest/latest 'to' values of all
cached delta frames on all rev reg ids stemming from the input cred def ... | [
"Return",
"default",
"non",
"-",
"revocation",
"interval",
"from",
"latest",
"to",
"times",
"on",
"delta",
"frames",
"of",
"revocation",
"cache",
"entries",
"on",
"indices",
"stemming",
"from",
"input",
"cred",
"def",
"id",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/cache.py#L662-L706 | train |
PSPC-SPAC-buyandsell/von_agent | von_agent/cache.py | Caches.parse | def parse(base_dir: str, timestamp: int = None) -> int:
"""
Parse and update from archived cache files. Only accept new content;
do not overwrite any existing cache content.
:param base_dir: archive base directory
:param timestamp: epoch time of cache serving as subdirectory, de... | python | def parse(base_dir: str, timestamp: int = None) -> int:
"""
Parse and update from archived cache files. Only accept new content;
do not overwrite any existing cache content.
:param base_dir: archive base directory
:param timestamp: epoch time of cache serving as subdirectory, de... | [
"def",
"parse",
"(",
"base_dir",
":",
"str",
",",
"timestamp",
":",
"int",
"=",
"None",
")",
"->",
"int",
":",
"LOGGER",
".",
"debug",
"(",
"'parse >>> base_dir: %s, timestamp: %s'",
",",
"base_dir",
",",
"timestamp",
")",
"if",
"not",
"isdir",
"(",
"base_... | Parse and update from archived cache files. Only accept new content;
do not overwrite any existing cache content.
:param base_dir: archive base directory
:param timestamp: epoch time of cache serving as subdirectory, default most recent
:return: epoch time of cache serving as subdirecto... | [
"Parse",
"and",
"update",
"from",
"archived",
"cache",
"files",
".",
"Only",
"accept",
"new",
"content",
";",
"do",
"not",
"overwrite",
"any",
"existing",
"cache",
"content",
"."
] | 0b1c17cca3bd178b6e6974af84dbac1dfce5cf45 | https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/cache.py#L774-L850 | train |
OpenTreeOfLife/peyotl | peyotl/nexson_syntax/helper.py | detect_nexson_version | def detect_nexson_version(blob):
"""Returns the nexml2json attribute or the default code for badgerfish"""
n = get_nexml_el(blob)
assert isinstance(n, dict)
return n.get('@nexml2json', BADGER_FISH_NEXSON_VERSION) | python | def detect_nexson_version(blob):
"""Returns the nexml2json attribute or the default code for badgerfish"""
n = get_nexml_el(blob)
assert isinstance(n, dict)
return n.get('@nexml2json', BADGER_FISH_NEXSON_VERSION) | [
"def",
"detect_nexson_version",
"(",
"blob",
")",
":",
"n",
"=",
"get_nexml_el",
"(",
"blob",
")",
"assert",
"isinstance",
"(",
"n",
",",
"dict",
")",
"return",
"n",
".",
"get",
"(",
"'@nexml2json'",
",",
"BADGER_FISH_NEXSON_VERSION",
")"
] | Returns the nexml2json attribute or the default code for badgerfish | [
"Returns",
"the",
"nexml2json",
"attribute",
"or",
"the",
"default",
"code",
"for",
"badgerfish"
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/helper.py#L40-L44 | train |
OpenTreeOfLife/peyotl | peyotl/nexson_syntax/helper.py | _add_value_to_dict_bf | def _add_value_to_dict_bf(d, k, v):
"""Adds the `k`->`v` mapping to `d`, but if a previous element exists it changes
the value of for the key to list.
This is used in the BadgerFish mapping convention.
This is a simple multi-dict that is only suitable when you know that you'll never
store a list o... | python | def _add_value_to_dict_bf(d, k, v):
"""Adds the `k`->`v` mapping to `d`, but if a previous element exists it changes
the value of for the key to list.
This is used in the BadgerFish mapping convention.
This is a simple multi-dict that is only suitable when you know that you'll never
store a list o... | [
"def",
"_add_value_to_dict_bf",
"(",
"d",
",",
"k",
",",
"v",
")",
":",
"prev",
"=",
"d",
".",
"get",
"(",
"k",
")",
"if",
"prev",
"is",
"None",
":",
"d",
"[",
"k",
"]",
"=",
"v",
"elif",
"isinstance",
"(",
"prev",
",",
"list",
")",
":",
"if"... | Adds the `k`->`v` mapping to `d`, but if a previous element exists it changes
the value of for the key to list.
This is used in the BadgerFish mapping convention.
This is a simple multi-dict that is only suitable when you know that you'll never
store a list or `None` as a value in the dict. | [
"Adds",
"the",
"k",
"-",
">",
"v",
"mapping",
"to",
"d",
"but",
"if",
"a",
"previous",
"element",
"exists",
"it",
"changes",
"the",
"value",
"of",
"for",
"the",
"key",
"to",
"list",
"."
] | 5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0 | https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/helper.py#L110-L133 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.