partition stringclasses 3
values | func_name stringlengths 1 134 | docstring stringlengths 1 46.9k | path stringlengths 4 223 | original_string stringlengths 75 104k | code stringlengths 75 104k | docstring_tokens listlengths 1 1.97k | repo stringlengths 7 55 | language stringclasses 1
value | url stringlengths 87 315 | code_tokens listlengths 19 28.4k | sha stringlengths 40 40 |
|---|---|---|---|---|---|---|---|---|---|---|---|
valid | GenericDataFrameAPIView.paginate_dataframe | Return a single page of results, or `None` if pagination is disabled. | pandas_drf_tools/generics.py | def paginate_dataframe(self, dataframe):
"""
Return a single page of results, or `None` if pagination is disabled.
"""
if self.paginator is None:
return None
return self.paginator.paginate_dataframe(dataframe, self.request, view=self) | def paginate_dataframe(self, dataframe):
"""
Return a single page of results, or `None` if pagination is disabled.
"""
if self.paginator is None:
return None
return self.paginator.paginate_dataframe(dataframe, self.request, view=self) | [
"Return",
"a",
"single",
"page",
"of",
"results",
"or",
"None",
"if",
"pagination",
"is",
"disabled",
"."
] | abarto/pandas-drf-tools | python | https://github.com/abarto/pandas-drf-tools/blob/ec754ac75327e6ee5a1efd256a572a9a531e4d28/pandas_drf_tools/generics.py#L143-L149 | [
"def",
"paginate_dataframe",
"(",
"self",
",",
"dataframe",
")",
":",
"if",
"self",
".",
"paginator",
"is",
"None",
":",
"return",
"None",
"return",
"self",
".",
"paginator",
".",
"paginate_dataframe",
"(",
"dataframe",
",",
"self",
".",
"request",
",",
"v... | ec754ac75327e6ee5a1efd256a572a9a531e4d28 |
valid | Config.parse | parse config, return a dict | rux/config.py | def parse(self):
"""parse config, return a dict"""
if exists(self.filepath):
content = open(self.filepath).read().decode(charset)
else:
content = ""
try:
config = toml.loads(content)
except toml.TomlSyntaxError:
raise ConfigSyntax... | def parse(self):
"""parse config, return a dict"""
if exists(self.filepath):
content = open(self.filepath).read().decode(charset)
else:
content = ""
try:
config = toml.loads(content)
except toml.TomlSyntaxError:
raise ConfigSyntax... | [
"parse",
"config",
"return",
"a",
"dict"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/config.py#L43-L56 | [
"def",
"parse",
"(",
"self",
")",
":",
"if",
"exists",
"(",
"self",
".",
"filepath",
")",
":",
"content",
"=",
"open",
"(",
"self",
".",
"filepath",
")",
".",
"read",
"(",
")",
".",
"decode",
"(",
"charset",
")",
"else",
":",
"content",
"=",
"\"\... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | chunks | A generator, split list `lst` into `number` equal size parts.
usage::
>>> parts = chunks(range(8),3)
>>> parts
<generator object chunks at 0xb73bd964>
>>> list(parts)
[[0, 1, 2], [3, 4, 5], [6, 7]] | rux/utils.py | def chunks(lst, number):
"""
A generator, split list `lst` into `number` equal size parts.
usage::
>>> parts = chunks(range(8),3)
>>> parts
<generator object chunks at 0xb73bd964>
>>> list(parts)
[[0, 1, 2], [3, 4, 5], [6, 7]]
"""
lst_len = len(lst)
for... | def chunks(lst, number):
"""
A generator, split list `lst` into `number` equal size parts.
usage::
>>> parts = chunks(range(8),3)
>>> parts
<generator object chunks at 0xb73bd964>
>>> list(parts)
[[0, 1, 2], [3, 4, 5], [6, 7]]
"""
lst_len = len(lst)
for... | [
"A",
"generator",
"split",
"list",
"lst",
"into",
"number",
"equal",
"size",
"parts",
".",
"usage",
"::"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/utils.py#L57-L72 | [
"def",
"chunks",
"(",
"lst",
",",
"number",
")",
":",
"lst_len",
"=",
"len",
"(",
"lst",
")",
"for",
"i",
"in",
"xrange",
"(",
"0",
",",
"lst_len",
",",
"number",
")",
":",
"yield",
"lst",
"[",
"i",
":",
"i",
"+",
"number",
"]"
] | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | update_nested_dict | update nested dict `a` with another dict b.
usage::
>>> a = {'x' : { 'y': 1}}
>>> b = {'x' : {'z':2, 'y':3}, 'w': 4}
>>> update_nested_dict(a,b)
{'x': {'y': 3, 'z': 2}, 'w': 4} | rux/utils.py | def update_nested_dict(a, b):
"""
update nested dict `a` with another dict b.
usage::
>>> a = {'x' : { 'y': 1}}
>>> b = {'x' : {'z':2, 'y':3}, 'w': 4}
>>> update_nested_dict(a,b)
{'x': {'y': 3, 'z': 2}, 'w': 4}
"""
for k, v in b.iteritems():
if isinstance(v,... | def update_nested_dict(a, b):
"""
update nested dict `a` with another dict b.
usage::
>>> a = {'x' : { 'y': 1}}
>>> b = {'x' : {'z':2, 'y':3}, 'w': 4}
>>> update_nested_dict(a,b)
{'x': {'y': 3, 'z': 2}, 'w': 4}
"""
for k, v in b.iteritems():
if isinstance(v,... | [
"update",
"nested",
"dict",
"a",
"with",
"another",
"dict",
"b",
".",
"usage",
"::"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/utils.py#L75-L92 | [
"def",
"update_nested_dict",
"(",
"a",
",",
"b",
")",
":",
"for",
"k",
",",
"v",
"in",
"b",
".",
"iteritems",
"(",
")",
":",
"if",
"isinstance",
"(",
"v",
",",
"dict",
")",
":",
"d",
"=",
"a",
".",
"setdefault",
"(",
"k",
",",
"{",
"}",
")",
... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | render_to | shortcut to render data with `template` and then write to `path`.
Just add exception catch to `renderer.render_to` | rux/generator.py | def render_to(path, template, **data):
"""shortcut to render data with `template` and then write to `path`.
Just add exception catch to `renderer.render_to`"""
try:
renderer.render_to(path, template, **data)
except JinjaTemplateNotFound as e:
logger.error(e.__doc__ + ', Template: %r' % t... | def render_to(path, template, **data):
"""shortcut to render data with `template` and then write to `path`.
Just add exception catch to `renderer.render_to`"""
try:
renderer.render_to(path, template, **data)
except JinjaTemplateNotFound as e:
logger.error(e.__doc__ + ', Template: %r' % t... | [
"shortcut",
"to",
"render",
"data",
"with",
"template",
"and",
"then",
"write",
"to",
"path",
".",
"Just",
"add",
"exception",
"catch",
"to",
"renderer",
".",
"render_to"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/generator.py#L27-L34 | [
"def",
"render_to",
"(",
"path",
",",
"template",
",",
"*",
"*",
"data",
")",
":",
"try",
":",
"renderer",
".",
"render_to",
"(",
"path",
",",
"template",
",",
"*",
"*",
"data",
")",
"except",
"JinjaTemplateNotFound",
"as",
"e",
":",
"logger",
".",
"... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | RuxHtmlRenderer.block_code | text: unicode text to render | rux/parser.py | def block_code(self, text, lang):
"""text: unicode text to render"""
if not lang:
return self._code_no_lexer(text)
try:
lexer = get_lexer_by_name(lang, stripall=True)
except ClassNotFound: # lexer not found, use plain text
return self._code_no_lexer... | def block_code(self, text, lang):
"""text: unicode text to render"""
if not lang:
return self._code_no_lexer(text)
try:
lexer = get_lexer_by_name(lang, stripall=True)
except ClassNotFound: # lexer not found, use plain text
return self._code_no_lexer... | [
"text",
":",
"unicode",
"text",
"to",
"render"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/parser.py#L44-L57 | [
"def",
"block_code",
"(",
"self",
",",
"text",
",",
"lang",
")",
":",
"if",
"not",
"lang",
":",
"return",
"self",
".",
"_code_no_lexer",
"(",
"text",
")",
"try",
":",
"lexer",
"=",
"get_lexer_by_name",
"(",
"lang",
",",
"stripall",
"=",
"True",
")",
... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | Parser.parse | Parse ascii post source, return dict | rux/parser.py | def parse(self, source):
"""Parse ascii post source, return dict"""
rt, title, title_pic, markdown = libparser.parse(source)
if rt == -1:
raise SeparatorNotFound
elif rt == -2:
raise PostTitleNotFound
# change to unicode
title, title_pic, markdo... | def parse(self, source):
"""Parse ascii post source, return dict"""
rt, title, title_pic, markdown = libparser.parse(source)
if rt == -1:
raise SeparatorNotFound
elif rt == -2:
raise PostTitleNotFound
# change to unicode
title, title_pic, markdo... | [
"Parse",
"ascii",
"post",
"source",
"return",
"dict"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/parser.py#L84-L108 | [
"def",
"parse",
"(",
"self",
",",
"source",
")",
":",
"rt",
",",
"title",
",",
"title_pic",
",",
"markdown",
"=",
"libparser",
".",
"parse",
"(",
"source",
")",
"if",
"rt",
"==",
"-",
"1",
":",
"raise",
"SeparatorNotFound",
"elif",
"rt",
"==",
"-",
... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | Parser.parse_filename | parse post source files name to datetime object | rux/parser.py | def parse_filename(self, filepath):
"""parse post source files name to datetime object"""
name = os.path.basename(filepath)[:-src_ext_len]
try:
dt = datetime.strptime(name, "%Y-%m-%d-%H-%M")
except ValueError:
raise PostNameInvalid
return {'name': name, 'd... | def parse_filename(self, filepath):
"""parse post source files name to datetime object"""
name = os.path.basename(filepath)[:-src_ext_len]
try:
dt = datetime.strptime(name, "%Y-%m-%d-%H-%M")
except ValueError:
raise PostNameInvalid
return {'name': name, 'd... | [
"parse",
"post",
"source",
"files",
"name",
"to",
"datetime",
"object"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/parser.py#L110-L117 | [
"def",
"parse_filename",
"(",
"self",
",",
"filepath",
")",
":",
"name",
"=",
"os",
".",
"path",
".",
"basename",
"(",
"filepath",
")",
"[",
":",
"-",
"src_ext_len",
"]",
"try",
":",
"dt",
"=",
"datetime",
".",
"strptime",
"(",
"name",
",",
"\"%Y-%m-... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | Server.run_server | run a server binding to port | rux/server.py | def run_server(self, port):
"""run a server binding to port"""
try:
self.server = MultiThreadedHTTPServer(('0.0.0.0', port), Handler)
except socket.error, e: # failed to bind port
logger.error(str(e))
sys.exit(1)
logger.info("HTTP serve at http://0.... | def run_server(self, port):
"""run a server binding to port"""
try:
self.server = MultiThreadedHTTPServer(('0.0.0.0', port), Handler)
except socket.error, e: # failed to bind port
logger.error(str(e))
sys.exit(1)
logger.info("HTTP serve at http://0.... | [
"run",
"a",
"server",
"binding",
"to",
"port"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/server.py#L66-L82 | [
"def",
"run_server",
"(",
"self",
",",
"port",
")",
":",
"try",
":",
"self",
".",
"server",
"=",
"MultiThreadedHTTPServer",
"(",
"(",
"'0.0.0.0'",
",",
"port",
")",
",",
"Handler",
")",
"except",
"socket",
".",
"error",
",",
"e",
":",
"# failed to bind p... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | Server.get_files_stat | get source files' update time | rux/server.py | def get_files_stat(self):
"""get source files' update time"""
if not exists(Post.src_dir):
logger.error(SourceDirectoryNotFound.__doc__)
sys.exit(SourceDirectoryNotFound.exit_code)
paths = []
for fn in ls(Post.src_dir):
if fn.endswith(src_ext):
... | def get_files_stat(self):
"""get source files' update time"""
if not exists(Post.src_dir):
logger.error(SourceDirectoryNotFound.__doc__)
sys.exit(SourceDirectoryNotFound.exit_code)
paths = []
for fn in ls(Post.src_dir):
if fn.endswith(src_ext):
... | [
"get",
"source",
"files",
"update",
"time"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/server.py#L84-L103 | [
"def",
"get_files_stat",
"(",
"self",
")",
":",
"if",
"not",
"exists",
"(",
"Post",
".",
"src_dir",
")",
":",
"logger",
".",
"error",
"(",
"SourceDirectoryNotFound",
".",
"__doc__",
")",
"sys",
".",
"exit",
"(",
"SourceDirectoryNotFound",
".",
"exit_code",
... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | Server.watch_files | watch files for changes, if changed, rebuild blog. this thread
will quit if the main process ends | rux/server.py | def watch_files(self):
"""watch files for changes, if changed, rebuild blog. this thread
will quit if the main process ends"""
try:
while 1:
sleep(1) # check every 1s
try:
files_stat = self.get_files_stat()
except... | def watch_files(self):
"""watch files for changes, if changed, rebuild blog. this thread
will quit if the main process ends"""
try:
while 1:
sleep(1) # check every 1s
try:
files_stat = self.get_files_stat()
except... | [
"watch",
"files",
"for",
"changes",
"if",
"changed",
"rebuild",
"blog",
".",
"this",
"thread",
"will",
"quit",
"if",
"the",
"main",
"process",
"ends"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/server.py#L105-L136 | [
"def",
"watch_files",
"(",
"self",
")",
":",
"try",
":",
"while",
"1",
":",
"sleep",
"(",
"1",
")",
"# check every 1s",
"try",
":",
"files_stat",
"=",
"self",
".",
"get_files_stat",
"(",
")",
"except",
"SystemExit",
":",
"logger",
".",
"error",
"(",
"\... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | parse | Note: src should be ascii string | rux/libparser.py | def parse(src):
"""Note: src should be ascii string"""
rt = libparser.parse(byref(post), src)
return (
rt,
string_at(post.title, post.tsz),
string_at(post.tpic, post.tpsz),
post.body
) | def parse(src):
"""Note: src should be ascii string"""
rt = libparser.parse(byref(post), src)
return (
rt,
string_at(post.title, post.tsz),
string_at(post.tpic, post.tpsz),
post.body
) | [
"Note",
":",
"src",
"should",
"be",
"ascii",
"string"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/libparser.py#L33-L41 | [
"def",
"parse",
"(",
"src",
")",
":",
"rt",
"=",
"libparser",
".",
"parse",
"(",
"byref",
"(",
"post",
")",
",",
"src",
")",
"return",
"(",
"rt",
",",
"string_at",
"(",
"post",
".",
"title",
",",
"post",
".",
"tsz",
")",
",",
"string_at",
"(",
... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | deploy_blog | Deploy new blog to current directory | rux/cli.py | def deploy_blog():
"""Deploy new blog to current directory"""
logger.info(deploy_blog.__doc__)
# `rsync -aqu path/to/res/* .`
call(
'rsync -aqu ' + join(dirname(__file__), 'res', '*') + ' .',
shell=True)
logger.success('Done')
logger.info('Please edit config.toml to meet your nee... | def deploy_blog():
"""Deploy new blog to current directory"""
logger.info(deploy_blog.__doc__)
# `rsync -aqu path/to/res/* .`
call(
'rsync -aqu ' + join(dirname(__file__), 'res', '*') + ' .',
shell=True)
logger.success('Done')
logger.info('Please edit config.toml to meet your nee... | [
"Deploy",
"new",
"blog",
"to",
"current",
"directory"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/cli.py#L55-L63 | [
"def",
"deploy_blog",
"(",
")",
":",
"logger",
".",
"info",
"(",
"deploy_blog",
".",
"__doc__",
")",
"# `rsync -aqu path/to/res/* .`",
"call",
"(",
"'rsync -aqu '",
"+",
"join",
"(",
"dirname",
"(",
"__file__",
")",
",",
"'res'",
",",
"'*'",
")",
"+",
"' .... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | new_post | Touch a new post in src/ | rux/cli.py | def new_post():
"""Touch a new post in src/"""
logger.info(new_post.__doc__)
# make the new post's filename
now = datetime.datetime.now()
now_s = now.strftime('%Y-%m-%d-%H-%M')
filepath = join(Post.src_dir, now_s + src_ext)
# check if `src/` exists
if not exists(Post.src_dir):
lo... | def new_post():
"""Touch a new post in src/"""
logger.info(new_post.__doc__)
# make the new post's filename
now = datetime.datetime.now()
now_s = now.strftime('%Y-%m-%d-%H-%M')
filepath = join(Post.src_dir, now_s + src_ext)
# check if `src/` exists
if not exists(Post.src_dir):
lo... | [
"Touch",
"a",
"new",
"post",
"in",
"src",
"/"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/cli.py#L66-L87 | [
"def",
"new_post",
"(",
")",
":",
"logger",
".",
"info",
"(",
"new_post",
".",
"__doc__",
")",
"# make the new post's filename",
"now",
"=",
"datetime",
".",
"datetime",
".",
"now",
"(",
")",
"now_s",
"=",
"now",
".",
"strftime",
"(",
"'%Y-%m-%d-%H-%M'",
"... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | clean | Clean htmls rux built: `rm -rf post page index.html` | rux/cli.py | def clean():
"""Clean htmls rux built: `rm -rf post page index.html`"""
logger.info(clean.__doc__)
paths = ['post', 'page', 'index.html']
call(['rm', '-rf'] + paths)
logger.success('Done') | def clean():
"""Clean htmls rux built: `rm -rf post page index.html`"""
logger.info(clean.__doc__)
paths = ['post', 'page', 'index.html']
call(['rm', '-rf'] + paths)
logger.success('Done') | [
"Clean",
"htmls",
"rux",
"built",
":",
"rm",
"-",
"rf",
"post",
"page",
"index",
".",
"html"
] | hit9/rux | python | https://github.com/hit9/rux/blob/d7f60722658a3b83ac6d7bb3ca2790ac9c926b59/rux/cli.py#L90-L95 | [
"def",
"clean",
"(",
")",
":",
"logger",
".",
"info",
"(",
"clean",
".",
"__doc__",
")",
"paths",
"=",
"[",
"'post'",
",",
"'page'",
",",
"'index.html'",
"]",
"call",
"(",
"[",
"'rm'",
",",
"'-rf'",
"]",
"+",
"paths",
")",
"logger",
".",
"success",... | d7f60722658a3b83ac6d7bb3ca2790ac9c926b59 |
valid | resolve_blocks | Return a BlockContext instance of all the {% block %} tags in the template.
If template is a string, it will be resolved through get_template | sniplates/templatetags/sniplates.py | def resolve_blocks(template, context):
'''
Return a BlockContext instance of all the {% block %} tags in the template.
If template is a string, it will be resolved through get_template
'''
try:
blocks = context.render_context[BLOCK_CONTEXT_KEY]
except KeyError:
blocks = context.... | def resolve_blocks(template, context):
'''
Return a BlockContext instance of all the {% block %} tags in the template.
If template is a string, it will be resolved through get_template
'''
try:
blocks = context.render_context[BLOCK_CONTEXT_KEY]
except KeyError:
blocks = context.... | [
"Return",
"a",
"BlockContext",
"instance",
"of",
"all",
"the",
"{",
"%",
"block",
"%",
"}",
"tags",
"in",
"the",
"template",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L31-L66 | [
"def",
"resolve_blocks",
"(",
"template",
",",
"context",
")",
":",
"try",
":",
"blocks",
"=",
"context",
".",
"render_context",
"[",
"BLOCK_CONTEXT_KEY",
"]",
"except",
"KeyError",
":",
"blocks",
"=",
"context",
".",
"render_context",
"[",
"BLOCK_CONTEXT_KEY",
... | cc6123a00536017b496dc685881952d98192101f |
valid | parse_widget_name | Parse a alias:block_name string into separate parts. | sniplates/templatetags/sniplates.py | def parse_widget_name(widget):
'''
Parse a alias:block_name string into separate parts.
'''
try:
alias, block_name = widget.split(':', 1)
except ValueError:
raise template.TemplateSyntaxError('widget name must be "alias:block_name" - %s' % widget)
return alias, block_name | def parse_widget_name(widget):
'''
Parse a alias:block_name string into separate parts.
'''
try:
alias, block_name = widget.split(':', 1)
except ValueError:
raise template.TemplateSyntaxError('widget name must be "alias:block_name" - %s' % widget)
return alias, block_name | [
"Parse",
"a",
"alias",
":",
"block_name",
"string",
"into",
"separate",
"parts",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L69-L78 | [
"def",
"parse_widget_name",
"(",
"widget",
")",
":",
"try",
":",
"alias",
",",
"block_name",
"=",
"widget",
".",
"split",
"(",
"':'",
",",
"1",
")",
"except",
"ValueError",
":",
"raise",
"template",
".",
"TemplateSyntaxError",
"(",
"'widget name must be \"alia... | cc6123a00536017b496dc685881952d98192101f |
valid | using | Temporarily update the context to use the BlockContext for the given alias. | sniplates/templatetags/sniplates.py | def using(context, alias):
'''
Temporarily update the context to use the BlockContext for the given alias.
'''
# An empty alias means look in the current widget set.
if alias == '':
yield context
else:
try:
widgets = context.render_context[WIDGET_CONTEXT_KEY]
... | def using(context, alias):
'''
Temporarily update the context to use the BlockContext for the given alias.
'''
# An empty alias means look in the current widget set.
if alias == '':
yield context
else:
try:
widgets = context.render_context[WIDGET_CONTEXT_KEY]
... | [
"Temporarily",
"update",
"the",
"context",
"to",
"use",
"the",
"BlockContext",
"for",
"the",
"given",
"alias",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L82-L107 | [
"def",
"using",
"(",
"context",
",",
"alias",
")",
":",
"# An empty alias means look in the current widget set.",
"if",
"alias",
"==",
"''",
":",
"yield",
"context",
"else",
":",
"try",
":",
"widgets",
"=",
"context",
".",
"render_context",
"[",
"WIDGET_CONTEXT_KE... | cc6123a00536017b496dc685881952d98192101f |
valid | find_block | Find the first matching block in the current block_context | sniplates/templatetags/sniplates.py | def find_block(context, *names):
'''
Find the first matching block in the current block_context
'''
block_set = context.render_context[BLOCK_CONTEXT_KEY]
for name in names:
block = block_set.get_block(name)
if block is not None:
return block
raise template.TemplateSy... | def find_block(context, *names):
'''
Find the first matching block in the current block_context
'''
block_set = context.render_context[BLOCK_CONTEXT_KEY]
for name in names:
block = block_set.get_block(name)
if block is not None:
return block
raise template.TemplateSy... | [
"Find",
"the",
"first",
"matching",
"block",
"in",
"the",
"current",
"block_context"
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L110-L120 | [
"def",
"find_block",
"(",
"context",
",",
"*",
"names",
")",
":",
"block_set",
"=",
"context",
".",
"render_context",
"[",
"BLOCK_CONTEXT_KEY",
"]",
"for",
"name",
"in",
"names",
":",
"block",
"=",
"block_set",
".",
"get_block",
"(",
"name",
")",
"if",
"... | cc6123a00536017b496dc685881952d98192101f |
valid | load_widgets | Load a series of widget libraries. | sniplates/templatetags/sniplates.py | def load_widgets(context, **kwargs):
'''
Load a series of widget libraries.
'''
_soft = kwargs.pop('_soft', False)
try:
widgets = context.render_context[WIDGET_CONTEXT_KEY]
except KeyError:
widgets = context.render_context[WIDGET_CONTEXT_KEY] = {}
for alias, template_name i... | def load_widgets(context, **kwargs):
'''
Load a series of widget libraries.
'''
_soft = kwargs.pop('_soft', False)
try:
widgets = context.render_context[WIDGET_CONTEXT_KEY]
except KeyError:
widgets = context.render_context[WIDGET_CONTEXT_KEY] = {}
for alias, template_name i... | [
"Load",
"a",
"series",
"of",
"widget",
"libraries",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L124-L143 | [
"def",
"load_widgets",
"(",
"context",
",",
"*",
"*",
"kwargs",
")",
":",
"_soft",
"=",
"kwargs",
".",
"pop",
"(",
"'_soft'",
",",
"False",
")",
"try",
":",
"widgets",
"=",
"context",
".",
"render_context",
"[",
"WIDGET_CONTEXT_KEY",
"]",
"except",
"KeyE... | cc6123a00536017b496dc685881952d98192101f |
valid | auto_widget | Return a list of widget names for the provided field. | sniplates/templatetags/sniplates.py | def auto_widget(field):
'''Return a list of widget names for the provided field.'''
# Auto-detect
info = {
'widget': field.field.widget.__class__.__name__,
'field': field.field.__class__.__name__,
'name': field.name,
}
return [
fmt.format(**info)
for fmt in (... | def auto_widget(field):
'''Return a list of widget names for the provided field.'''
# Auto-detect
info = {
'widget': field.field.widget.__class__.__name__,
'field': field.field.__class__.__name__,
'name': field.name,
}
return [
fmt.format(**info)
for fmt in (... | [
"Return",
"a",
"list",
"of",
"widget",
"names",
"for",
"the",
"provided",
"field",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L473-L493 | [
"def",
"auto_widget",
"(",
"field",
")",
":",
"# Auto-detect",
"info",
"=",
"{",
"'widget'",
":",
"field",
".",
"field",
".",
"widget",
".",
"__class__",
".",
"__name__",
",",
"'field'",
":",
"field",
".",
"field",
".",
"__class__",
".",
"__name__",
",",... | cc6123a00536017b496dc685881952d98192101f |
valid | reuse | Allow reuse of a block within a template.
{% reuse '_myblock' foo=bar %}
If passed a list of block names, will use the first that matches:
{% reuse list_of_block_names .... %} | sniplates/templatetags/sniplates.py | def reuse(context, block_list, **kwargs):
'''
Allow reuse of a block within a template.
{% reuse '_myblock' foo=bar %}
If passed a list of block names, will use the first that matches:
{% reuse list_of_block_names .... %}
'''
try:
block_context = context.render_context[BLOCK_CONTE... | def reuse(context, block_list, **kwargs):
'''
Allow reuse of a block within a template.
{% reuse '_myblock' foo=bar %}
If passed a list of block names, will use the first that matches:
{% reuse list_of_block_names .... %}
'''
try:
block_context = context.render_context[BLOCK_CONTE... | [
"Allow",
"reuse",
"of",
"a",
"block",
"within",
"a",
"template",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L502-L528 | [
"def",
"reuse",
"(",
"context",
",",
"block_list",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"block_context",
"=",
"context",
".",
"render_context",
"[",
"BLOCK_CONTEXT_KEY",
"]",
"except",
"KeyError",
":",
"block_context",
"=",
"BlockContext",
"(",
")"... | cc6123a00536017b496dc685881952d98192101f |
valid | ChoiceWrapper.display | When dealing with optgroups, ensure that the value is properly force_text'd. | sniplates/templatetags/sniplates.py | def display(self):
"""
When dealing with optgroups, ensure that the value is properly force_text'd.
"""
if not self.is_group():
return self._display
return ((force_text(k), v) for k, v in self._display) | def display(self):
"""
When dealing with optgroups, ensure that the value is properly force_text'd.
"""
if not self.is_group():
return self._display
return ((force_text(k), v) for k, v in self._display) | [
"When",
"dealing",
"with",
"optgroups",
"ensure",
"that",
"the",
"value",
"is",
"properly",
"force_text",
"d",
"."
] | funkybob/django-sniplates | python | https://github.com/funkybob/django-sniplates/blob/cc6123a00536017b496dc685881952d98192101f/sniplates/templatetags/sniplates.py#L277-L283 | [
"def",
"display",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"is_group",
"(",
")",
":",
"return",
"self",
".",
"_display",
"return",
"(",
"(",
"force_text",
"(",
"k",
")",
",",
"v",
")",
"for",
"k",
",",
"v",
"in",
"self",
".",
"_display",
... | cc6123a00536017b496dc685881952d98192101f |
valid | RedisBackend._list_key | boilerplate | stored_messages/backends/redis/backend.py | def _list_key(self, key):
"""
boilerplate
"""
ret = []
for msg_json in self.client.lrange(key, 0, -1):
ret.append(self._fromJSON(msg_json))
return ret | def _list_key(self, key):
"""
boilerplate
"""
ret = []
for msg_json in self.client.lrange(key, 0, -1):
ret.append(self._fromJSON(msg_json))
return ret | [
"boilerplate"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/backends/redis/backend.py#L48-L55 | [
"def",
"_list_key",
"(",
"self",
",",
"key",
")",
":",
"ret",
"=",
"[",
"]",
"for",
"msg_json",
"in",
"self",
".",
"client",
".",
"lrange",
"(",
"key",
",",
"0",
",",
"-",
"1",
")",
":",
"ret",
".",
"append",
"(",
"self",
".",
"_fromJSON",
"(",... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | RedisBackend.create_message | Message instances are namedtuples of type `Message`.
The date field is already serialized in datetime.isoformat ECMA-262 format | stored_messages/backends/redis/backend.py | def create_message(self, level, msg_text, extra_tags='', date=None, url=None):
"""
Message instances are namedtuples of type `Message`.
The date field is already serialized in datetime.isoformat ECMA-262 format
"""
if not date:
now = timezone.now()
else:
... | def create_message(self, level, msg_text, extra_tags='', date=None, url=None):
"""
Message instances are namedtuples of type `Message`.
The date field is already serialized in datetime.isoformat ECMA-262 format
"""
if not date:
now = timezone.now()
else:
... | [
"Message",
"instances",
"are",
"namedtuples",
"of",
"type",
"Message",
".",
"The",
"date",
"field",
"is",
"already",
"serialized",
"in",
"datetime",
".",
"isoformat",
"ECMA",
"-",
"262",
"format"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/backends/redis/backend.py#L60-L78 | [
"def",
"create_message",
"(",
"self",
",",
"level",
",",
"msg_text",
",",
"extra_tags",
"=",
"''",
",",
"date",
"=",
"None",
",",
"url",
"=",
"None",
")",
":",
"if",
"not",
"date",
":",
"now",
"=",
"timezone",
".",
"now",
"(",
")",
"else",
":",
"... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | add_message_for | Send a message to a list of users without passing through `django.contrib.messages`
:param users: an iterable containing the recipients of the messages
:param level: message level
:param message_text: the string containing the message
:param extra_tags: like the Django api, a string containing extra ta... | stored_messages/api.py | def add_message_for(users, level, message_text, extra_tags='', date=None, url=None, fail_silently=False):
"""
Send a message to a list of users without passing through `django.contrib.messages`
:param users: an iterable containing the recipients of the messages
:param level: message level
:param me... | def add_message_for(users, level, message_text, extra_tags='', date=None, url=None, fail_silently=False):
"""
Send a message to a list of users without passing through `django.contrib.messages`
:param users: an iterable containing the recipients of the messages
:param level: message level
:param me... | [
"Send",
"a",
"message",
"to",
"a",
"list",
"of",
"users",
"without",
"passing",
"through",
"django",
".",
"contrib",
".",
"messages"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/api.py#L12-L28 | [
"def",
"add_message_for",
"(",
"users",
",",
"level",
",",
"message_text",
",",
"extra_tags",
"=",
"''",
",",
"date",
"=",
"None",
",",
"url",
"=",
"None",
",",
"fail_silently",
"=",
"False",
")",
":",
"BackendClass",
"=",
"stored_messages_settings",
".",
... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | broadcast_message | Send a message to all users aka broadcast.
:param level: message level
:param message_text: the string containing the message
:param extra_tags: like the Django api, a string containing extra tags for the message
:param date: a date, different than the default timezone.now
:param url: an optional u... | stored_messages/api.py | def broadcast_message(level, message_text, extra_tags='', date=None, url=None, fail_silently=False):
"""
Send a message to all users aka broadcast.
:param level: message level
:param message_text: the string containing the message
:param extra_tags: like the Django api, a string containing extra ta... | def broadcast_message(level, message_text, extra_tags='', date=None, url=None, fail_silently=False):
"""
Send a message to all users aka broadcast.
:param level: message level
:param message_text: the string containing the message
:param extra_tags: like the Django api, a string containing extra ta... | [
"Send",
"a",
"message",
"to",
"all",
"users",
"aka",
"broadcast",
"."
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/api.py#L31-L44 | [
"def",
"broadcast_message",
"(",
"level",
",",
"message_text",
",",
"extra_tags",
"=",
"''",
",",
"date",
"=",
"None",
",",
"url",
"=",
"None",
",",
"fail_silently",
"=",
"False",
")",
":",
"from",
"django",
".",
"contrib",
".",
"auth",
"import",
"get_us... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | mark_read | Mark message instance as read for user.
Returns True if the message was `unread` and thus actually marked as `read` or False in case
it is already `read` or it does not exist at all.
:param user: user instance for the recipient
:param message: a Message instance to mark as read | stored_messages/api.py | def mark_read(user, message):
"""
Mark message instance as read for user.
Returns True if the message was `unread` and thus actually marked as `read` or False in case
it is already `read` or it does not exist at all.
:param user: user instance for the recipient
:param message: a Message instanc... | def mark_read(user, message):
"""
Mark message instance as read for user.
Returns True if the message was `unread` and thus actually marked as `read` or False in case
it is already `read` or it does not exist at all.
:param user: user instance for the recipient
:param message: a Message instanc... | [
"Mark",
"message",
"instance",
"as",
"read",
"for",
"user",
".",
"Returns",
"True",
"if",
"the",
"message",
"was",
"unread",
"and",
"thus",
"actually",
"marked",
"as",
"read",
"or",
"False",
"in",
"case",
"it",
"is",
"already",
"read",
"or",
"it",
"does"... | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/api.py#L47-L58 | [
"def",
"mark_read",
"(",
"user",
",",
"message",
")",
":",
"BackendClass",
"=",
"stored_messages_settings",
".",
"STORAGE_BACKEND",
"backend",
"=",
"BackendClass",
"(",
")",
"backend",
".",
"inbox_delete",
"(",
"user",
",",
"message",
")"
] | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | mark_all_read | Mark all message instances for a user as read.
:param user: user instance for the recipient | stored_messages/api.py | def mark_all_read(user):
"""
Mark all message instances for a user as read.
:param user: user instance for the recipient
"""
BackendClass = stored_messages_settings.STORAGE_BACKEND
backend = BackendClass()
backend.inbox_purge(user) | def mark_all_read(user):
"""
Mark all message instances for a user as read.
:param user: user instance for the recipient
"""
BackendClass = stored_messages_settings.STORAGE_BACKEND
backend = BackendClass()
backend.inbox_purge(user) | [
"Mark",
"all",
"message",
"instances",
"for",
"a",
"user",
"as",
"read",
"."
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/api.py#L61-L69 | [
"def",
"mark_all_read",
"(",
"user",
")",
":",
"BackendClass",
"=",
"stored_messages_settings",
".",
"STORAGE_BACKEND",
"backend",
"=",
"BackendClass",
"(",
")",
"backend",
".",
"inbox_purge",
"(",
"user",
")"
] | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | mark_all_read | Mark all messages as read (i.e. delete from inbox) for current logged in user | stored_messages/views.py | def mark_all_read(request):
"""
Mark all messages as read (i.e. delete from inbox) for current logged in user
"""
from .settings import stored_messages_settings
backend = stored_messages_settings.STORAGE_BACKEND()
backend.inbox_purge(request.user)
return Response({"message": "All messages re... | def mark_all_read(request):
"""
Mark all messages as read (i.e. delete from inbox) for current logged in user
"""
from .settings import stored_messages_settings
backend = stored_messages_settings.STORAGE_BACKEND()
backend.inbox_purge(request.user)
return Response({"message": "All messages re... | [
"Mark",
"all",
"messages",
"as",
"read",
"(",
"i",
".",
"e",
".",
"delete",
"from",
"inbox",
")",
"for",
"current",
"logged",
"in",
"user"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/views.py#L53-L60 | [
"def",
"mark_all_read",
"(",
"request",
")",
":",
"from",
".",
"settings",
"import",
"stored_messages_settings",
"backend",
"=",
"stored_messages_settings",
".",
"STORAGE_BACKEND",
"(",
")",
"backend",
".",
"inbox_purge",
"(",
"request",
".",
"user",
")",
"return"... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | InboxViewSet.read | Mark the message as read (i.e. delete from inbox) | stored_messages/views.py | def read(self, request, pk=None):
"""
Mark the message as read (i.e. delete from inbox)
"""
from .settings import stored_messages_settings
backend = stored_messages_settings.STORAGE_BACKEND()
try:
backend.inbox_delete(request.user, pk)
except MessageD... | def read(self, request, pk=None):
"""
Mark the message as read (i.e. delete from inbox)
"""
from .settings import stored_messages_settings
backend = stored_messages_settings.STORAGE_BACKEND()
try:
backend.inbox_delete(request.user, pk)
except MessageD... | [
"Mark",
"the",
"message",
"as",
"read",
"(",
"i",
".",
"e",
".",
"delete",
"from",
"inbox",
")"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/views.py#L36-L48 | [
"def",
"read",
"(",
"self",
",",
"request",
",",
"pk",
"=",
"None",
")",
":",
"from",
".",
"settings",
"import",
"stored_messages_settings",
"backend",
"=",
"stored_messages_settings",
".",
"STORAGE_BACKEND",
"(",
")",
"try",
":",
"backend",
".",
"inbox_delete... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | stored_messages_list | Renders a list of unread stored messages for the current user | stored_messages/templatetags/stored_messages_tags.py | def stored_messages_list(context, num_elements=10):
"""
Renders a list of unread stored messages for the current user
"""
if "user" in context:
user = context["user"]
if user.is_authenticated():
qs = Inbox.objects.select_related("message").filter(user=user)
return... | def stored_messages_list(context, num_elements=10):
"""
Renders a list of unread stored messages for the current user
"""
if "user" in context:
user = context["user"]
if user.is_authenticated():
qs = Inbox.objects.select_related("message").filter(user=user)
return... | [
"Renders",
"a",
"list",
"of",
"unread",
"stored",
"messages",
"for",
"the",
"current",
"user"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/templatetags/stored_messages_tags.py#L12-L23 | [
"def",
"stored_messages_list",
"(",
"context",
",",
"num_elements",
"=",
"10",
")",
":",
"if",
"\"user\"",
"in",
"context",
":",
"user",
"=",
"context",
"[",
"\"user\"",
"]",
"if",
"user",
".",
"is_authenticated",
"(",
")",
":",
"qs",
"=",
"Inbox",
".",
... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | stored_messages_count | Renders a list of unread stored messages for the current user | stored_messages/templatetags/stored_messages_tags.py | def stored_messages_count(context):
"""
Renders a list of unread stored messages for the current user
"""
if "user" in context:
user = context["user"]
if user.is_authenticated():
return Inbox.objects.select_related("message").filter(user=user).count() | def stored_messages_count(context):
"""
Renders a list of unread stored messages for the current user
"""
if "user" in context:
user = context["user"]
if user.is_authenticated():
return Inbox.objects.select_related("message").filter(user=user).count() | [
"Renders",
"a",
"list",
"of",
"unread",
"stored",
"messages",
"for",
"the",
"current",
"user"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/templatetags/stored_messages_tags.py#L27-L34 | [
"def",
"stored_messages_count",
"(",
"context",
")",
":",
"if",
"\"user\"",
"in",
"context",
":",
"user",
"=",
"context",
"[",
"\"user\"",
"]",
"if",
"user",
".",
"is_authenticated",
"(",
")",
":",
"return",
"Inbox",
".",
"objects",
".",
"select_related",
... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | stored_messages_archive | Renders a list of archived messages for the current user | stored_messages/templatetags/stored_messages_tags.py | def stored_messages_archive(context, num_elements=10):
"""
Renders a list of archived messages for the current user
"""
if "user" in context:
user = context["user"]
if user.is_authenticated():
qs = MessageArchive.objects.select_related("message").filter(user=user)
... | def stored_messages_archive(context, num_elements=10):
"""
Renders a list of archived messages for the current user
"""
if "user" in context:
user = context["user"]
if user.is_authenticated():
qs = MessageArchive.objects.select_related("message").filter(user=user)
... | [
"Renders",
"a",
"list",
"of",
"archived",
"messages",
"for",
"the",
"current",
"user"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/templatetags/stored_messages_tags.py#L38-L49 | [
"def",
"stored_messages_archive",
"(",
"context",
",",
"num_elements",
"=",
"10",
")",
":",
"if",
"\"user\"",
"in",
"context",
":",
"user",
"=",
"context",
"[",
"\"user\"",
"]",
"if",
"user",
".",
"is_authenticated",
"(",
")",
":",
"qs",
"=",
"MessageArchi... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | StorageMixin._get | Retrieve unread messages for current user, both from the inbox and
from other storages | stored_messages/storage.py | def _get(self, *args, **kwargs):
"""
Retrieve unread messages for current user, both from the inbox and
from other storages
"""
messages, all_retrieved = super(StorageMixin, self)._get(*args, **kwargs)
if self.user.is_authenticated():
inbox_messages = self.bac... | def _get(self, *args, **kwargs):
"""
Retrieve unread messages for current user, both from the inbox and
from other storages
"""
messages, all_retrieved = super(StorageMixin, self)._get(*args, **kwargs)
if self.user.is_authenticated():
inbox_messages = self.bac... | [
"Retrieve",
"unread",
"messages",
"for",
"current",
"user",
"both",
"from",
"the",
"inbox",
"and",
"from",
"other",
"storages"
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/storage.py#L23-L34 | [
"def",
"_get",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"messages",
",",
"all_retrieved",
"=",
"super",
"(",
"StorageMixin",
",",
"self",
")",
".",
"_get",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"if",
"self",
"."... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | StorageMixin.add | If the message level was configured for being stored and request.user
is not anonymous, save it to the database. Otherwise, let some other
class handle the message.
Notice: controls like checking the message is not empty and the level
is above the filter need to be performed here, but i... | stored_messages/storage.py | def add(self, level, message, extra_tags=''):
"""
If the message level was configured for being stored and request.user
is not anonymous, save it to the database. Otherwise, let some other
class handle the message.
Notice: controls like checking the message is not empty and the ... | def add(self, level, message, extra_tags=''):
"""
If the message level was configured for being stored and request.user
is not anonymous, save it to the database. Otherwise, let some other
class handle the message.
Notice: controls like checking the message is not empty and the ... | [
"If",
"the",
"message",
"level",
"was",
"configured",
"for",
"being",
"stored",
"and",
"request",
".",
"user",
"is",
"not",
"anonymous",
"save",
"it",
"to",
"the",
"database",
".",
"Otherwise",
"let",
"some",
"other",
"class",
"handle",
"the",
"message",
"... | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/storage.py#L36-L60 | [
"def",
"add",
"(",
"self",
",",
"level",
",",
"message",
",",
"extra_tags",
"=",
"''",
")",
":",
"if",
"not",
"message",
":",
"return",
"# Check that the message level is not less than the recording level.",
"level",
"=",
"int",
"(",
"level",
")",
"if",
"level",... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | StorageMixin._store | persistent messages are already in the database inside the 'archive',
so we can say they're already "stored".
Here we put them in the inbox, or remove from the inbox in case the
messages were iterated.
messages contains only new msgs if self.used==True
else contains both new and... | stored_messages/storage.py | def _store(self, messages, response, *args, **kwargs):
"""
persistent messages are already in the database inside the 'archive',
so we can say they're already "stored".
Here we put them in the inbox, or remove from the inbox in case the
messages were iterated.
messages c... | def _store(self, messages, response, *args, **kwargs):
"""
persistent messages are already in the database inside the 'archive',
so we can say they're already "stored".
Here we put them in the inbox, or remove from the inbox in case the
messages were iterated.
messages c... | [
"persistent",
"messages",
"are",
"already",
"in",
"the",
"database",
"inside",
"the",
"archive",
"so",
"we",
"can",
"say",
"they",
"re",
"already",
"stored",
".",
"Here",
"we",
"put",
"them",
"in",
"the",
"inbox",
"or",
"remove",
"from",
"the",
"inbox",
... | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/storage.py#L62-L84 | [
"def",
"_store",
"(",
"self",
",",
"messages",
",",
"response",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"contrib_messages",
"=",
"[",
"]",
"if",
"self",
".",
"user",
".",
"is_authenticated",
"(",
")",
":",
"if",
"not",
"messages",
":",
... | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | StorageMixin._prepare_messages | Like the base class method, prepares a list of messages for storage
but avoid to do this for `models.Message` instances. | stored_messages/storage.py | def _prepare_messages(self, messages):
"""
Like the base class method, prepares a list of messages for storage
but avoid to do this for `models.Message` instances.
"""
for message in messages:
if not self.backend.can_handle(message):
message._prepare() | def _prepare_messages(self, messages):
"""
Like the base class method, prepares a list of messages for storage
but avoid to do this for `models.Message` instances.
"""
for message in messages:
if not self.backend.can_handle(message):
message._prepare() | [
"Like",
"the",
"base",
"class",
"method",
"prepares",
"a",
"list",
"of",
"messages",
"for",
"storage",
"but",
"avoid",
"to",
"do",
"this",
"for",
"models",
".",
"Message",
"instances",
"."
] | evonove/django-stored-messages | python | https://github.com/evonove/django-stored-messages/blob/23b71f952d5d3fd03285f5e700879d05796ef7ba/stored_messages/storage.py#L86-L93 | [
"def",
"_prepare_messages",
"(",
"self",
",",
"messages",
")",
":",
"for",
"message",
"in",
"messages",
":",
"if",
"not",
"self",
".",
"backend",
".",
"can_handle",
"(",
"message",
")",
":",
"message",
".",
"_prepare",
"(",
")"
] | 23b71f952d5d3fd03285f5e700879d05796ef7ba |
valid | jocker | Main entry point for script. | jocker/cli.py | def jocker(test_options=None):
"""Main entry point for script."""
version = ver_check()
options = test_options or docopt(__doc__, version=version)
_set_global_verbosity_level(options.get('--verbose'))
jocker_lgr.debug(options)
jocker_run(options) | def jocker(test_options=None):
"""Main entry point for script."""
version = ver_check()
options = test_options or docopt(__doc__, version=version)
_set_global_verbosity_level(options.get('--verbose'))
jocker_lgr.debug(options)
jocker_run(options) | [
"Main",
"entry",
"point",
"for",
"script",
"."
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/cli.py#L57-L63 | [
"def",
"jocker",
"(",
"test_options",
"=",
"None",
")",
":",
"version",
"=",
"ver_check",
"(",
")",
"options",
"=",
"test_options",
"or",
"docopt",
"(",
"__doc__",
",",
"version",
"=",
"version",
")",
"_set_global_verbosity_level",
"(",
"options",
".",
"get"... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | init | initializes a base logger
you can use this to init a logger in any of your files.
this will use config.py's LOGGER param and logging.dictConfig to configure
the logger for you.
:param int|logging.LEVEL base_level: desired base logging level
:param int|logging.LEVEL verbose_level: desired verbose l... | jocker/logger.py | def init(base_level=DEFAULT_BASE_LOGGING_LEVEL,
verbose_level=DEFAULT_VERBOSE_LOGGING_LEVEL,
logging_config=None):
"""initializes a base logger
you can use this to init a logger in any of your files.
this will use config.py's LOGGER param and logging.dictConfig to configure
the logger... | def init(base_level=DEFAULT_BASE_LOGGING_LEVEL,
verbose_level=DEFAULT_VERBOSE_LOGGING_LEVEL,
logging_config=None):
"""initializes a base logger
you can use this to init a logger in any of your files.
this will use config.py's LOGGER param and logging.dictConfig to configure
the logger... | [
"initializes",
"a",
"base",
"logger"
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/logger.py#L42-L80 | [
"def",
"init",
"(",
"base_level",
"=",
"DEFAULT_BASE_LOGGING_LEVEL",
",",
"verbose_level",
"=",
"DEFAULT_VERBOSE_LOGGING_LEVEL",
",",
"logging_config",
"=",
"None",
")",
":",
"if",
"logging_config",
"is",
"None",
":",
"logging_config",
"=",
"{",
"}",
"logging_config... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | BaseConfigurator.cfg_convert | Default converter for the cfg:// protocol. | jocker/dictconfig.py | def cfg_convert(self, value):
"""Default converter for the cfg:// protocol."""
rest = value
m = self.WORD_PATTERN.match(rest)
if m is None:
raise ValueError("Unable to convert %r" % value)
else:
rest = rest[m.end():]
d = self.config[m.groups()[... | def cfg_convert(self, value):
"""Default converter for the cfg:// protocol."""
rest = value
m = self.WORD_PATTERN.match(rest)
if m is None:
raise ValueError("Unable to convert %r" % value)
else:
rest = rest[m.end():]
d = self.config[m.groups()[... | [
"Default",
"converter",
"for",
"the",
"cfg",
":",
"//",
"protocol",
"."
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/dictconfig.py#L171-L203 | [
"def",
"cfg_convert",
"(",
"self",
",",
"value",
")",
":",
"rest",
"=",
"value",
"m",
"=",
"self",
".",
"WORD_PATTERN",
".",
"match",
"(",
"rest",
")",
"if",
"m",
"is",
"None",
":",
"raise",
"ValueError",
"(",
"\"Unable to convert %r\"",
"%",
"value",
... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | BaseConfigurator.configure_custom | Configure an object with a user-supplied factory. | jocker/dictconfig.py | def configure_custom(self, config):
"""Configure an object with a user-supplied factory."""
c = config.pop('()')
if not hasattr(c, '__call__') and \
hasattr(types, 'ClassType') and isinstance(c, types.ClassType):
c = self.resolve(c)
props = config.pop('.', Non... | def configure_custom(self, config):
"""Configure an object with a user-supplied factory."""
c = config.pop('()')
if not hasattr(c, '__call__') and \
hasattr(types, 'ClassType') and isinstance(c, types.ClassType):
c = self.resolve(c)
props = config.pop('.', Non... | [
"Configure",
"an",
"object",
"with",
"a",
"user",
"-",
"supplied",
"factory",
"."
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/dictconfig.py#L233-L246 | [
"def",
"configure_custom",
"(",
"self",
",",
"config",
")",
":",
"c",
"=",
"config",
".",
"pop",
"(",
"'()'",
")",
"if",
"not",
"hasattr",
"(",
"c",
",",
"'__call__'",
")",
"and",
"hasattr",
"(",
"types",
",",
"'ClassType'",
")",
"and",
"isinstance",
... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | _set_global_verbosity_level | sets the global verbosity level for console and the jocker_lgr logger.
:param bool is_verbose_output: should be output be verbose | jocker/jocker.py | def _set_global_verbosity_level(is_verbose_output=False):
"""sets the global verbosity level for console and the jocker_lgr logger.
:param bool is_verbose_output: should be output be verbose
"""
global verbose_output
# TODO: (IMPRV) only raise exceptions in verbose mode
verbose_output = is_verb... | def _set_global_verbosity_level(is_verbose_output=False):
"""sets the global verbosity level for console and the jocker_lgr logger.
:param bool is_verbose_output: should be output be verbose
"""
global verbose_output
# TODO: (IMPRV) only raise exceptions in verbose mode
verbose_output = is_verb... | [
"sets",
"the",
"global",
"verbosity",
"level",
"for",
"console",
"and",
"the",
"jocker_lgr",
"logger",
"."
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/jocker.py#L40-L51 | [
"def",
"_set_global_verbosity_level",
"(",
"is_verbose_output",
"=",
"False",
")",
":",
"global",
"verbose_output",
"# TODO: (IMPRV) only raise exceptions in verbose mode",
"verbose_output",
"=",
"is_verbose_output",
"if",
"verbose_output",
":",
"jocker_lgr",
".",
"setLevel",
... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | _import_config | returns a configuration object
:param string config_file: path to config file | jocker/jocker.py | def _import_config(config_file):
"""returns a configuration object
:param string config_file: path to config file
"""
# get config file path
jocker_lgr.debug('config file is: {0}'.format(config_file))
# append to path for importing
try:
jocker_lgr.debug('importing config...')
... | def _import_config(config_file):
"""returns a configuration object
:param string config_file: path to config file
"""
# get config file path
jocker_lgr.debug('config file is: {0}'.format(config_file))
# append to path for importing
try:
jocker_lgr.debug('importing config...')
... | [
"returns",
"a",
"configuration",
"object"
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/jocker.py#L55-L72 | [
"def",
"_import_config",
"(",
"config_file",
")",
":",
"# get config file path",
"jocker_lgr",
".",
"debug",
"(",
"'config file is: {0}'",
".",
"format",
"(",
"config_file",
")",
")",
"# append to path for importing",
"try",
":",
"jocker_lgr",
".",
"debug",
"(",
"'i... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | execute | generates a Dockerfile, builds an image and pushes it to DockerHub
A `Dockerfile` will be generated by Jinja2 according to the `varsfile`
imported. If build is true, an image will be generated from the
`outputfile` which is the generated Dockerfile and committed to the
image:tag string supplied to `bui... | jocker/jocker.py | def execute(varsfile, templatefile, outputfile=None, configfile=None,
dryrun=False, build=False, push=False, verbose=False):
"""generates a Dockerfile, builds an image and pushes it to DockerHub
A `Dockerfile` will be generated by Jinja2 according to the `varsfile`
imported. If build is true, a... | def execute(varsfile, templatefile, outputfile=None, configfile=None,
dryrun=False, build=False, push=False, verbose=False):
"""generates a Dockerfile, builds an image and pushes it to DockerHub
A `Dockerfile` will be generated by Jinja2 according to the `varsfile`
imported. If build is true, a... | [
"generates",
"a",
"Dockerfile",
"builds",
"an",
"image",
"and",
"pushes",
"it",
"to",
"DockerHub"
] | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/jocker.py#L75-L110 | [
"def",
"execute",
"(",
"varsfile",
",",
"templatefile",
",",
"outputfile",
"=",
"None",
",",
"configfile",
"=",
"None",
",",
"dryrun",
"=",
"False",
",",
"build",
"=",
"False",
",",
"push",
"=",
"False",
",",
"verbose",
"=",
"False",
")",
":",
"if",
... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | Jocker._parse_dumb_push_output | since the push process outputs a single unicode string consisting of
multiple JSON formatted "status" lines, we need to parse it so that it
can be read as multiple strings.
This will receive the string as an input, count curly braces and ignore
any newlines. When the curly braces stack ... | jocker/jocker.py | def _parse_dumb_push_output(self, string):
"""since the push process outputs a single unicode string consisting of
multiple JSON formatted "status" lines, we need to parse it so that it
can be read as multiple strings.
This will receive the string as an input, count curly braces and ign... | def _parse_dumb_push_output(self, string):
"""since the push process outputs a single unicode string consisting of
multiple JSON formatted "status" lines, we need to parse it so that it
can be read as multiple strings.
This will receive the string as an input, count curly braces and ign... | [
"since",
"the",
"push",
"process",
"outputs",
"a",
"single",
"unicode",
"string",
"consisting",
"of",
"multiple",
"JSON",
"formatted",
"status",
"lines",
"we",
"need",
"to",
"parse",
"it",
"so",
"that",
"it",
"can",
"be",
"read",
"as",
"multiple",
"strings",... | nir0s/jocker | python | https://github.com/nir0s/jocker/blob/b03c78adeb59ac836b388e4a7f14337d834c4b71/jocker/jocker.py#L142-L168 | [
"def",
"_parse_dumb_push_output",
"(",
"self",
",",
"string",
")",
":",
"stack",
"=",
"0",
"json_list",
"=",
"[",
"]",
"tmp_json",
"=",
"''",
"for",
"char",
"in",
"string",
":",
"if",
"not",
"char",
"==",
"'\\r'",
"and",
"not",
"char",
"==",
"'\\n'",
... | b03c78adeb59ac836b388e4a7f14337d834c4b71 |
valid | upload_gif | Uploads an image file to Imgur | imgur_uploader.py | def upload_gif(gif):
"""Uploads an image file to Imgur"""
client_id = os.environ.get('IMGUR_API_ID')
client_secret = os.environ.get('IMGUR_API_SECRET')
if client_id is None or client_secret is None:
click.echo('Cannot upload - could not find IMGUR_API_ID or IMGUR_API_SECRET environment variabl... | def upload_gif(gif):
"""Uploads an image file to Imgur"""
client_id = os.environ.get('IMGUR_API_ID')
client_secret = os.environ.get('IMGUR_API_SECRET')
if client_id is None or client_secret is None:
click.echo('Cannot upload - could not find IMGUR_API_ID or IMGUR_API_SECRET environment variabl... | [
"Uploads",
"an",
"image",
"file",
"to",
"Imgur"
] | atbaker/imgur-uploader | python | https://github.com/atbaker/imgur-uploader/blob/4e663265c18b53a1d178fb2cfd569a75e2efea5b/imgur_uploader.py#L8-L24 | [
"def",
"upload_gif",
"(",
"gif",
")",
":",
"client_id",
"=",
"os",
".",
"environ",
".",
"get",
"(",
"'IMGUR_API_ID'",
")",
"client_secret",
"=",
"os",
".",
"environ",
".",
"get",
"(",
"'IMGUR_API_SECRET'",
")",
"if",
"client_id",
"is",
"None",
"or",
"cli... | 4e663265c18b53a1d178fb2cfd569a75e2efea5b |
valid | is_dot | Return true if the IP address is in dotted decimal notation. | iplib.py | def is_dot(ip):
"""Return true if the IP address is in dotted decimal notation."""
octets = str(ip).split('.')
if len(octets) != 4:
return False
for i in octets:
try:
val = int(i)
except ValueError:
return False
if val > 255 or val < 0:
... | def is_dot(ip):
"""Return true if the IP address is in dotted decimal notation."""
octets = str(ip).split('.')
if len(octets) != 4:
return False
for i in octets:
try:
val = int(i)
except ValueError:
return False
if val > 255 or val < 0:
... | [
"Return",
"true",
"if",
"the",
"IP",
"address",
"is",
"in",
"dotted",
"decimal",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L99-L111 | [
"def",
"is_dot",
"(",
"ip",
")",
":",
"octets",
"=",
"str",
"(",
"ip",
")",
".",
"split",
"(",
"'.'",
")",
"if",
"len",
"(",
"octets",
")",
"!=",
"4",
":",
"return",
"False",
"for",
"i",
"in",
"octets",
":",
"try",
":",
"val",
"=",
"int",
"("... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | is_bin | Return true if the IP address is in binary notation. | iplib.py | def is_bin(ip):
"""Return true if the IP address is in binary notation."""
try:
ip = str(ip)
if len(ip) != 32:
return False
dec = int(ip, 2)
except (TypeError, ValueError):
return False
if dec > 4294967295 or dec < 0:
return False
return True | def is_bin(ip):
"""Return true if the IP address is in binary notation."""
try:
ip = str(ip)
if len(ip) != 32:
return False
dec = int(ip, 2)
except (TypeError, ValueError):
return False
if dec > 4294967295 or dec < 0:
return False
return True | [
"Return",
"true",
"if",
"the",
"IP",
"address",
"is",
"in",
"binary",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L125-L136 | [
"def",
"is_bin",
"(",
"ip",
")",
":",
"try",
":",
"ip",
"=",
"str",
"(",
"ip",
")",
"if",
"len",
"(",
"ip",
")",
"!=",
"32",
":",
"return",
"False",
"dec",
"=",
"int",
"(",
"ip",
",",
"2",
")",
"except",
"(",
"TypeError",
",",
"ValueError",
"... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | is_oct | Return true if the IP address is in octal notation. | iplib.py | def is_oct(ip):
"""Return true if the IP address is in octal notation."""
try:
dec = int(str(ip), 8)
except (TypeError, ValueError):
return False
if dec > 0o37777777777 or dec < 0:
return False
return True | def is_oct(ip):
"""Return true if the IP address is in octal notation."""
try:
dec = int(str(ip), 8)
except (TypeError, ValueError):
return False
if dec > 0o37777777777 or dec < 0:
return False
return True | [
"Return",
"true",
"if",
"the",
"IP",
"address",
"is",
"in",
"octal",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L139-L147 | [
"def",
"is_oct",
"(",
"ip",
")",
":",
"try",
":",
"dec",
"=",
"int",
"(",
"str",
"(",
"ip",
")",
",",
"8",
")",
"except",
"(",
"TypeError",
",",
"ValueError",
")",
":",
"return",
"False",
"if",
"dec",
">",
"0o37777777777",
"or",
"dec",
"<",
"0",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | is_dec | Return true if the IP address is in decimal notation. | iplib.py | def is_dec(ip):
"""Return true if the IP address is in decimal notation."""
try:
dec = int(str(ip))
except ValueError:
return False
if dec > 4294967295 or dec < 0:
return False
return True | def is_dec(ip):
"""Return true if the IP address is in decimal notation."""
try:
dec = int(str(ip))
except ValueError:
return False
if dec > 4294967295 or dec < 0:
return False
return True | [
"Return",
"true",
"if",
"the",
"IP",
"address",
"is",
"in",
"decimal",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L150-L158 | [
"def",
"is_dec",
"(",
"ip",
")",
":",
"try",
":",
"dec",
"=",
"int",
"(",
"str",
"(",
"ip",
")",
")",
"except",
"ValueError",
":",
"return",
"False",
"if",
"dec",
">",
"4294967295",
"or",
"dec",
"<",
"0",
":",
"return",
"False",
"return",
"True"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _check_nm | Function internally used to check if the given netmask
is of the specified notation. | iplib.py | def _check_nm(nm, notation):
"""Function internally used to check if the given netmask
is of the specified notation."""
# Convert to decimal, and check if it's in the list of valid netmasks.
_NM_CHECK_FUNCT = {
NM_DOT: _dot_to_dec,
NM_HEX: _hex_to_dec,
NM_BIN: _bin_to_dec,
... | def _check_nm(nm, notation):
"""Function internally used to check if the given netmask
is of the specified notation."""
# Convert to decimal, and check if it's in the list of valid netmasks.
_NM_CHECK_FUNCT = {
NM_DOT: _dot_to_dec,
NM_HEX: _hex_to_dec,
NM_BIN: _bin_to_dec,
... | [
"Function",
"internally",
"used",
"to",
"check",
"if",
"the",
"given",
"netmask",
"is",
"of",
"the",
"specified",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L161-L177 | [
"def",
"_check_nm",
"(",
"nm",
",",
"notation",
")",
":",
"# Convert to decimal, and check if it's in the list of valid netmasks.",
"_NM_CHECK_FUNCT",
"=",
"{",
"NM_DOT",
":",
"_dot_to_dec",
",",
"NM_HEX",
":",
"_hex_to_dec",
",",
"NM_BIN",
":",
"_bin_to_dec",
",",
"N... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | is_bits_nm | Return true if the netmask is in bits notatation. | iplib.py | def is_bits_nm(nm):
"""Return true if the netmask is in bits notatation."""
try:
bits = int(str(nm))
except ValueError:
return False
if bits > 32 or bits < 0:
return False
return True | def is_bits_nm(nm):
"""Return true if the netmask is in bits notatation."""
try:
bits = int(str(nm))
except ValueError:
return False
if bits > 32 or bits < 0:
return False
return True | [
"Return",
"true",
"if",
"the",
"netmask",
"is",
"in",
"bits",
"notatation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L205-L213 | [
"def",
"is_bits_nm",
"(",
"nm",
")",
":",
"try",
":",
"bits",
"=",
"int",
"(",
"str",
"(",
"nm",
")",
")",
"except",
"ValueError",
":",
"return",
"False",
"if",
"bits",
">",
"32",
"or",
"bits",
"<",
"0",
":",
"return",
"False",
"return",
"True"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | is_wildcard_nm | Return true if the netmask is in wildcard bits notatation. | iplib.py | def is_wildcard_nm(nm):
"""Return true if the netmask is in wildcard bits notatation."""
try:
dec = 0xFFFFFFFF - _dot_to_dec(nm, check=True)
except ValueError:
return False
if dec in _NETMASKS_VALUES:
return True
return False | def is_wildcard_nm(nm):
"""Return true if the netmask is in wildcard bits notatation."""
try:
dec = 0xFFFFFFFF - _dot_to_dec(nm, check=True)
except ValueError:
return False
if dec in _NETMASKS_VALUES:
return True
return False | [
"Return",
"true",
"if",
"the",
"netmask",
"is",
"in",
"wildcard",
"bits",
"notatation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L216-L224 | [
"def",
"is_wildcard_nm",
"(",
"nm",
")",
":",
"try",
":",
"dec",
"=",
"0xFFFFFFFF",
"-",
"_dot_to_dec",
"(",
"nm",
",",
"check",
"=",
"True",
")",
"except",
"ValueError",
":",
"return",
"False",
"if",
"dec",
"in",
"_NETMASKS_VALUES",
":",
"return",
"True... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _dot_to_dec | Dotted decimal notation to decimal conversion. | iplib.py | def _dot_to_dec(ip, check=True):
"""Dotted decimal notation to decimal conversion."""
if check and not is_dot(ip):
raise ValueError('_dot_to_dec: invalid IP: "%s"' % ip)
octets = str(ip).split('.')
dec = 0
dec |= int(octets[0]) << 24
dec |= int(octets[1]) << 16
dec |= int(octets[2]) ... | def _dot_to_dec(ip, check=True):
"""Dotted decimal notation to decimal conversion."""
if check and not is_dot(ip):
raise ValueError('_dot_to_dec: invalid IP: "%s"' % ip)
octets = str(ip).split('.')
dec = 0
dec |= int(octets[0]) << 24
dec |= int(octets[1]) << 16
dec |= int(octets[2]) ... | [
"Dotted",
"decimal",
"notation",
"to",
"decimal",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L229-L239 | [
"def",
"_dot_to_dec",
"(",
"ip",
",",
"check",
"=",
"True",
")",
":",
"if",
"check",
"and",
"not",
"is_dot",
"(",
"ip",
")",
":",
"raise",
"ValueError",
"(",
"'_dot_to_dec: invalid IP: \"%s\"'",
"%",
"ip",
")",
"octets",
"=",
"str",
"(",
"ip",
")",
"."... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _dec_to_dot | Decimal to dotted decimal notation conversion. | iplib.py | def _dec_to_dot(ip):
"""Decimal to dotted decimal notation conversion."""
first = int((ip >> 24) & 255)
second = int((ip >> 16) & 255)
third = int((ip >> 8) & 255)
fourth = int(ip & 255)
return '%d.%d.%d.%d' % (first, second, third, fourth) | def _dec_to_dot(ip):
"""Decimal to dotted decimal notation conversion."""
first = int((ip >> 24) & 255)
second = int((ip >> 16) & 255)
third = int((ip >> 8) & 255)
fourth = int(ip & 255)
return '%d.%d.%d.%d' % (first, second, third, fourth) | [
"Decimal",
"to",
"dotted",
"decimal",
"notation",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L242-L248 | [
"def",
"_dec_to_dot",
"(",
"ip",
")",
":",
"first",
"=",
"int",
"(",
"(",
"ip",
">>",
"24",
")",
"&",
"255",
")",
"second",
"=",
"int",
"(",
"(",
"ip",
">>",
"16",
")",
"&",
"255",
")",
"third",
"=",
"int",
"(",
"(",
"ip",
">>",
"8",
")",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _hex_to_dec | Hexadecimal to decimal conversion. | iplib.py | def _hex_to_dec(ip, check=True):
"""Hexadecimal to decimal conversion."""
if check and not is_hex(ip):
raise ValueError('_hex_to_dec: invalid IP: "%s"' % ip)
if isinstance(ip, int):
ip = hex(ip)
return int(str(ip), 16) | def _hex_to_dec(ip, check=True):
"""Hexadecimal to decimal conversion."""
if check and not is_hex(ip):
raise ValueError('_hex_to_dec: invalid IP: "%s"' % ip)
if isinstance(ip, int):
ip = hex(ip)
return int(str(ip), 16) | [
"Hexadecimal",
"to",
"decimal",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L251-L257 | [
"def",
"_hex_to_dec",
"(",
"ip",
",",
"check",
"=",
"True",
")",
":",
"if",
"check",
"and",
"not",
"is_hex",
"(",
"ip",
")",
":",
"raise",
"ValueError",
"(",
"'_hex_to_dec: invalid IP: \"%s\"'",
"%",
"ip",
")",
"if",
"isinstance",
"(",
"ip",
",",
"int",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _oct_to_dec | Octal to decimal conversion. | iplib.py | def _oct_to_dec(ip, check=True):
"""Octal to decimal conversion."""
if check and not is_oct(ip):
raise ValueError('_oct_to_dec: invalid IP: "%s"' % ip)
if isinstance(ip, int):
ip = oct(ip)
return int(str(ip), 8) | def _oct_to_dec(ip, check=True):
"""Octal to decimal conversion."""
if check and not is_oct(ip):
raise ValueError('_oct_to_dec: invalid IP: "%s"' % ip)
if isinstance(ip, int):
ip = oct(ip)
return int(str(ip), 8) | [
"Octal",
"to",
"decimal",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L265-L271 | [
"def",
"_oct_to_dec",
"(",
"ip",
",",
"check",
"=",
"True",
")",
":",
"if",
"check",
"and",
"not",
"is_oct",
"(",
"ip",
")",
":",
"raise",
"ValueError",
"(",
"'_oct_to_dec: invalid IP: \"%s\"'",
"%",
"ip",
")",
"if",
"isinstance",
"(",
"ip",
",",
"int",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _bin_to_dec | Binary to decimal conversion. | iplib.py | def _bin_to_dec(ip, check=True):
"""Binary to decimal conversion."""
if check and not is_bin(ip):
raise ValueError('_bin_to_dec: invalid IP: "%s"' % ip)
if isinstance(ip, int):
ip = str(ip)
return int(str(ip), 2) | def _bin_to_dec(ip, check=True):
"""Binary to decimal conversion."""
if check and not is_bin(ip):
raise ValueError('_bin_to_dec: invalid IP: "%s"' % ip)
if isinstance(ip, int):
ip = str(ip)
return int(str(ip), 2) | [
"Binary",
"to",
"decimal",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L279-L285 | [
"def",
"_bin_to_dec",
"(",
"ip",
",",
"check",
"=",
"True",
")",
":",
"if",
"check",
"and",
"not",
"is_bin",
"(",
"ip",
")",
":",
"raise",
"ValueError",
"(",
"'_bin_to_dec: invalid IP: \"%s\"'",
"%",
"ip",
")",
"if",
"isinstance",
"(",
"ip",
",",
"int",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _BYTES_TO_BITS | Generate a table to convert a whole byte to binary.
This code was taken from the Python Cookbook, 2nd edition - O'Reilly. | iplib.py | def _BYTES_TO_BITS():
"""Generate a table to convert a whole byte to binary.
This code was taken from the Python Cookbook, 2nd edition - O'Reilly."""
the_table = 256*[None]
bits_per_byte = list(range(7, -1, -1))
for n in range(256):
l = n
bits = 8*[None]
for i in bits_per_byt... | def _BYTES_TO_BITS():
"""Generate a table to convert a whole byte to binary.
This code was taken from the Python Cookbook, 2nd edition - O'Reilly."""
the_table = 256*[None]
bits_per_byte = list(range(7, -1, -1))
for n in range(256):
l = n
bits = 8*[None]
for i in bits_per_byt... | [
"Generate",
"a",
"table",
"to",
"convert",
"a",
"whole",
"byte",
"to",
"binary",
".",
"This",
"code",
"was",
"taken",
"from",
"the",
"Python",
"Cookbook",
"2nd",
"edition",
"-",
"O",
"Reilly",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L288-L300 | [
"def",
"_BYTES_TO_BITS",
"(",
")",
":",
"the_table",
"=",
"256",
"*",
"[",
"None",
"]",
"bits_per_byte",
"=",
"list",
"(",
"range",
"(",
"7",
",",
"-",
"1",
",",
"-",
"1",
")",
")",
"for",
"n",
"in",
"range",
"(",
"256",
")",
":",
"l",
"=",
"... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _dec_to_bin | Decimal to binary conversion. | iplib.py | def _dec_to_bin(ip):
"""Decimal to binary conversion."""
bits = []
while ip:
bits.append(_BYTES_TO_BITS[ip & 255])
ip >>= 8
bits.reverse()
return ''.join(bits) or 32*'0' | def _dec_to_bin(ip):
"""Decimal to binary conversion."""
bits = []
while ip:
bits.append(_BYTES_TO_BITS[ip & 255])
ip >>= 8
bits.reverse()
return ''.join(bits) or 32*'0' | [
"Decimal",
"to",
"binary",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L306-L313 | [
"def",
"_dec_to_bin",
"(",
"ip",
")",
":",
"bits",
"=",
"[",
"]",
"while",
"ip",
":",
"bits",
".",
"append",
"(",
"_BYTES_TO_BITS",
"[",
"ip",
"&",
"255",
"]",
")",
"ip",
">>=",
"8",
"bits",
".",
"reverse",
"(",
")",
"return",
"''",
".",
"join",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _dec_to_dec_long | Decimal to decimal (long) conversion. | iplib.py | def _dec_to_dec_long(ip, check=True):
"""Decimal to decimal (long) conversion."""
if check and not is_dec(ip):
raise ValueError('_dec_to_dec: invalid IP: "%s"' % ip)
return int(str(ip)) | def _dec_to_dec_long(ip, check=True):
"""Decimal to decimal (long) conversion."""
if check and not is_dec(ip):
raise ValueError('_dec_to_dec: invalid IP: "%s"' % ip)
return int(str(ip)) | [
"Decimal",
"to",
"decimal",
"(",
"long",
")",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L316-L320 | [
"def",
"_dec_to_dec_long",
"(",
"ip",
",",
"check",
"=",
"True",
")",
":",
"if",
"check",
"and",
"not",
"is_dec",
"(",
"ip",
")",
":",
"raise",
"ValueError",
"(",
"'_dec_to_dec: invalid IP: \"%s\"'",
"%",
"ip",
")",
"return",
"int",
"(",
"str",
"(",
"ip"... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _bits_to_dec | Bits to decimal conversion. | iplib.py | def _bits_to_dec(nm, check=True):
"""Bits to decimal conversion."""
if check and not is_bits_nm(nm):
raise ValueError('_bits_to_dec: invalid netmask: "%s"' % nm)
bits = int(str(nm))
return VALID_NETMASKS[bits] | def _bits_to_dec(nm, check=True):
"""Bits to decimal conversion."""
if check and not is_bits_nm(nm):
raise ValueError('_bits_to_dec: invalid netmask: "%s"' % nm)
bits = int(str(nm))
return VALID_NETMASKS[bits] | [
"Bits",
"to",
"decimal",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L328-L333 | [
"def",
"_bits_to_dec",
"(",
"nm",
",",
"check",
"=",
"True",
")",
":",
"if",
"check",
"and",
"not",
"is_bits_nm",
"(",
"nm",
")",
":",
"raise",
"ValueError",
"(",
"'_bits_to_dec: invalid netmask: \"%s\"'",
"%",
"nm",
")",
"bits",
"=",
"int",
"(",
"str",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _wildcard_to_dec | Wildcard bits to decimal conversion. | iplib.py | def _wildcard_to_dec(nm, check=False):
"""Wildcard bits to decimal conversion."""
if check and not is_wildcard_nm(nm):
raise ValueError('_wildcard_to_dec: invalid netmask: "%s"' % nm)
return 0xFFFFFFFF - _dot_to_dec(nm, check=False) | def _wildcard_to_dec(nm, check=False):
"""Wildcard bits to decimal conversion."""
if check and not is_wildcard_nm(nm):
raise ValueError('_wildcard_to_dec: invalid netmask: "%s"' % nm)
return 0xFFFFFFFF - _dot_to_dec(nm, check=False) | [
"Wildcard",
"bits",
"to",
"decimal",
"conversion",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L341-L345 | [
"def",
"_wildcard_to_dec",
"(",
"nm",
",",
"check",
"=",
"False",
")",
":",
"if",
"check",
"and",
"not",
"is_wildcard_nm",
"(",
"nm",
")",
":",
"raise",
"ValueError",
"(",
"'_wildcard_to_dec: invalid netmask: \"%s\"'",
"%",
"nm",
")",
"return",
"0xFFFFFFFF",
"... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _is_notation | Internally used to check if an IP/netmask is in the given notation. | iplib.py | def _is_notation(ip, notation, _isnm):
"""Internally used to check if an IP/netmask is in the given notation."""
notation_orig = notation
notation = _get_notation(notation)
if notation not in _CHECK_FUNCT_KEYS:
raise ValueError('_is_notation: unkown notation: "%s"' % notation_orig)
return _C... | def _is_notation(ip, notation, _isnm):
"""Internally used to check if an IP/netmask is in the given notation."""
notation_orig = notation
notation = _get_notation(notation)
if notation not in _CHECK_FUNCT_KEYS:
raise ValueError('_is_notation: unkown notation: "%s"' % notation_orig)
return _C... | [
"Internally",
"used",
"to",
"check",
"if",
"an",
"IP",
"/",
"netmask",
"is",
"in",
"the",
"given",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L367-L373 | [
"def",
"_is_notation",
"(",
"ip",
",",
"notation",
",",
"_isnm",
")",
":",
"notation_orig",
"=",
"notation",
"notation",
"=",
"_get_notation",
"(",
"notation",
")",
"if",
"notation",
"not",
"in",
"_CHECK_FUNCT_KEYS",
":",
"raise",
"ValueError",
"(",
"'_is_nota... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _detect | Function internally used to detect the notation of the
given IP or netmask. | iplib.py | def _detect(ip, _isnm):
"""Function internally used to detect the notation of the
given IP or netmask."""
ip = str(ip)
if len(ip) > 1:
if ip[0:2] == '0x':
if _CHECK_FUNCT[IP_HEX][_isnm](ip):
return IP_HEX
elif ip[0] == '0':
if _CHECK_FUNCT[IP_OCT][... | def _detect(ip, _isnm):
"""Function internally used to detect the notation of the
given IP or netmask."""
ip = str(ip)
if len(ip) > 1:
if ip[0:2] == '0x':
if _CHECK_FUNCT[IP_HEX][_isnm](ip):
return IP_HEX
elif ip[0] == '0':
if _CHECK_FUNCT[IP_OCT][... | [
"Function",
"internally",
"used",
"to",
"detect",
"the",
"notation",
"of",
"the",
"given",
"IP",
"or",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L386-L407 | [
"def",
"_detect",
"(",
"ip",
",",
"_isnm",
")",
":",
"ip",
"=",
"str",
"(",
"ip",
")",
"if",
"len",
"(",
"ip",
")",
">",
"1",
":",
"if",
"ip",
"[",
"0",
":",
"2",
"]",
"==",
"'0x'",
":",
"if",
"_CHECK_FUNCT",
"[",
"IP_HEX",
"]",
"[",
"_isnm... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _convert | Internally used to convert IPs and netmasks to other notations. | iplib.py | def _convert(ip, notation, inotation, _check, _isnm):
"""Internally used to convert IPs and netmasks to other notations."""
inotation_orig = inotation
notation_orig = notation
inotation = _get_notation(inotation)
notation = _get_notation(notation)
if inotation is None:
raise ValueError('... | def _convert(ip, notation, inotation, _check, _isnm):
"""Internally used to convert IPs and netmasks to other notations."""
inotation_orig = inotation
notation_orig = notation
inotation = _get_notation(inotation)
notation = _get_notation(notation)
if inotation is None:
raise ValueError('... | [
"Internally",
"used",
"to",
"convert",
"IPs",
"and",
"netmasks",
"to",
"other",
"notations",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L437-L492 | [
"def",
"_convert",
"(",
"ip",
",",
"notation",
",",
"inotation",
",",
"_check",
",",
"_isnm",
")",
":",
"inotation_orig",
"=",
"inotation",
"notation_orig",
"=",
"notation",
"inotation",
"=",
"_get_notation",
"(",
"inotation",
")",
"notation",
"=",
"_get_notat... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | convert | Convert among IP address notations.
Given an IP address, this function returns the address
in another notation.
@param ip: the IP address.
@type ip: integers, strings or object with an appropriate __str()__ method.
@param notation: the notation of the output (default: IP_DOT).
@type notation:... | iplib.py | def convert(ip, notation=IP_DOT, inotation=IP_UNKNOWN, check=True):
"""Convert among IP address notations.
Given an IP address, this function returns the address
in another notation.
@param ip: the IP address.
@type ip: integers, strings or object with an appropriate __str()__ method.
@param ... | def convert(ip, notation=IP_DOT, inotation=IP_UNKNOWN, check=True):
"""Convert among IP address notations.
Given an IP address, this function returns the address
in another notation.
@param ip: the IP address.
@type ip: integers, strings or object with an appropriate __str()__ method.
@param ... | [
"Convert",
"among",
"IP",
"address",
"notations",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L495-L518 | [
"def",
"convert",
"(",
"ip",
",",
"notation",
"=",
"IP_DOT",
",",
"inotation",
"=",
"IP_UNKNOWN",
",",
"check",
"=",
"True",
")",
":",
"return",
"_convert",
"(",
"ip",
",",
"notation",
",",
"inotation",
",",
"_check",
"=",
"check",
",",
"_isnm",
"=",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | convert_nm | Convert a netmask to another notation. | iplib.py | def convert_nm(nm, notation=IP_DOT, inotation=IP_UNKNOWN, check=True):
"""Convert a netmask to another notation."""
return _convert(nm, notation, inotation, _check=check, _isnm=True) | def convert_nm(nm, notation=IP_DOT, inotation=IP_UNKNOWN, check=True):
"""Convert a netmask to another notation."""
return _convert(nm, notation, inotation, _check=check, _isnm=True) | [
"Convert",
"a",
"netmask",
"to",
"another",
"notation",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L521-L523 | [
"def",
"convert_nm",
"(",
"nm",
",",
"notation",
"=",
"IP_DOT",
",",
"inotation",
"=",
"IP_UNKNOWN",
",",
"check",
"=",
"True",
")",
":",
"return",
"_convert",
"(",
"nm",
",",
"notation",
",",
"inotation",
",",
"_check",
"=",
"check",
",",
"_isnm",
"="... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _IPv4Base.set | Set the IP address/netmask. | iplib.py | def set(self, ip, notation=IP_UNKNOWN):
"""Set the IP address/netmask."""
self._ip_dec = int(_convert(ip, notation=IP_DEC, inotation=notation,
_check=True, _isnm=self._isnm))
self._ip = _convert(self._ip_dec, notation=IP_DOT, inotation=IP_DEC,
... | def set(self, ip, notation=IP_UNKNOWN):
"""Set the IP address/netmask."""
self._ip_dec = int(_convert(ip, notation=IP_DEC, inotation=notation,
_check=True, _isnm=self._isnm))
self._ip = _convert(self._ip_dec, notation=IP_DOT, inotation=IP_DEC,
... | [
"Set",
"the",
"IP",
"address",
"/",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L536-L541 | [
"def",
"set",
"(",
"self",
",",
"ip",
",",
"notation",
"=",
"IP_UNKNOWN",
")",
":",
"self",
".",
"_ip_dec",
"=",
"int",
"(",
"_convert",
"(",
"ip",
",",
"notation",
"=",
"IP_DEC",
",",
"inotation",
"=",
"notation",
",",
"_check",
"=",
"True",
",",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _IPv4Base.get_hex | Return the hexadecimal notation of the address/netmask. | iplib.py | def get_hex(self):
"""Return the hexadecimal notation of the address/netmask."""
return _convert(self._ip_dec, notation=IP_HEX,
inotation=IP_DEC, _check=False, _isnm=self._isnm) | def get_hex(self):
"""Return the hexadecimal notation of the address/netmask."""
return _convert(self._ip_dec, notation=IP_HEX,
inotation=IP_DEC, _check=False, _isnm=self._isnm) | [
"Return",
"the",
"hexadecimal",
"notation",
"of",
"the",
"address",
"/",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L551-L554 | [
"def",
"get_hex",
"(",
"self",
")",
":",
"return",
"_convert",
"(",
"self",
".",
"_ip_dec",
",",
"notation",
"=",
"IP_HEX",
",",
"inotation",
"=",
"IP_DEC",
",",
"_check",
"=",
"False",
",",
"_isnm",
"=",
"self",
".",
"_isnm",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _IPv4Base.get_bin | Return the binary notation of the address/netmask. | iplib.py | def get_bin(self):
"""Return the binary notation of the address/netmask."""
return _convert(self._ip_dec, notation=IP_BIN,
inotation=IP_DEC, _check=False, _isnm=self._isnm) | def get_bin(self):
"""Return the binary notation of the address/netmask."""
return _convert(self._ip_dec, notation=IP_BIN,
inotation=IP_DEC, _check=False, _isnm=self._isnm) | [
"Return",
"the",
"binary",
"notation",
"of",
"the",
"address",
"/",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L556-L559 | [
"def",
"get_bin",
"(",
"self",
")",
":",
"return",
"_convert",
"(",
"self",
".",
"_ip_dec",
",",
"notation",
"=",
"IP_BIN",
",",
"inotation",
"=",
"IP_DEC",
",",
"_check",
"=",
"False",
",",
"_isnm",
"=",
"self",
".",
"_isnm",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _IPv4Base.get_oct | Return the octal notation of the address/netmask. | iplib.py | def get_oct(self):
"""Return the octal notation of the address/netmask."""
return _convert(self._ip_dec, notation=IP_OCT,
inotation=IP_DEC, _check=False, _isnm=self._isnm) | def get_oct(self):
"""Return the octal notation of the address/netmask."""
return _convert(self._ip_dec, notation=IP_OCT,
inotation=IP_DEC, _check=False, _isnm=self._isnm) | [
"Return",
"the",
"octal",
"notation",
"of",
"the",
"address",
"/",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L565-L568 | [
"def",
"get_oct",
"(",
"self",
")",
":",
"return",
"_convert",
"(",
"self",
".",
"_ip_dec",
",",
"notation",
"=",
"IP_OCT",
",",
"inotation",
"=",
"IP_DEC",
",",
"_check",
"=",
"False",
",",
"_isnm",
"=",
"self",
".",
"_isnm",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | _IPv4Base._cmp_prepare | Prepare the item to be compared with this address/netmask. | iplib.py | def _cmp_prepare(self, other):
"""Prepare the item to be compared with this address/netmask."""
if isinstance(other, self.__class__):
return other._ip_dec
elif isinstance(other, int):
# NOTE: this hides the fact that "other" can be a non valid IP/nm.
return ot... | def _cmp_prepare(self, other):
"""Prepare the item to be compared with this address/netmask."""
if isinstance(other, self.__class__):
return other._ip_dec
elif isinstance(other, int):
# NOTE: this hides the fact that "other" can be a non valid IP/nm.
return ot... | [
"Prepare",
"the",
"item",
"to",
"be",
"compared",
"with",
"this",
"address",
"/",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L574-L581 | [
"def",
"_cmp_prepare",
"(",
"self",
",",
"other",
")",
":",
"if",
"isinstance",
"(",
"other",
",",
"self",
".",
"__class__",
")",
":",
"return",
"other",
".",
"_ip_dec",
"elif",
"isinstance",
"(",
"other",
",",
"int",
")",
":",
"# NOTE: this hides the fact... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | IPv4Address._add | Sum two IP addresses. | iplib.py | def _add(self, other):
"""Sum two IP addresses."""
if isinstance(other, self.__class__):
sum_ = self._ip_dec + other._ip_dec
elif isinstance(other, int):
sum_ = self._ip_dec + other
else:
other = self.__class__(other)
sum_ = self._ip_dec + ... | def _add(self, other):
"""Sum two IP addresses."""
if isinstance(other, self.__class__):
sum_ = self._ip_dec + other._ip_dec
elif isinstance(other, int):
sum_ = self._ip_dec + other
else:
other = self.__class__(other)
sum_ = self._ip_dec + ... | [
"Sum",
"two",
"IP",
"addresses",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L644-L653 | [
"def",
"_add",
"(",
"self",
",",
"other",
")",
":",
"if",
"isinstance",
"(",
"other",
",",
"self",
".",
"__class__",
")",
":",
"sum_",
"=",
"self",
".",
"_ip_dec",
"+",
"other",
".",
"_ip_dec",
"elif",
"isinstance",
"(",
"other",
",",
"int",
")",
"... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | IPv4Address._sub | Subtract two IP addresses. | iplib.py | def _sub(self, other):
"""Subtract two IP addresses."""
if isinstance(other, self.__class__):
sub = self._ip_dec - other._ip_dec
if isinstance(other, int):
sub = self._ip_dec - other
else:
other = self.__class__(other)
sub = self._ip_dec - ... | def _sub(self, other):
"""Subtract two IP addresses."""
if isinstance(other, self.__class__):
sub = self._ip_dec - other._ip_dec
if isinstance(other, int):
sub = self._ip_dec - other
else:
other = self.__class__(other)
sub = self._ip_dec - ... | [
"Subtract",
"two",
"IP",
"addresses",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L666-L675 | [
"def",
"_sub",
"(",
"self",
",",
"other",
")",
":",
"if",
"isinstance",
"(",
"other",
",",
"self",
".",
"__class__",
")",
":",
"sub",
"=",
"self",
".",
"_ip_dec",
"-",
"other",
".",
"_ip_dec",
"if",
"isinstance",
"(",
"other",
",",
"int",
")",
":",... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | IPv4NetMask.get_bits | Return the bits notation of the netmask. | iplib.py | def get_bits(self):
"""Return the bits notation of the netmask."""
return _convert(self._ip, notation=NM_BITS,
inotation=IP_DOT, _check=False, _isnm=self._isnm) | def get_bits(self):
"""Return the bits notation of the netmask."""
return _convert(self._ip, notation=NM_BITS,
inotation=IP_DOT, _check=False, _isnm=self._isnm) | [
"Return",
"the",
"bits",
"notation",
"of",
"the",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L695-L698 | [
"def",
"get_bits",
"(",
"self",
")",
":",
"return",
"_convert",
"(",
"self",
".",
"_ip",
",",
"notation",
"=",
"NM_BITS",
",",
"inotation",
"=",
"IP_DOT",
",",
"_check",
"=",
"False",
",",
"_isnm",
"=",
"self",
".",
"_isnm",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | IPv4NetMask.get_wildcard | Return the wildcard bits notation of the netmask. | iplib.py | def get_wildcard(self):
"""Return the wildcard bits notation of the netmask."""
return _convert(self._ip, notation=NM_WILDCARD,
inotation=IP_DOT, _check=False, _isnm=self._isnm) | def get_wildcard(self):
"""Return the wildcard bits notation of the netmask."""
return _convert(self._ip, notation=NM_WILDCARD,
inotation=IP_DOT, _check=False, _isnm=self._isnm) | [
"Return",
"the",
"wildcard",
"bits",
"notation",
"of",
"the",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L700-L703 | [
"def",
"get_wildcard",
"(",
"self",
")",
":",
"return",
"_convert",
"(",
"self",
".",
"_ip",
",",
"notation",
"=",
"NM_WILDCARD",
",",
"inotation",
"=",
"IP_DOT",
",",
"_check",
"=",
"False",
",",
"_isnm",
"=",
"self",
".",
"_isnm",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | CIDR.set | Set the IP address and the netmask. | iplib.py | def set(self, ip, netmask=None):
"""Set the IP address and the netmask."""
if isinstance(ip, str) and netmask is None:
ipnm = ip.split('/')
if len(ipnm) != 2:
raise ValueError('set: invalid CIDR: "%s"' % ip)
ip = ipnm[0]
netmask = ipnm[1]
... | def set(self, ip, netmask=None):
"""Set the IP address and the netmask."""
if isinstance(ip, str) and netmask is None:
ipnm = ip.split('/')
if len(ipnm) != 2:
raise ValueError('set: invalid CIDR: "%s"' % ip)
ip = ipnm[0]
netmask = ipnm[1]
... | [
"Set",
"the",
"IP",
"address",
"and",
"the",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L717-L758 | [
"def",
"set",
"(",
"self",
",",
"ip",
",",
"netmask",
"=",
"None",
")",
":",
"if",
"isinstance",
"(",
"ip",
",",
"str",
")",
"and",
"netmask",
"is",
"None",
":",
"ipnm",
"=",
"ip",
".",
"split",
"(",
"'/'",
")",
"if",
"len",
"(",
"ipnm",
")",
... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | CIDR.set_ip | Change the current IP. | iplib.py | def set_ip(self, ip):
"""Change the current IP."""
self.set(ip=ip, netmask=self._nm) | def set_ip(self, ip):
"""Change the current IP."""
self.set(ip=ip, netmask=self._nm) | [
"Change",
"the",
"current",
"IP",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L764-L766 | [
"def",
"set_ip",
"(",
"self",
",",
"ip",
")",
":",
"self",
".",
"set",
"(",
"ip",
"=",
"ip",
",",
"netmask",
"=",
"self",
".",
"_nm",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | CIDR.set_netmask | Change the current netmask. | iplib.py | def set_netmask(self, netmask):
"""Change the current netmask."""
self.set(ip=self._ip, netmask=netmask) | def set_netmask(self, netmask):
"""Change the current netmask."""
self.set(ip=self._ip, netmask=netmask) | [
"Change",
"the",
"current",
"netmask",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L772-L774 | [
"def",
"set_netmask",
"(",
"self",
",",
"netmask",
")",
":",
"self",
".",
"set",
"(",
"ip",
"=",
"self",
".",
"_ip",
",",
"netmask",
"=",
"netmask",
")"
] | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | CIDR.is_valid_ip | Return true if the given address in amongst the usable addresses,
or if the given CIDR is contained in this one. | iplib.py | def is_valid_ip(self, ip):
"""Return true if the given address in amongst the usable addresses,
or if the given CIDR is contained in this one."""
if not isinstance(ip, (IPv4Address, CIDR)):
if str(ip).find('/') == -1:
ip = IPv4Address(ip)
else:
... | def is_valid_ip(self, ip):
"""Return true if the given address in amongst the usable addresses,
or if the given CIDR is contained in this one."""
if not isinstance(ip, (IPv4Address, CIDR)):
if str(ip).find('/') == -1:
ip = IPv4Address(ip)
else:
... | [
"Return",
"true",
"if",
"the",
"given",
"address",
"in",
"amongst",
"the",
"usable",
"addresses",
"or",
"if",
"the",
"given",
"CIDR",
"is",
"contained",
"in",
"this",
"one",
"."
] | alberanid/python-iplib | python | https://github.com/alberanid/python-iplib/blob/488b56fe57ad836b27feec9e76f51883db28faa6/iplib.py#L808-L833 | [
"def",
"is_valid_ip",
"(",
"self",
",",
"ip",
")",
":",
"if",
"not",
"isinstance",
"(",
"ip",
",",
"(",
"IPv4Address",
",",
"CIDR",
")",
")",
":",
"if",
"str",
"(",
"ip",
")",
".",
"find",
"(",
"'/'",
")",
"==",
"-",
"1",
":",
"ip",
"=",
"IPv... | 488b56fe57ad836b27feec9e76f51883db28faa6 |
valid | S3tools.upload_file | Upload a file to S3 possibly using the multi-part uploader
Return the key uploaded | cloud/utils/s3.py | async def upload_file(self, bucket, file, uploadpath=None, key=None,
ContentType=None, **kw):
"""Upload a file to S3 possibly using the multi-part uploader
Return the key uploaded
"""
is_filename = False
if hasattr(file, 'read'):
if hasattr(... | async def upload_file(self, bucket, file, uploadpath=None, key=None,
ContentType=None, **kw):
"""Upload a file to S3 possibly using the multi-part uploader
Return the key uploaded
"""
is_filename = False
if hasattr(file, 'read'):
if hasattr(... | [
"Upload",
"a",
"file",
"to",
"S3",
"possibly",
"using",
"the",
"multi",
"-",
"part",
"uploader",
"Return",
"the",
"key",
"uploaded"
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/utils/s3.py#L27-L76 | [
"async",
"def",
"upload_file",
"(",
"self",
",",
"bucket",
",",
"file",
",",
"uploadpath",
"=",
"None",
",",
"key",
"=",
"None",
",",
"ContentType",
"=",
"None",
",",
"*",
"*",
"kw",
")",
":",
"is_filename",
"=",
"False",
"if",
"hasattr",
"(",
"file"... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | S3tools.copy_storage_object | Copy a file from one bucket into another | cloud/utils/s3.py | async def copy_storage_object(self, source_bucket, source_key,
bucket, key):
"""Copy a file from one bucket into another
"""
info = await self.head_object(Bucket=source_bucket, Key=source_key)
size = info['ContentLength']
if size > MULTI_PART_SI... | async def copy_storage_object(self, source_bucket, source_key,
bucket, key):
"""Copy a file from one bucket into another
"""
info = await self.head_object(Bucket=source_bucket, Key=source_key)
size = info['ContentLength']
if size > MULTI_PART_SI... | [
"Copy",
"a",
"file",
"from",
"one",
"bucket",
"into",
"another"
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/utils/s3.py#L78-L93 | [
"async",
"def",
"copy_storage_object",
"(",
"self",
",",
"source_bucket",
",",
"source_key",
",",
"bucket",
",",
"key",
")",
":",
"info",
"=",
"await",
"self",
".",
"head_object",
"(",
"Bucket",
"=",
"source_bucket",
",",
"Key",
"=",
"source_key",
")",
"si... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | S3tools.upload_folder | Recursively upload a ``folder`` into a backet.
:param bucket: bucket where to upload the folder to
:param folder: the folder location in the local file system
:param key: Optional key where the folder is uploaded
:param skip: Optional list of files to skip
:param content_types: ... | cloud/utils/s3.py | def upload_folder(self, bucket, folder, key=None, skip=None,
content_types=None):
"""Recursively upload a ``folder`` into a backet.
:param bucket: bucket where to upload the folder to
:param folder: the folder location in the local file system
:param key: Optional ... | def upload_folder(self, bucket, folder, key=None, skip=None,
content_types=None):
"""Recursively upload a ``folder`` into a backet.
:param bucket: bucket where to upload the folder to
:param folder: the folder location in the local file system
:param key: Optional ... | [
"Recursively",
"upload",
"a",
"folder",
"into",
"a",
"backet",
"."
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/utils/s3.py#L95-L109 | [
"def",
"upload_folder",
"(",
"self",
",",
"bucket",
",",
"folder",
",",
"key",
"=",
"None",
",",
"skip",
"=",
"None",
",",
"content_types",
"=",
"None",
")",
":",
"uploader",
"=",
"FolderUploader",
"(",
"self",
",",
"bucket",
",",
"folder",
",",
"key",... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | FolderUploader._upload_file | Coroutine for uploading a single file | cloud/utils/s3.py | async def _upload_file(self, full_path):
"""Coroutine for uploading a single file
"""
rel_path = os.path.relpath(full_path, self.folder)
key = s3_key(os.path.join(self.key, rel_path))
ct = self.content_types.get(key.split('.')[-1])
with open(full_path, 'rb') as fp:
... | async def _upload_file(self, full_path):
"""Coroutine for uploading a single file
"""
rel_path = os.path.relpath(full_path, self.folder)
key = s3_key(os.path.join(self.key, rel_path))
ct = self.content_types.get(key.split('.')[-1])
with open(full_path, 'rb') as fp:
... | [
"Coroutine",
"for",
"uploading",
"a",
"single",
"file"
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/utils/s3.py#L239-L260 | [
"async",
"def",
"_upload_file",
"(",
"self",
",",
"full_path",
")",
":",
"rel_path",
"=",
"os",
".",
"path",
".",
"relpath",
"(",
"full_path",
",",
"self",
".",
"folder",
")",
"key",
"=",
"s3_key",
"(",
"os",
".",
"path",
".",
"join",
"(",
"self",
... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | AsyncBaseClient.get_paginator | Create a paginator for an operation.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is ``create_foo``, and you'd normally invoke the
operation as ``clien... | cloud/asyncbotocore/client.py | def get_paginator(self, operation_name):
"""Create a paginator for an operation.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is ``create_foo``, and you'd ... | def get_paginator(self, operation_name):
"""Create a paginator for an operation.
:type operation_name: string
:param operation_name: The operation name. This is the same name
as the method name on the client. For example, if the
method name is ``create_foo``, and you'd ... | [
"Create",
"a",
"paginator",
"for",
"an",
"operation",
".",
":",
"type",
"operation_name",
":",
"string",
":",
"param",
"operation_name",
":",
"The",
"operation",
"name",
".",
"This",
"is",
"the",
"same",
"name",
"as",
"the",
"method",
"name",
"on",
"the",
... | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/asyncbotocore/client.py#L89-L113 | [
"def",
"get_paginator",
"(",
"self",
",",
"operation_name",
")",
":",
"if",
"not",
"self",
".",
"can_paginate",
"(",
"operation_name",
")",
":",
"raise",
"OperationNotPageableError",
"(",
"operation_name",
"=",
"operation_name",
")",
"else",
":",
"actual_operation... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | PusherChannel.trigger | Trigger an ``event`` on this channel | cloud/pusher.py | async def trigger(self, event, data=None, socket_id=None):
'''Trigger an ``event`` on this channel
'''
json_data = json.dumps(data, cls=self.pusher.encoder)
query_string = self.signed_query(event, json_data, socket_id)
signed_path = "%s?%s" % (self.path, query_string)
pus... | async def trigger(self, event, data=None, socket_id=None):
'''Trigger an ``event`` on this channel
'''
json_data = json.dumps(data, cls=self.pusher.encoder)
query_string = self.signed_query(event, json_data, socket_id)
signed_path = "%s?%s" % (self.path, query_string)
pus... | [
"Trigger",
"an",
"event",
"on",
"this",
"channel"
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/pusher.py#L47-L59 | [
"async",
"def",
"trigger",
"(",
"self",
",",
"event",
",",
"data",
"=",
"None",
",",
"socket_id",
"=",
"None",
")",
":",
"json_data",
"=",
"json",
".",
"dumps",
"(",
"data",
",",
"cls",
"=",
"self",
".",
"pusher",
".",
"encoder",
")",
"query_string",... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | Pusher.connect | Connect to a Pusher websocket | cloud/pusher.py | async def connect(self):
'''Connect to a Pusher websocket
'''
if not self._consumer:
waiter = self._waiter = asyncio.Future()
try:
address = self._websocket_host()
self.logger.info('Connect to %s', address)
self._consumer = ... | async def connect(self):
'''Connect to a Pusher websocket
'''
if not self._consumer:
waiter = self._waiter = asyncio.Future()
try:
address = self._websocket_host()
self.logger.info('Connect to %s', address)
self._consumer = ... | [
"Connect",
"to",
"a",
"Pusher",
"websocket"
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/pusher.py#L115-L131 | [
"async",
"def",
"connect",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"_consumer",
":",
"waiter",
"=",
"self",
".",
"_waiter",
"=",
"asyncio",
".",
"Future",
"(",
")",
"try",
":",
"address",
"=",
"self",
".",
"_websocket_host",
"(",
")",
"self"... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | Pusher.on_message | Handle websocket incoming messages | cloud/pusher.py | def on_message(self, websocket, message):
'''Handle websocket incoming messages
'''
waiter = self._waiter
self._waiter = None
encoded = json.loads(message)
event = encoded.get('event')
channel = encoded.get('channel')
data = json.loads(encoded.get('data'))... | def on_message(self, websocket, message):
'''Handle websocket incoming messages
'''
waiter = self._waiter
self._waiter = None
encoded = json.loads(message)
event = encoded.get('event')
channel = encoded.get('channel')
data = json.loads(encoded.get('data'))... | [
"Handle",
"websocket",
"incoming",
"messages"
] | quantmind/pulsar-cloud | python | https://github.com/quantmind/pulsar-cloud/blob/dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9/cloud/pusher.py#L149-L175 | [
"def",
"on_message",
"(",
"self",
",",
"websocket",
",",
"message",
")",
":",
"waiter",
"=",
"self",
".",
"_waiter",
"self",
".",
"_waiter",
"=",
"None",
"encoded",
"=",
"json",
".",
"loads",
"(",
"message",
")",
"event",
"=",
"encoded",
".",
"get",
... | dc2ff8ab5c9a1c2cfb1270581d30454d1a606cf9 |
valid | urlsafe_nopadding_b64decode | URL safe Base64 decode without padding (=) | encryptedpickle/utils.py | def urlsafe_nopadding_b64decode(data):
'''URL safe Base64 decode without padding (=)'''
padding = len(data) % 4
if padding != 0:
padding = 4 - padding
padding = '=' * padding
data = data + padding
return urlsafe_b64decode(data) | def urlsafe_nopadding_b64decode(data):
'''URL safe Base64 decode without padding (=)'''
padding = len(data) % 4
if padding != 0:
padding = 4 - padding
padding = '=' * padding
data = data + padding
return urlsafe_b64decode(data) | [
"URL",
"safe",
"Base64",
"decode",
"without",
"padding",
"(",
"=",
")"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/utils.py#L17-L25 | [
"def",
"urlsafe_nopadding_b64decode",
"(",
"data",
")",
":",
"padding",
"=",
"len",
"(",
"data",
")",
"%",
"4",
"if",
"padding",
"!=",
"0",
":",
"padding",
"=",
"4",
"-",
"padding",
"padding",
"=",
"'='",
"*",
"padding",
"data",
"=",
"data",
"+",
"pa... | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | const_equal | Constant time string comparison | encryptedpickle/utils.py | def const_equal(str_a, str_b):
'''Constant time string comparison'''
if len(str_a) != len(str_b):
return False
result = True
for i in range(len(str_a)):
result &= (str_a[i] == str_b[i])
return result | def const_equal(str_a, str_b):
'''Constant time string comparison'''
if len(str_a) != len(str_b):
return False
result = True
for i in range(len(str_a)):
result &= (str_a[i] == str_b[i])
return result | [
"Constant",
"time",
"string",
"comparison"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/utils.py#L27-L37 | [
"def",
"const_equal",
"(",
"str_a",
",",
"str_b",
")",
":",
"if",
"len",
"(",
"str_a",
")",
"!=",
"len",
"(",
"str_b",
")",
":",
"return",
"False",
"result",
"=",
"True",
"for",
"i",
"in",
"range",
"(",
"len",
"(",
"str_a",
")",
")",
":",
"result... | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | decode_html_entities | Decodes a limited set of HTML entities. | django_node/utils.py | def decode_html_entities(html):
"""
Decodes a limited set of HTML entities.
"""
if not html:
return html
for entity, char in six.iteritems(html_entity_map):
html = html.replace(entity, char)
return html | def decode_html_entities(html):
"""
Decodes a limited set of HTML entities.
"""
if not html:
return html
for entity, char in six.iteritems(html_entity_map):
html = html.replace(entity, char)
return html | [
"Decodes",
"a",
"limited",
"set",
"of",
"HTML",
"entities",
"."
] | markfinger/django-node | python | https://github.com/markfinger/django-node/blob/a2f56bf027fd3c4cbc6a0213881922a50acae1d6/django_node/utils.py#L183-L193 | [
"def",
"decode_html_entities",
"(",
"html",
")",
":",
"if",
"not",
"html",
":",
"return",
"html",
"for",
"entity",
",",
"char",
"in",
"six",
".",
"iteritems",
"(",
"html_entity_map",
")",
":",
"html",
"=",
"html",
".",
"replace",
"(",
"entity",
",",
"c... | a2f56bf027fd3c4cbc6a0213881922a50acae1d6 |
valid | EncryptedPickle.set_signature_passphrases | Set signature passphrases | encryptedpickle/encryptedpickle.py | def set_signature_passphrases(self, signature_passphrases):
'''Set signature passphrases'''
self.signature_passphrases = self._update_dict(signature_passphrases,
{}, replace_data=True) | def set_signature_passphrases(self, signature_passphrases):
'''Set signature passphrases'''
self.signature_passphrases = self._update_dict(signature_passphrases,
{}, replace_data=True) | [
"Set",
"signature",
"passphrases"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L190-L193 | [
"def",
"set_signature_passphrases",
"(",
"self",
",",
"signature_passphrases",
")",
":",
"self",
".",
"signature_passphrases",
"=",
"self",
".",
"_update_dict",
"(",
"signature_passphrases",
",",
"{",
"}",
",",
"replace_data",
"=",
"True",
")"
] | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | EncryptedPickle.set_encryption_passphrases | Set encryption passphrases | encryptedpickle/encryptedpickle.py | def set_encryption_passphrases(self, encryption_passphrases):
'''Set encryption passphrases'''
self.encryption_passphrases = self._update_dict(encryption_passphrases,
{}, replace_data=True) | def set_encryption_passphrases(self, encryption_passphrases):
'''Set encryption passphrases'''
self.encryption_passphrases = self._update_dict(encryption_passphrases,
{}, replace_data=True) | [
"Set",
"encryption",
"passphrases"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L199-L202 | [
"def",
"set_encryption_passphrases",
"(",
"self",
",",
"encryption_passphrases",
")",
":",
"self",
".",
"encryption_passphrases",
"=",
"self",
".",
"_update_dict",
"(",
"encryption_passphrases",
",",
"{",
"}",
",",
"replace_data",
"=",
"True",
")"
] | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | EncryptedPickle.set_algorithms | Set algorithms used for sealing. Defaults can not be overridden. | encryptedpickle/encryptedpickle.py | def set_algorithms(self, signature=None, encryption=None,
serialization=None, compression=None):
'''Set algorithms used for sealing. Defaults can not be overridden.'''
self.signature_algorithms = \
self._update_dict(signature, self.DEFAULT_SIGNATURE)
self.enc... | def set_algorithms(self, signature=None, encryption=None,
serialization=None, compression=None):
'''Set algorithms used for sealing. Defaults can not be overridden.'''
self.signature_algorithms = \
self._update_dict(signature, self.DEFAULT_SIGNATURE)
self.enc... | [
"Set",
"algorithms",
"used",
"for",
"sealing",
".",
"Defaults",
"can",
"not",
"be",
"overridden",
"."
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L208-L222 | [
"def",
"set_algorithms",
"(",
"self",
",",
"signature",
"=",
"None",
",",
"encryption",
"=",
"None",
",",
"serialization",
"=",
"None",
",",
"compression",
"=",
"None",
")",
":",
"self",
".",
"signature_algorithms",
"=",
"self",
".",
"_update_dict",
"(",
"... | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | EncryptedPickle.get_algorithms | Get algorithms used for sealing | encryptedpickle/encryptedpickle.py | def get_algorithms(self):
'''Get algorithms used for sealing'''
return {
'signature': self.signature_algorithms,
'encryption': self.encryption_algorithms,
'serialization': self.serialization_algorithms,
'compression': self.compression_algorithms,
... | def get_algorithms(self):
'''Get algorithms used for sealing'''
return {
'signature': self.signature_algorithms,
'encryption': self.encryption_algorithms,
'serialization': self.serialization_algorithms,
'compression': self.compression_algorithms,
... | [
"Get",
"algorithms",
"used",
"for",
"sealing"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L224-L232 | [
"def",
"get_algorithms",
"(",
"self",
")",
":",
"return",
"{",
"'signature'",
":",
"self",
".",
"signature_algorithms",
",",
"'encryption'",
":",
"self",
".",
"encryption_algorithms",
",",
"'serialization'",
":",
"self",
".",
"serialization_algorithms",
",",
"'com... | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | EncryptedPickle._set_options | Private function for setting options used for sealing | encryptedpickle/encryptedpickle.py | def _set_options(self, options):
'''Private function for setting options used for sealing'''
if not options:
return self.options.copy()
options = options.copy()
if 'magic' in options:
self.set_magic(options['magic'])
del(options['magic'])
if... | def _set_options(self, options):
'''Private function for setting options used for sealing'''
if not options:
return self.options.copy()
options = options.copy()
if 'magic' in options:
self.set_magic(options['magic'])
del(options['magic'])
if... | [
"Private",
"function",
"for",
"setting",
"options",
"used",
"for",
"sealing"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L238-L271 | [
"def",
"_set_options",
"(",
"self",
",",
"options",
")",
":",
"if",
"not",
"options",
":",
"return",
"self",
".",
"options",
".",
"copy",
"(",
")",
"options",
"=",
"options",
".",
"copy",
"(",
")",
"if",
"'magic'",
"in",
"options",
":",
"self",
".",
... | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | EncryptedPickle.set_magic | Set magic (prefix) | encryptedpickle/encryptedpickle.py | def set_magic(self, magic):
'''Set magic (prefix)'''
if magic is None or isinstance(magic, str):
self.magic = magic
else:
raise TypeError('Invalid value for magic') | def set_magic(self, magic):
'''Set magic (prefix)'''
if magic is None or isinstance(magic, str):
self.magic = magic
else:
raise TypeError('Invalid value for magic') | [
"Set",
"magic",
"(",
"prefix",
")"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L277-L282 | [
"def",
"set_magic",
"(",
"self",
",",
"magic",
")",
":",
"if",
"magic",
"is",
"None",
"or",
"isinstance",
"(",
"magic",
",",
"str",
")",
":",
"self",
".",
"magic",
"=",
"magic",
"else",
":",
"raise",
"TypeError",
"(",
"'Invalid value for magic'",
")"
] | 7656233598e02e65971f69e11849a0f288b2b2a5 |
valid | EncryptedPickle.seal | Seal data | encryptedpickle/encryptedpickle.py | def seal(self, data, options=None):
'''Seal data'''
options = self._set_options(options)
data = self._serialize_data(data, options)
data = self._compress_data(data, options)
data = self._encrypt_data(data, options)
data = self._add_header(data, options)
data = s... | def seal(self, data, options=None):
'''Seal data'''
options = self._set_options(options)
data = self._serialize_data(data, options)
data = self._compress_data(data, options)
data = self._encrypt_data(data, options)
data = self._add_header(data, options)
data = s... | [
"Seal",
"data"
] | vingd/encrypted-pickle-python | python | https://github.com/vingd/encrypted-pickle-python/blob/7656233598e02e65971f69e11849a0f288b2b2a5/encryptedpickle/encryptedpickle.py#L288-L303 | [
"def",
"seal",
"(",
"self",
",",
"data",
",",
"options",
"=",
"None",
")",
":",
"options",
"=",
"self",
".",
"_set_options",
"(",
"options",
")",
"data",
"=",
"self",
".",
"_serialize_data",
"(",
"data",
",",
"options",
")",
"data",
"=",
"self",
".",... | 7656233598e02e65971f69e11849a0f288b2b2a5 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.