repo stringlengths 7 55 | path stringlengths 4 127 | func_name stringlengths 1 88 | original_string stringlengths 75 19.8k | language stringclasses 1
value | code stringlengths 75 19.8k | code_tokens list | docstring stringlengths 3 17.3k | docstring_tokens list | sha stringlengths 40 40 | url stringlengths 87 242 | partition stringclasses 1
value |
|---|---|---|---|---|---|---|---|---|---|---|---|
jim-easterbrook/pyctools | src/pyctools/core/base.py | Component.send | def send(self, output_name, frame):
"""Send an output frame.
The frame is sent to each input the output is connected to. If
there are no connections this is a null operation with little
overhead.
:param str output_name: the output to use. Must be a member of
:py:att... | python | def send(self, output_name, frame):
"""Send an output frame.
The frame is sent to each input the output is connected to. If
there are no connections this is a null operation with little
overhead.
:param str output_name: the output to use. Must be a member of
:py:att... | [
"def",
"send",
"(",
"self",
",",
"output_name",
",",
"frame",
")",
":",
"for",
"input_method",
"in",
"self",
".",
"_component_connections",
"[",
"output_name",
"]",
":",
"input_method",
"(",
"frame",
")"
] | Send an output frame.
The frame is sent to each input the output is connected to. If
there are no connections this is a null operation with little
overhead.
:param str output_name: the output to use. Must be a member of
:py:attr:`~Component.outputs`.
:param Frame f... | [
"Send",
"an",
"output",
"frame",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/base.py#L280-L294 | train |
jim-easterbrook/pyctools | src/pyctools/core/base.py | Component.start_event | def start_event(self):
"""Called by the event loop when it is started.
Creates the output frame pools (if used) then calls
:py:meth:`on_start`. Creating the output frame pools now allows
their size to be configured before starting the component.
"""
# create object pool... | python | def start_event(self):
"""Called by the event loop when it is started.
Creates the output frame pools (if used) then calls
:py:meth:`on_start`. Creating the output frame pools now allows
their size to be configured before starting the component.
"""
# create object pool... | [
"def",
"start_event",
"(",
"self",
")",
":",
"if",
"self",
".",
"with_outframe_pool",
":",
"self",
".",
"update_config",
"(",
")",
"for",
"name",
"in",
"self",
".",
"outputs",
":",
"self",
".",
"outframe_pool",
"[",
"name",
"]",
"=",
"ObjectPool",
"(",
... | Called by the event loop when it is started.
Creates the output frame pools (if used) then calls
:py:meth:`on_start`. Creating the output frame pools now allows
their size to be configured before starting the component. | [
"Called",
"by",
"the",
"event",
"loop",
"when",
"it",
"is",
"started",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/base.py#L324-L342 | train |
jim-easterbrook/pyctools | src/pyctools/core/base.py | Component.stop_event | def stop_event(self):
"""Called by the event loop when it is stopped.
Calls :py:meth:`on_stop`, then sends :py:data:`None` to each
output to shut down the rest of the processing pipeline.
"""
self.logger.debug('stopping')
try:
self.on_stop()
except E... | python | def stop_event(self):
"""Called by the event loop when it is stopped.
Calls :py:meth:`on_stop`, then sends :py:data:`None` to each
output to shut down the rest of the processing pipeline.
"""
self.logger.debug('stopping')
try:
self.on_stop()
except E... | [
"def",
"stop_event",
"(",
"self",
")",
":",
"self",
".",
"logger",
".",
"debug",
"(",
"'stopping'",
")",
"try",
":",
"self",
".",
"on_stop",
"(",
")",
"except",
"Exception",
"as",
"ex",
":",
"self",
".",
"logger",
".",
"exception",
"(",
"ex",
")",
... | Called by the event loop when it is stopped.
Calls :py:meth:`on_stop`, then sends :py:data:`None` to each
output to shut down the rest of the processing pipeline. | [
"Called",
"by",
"the",
"event",
"loop",
"when",
"it",
"is",
"stopped",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/base.py#L348-L361 | train |
jim-easterbrook/pyctools | src/pyctools/core/base.py | Component.is_pipe_end | def is_pipe_end(self):
"""Is component the last one in a pipeline.
When waiting for a network of components to finish processing
it's not necessary to wait for every component to stop, and in
many cases they won't all stop anyway.
This method makes it easier to choose which com... | python | def is_pipe_end(self):
"""Is component the last one in a pipeline.
When waiting for a network of components to finish processing
it's not necessary to wait for every component to stop, and in
many cases they won't all stop anyway.
This method makes it easier to choose which com... | [
"def",
"is_pipe_end",
"(",
"self",
")",
":",
"for",
"name",
"in",
"self",
".",
"outputs",
":",
"if",
"self",
".",
"_component_connections",
"[",
"name",
"]",
":",
"return",
"False",
"return",
"True"
] | Is component the last one in a pipeline.
When waiting for a network of components to finish processing
it's not necessary to wait for every component to stop, and in
many cases they won't all stop anyway.
This method makes it easier to choose which components to wait
for. See t... | [
"Is",
"component",
"the",
"last",
"one",
"in",
"a",
"pipeline",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/base.py#L363-L380 | train |
jim-easterbrook/pyctools | src/pyctools/core/base.py | Component.new_config_event | def new_config_event(self):
"""Called by the event loop when new config is available.
"""
try:
self.on_set_config()
except Exception as ex:
self.logger.exception(ex)
raise StopIteration() | python | def new_config_event(self):
"""Called by the event loop when new config is available.
"""
try:
self.on_set_config()
except Exception as ex:
self.logger.exception(ex)
raise StopIteration() | [
"def",
"new_config_event",
"(",
"self",
")",
":",
"try",
":",
"self",
".",
"on_set_config",
"(",
")",
"except",
"Exception",
"as",
"ex",
":",
"self",
".",
"logger",
".",
"exception",
"(",
"ex",
")",
"raise",
"StopIteration",
"(",
")"
] | Called by the event loop when new config is available. | [
"Called",
"by",
"the",
"event",
"loop",
"when",
"new",
"config",
"is",
"available",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/base.py#L389-L397 | train |
jim-easterbrook/pyctools | src/pyctools/core/base.py | Component.new_frame_event | def new_frame_event(self):
"""Called by the event loop when a new input or output frame is
available.
Inputs are correlated by comparing their frame numbers. If there
is a complete set of inputs, and all output frame pools are
ready, the :py:meth:`process_frame` method is called... | python | def new_frame_event(self):
"""Called by the event loop when a new input or output frame is
available.
Inputs are correlated by comparing their frame numbers. If there
is a complete set of inputs, and all output frame pools are
ready, the :py:meth:`process_frame` method is called... | [
"def",
"new_frame_event",
"(",
"self",
")",
":",
"for",
"out_pool",
"in",
"self",
".",
"outframe_pool",
".",
"values",
"(",
")",
":",
"if",
"not",
"out_pool",
".",
"available",
"(",
")",
":",
"return",
"frame_nos",
"=",
"{",
"}",
"for",
"in_buff",
"in"... | Called by the event loop when a new input or output frame is
available.
Inputs are correlated by comparing their frame numbers. If there
is a complete set of inputs, and all output frame pools are
ready, the :py:meth:`process_frame` method is called.
If an input frame has a neg... | [
"Called",
"by",
"the",
"event",
"loop",
"when",
"a",
"new",
"input",
"or",
"output",
"frame",
"is",
"available",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/base.py#L410-L466 | train |
kavdev/ldap-groups | ldap_groups/groups.py | ADGroup.get_tree_members | def get_tree_members(self):
""" Retrieves all members from this node of the tree down."""
members = []
queue = deque()
queue.appendleft(self)
visited = set()
while len(queue):
node = queue.popleft()
if node not in visited:
... | python | def get_tree_members(self):
""" Retrieves all members from this node of the tree down."""
members = []
queue = deque()
queue.appendleft(self)
visited = set()
while len(queue):
node = queue.popleft()
if node not in visited:
... | [
"def",
"get_tree_members",
"(",
"self",
")",
":",
"members",
"=",
"[",
"]",
"queue",
"=",
"deque",
"(",
")",
"queue",
".",
"appendleft",
"(",
"self",
")",
"visited",
"=",
"set",
"(",
")",
"while",
"len",
"(",
"queue",
")",
":",
"node",
"=",
"queue"... | Retrieves all members from this node of the tree down. | [
"Retrieves",
"all",
"members",
"from",
"this",
"node",
"of",
"the",
"tree",
"down",
"."
] | 0dd3a7d9eafa3903127364839b12a4b3dd3ca521 | https://github.com/kavdev/ldap-groups/blob/0dd3a7d9eafa3903127364839b12a4b3dd3ca521/ldap_groups/groups.py#L464-L480 | train |
Parsely/schemato | schemato/utils.py | deepest_node | def deepest_node((subj, pred, obj), graph):
"""recurse down the tree and return a list of the most deeply nested
child nodes of the given triple"""
# i don't fully accept the premise that this docstring presents
# i'm not a docstring literalist
to_return = []
def _deepest_node((subj, pred, obj)... | python | def deepest_node((subj, pred, obj), graph):
"""recurse down the tree and return a list of the most deeply nested
child nodes of the given triple"""
# i don't fully accept the premise that this docstring presents
# i'm not a docstring literalist
to_return = []
def _deepest_node((subj, pred, obj)... | [
"def",
"deepest_node",
"(",
"(",
"subj",
",",
"pred",
",",
"obj",
")",
",",
"graph",
")",
":",
"to_return",
"=",
"[",
"]",
"def",
"_deepest_node",
"(",
"(",
"subj",
",",
"pred",
",",
"obj",
")",
",",
"graph",
")",
":",
"children",
"=",
"[",
"]",
... | recurse down the tree and return a list of the most deeply nested
child nodes of the given triple | [
"recurse",
"down",
"the",
"tree",
"and",
"return",
"a",
"list",
"of",
"the",
"most",
"deeply",
"nested",
"child",
"nodes",
"of",
"the",
"given",
"triple"
] | 7002316fbcd52f2e669f8372bf1338c572e3df4b | https://github.com/Parsely/schemato/blob/7002316fbcd52f2e669f8372bf1338c572e3df4b/schemato/utils.py#L4-L27 | train |
magopian/django-data-exports | data_exports/templatetags/getter_tags.py | getattribute | def getattribute(model, item):
"""Chained lookup of item on model
If item has dots (eg: 'foo.bar.baz'), recursively call getattribute():
e = getattr(model, 'foo')
e = getattr(e, 'bar')
e = getattr(e, 'baz')
At each step, check if e is a callable, and if so, use e()
"""
elements = item.... | python | def getattribute(model, item):
"""Chained lookup of item on model
If item has dots (eg: 'foo.bar.baz'), recursively call getattribute():
e = getattr(model, 'foo')
e = getattr(e, 'bar')
e = getattr(e, 'baz')
At each step, check if e is a callable, and if so, use e()
"""
elements = item.... | [
"def",
"getattribute",
"(",
"model",
",",
"item",
")",
":",
"elements",
"=",
"item",
".",
"split",
"(",
"'.'",
")",
"element",
"=",
"elements",
".",
"pop",
"(",
"0",
")",
"try",
":",
"attr",
"=",
"getattr",
"(",
"model",
",",
"element",
",",
"None"... | Chained lookup of item on model
If item has dots (eg: 'foo.bar.baz'), recursively call getattribute():
e = getattr(model, 'foo')
e = getattr(e, 'bar')
e = getattr(e, 'baz')
At each step, check if e is a callable, and if so, use e() | [
"Chained",
"lookup",
"of",
"item",
"on",
"model"
] | a73db486779d93046ad89c5bf582ff8ae869120f | https://github.com/magopian/django-data-exports/blob/a73db486779d93046ad89c5bf582ff8ae869120f/data_exports/templatetags/getter_tags.py#L13-L38 | train |
magopian/django-data-exports | data_exports/templatetags/getter_tags.py | nice_display | def nice_display(item):
"""Display a comma-separated list of models for M2M fields"""
if hasattr(item, 'all'): # RelatedManager: display a list
return ', '.join(map(text_type, item.all()))
return item | python | def nice_display(item):
"""Display a comma-separated list of models for M2M fields"""
if hasattr(item, 'all'): # RelatedManager: display a list
return ', '.join(map(text_type, item.all()))
return item | [
"def",
"nice_display",
"(",
"item",
")",
":",
"if",
"hasattr",
"(",
"item",
",",
"'all'",
")",
":",
"return",
"', '",
".",
"join",
"(",
"map",
"(",
"text_type",
",",
"item",
".",
"all",
"(",
")",
")",
")",
"return",
"item"
] | Display a comma-separated list of models for M2M fields | [
"Display",
"a",
"comma",
"-",
"separated",
"list",
"of",
"models",
"for",
"M2M",
"fields"
] | a73db486779d93046ad89c5bf582ff8ae869120f | https://github.com/magopian/django-data-exports/blob/a73db486779d93046ad89c5bf582ff8ae869120f/data_exports/templatetags/getter_tags.py#L48-L52 | train |
nicfit/MishMash | mishmash/util.py | mostCommonItem | def mostCommonItem(lst):
"""Choose the most common item from the list, or the first item if all
items are unique."""
# This elegant solution from: http://stackoverflow.com/a/1518632/1760218
lst = [l for l in lst if l]
if lst:
return max(set(lst), key=lst.count)
else:
return None | python | def mostCommonItem(lst):
"""Choose the most common item from the list, or the first item if all
items are unique."""
# This elegant solution from: http://stackoverflow.com/a/1518632/1760218
lst = [l for l in lst if l]
if lst:
return max(set(lst), key=lst.count)
else:
return None | [
"def",
"mostCommonItem",
"(",
"lst",
")",
":",
"lst",
"=",
"[",
"l",
"for",
"l",
"in",
"lst",
"if",
"l",
"]",
"if",
"lst",
":",
"return",
"max",
"(",
"set",
"(",
"lst",
")",
",",
"key",
"=",
"lst",
".",
"count",
")",
"else",
":",
"return",
"N... | Choose the most common item from the list, or the first item if all
items are unique. | [
"Choose",
"the",
"most",
"common",
"item",
"from",
"the",
"list",
"or",
"the",
"first",
"item",
"if",
"all",
"items",
"are",
"unique",
"."
] | 8f988936340bf0ffb83ea90ea124efb3c36a1174 | https://github.com/nicfit/MishMash/blob/8f988936340bf0ffb83ea90ea124efb3c36a1174/mishmash/util.py#L61-L69 | train |
nicfit/MishMash | mishmash/util.py | safeDbUrl | def safeDbUrl(db_url):
"""Obfuscates password from a database URL."""
url = urlparse(db_url)
return db_url.replace(url.password, "****") if url.password else db_url | python | def safeDbUrl(db_url):
"""Obfuscates password from a database URL."""
url = urlparse(db_url)
return db_url.replace(url.password, "****") if url.password else db_url | [
"def",
"safeDbUrl",
"(",
"db_url",
")",
":",
"url",
"=",
"urlparse",
"(",
"db_url",
")",
"return",
"db_url",
".",
"replace",
"(",
"url",
".",
"password",
",",
"\"****\"",
")",
"if",
"url",
".",
"password",
"else",
"db_url"
] | Obfuscates password from a database URL. | [
"Obfuscates",
"password",
"from",
"a",
"database",
"URL",
"."
] | 8f988936340bf0ffb83ea90ea124efb3c36a1174 | https://github.com/nicfit/MishMash/blob/8f988936340bf0ffb83ea90ea124efb3c36a1174/mishmash/util.py#L72-L75 | train |
bear/bearlib | bearlib/config.py | bConfig.loadJson | def loadJson(self, filename):
""" Read, parse and return given Json config file
"""
jsonConfig = {}
if os.path.isfile(filename):
jsonConfig = json.loads(' '.join(open(filename, 'r').readlines()))
return jsonConfig | python | def loadJson(self, filename):
""" Read, parse and return given Json config file
"""
jsonConfig = {}
if os.path.isfile(filename):
jsonConfig = json.loads(' '.join(open(filename, 'r').readlines()))
return jsonConfig | [
"def",
"loadJson",
"(",
"self",
",",
"filename",
")",
":",
"jsonConfig",
"=",
"{",
"}",
"if",
"os",
".",
"path",
".",
"isfile",
"(",
"filename",
")",
":",
"jsonConfig",
"=",
"json",
".",
"loads",
"(",
"' '",
".",
"join",
"(",
"open",
"(",
"filename... | Read, parse and return given Json config file | [
"Read",
"parse",
"and",
"return",
"given",
"Json",
"config",
"file"
] | 30f9b8ba4b7a8db4cd2f4c6e07966ae51d0a00dd | https://github.com/bear/bearlib/blob/30f9b8ba4b7a8db4cd2f4c6e07966ae51d0a00dd/bearlib/config.py#L203-L209 | train |
magopian/django-data-exports | data_exports/admin.py | ExportAdmin.get_readonly_fields | def get_readonly_fields(self, request, obj=None):
"""The model can't be changed once the export is created"""
if obj is None:
return []
return super(ExportAdmin, self).get_readonly_fields(request, obj) | python | def get_readonly_fields(self, request, obj=None):
"""The model can't be changed once the export is created"""
if obj is None:
return []
return super(ExportAdmin, self).get_readonly_fields(request, obj) | [
"def",
"get_readonly_fields",
"(",
"self",
",",
"request",
",",
"obj",
"=",
"None",
")",
":",
"if",
"obj",
"is",
"None",
":",
"return",
"[",
"]",
"return",
"super",
"(",
"ExportAdmin",
",",
"self",
")",
".",
"get_readonly_fields",
"(",
"request",
",",
... | The model can't be changed once the export is created | [
"The",
"model",
"can",
"t",
"be",
"changed",
"once",
"the",
"export",
"is",
"created"
] | a73db486779d93046ad89c5bf582ff8ae869120f | https://github.com/magopian/django-data-exports/blob/a73db486779d93046ad89c5bf582ff8ae869120f/data_exports/admin.py#L31-L35 | train |
magopian/django-data-exports | data_exports/admin.py | ExportAdmin.response_add | def response_add(self, request, obj, post_url_continue=POST_URL_CONTINUE):
"""If we're adding, save must be "save and continue editing"
Two exceptions to that workflow:
* The user has pressed the 'Save and add another' button
* We are adding a user in a popup
"""
if '_a... | python | def response_add(self, request, obj, post_url_continue=POST_URL_CONTINUE):
"""If we're adding, save must be "save and continue editing"
Two exceptions to that workflow:
* The user has pressed the 'Save and add another' button
* We are adding a user in a popup
"""
if '_a... | [
"def",
"response_add",
"(",
"self",
",",
"request",
",",
"obj",
",",
"post_url_continue",
"=",
"POST_URL_CONTINUE",
")",
":",
"if",
"'_addanother'",
"not",
"in",
"request",
".",
"POST",
"and",
"'_popup'",
"not",
"in",
"request",
".",
"POST",
":",
"request",
... | If we're adding, save must be "save and continue editing"
Two exceptions to that workflow:
* The user has pressed the 'Save and add another' button
* We are adding a user in a popup | [
"If",
"we",
"re",
"adding",
"save",
"must",
"be",
"save",
"and",
"continue",
"editing"
] | a73db486779d93046ad89c5bf582ff8ae869120f | https://github.com/magopian/django-data-exports/blob/a73db486779d93046ad89c5bf582ff8ae869120f/data_exports/admin.py#L45-L57 | train |
astraw38/lint | lint/validators/pylint_validator.py | above_score_threshold | def above_score_threshold(new_data, old_data, strict=False, threshold=PYLINT_SCORE_THRESHOLD):
"""
Verifies that the pylint score is above a given threshold.
:param new_data:
:param old_data:
:return:
"""
success = True
score = 0
message = ''
if strict:
for fscore, fname... | python | def above_score_threshold(new_data, old_data, strict=False, threshold=PYLINT_SCORE_THRESHOLD):
"""
Verifies that the pylint score is above a given threshold.
:param new_data:
:param old_data:
:return:
"""
success = True
score = 0
message = ''
if strict:
for fscore, fname... | [
"def",
"above_score_threshold",
"(",
"new_data",
",",
"old_data",
",",
"strict",
"=",
"False",
",",
"threshold",
"=",
"PYLINT_SCORE_THRESHOLD",
")",
":",
"success",
"=",
"True",
"score",
"=",
"0",
"message",
"=",
"''",
"if",
"strict",
":",
"for",
"fscore",
... | Verifies that the pylint score is above a given threshold.
:param new_data:
:param old_data:
:return: | [
"Verifies",
"that",
"the",
"pylint",
"score",
"is",
"above",
"a",
"given",
"threshold",
"."
] | 162ceefcb812f07d18544aaa887b9ec4f102cfb1 | https://github.com/astraw38/lint/blob/162ceefcb812f07d18544aaa887b9ec4f102cfb1/lint/validators/pylint_validator.py#L72-L99 | train |
astraw38/lint | lint/validators/pylint_validator.py | PylintValidator.run | def run(self, new_pylint_data, old_pylint_data):
"""
Run the new pylint data through given all current checkers,
including comparisons to old pylint data.
"""
for validator in self.checkers:
success, score, message = validator(new_pylint_data, old_pylint_data)
... | python | def run(self, new_pylint_data, old_pylint_data):
"""
Run the new pylint data through given all current checkers,
including comparisons to old pylint data.
"""
for validator in self.checkers:
success, score, message = validator(new_pylint_data, old_pylint_data)
... | [
"def",
"run",
"(",
"self",
",",
"new_pylint_data",
",",
"old_pylint_data",
")",
":",
"for",
"validator",
"in",
"self",
".",
"checkers",
":",
"success",
",",
"score",
",",
"message",
"=",
"validator",
"(",
"new_pylint_data",
",",
"old_pylint_data",
")",
"if",... | Run the new pylint data through given all current checkers,
including comparisons to old pylint data. | [
"Run",
"the",
"new",
"pylint",
"data",
"through",
"given",
"all",
"current",
"checkers",
"including",
"comparisons",
"to",
"old",
"pylint",
"data",
"."
] | 162ceefcb812f07d18544aaa887b9ec4f102cfb1 | https://github.com/astraw38/lint/blob/162ceefcb812f07d18544aaa887b9ec4f102cfb1/lint/validators/pylint_validator.py#L34-L46 | train |
Parsely/schemato | schemato/schemato.py | Schemato._get_document | def _get_document(self, source):
"""helper, open a file or url and return the content and identifier"""
scheme_url = source
if not source.startswith("http"):
scheme_url = "http://%s" % source
text = source
try:
text = urllib.urlopen(scheme_url).read()
... | python | def _get_document(self, source):
"""helper, open a file or url and return the content and identifier"""
scheme_url = source
if not source.startswith("http"):
scheme_url = "http://%s" % source
text = source
try:
text = urllib.urlopen(scheme_url).read()
... | [
"def",
"_get_document",
"(",
"self",
",",
"source",
")",
":",
"scheme_url",
"=",
"source",
"if",
"not",
"source",
".",
"startswith",
"(",
"\"http\"",
")",
":",
"scheme_url",
"=",
"\"http://%s\"",
"%",
"source",
"text",
"=",
"source",
"try",
":",
"text",
... | helper, open a file or url and return the content and identifier | [
"helper",
"open",
"a",
"file",
"or",
"url",
"and",
"return",
"the",
"content",
"and",
"identifier"
] | 7002316fbcd52f2e669f8372bf1338c572e3df4b | https://github.com/Parsely/schemato/blob/7002316fbcd52f2e669f8372bf1338c572e3df4b/schemato/schemato.py#L74-L96 | train |
kmike/port-for | port_for/api.py | select_random | def select_random(ports=None, exclude_ports=None):
"""
Returns random unused port number.
"""
if ports is None:
ports = available_good_ports()
if exclude_ports is None:
exclude_ports = set()
ports.difference_update(set(exclude_ports))
for port in random.sample(ports, min(l... | python | def select_random(ports=None, exclude_ports=None):
"""
Returns random unused port number.
"""
if ports is None:
ports = available_good_ports()
if exclude_ports is None:
exclude_ports = set()
ports.difference_update(set(exclude_ports))
for port in random.sample(ports, min(l... | [
"def",
"select_random",
"(",
"ports",
"=",
"None",
",",
"exclude_ports",
"=",
"None",
")",
":",
"if",
"ports",
"is",
"None",
":",
"ports",
"=",
"available_good_ports",
"(",
")",
"if",
"exclude_ports",
"is",
"None",
":",
"exclude_ports",
"=",
"set",
"(",
... | Returns random unused port number. | [
"Returns",
"random",
"unused",
"port",
"number",
"."
] | f61ebf3c2caf54eabe8233b40ef67b973176a6f5 | https://github.com/kmike/port-for/blob/f61ebf3c2caf54eabe8233b40ef67b973176a6f5/port_for/api.py#L15-L30 | train |
kmike/port-for | port_for/api.py | good_port_ranges | def good_port_ranges(ports=None, min_range_len=20, border=3):
"""
Returns a list of 'good' port ranges.
Such ranges are large and don't contain ephemeral or well-known ports.
Ranges borders are also excluded.
"""
min_range_len += border*2
if ports is None:
ports = available_ports()
... | python | def good_port_ranges(ports=None, min_range_len=20, border=3):
"""
Returns a list of 'good' port ranges.
Such ranges are large and don't contain ephemeral or well-known ports.
Ranges borders are also excluded.
"""
min_range_len += border*2
if ports is None:
ports = available_ports()
... | [
"def",
"good_port_ranges",
"(",
"ports",
"=",
"None",
",",
"min_range_len",
"=",
"20",
",",
"border",
"=",
"3",
")",
":",
"min_range_len",
"+=",
"border",
"*",
"2",
"if",
"ports",
"is",
"None",
":",
"ports",
"=",
"available_ports",
"(",
")",
"ranges",
... | Returns a list of 'good' port ranges.
Such ranges are large and don't contain ephemeral or well-known ports.
Ranges borders are also excluded. | [
"Returns",
"a",
"list",
"of",
"good",
"port",
"ranges",
".",
"Such",
"ranges",
"are",
"large",
"and",
"don",
"t",
"contain",
"ephemeral",
"or",
"well",
"-",
"known",
"ports",
".",
"Ranges",
"borders",
"are",
"also",
"excluded",
"."
] | f61ebf3c2caf54eabe8233b40ef67b973176a6f5 | https://github.com/kmike/port-for/blob/f61ebf3c2caf54eabe8233b40ef67b973176a6f5/port_for/api.py#L61-L74 | train |
kmike/port-for | port_for/api.py | port_is_used | def port_is_used(port, host='127.0.0.1'):
"""
Returns if port is used. Port is considered used if the current process
can't bind to it or the port doesn't refuse connections.
"""
unused = _can_bind(port, host) and _refuses_connection(port, host)
return not unused | python | def port_is_used(port, host='127.0.0.1'):
"""
Returns if port is used. Port is considered used if the current process
can't bind to it or the port doesn't refuse connections.
"""
unused = _can_bind(port, host) and _refuses_connection(port, host)
return not unused | [
"def",
"port_is_used",
"(",
"port",
",",
"host",
"=",
"'127.0.0.1'",
")",
":",
"unused",
"=",
"_can_bind",
"(",
"port",
",",
"host",
")",
"and",
"_refuses_connection",
"(",
"port",
",",
"host",
")",
"return",
"not",
"unused"
] | Returns if port is used. Port is considered used if the current process
can't bind to it or the port doesn't refuse connections. | [
"Returns",
"if",
"port",
"is",
"used",
".",
"Port",
"is",
"considered",
"used",
"if",
"the",
"current",
"process",
"can",
"t",
"bind",
"to",
"it",
"or",
"the",
"port",
"doesn",
"t",
"refuse",
"connections",
"."
] | f61ebf3c2caf54eabe8233b40ef67b973176a6f5 | https://github.com/kmike/port-for/blob/f61ebf3c2caf54eabe8233b40ef67b973176a6f5/port_for/api.py#L83-L89 | train |
wimglenn/advent-of-code-data | aocd/get.py | current_day | def current_day():
"""
Most recent day, if it's during the Advent of Code. Happy Holidays!
Day 1 is assumed, otherwise.
"""
aoc_now = datetime.datetime.now(tz=AOC_TZ)
if aoc_now.month != 12:
log.warning("current_day is only available in December (EST)")
return 1
day = min(aoc... | python | def current_day():
"""
Most recent day, if it's during the Advent of Code. Happy Holidays!
Day 1 is assumed, otherwise.
"""
aoc_now = datetime.datetime.now(tz=AOC_TZ)
if aoc_now.month != 12:
log.warning("current_day is only available in December (EST)")
return 1
day = min(aoc... | [
"def",
"current_day",
"(",
")",
":",
"aoc_now",
"=",
"datetime",
".",
"datetime",
".",
"now",
"(",
"tz",
"=",
"AOC_TZ",
")",
"if",
"aoc_now",
".",
"month",
"!=",
"12",
":",
"log",
".",
"warning",
"(",
"\"current_day is only available in December (EST)\"",
")... | Most recent day, if it's during the Advent of Code. Happy Holidays!
Day 1 is assumed, otherwise. | [
"Most",
"recent",
"day",
"if",
"it",
"s",
"during",
"the",
"Advent",
"of",
"Code",
".",
"Happy",
"Holidays!",
"Day",
"1",
"is",
"assumed",
"otherwise",
"."
] | a3856459d225840f2b6919659fc65aa7a6a74533 | https://github.com/wimglenn/advent-of-code-data/blob/a3856459d225840f2b6919659fc65aa7a6a74533/aocd/get.py#L57-L67 | train |
astraw38/lint | lint/linters/lint_factory.py | LintFactory.register_linter | def register_linter(linter):
"""
Register a Linter class for file verification.
:param linter:
:return:
"""
if hasattr(linter, "EXTS") and hasattr(linter, "run"):
LintFactory.PLUGINS.append(linter)
else:
raise LinterException("Linter does ... | python | def register_linter(linter):
"""
Register a Linter class for file verification.
:param linter:
:return:
"""
if hasattr(linter, "EXTS") and hasattr(linter, "run"):
LintFactory.PLUGINS.append(linter)
else:
raise LinterException("Linter does ... | [
"def",
"register_linter",
"(",
"linter",
")",
":",
"if",
"hasattr",
"(",
"linter",
",",
"\"EXTS\"",
")",
"and",
"hasattr",
"(",
"linter",
",",
"\"run\"",
")",
":",
"LintFactory",
".",
"PLUGINS",
".",
"append",
"(",
"linter",
")",
"else",
":",
"raise",
... | Register a Linter class for file verification.
:param linter:
:return: | [
"Register",
"a",
"Linter",
"class",
"for",
"file",
"verification",
"."
] | 162ceefcb812f07d18544aaa887b9ec4f102cfb1 | https://github.com/astraw38/lint/blob/162ceefcb812f07d18544aaa887b9ec4f102cfb1/lint/linters/lint_factory.py#L32-L42 | train |
kavdev/ldap-groups | ldap_groups/utils.py | escape_query | def escape_query(query):
"""Escapes certain filter characters from an LDAP query."""
return query.replace("\\", r"\5C").replace("*", r"\2A").replace("(", r"\28").replace(")", r"\29") | python | def escape_query(query):
"""Escapes certain filter characters from an LDAP query."""
return query.replace("\\", r"\5C").replace("*", r"\2A").replace("(", r"\28").replace(")", r"\29") | [
"def",
"escape_query",
"(",
"query",
")",
":",
"return",
"query",
".",
"replace",
"(",
"\"\\\\\"",
",",
"r\"\\5C\"",
")",
".",
"replace",
"(",
"\"*\"",
",",
"r\"\\2A\"",
")",
".",
"replace",
"(",
"\"(\"",
",",
"r\"\\28\"",
")",
".",
"replace",
"(",
"\"... | Escapes certain filter characters from an LDAP query. | [
"Escapes",
"certain",
"filter",
"characters",
"from",
"an",
"LDAP",
"query",
"."
] | 0dd3a7d9eafa3903127364839b12a4b3dd3ca521 | https://github.com/kavdev/ldap-groups/blob/0dd3a7d9eafa3903127364839b12a4b3dd3ca521/ldap_groups/utils.py#L23-L26 | train |
ambitioninc/kmatch | kmatch/kmatch.py | K._validate_xor_args | def _validate_xor_args(self, p):
"""
Raises ValueError if 2 arguments are not passed to an XOR
"""
if len(p[1]) != 2:
raise ValueError('Invalid syntax: XOR only accepts 2 arguments, got {0}: {1}'.format(len(p[1]), p)) | python | def _validate_xor_args(self, p):
"""
Raises ValueError if 2 arguments are not passed to an XOR
"""
if len(p[1]) != 2:
raise ValueError('Invalid syntax: XOR only accepts 2 arguments, got {0}: {1}'.format(len(p[1]), p)) | [
"def",
"_validate_xor_args",
"(",
"self",
",",
"p",
")",
":",
"if",
"len",
"(",
"p",
"[",
"1",
"]",
")",
"!=",
"2",
":",
"raise",
"ValueError",
"(",
"'Invalid syntax: XOR only accepts 2 arguments, got {0}: {1}'",
".",
"format",
"(",
"len",
"(",
"p",
"[",
"... | Raises ValueError if 2 arguments are not passed to an XOR | [
"Raises",
"ValueError",
"if",
"2",
"arguments",
"are",
"not",
"passed",
"to",
"an",
"XOR"
] | 22bb5f0c1d86d0e4a69bdf18f092f095934ebb0d | https://github.com/ambitioninc/kmatch/blob/22bb5f0c1d86d0e4a69bdf18f092f095934ebb0d/kmatch/kmatch.py#L98-L103 | train |
ambitioninc/kmatch | kmatch/kmatch.py | K._match_value_filter | def _match_value_filter(self, p, value):
"""
Returns True of False if value in the pattern p matches the filter.
"""
return self._VALUE_FILTER_MAP[p[0]](value[p[1]], p[2]) | python | def _match_value_filter(self, p, value):
"""
Returns True of False if value in the pattern p matches the filter.
"""
return self._VALUE_FILTER_MAP[p[0]](value[p[1]], p[2]) | [
"def",
"_match_value_filter",
"(",
"self",
",",
"p",
",",
"value",
")",
":",
"return",
"self",
".",
"_VALUE_FILTER_MAP",
"[",
"p",
"[",
"0",
"]",
"]",
"(",
"value",
"[",
"p",
"[",
"1",
"]",
"]",
",",
"p",
"[",
"2",
"]",
")"
] | Returns True of False if value in the pattern p matches the filter. | [
"Returns",
"True",
"of",
"False",
"if",
"value",
"in",
"the",
"pattern",
"p",
"matches",
"the",
"filter",
"."
] | 22bb5f0c1d86d0e4a69bdf18f092f095934ebb0d | https://github.com/ambitioninc/kmatch/blob/22bb5f0c1d86d0e4a69bdf18f092f095934ebb0d/kmatch/kmatch.py#L139-L143 | train |
ambitioninc/kmatch | kmatch/kmatch.py | K.get_field_keys | def get_field_keys(self, pattern=None):
"""
Builds a set of all field keys used in the pattern including nested fields.
:param pattern: The kmatch pattern to get field keys from or None to use self.pattern
:type pattern: list or None
:returns: A set object of all field keys used... | python | def get_field_keys(self, pattern=None):
"""
Builds a set of all field keys used in the pattern including nested fields.
:param pattern: The kmatch pattern to get field keys from or None to use self.pattern
:type pattern: list or None
:returns: A set object of all field keys used... | [
"def",
"get_field_keys",
"(",
"self",
",",
"pattern",
"=",
"None",
")",
":",
"pattern",
"=",
"pattern",
"or",
"self",
".",
"pattern",
"self",
".",
"_validate",
"(",
"pattern",
")",
"keys",
"=",
"set",
"(",
")",
"if",
"len",
"(",
"pattern",
")",
"==",... | Builds a set of all field keys used in the pattern including nested fields.
:param pattern: The kmatch pattern to get field keys from or None to use self.pattern
:type pattern: list or None
:returns: A set object of all field keys used in the pattern
:rtype: set | [
"Builds",
"a",
"set",
"of",
"all",
"field",
"keys",
"used",
"in",
"the",
"pattern",
"including",
"nested",
"fields",
"."
] | 22bb5f0c1d86d0e4a69bdf18f092f095934ebb0d | https://github.com/ambitioninc/kmatch/blob/22bb5f0c1d86d0e4a69bdf18f092f095934ebb0d/kmatch/kmatch.py#L164-L194 | train |
jim-easterbrook/pyctools | src/pyctools/core/frame.py | Metadata.to_file | def to_file(self, path):
"""Write metadata to an image, video or XMP sidecar file.
:param str path: The image/video file path name.
"""
xmp_path = path + '.xmp'
# remove any existing XMP file
if os.path.exists(xmp_path):
os.unlink(xmp_path)
# attempt... | python | def to_file(self, path):
"""Write metadata to an image, video or XMP sidecar file.
:param str path: The image/video file path name.
"""
xmp_path = path + '.xmp'
# remove any existing XMP file
if os.path.exists(xmp_path):
os.unlink(xmp_path)
# attempt... | [
"def",
"to_file",
"(",
"self",
",",
"path",
")",
":",
"xmp_path",
"=",
"path",
"+",
"'.xmp'",
"if",
"os",
".",
"path",
".",
"exists",
"(",
"xmp_path",
")",
":",
"os",
".",
"unlink",
"(",
"xmp_path",
")",
"md_path",
"=",
"path",
"md",
"=",
"GExiv2",... | Write metadata to an image, video or XMP sidecar file.
:param str path: The image/video file path name. | [
"Write",
"metadata",
"to",
"an",
"image",
"video",
"or",
"XMP",
"sidecar",
"file",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/frame.py#L231-L274 | train |
jim-easterbrook/pyctools | src/pyctools/core/frame.py | Metadata.image_size | def image_size(self):
"""Get image dimensions from metadata.
This is primarily used by the
:py:class:`~pyctools.components.io.rawfilereader.RawFileReader`
component, as raw video files don't have a header in which to
store the dimensions.
:returns: width, height.
... | python | def image_size(self):
"""Get image dimensions from metadata.
This is primarily used by the
:py:class:`~pyctools.components.io.rawfilereader.RawFileReader`
component, as raw video files don't have a header in which to
store the dimensions.
:returns: width, height.
... | [
"def",
"image_size",
"(",
"self",
")",
":",
"xlen",
"=",
"None",
"ylen",
"=",
"None",
"for",
"tag",
"in",
"(",
"'Xmp.pyctools.xlen'",
",",
"'Exif.Photo.PixelXDimension'",
",",
"'Exif.Image.ImageWidth'",
",",
"'Xmp.tiff.ImageWidth'",
")",
":",
"if",
"tag",
"in",
... | Get image dimensions from metadata.
This is primarily used by the
:py:class:`~pyctools.components.io.rawfilereader.RawFileReader`
component, as raw video files don't have a header in which to
store the dimensions.
:returns: width, height.
:rtype: :py:class:`int`, :py:c... | [
"Get",
"image",
"dimensions",
"from",
"metadata",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/frame.py#L295-L322 | train |
jim-easterbrook/pyctools | src/pyctools/core/frame.py | Metadata.get | def get(self, tag, default=None):
"""Get a metadata value.
Each metadata value is referenced by a ``tag`` -- a short
string such as ``'xlen'`` or ``'audit'``. In the sidecar file
these tag names are prepended with ``'Xmp.pyctools.'``, which
corresponds to a custom namespace in t... | python | def get(self, tag, default=None):
"""Get a metadata value.
Each metadata value is referenced by a ``tag`` -- a short
string such as ``'xlen'`` or ``'audit'``. In the sidecar file
these tag names are prepended with ``'Xmp.pyctools.'``, which
corresponds to a custom namespace in t... | [
"def",
"get",
"(",
"self",
",",
"tag",
",",
"default",
"=",
"None",
")",
":",
"full_tag",
"=",
"'Xmp.pyctools.'",
"+",
"tag",
"if",
"full_tag",
"in",
"self",
".",
"data",
":",
"return",
"self",
".",
"data",
"[",
"full_tag",
"]",
"return",
"default"
] | Get a metadata value.
Each metadata value is referenced by a ``tag`` -- a short
string such as ``'xlen'`` or ``'audit'``. In the sidecar file
these tag names are prepended with ``'Xmp.pyctools.'``, which
corresponds to a custom namespace in the XML file.
:param str tag: The tag... | [
"Get",
"a",
"metadata",
"value",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/frame.py#L324-L342 | train |
jim-easterbrook/pyctools | src/pyctools/core/frame.py | Metadata.set | def set(self, tag, value):
"""Set a metadata value.
Each metadata value is referenced by a ``tag`` -- a short
string such as ``'xlen'`` or ``'audit'``. In the sidecar file
these tag names are prepended with ``'Xmp.pyctools.'``, which
corresponds to a custom namespace in the XML ... | python | def set(self, tag, value):
"""Set a metadata value.
Each metadata value is referenced by a ``tag`` -- a short
string such as ``'xlen'`` or ``'audit'``. In the sidecar file
these tag names are prepended with ``'Xmp.pyctools.'``, which
corresponds to a custom namespace in the XML ... | [
"def",
"set",
"(",
"self",
",",
"tag",
",",
"value",
")",
":",
"full_tag",
"=",
"'Xmp.pyctools.'",
"+",
"tag",
"self",
".",
"data",
"[",
"full_tag",
"]",
"=",
"value"
] | Set a metadata value.
Each metadata value is referenced by a ``tag`` -- a short
string such as ``'xlen'`` or ``'audit'``. In the sidecar file
these tag names are prepended with ``'Xmp.pyctools.'``, which
corresponds to a custom namespace in the XML file.
:param str tag: The tag... | [
"Set",
"a",
"metadata",
"value",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/frame.py#L344-L358 | train |
biplap-sarkar/pylimit | pylimit/redis_helper.py | RedisHelper.get_connection | def get_connection(self, is_read_only=False) -> redis.StrictRedis:
"""
Gets a StrictRedis connection for normal redis or for redis sentinel based upon redis mode in configuration.
:type is_read_only: bool
:param is_read_only: In case of redis sentinel, it returns connection to slave
... | python | def get_connection(self, is_read_only=False) -> redis.StrictRedis:
"""
Gets a StrictRedis connection for normal redis or for redis sentinel based upon redis mode in configuration.
:type is_read_only: bool
:param is_read_only: In case of redis sentinel, it returns connection to slave
... | [
"def",
"get_connection",
"(",
"self",
",",
"is_read_only",
"=",
"False",
")",
"->",
"redis",
".",
"StrictRedis",
":",
"if",
"self",
".",
"connection",
"is",
"not",
"None",
":",
"return",
"self",
".",
"connection",
"if",
"self",
".",
"is_sentinel",
":",
"... | Gets a StrictRedis connection for normal redis or for redis sentinel based upon redis mode in configuration.
:type is_read_only: bool
:param is_read_only: In case of redis sentinel, it returns connection to slave
:return: Returns a StrictRedis connection | [
"Gets",
"a",
"StrictRedis",
"connection",
"for",
"normal",
"redis",
"or",
"for",
"redis",
"sentinel",
"based",
"upon",
"redis",
"mode",
"in",
"configuration",
"."
] | d2170a8c02a9be083f37c9e4ec1e28700a33d64e | https://github.com/biplap-sarkar/pylimit/blob/d2170a8c02a9be083f37c9e4ec1e28700a33d64e/pylimit/redis_helper.py#L18-L43 | train |
nicoddemus/ss | ss.py | calculate_hash_for_file | def calculate_hash_for_file(name):
'''
Calculates the hash for the given filename.
Algorithm from: http://trac.opensubtitles.org/projects/opensubtitles/wiki/HashSourceCodes
@param name: str
Path to the file
@return: str
The calculated hash code, as an hex string.
'''
longl... | python | def calculate_hash_for_file(name):
'''
Calculates the hash for the given filename.
Algorithm from: http://trac.opensubtitles.org/projects/opensubtitles/wiki/HashSourceCodes
@param name: str
Path to the file
@return: str
The calculated hash code, as an hex string.
'''
longl... | [
"def",
"calculate_hash_for_file",
"(",
"name",
")",
":",
"longlongformat",
"=",
"'q'",
"bytesize",
"=",
"struct",
".",
"calcsize",
"(",
"longlongformat",
")",
"f",
"=",
"open",
"(",
"name",
",",
"\"rb\"",
")",
"filesize",
"=",
"os",
".",
"path",
".",
"ge... | Calculates the hash for the given filename.
Algorithm from: http://trac.opensubtitles.org/projects/opensubtitles/wiki/HashSourceCodes
@param name: str
Path to the file
@return: str
The calculated hash code, as an hex string. | [
"Calculates",
"the",
"hash",
"for",
"the",
"given",
"filename",
"."
] | df77c745e511f542c456450ed94adff1b969fc92 | https://github.com/nicoddemus/ss/blob/df77c745e511f542c456450ed94adff1b969fc92/ss.py#L218-L259 | train |
jim-easterbrook/pyctools | src/pyctools/core/config.py | ConfigMixin.set_config | def set_config(self, config):
"""Update the component's configuration.
Use the :py:meth:`get_config` method to get a copy of the
component's configuration, update that copy then call
:py:meth:`set_config` to update the component. This enables
the configuration to be changed in a... | python | def set_config(self, config):
"""Update the component's configuration.
Use the :py:meth:`get_config` method to get a copy of the
component's configuration, update that copy then call
:py:meth:`set_config` to update the component. This enables
the configuration to be changed in a... | [
"def",
"set_config",
"(",
"self",
",",
"config",
")",
":",
"self",
".",
"_configmixin_queue",
".",
"append",
"(",
"copy",
".",
"deepcopy",
"(",
"config",
")",
")",
"self",
".",
"new_config",
"(",
")"
] | Update the component's configuration.
Use the :py:meth:`get_config` method to get a copy of the
component's configuration, update that copy then call
:py:meth:`set_config` to update the component. This enables
the configuration to be changed in a threadsafe manner while
the comp... | [
"Update",
"the",
"component",
"s",
"configuration",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/config.py#L381-L397 | train |
jim-easterbrook/pyctools | src/pyctools/components/interp/gaussianfilter.py | GaussianFilterCore | def GaussianFilterCore(x_sigma=0.0, y_sigma=0.0):
"""Gaussian filter generator core.
Alternative to the :py:class:`GaussianFilter` component that can be
used to make a non-reconfigurable resizer::
resize = Resize()
resize.filter(GaussianFilterCore(x_sigma=1.5))
...
start(..... | python | def GaussianFilterCore(x_sigma=0.0, y_sigma=0.0):
"""Gaussian filter generator core.
Alternative to the :py:class:`GaussianFilter` component that can be
used to make a non-reconfigurable resizer::
resize = Resize()
resize.filter(GaussianFilterCore(x_sigma=1.5))
...
start(..... | [
"def",
"GaussianFilterCore",
"(",
"x_sigma",
"=",
"0.0",
",",
"y_sigma",
"=",
"0.0",
")",
":",
"def",
"filter_1D",
"(",
"sigma",
")",
":",
"alpha",
"=",
"1.0",
"/",
"(",
"2.0",
"*",
"(",
"max",
"(",
"sigma",
",",
"0.0001",
")",
"**",
"2.0",
")",
... | Gaussian filter generator core.
Alternative to the :py:class:`GaussianFilter` component that can be
used to make a non-reconfigurable resizer::
resize = Resize()
resize.filter(GaussianFilterCore(x_sigma=1.5))
...
start(..., resize, ...)
...
:keyword float x_sigma: ... | [
"Gaussian",
"filter",
"generator",
"core",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/components/interp/gaussianfilter.py#L92-L147 | train |
jim-easterbrook/pyctools | src/pyctools/core/qt.py | QtEventLoop.queue_command | def queue_command(self, command):
"""Put a command on the queue to be called in the component's
thread.
:param callable command: the method to be invoked, e.g.
:py:meth:`~Component.new_frame_event`.
"""
if self._running:
# queue event normally
... | python | def queue_command(self, command):
"""Put a command on the queue to be called in the component's
thread.
:param callable command: the method to be invoked, e.g.
:py:meth:`~Component.new_frame_event`.
"""
if self._running:
# queue event normally
... | [
"def",
"queue_command",
"(",
"self",
",",
"command",
")",
":",
"if",
"self",
".",
"_running",
":",
"QtCore",
".",
"QCoreApplication",
".",
"postEvent",
"(",
"self",
",",
"ActionEvent",
"(",
"command",
")",
",",
"QtCore",
".",
"Qt",
".",
"LowEventPriority",... | Put a command on the queue to be called in the component's
thread.
:param callable command: the method to be invoked, e.g.
:py:meth:`~Component.new_frame_event`. | [
"Put",
"a",
"command",
"on",
"the",
"queue",
"to",
"be",
"called",
"in",
"the",
"component",
"s",
"thread",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/qt.py#L72-L86 | train |
jim-easterbrook/pyctools | src/pyctools/core/qt.py | QtEventLoop.join | def join(self, timeout=3600):
"""Wait until the event loop terminates or ``timeout`` is
reached.
This method is not meaningful unless called from the Qt "main
thread", which is almost certainly the thread in which the
component was created.
:keyword float timeout: timeo... | python | def join(self, timeout=3600):
"""Wait until the event loop terminates or ``timeout`` is
reached.
This method is not meaningful unless called from the Qt "main
thread", which is almost certainly the thread in which the
component was created.
:keyword float timeout: timeo... | [
"def",
"join",
"(",
"self",
",",
"timeout",
"=",
"3600",
")",
":",
"start",
"=",
"time",
".",
"time",
"(",
")",
"while",
"self",
".",
"_running",
":",
"now",
"=",
"time",
".",
"time",
"(",
")",
"maxtime",
"=",
"timeout",
"+",
"start",
"-",
"now",... | Wait until the event loop terminates or ``timeout`` is
reached.
This method is not meaningful unless called from the Qt "main
thread", which is almost certainly the thread in which the
component was created.
:keyword float timeout: timeout in seconds. | [
"Wait",
"until",
"the",
"event",
"loop",
"terminates",
"or",
"timeout",
"is",
"reached",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/core/qt.py#L112-L130 | train |
jim-easterbrook/pyctools | src/pyctools/components/deinterlace/intrafield.py | IntraField | def IntraField(config={}):
"""Intra field interlace to sequential converter.
This uses a vertical filter with an aperture of 8 lines, generated
by
:py:class:`~pyctools.components.interp.filtergenerator.FilterGenerator`.
The aperture (and other parameters) can be adjusted after the
:py:class:`In... | python | def IntraField(config={}):
"""Intra field interlace to sequential converter.
This uses a vertical filter with an aperture of 8 lines, generated
by
:py:class:`~pyctools.components.interp.filtergenerator.FilterGenerator`.
The aperture (and other parameters) can be adjusted after the
:py:class:`In... | [
"def",
"IntraField",
"(",
"config",
"=",
"{",
"}",
")",
":",
"return",
"Compound",
"(",
"config",
"=",
"config",
",",
"deint",
"=",
"SimpleDeinterlace",
"(",
")",
",",
"interp",
"=",
"Resize",
"(",
")",
",",
"filgen",
"=",
"FilterGenerator",
"(",
"yape... | Intra field interlace to sequential converter.
This uses a vertical filter with an aperture of 8 lines, generated
by
:py:class:`~pyctools.components.interp.filtergenerator.FilterGenerator`.
The aperture (and other parameters) can be adjusted after the
:py:class:`IntraField` component is created. | [
"Intra",
"field",
"interlace",
"to",
"sequential",
"converter",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/components/deinterlace/intrafield.py#L28-L52 | train |
biplap-sarkar/pylimit | pylimit/pyratelimit.py | PyRateLimit.create | def create(self, period: int, limit: int):
"""
Creates a rate limiting rule with rate limiting period and attempt limit
:param period: Rate limiting period in seconds
:type period: int
:param limit: Number of attempts permitted by rate limiting within a given period
:ty... | python | def create(self, period: int, limit: int):
"""
Creates a rate limiting rule with rate limiting period and attempt limit
:param period: Rate limiting period in seconds
:type period: int
:param limit: Number of attempts permitted by rate limiting within a given period
:ty... | [
"def",
"create",
"(",
"self",
",",
"period",
":",
"int",
",",
"limit",
":",
"int",
")",
":",
"self",
".",
"period",
"=",
"period",
"self",
".",
"limit",
"=",
"limit"
] | Creates a rate limiting rule with rate limiting period and attempt limit
:param period: Rate limiting period in seconds
:type period: int
:param limit: Number of attempts permitted by rate limiting within a given period
:type limit: int | [
"Creates",
"a",
"rate",
"limiting",
"rule",
"with",
"rate",
"limiting",
"period",
"and",
"attempt",
"limit"
] | d2170a8c02a9be083f37c9e4ec1e28700a33d64e | https://github.com/biplap-sarkar/pylimit/blob/d2170a8c02a9be083f37c9e4ec1e28700a33d64e/pylimit/pyratelimit.py#L39-L51 | train |
biplap-sarkar/pylimit | pylimit/pyratelimit.py | PyRateLimit.is_rate_limited | def is_rate_limited(self, namespace: str) -> bool:
"""
Checks if a namespace is already rate limited or not without making any additional attempts
:param namespace: Rate limiting namespace
:type namespace: str
:return: Returns true if attempt can go ahead under current rate... | python | def is_rate_limited(self, namespace: str) -> bool:
"""
Checks if a namespace is already rate limited or not without making any additional attempts
:param namespace: Rate limiting namespace
:type namespace: str
:return: Returns true if attempt can go ahead under current rate... | [
"def",
"is_rate_limited",
"(",
"self",
",",
"namespace",
":",
"str",
")",
"->",
"bool",
":",
"return",
"not",
"self",
".",
"__can_attempt",
"(",
"namespace",
"=",
"namespace",
",",
"add_attempt",
"=",
"False",
")"
] | Checks if a namespace is already rate limited or not without making any additional attempts
:param namespace: Rate limiting namespace
:type namespace: str
:return: Returns true if attempt can go ahead under current rate limiting rules, false otherwise | [
"Checks",
"if",
"a",
"namespace",
"is",
"already",
"rate",
"limited",
"or",
"not",
"without",
"making",
"any",
"additional",
"attempts"
] | d2170a8c02a9be083f37c9e4ec1e28700a33d64e | https://github.com/biplap-sarkar/pylimit/blob/d2170a8c02a9be083f37c9e4ec1e28700a33d64e/pylimit/pyratelimit.py#L96-L105 | train |
NUAA-Open-Source/NUAA-iCal-Python | NUAAiCal/AddToGCal.py | main | def main():
"""Shows basic usage of the Google Calendar API.
Creates a Google Calendar API service object and outputs a list of the next
10 events on the user's calendar.
"""
credentials = get_credentials()
http = credentials.authorize(httplib2.Http())
service = discovery.build('calendar', ... | python | def main():
"""Shows basic usage of the Google Calendar API.
Creates a Google Calendar API service object and outputs a list of the next
10 events on the user's calendar.
"""
credentials = get_credentials()
http = credentials.authorize(httplib2.Http())
service = discovery.build('calendar', ... | [
"def",
"main",
"(",
")",
":",
"credentials",
"=",
"get_credentials",
"(",
")",
"http",
"=",
"credentials",
".",
"authorize",
"(",
"httplib2",
".",
"Http",
"(",
")",
")",
"service",
"=",
"discovery",
".",
"build",
"(",
"'calendar'",
",",
"'v3'",
",",
"h... | Shows basic usage of the Google Calendar API.
Creates a Google Calendar API service object and outputs a list of the next
10 events on the user's calendar. | [
"Shows",
"basic",
"usage",
"of",
"the",
"Google",
"Calendar",
"API",
"."
] | 1bdc4016e4d8b236a12bba5047a5150f889bc880 | https://github.com/NUAA-Open-Source/NUAA-iCal-Python/blob/1bdc4016e4d8b236a12bba5047a5150f889bc880/NUAAiCal/AddToGCal.py#L54-L75 | train |
kmike/port-for | port_for/docopt.py | Pattern.fix_list_arguments | def fix_list_arguments(self):
"""Find arguments that should accumulate values and fix them."""
either = [list(c.children) for c in self.either.children]
for case in either:
case = [c for c in case if case.count(c) > 1]
for a in [e for e in case if type(e) == Argument]:
... | python | def fix_list_arguments(self):
"""Find arguments that should accumulate values and fix them."""
either = [list(c.children) for c in self.either.children]
for case in either:
case = [c for c in case if case.count(c) > 1]
for a in [e for e in case if type(e) == Argument]:
... | [
"def",
"fix_list_arguments",
"(",
"self",
")",
":",
"either",
"=",
"[",
"list",
"(",
"c",
".",
"children",
")",
"for",
"c",
"in",
"self",
".",
"either",
".",
"children",
"]",
"for",
"case",
"in",
"either",
":",
"case",
"=",
"[",
"c",
"for",
"c",
... | Find arguments that should accumulate values and fix them. | [
"Find",
"arguments",
"that",
"should",
"accumulate",
"values",
"and",
"fix",
"them",
"."
] | f61ebf3c2caf54eabe8233b40ef67b973176a6f5 | https://github.com/kmike/port-for/blob/f61ebf3c2caf54eabe8233b40ef67b973176a6f5/port_for/docopt.py#L59-L66 | train |
kmike/port-for | port_for/docopt.py | Pattern.either | def either(self):
"""Transform pattern into an equivalent, with only top-level Either."""
# Currently the pattern will not be equivalent, but more "narrow",
# although good enough to reason about list arguments.
if not hasattr(self, 'children'):
return Either(Required(self))
... | python | def either(self):
"""Transform pattern into an equivalent, with only top-level Either."""
# Currently the pattern will not be equivalent, but more "narrow",
# although good enough to reason about list arguments.
if not hasattr(self, 'children'):
return Either(Required(self))
... | [
"def",
"either",
"(",
"self",
")",
":",
"if",
"not",
"hasattr",
"(",
"self",
",",
"'children'",
")",
":",
"return",
"Either",
"(",
"Required",
"(",
"self",
")",
")",
"else",
":",
"ret",
"=",
"[",
"]",
"groups",
"=",
"[",
"[",
"self",
"]",
"]",
... | Transform pattern into an equivalent, with only top-level Either. | [
"Transform",
"pattern",
"into",
"an",
"equivalent",
"with",
"only",
"top",
"-",
"level",
"Either",
"."
] | f61ebf3c2caf54eabe8233b40ef67b973176a6f5 | https://github.com/kmike/port-for/blob/f61ebf3c2caf54eabe8233b40ef67b973176a6f5/port_for/docopt.py#L69-L100 | train |
nicfit/MishMash | mishmash/commands/sync/utils.py | syncImage | def syncImage(img, current, session):
"""Add or updated the Image."""
def _img_str(i):
return "%s - %s" % (i.type, i.description)
for db_img in current.images:
img_info = (img.type, img.md5, img.size)
db_img_info = (db_img.type, db_img.md5, db_img.size)
if db_img_info == im... | python | def syncImage(img, current, session):
"""Add or updated the Image."""
def _img_str(i):
return "%s - %s" % (i.type, i.description)
for db_img in current.images:
img_info = (img.type, img.md5, img.size)
db_img_info = (db_img.type, db_img.md5, db_img.size)
if db_img_info == im... | [
"def",
"syncImage",
"(",
"img",
",",
"current",
",",
"session",
")",
":",
"def",
"_img_str",
"(",
"i",
")",
":",
"return",
"\"%s - %s\"",
"%",
"(",
"i",
".",
"type",
",",
"i",
".",
"description",
")",
"for",
"db_img",
"in",
"current",
".",
"images",
... | Add or updated the Image. | [
"Add",
"or",
"updated",
"the",
"Image",
"."
] | 8f988936340bf0ffb83ea90ea124efb3c36a1174 | https://github.com/nicfit/MishMash/blob/8f988936340bf0ffb83ea90ea124efb3c36a1174/mishmash/commands/sync/utils.py#L64-L92 | train |
magopian/django-data-exports | data_exports/forms.py | ColumnFormSet.add_fields | def add_fields(self, form, index):
"""Filter the form's column choices
This is done at the formset level as there's no other way i could find
to get the parent object (stored in self.instance), and the form at the
same time.
"""
super(ColumnFormSet, self).add_fields(for... | python | def add_fields(self, form, index):
"""Filter the form's column choices
This is done at the formset level as there's no other way i could find
to get the parent object (stored in self.instance), and the form at the
same time.
"""
super(ColumnFormSet, self).add_fields(for... | [
"def",
"add_fields",
"(",
"self",
",",
"form",
",",
"index",
")",
":",
"super",
"(",
"ColumnFormSet",
",",
"self",
")",
".",
"add_fields",
"(",
"form",
",",
"index",
")",
"form",
".",
"fields",
"[",
"'column'",
"]",
".",
"choices",
"=",
"self",
".",
... | Filter the form's column choices
This is done at the formset level as there's no other way i could find
to get the parent object (stored in self.instance), and the form at the
same time. | [
"Filter",
"the",
"form",
"s",
"column",
"choices"
] | a73db486779d93046ad89c5bf582ff8ae869120f | https://github.com/magopian/django-data-exports/blob/a73db486779d93046ad89c5bf582ff8ae869120f/data_exports/forms.py#L39-L48 | train |
jim-easterbrook/pyctools | src/pyctools/setup.py | find_packages | def find_packages():
"""Walk source directory tree and convert each sub directory to a
package name.
"""
packages = ['pyctools']
for root, dirs, files in os.walk(os.path.join('src', 'pyctools')):
package = '.'.join(root.split(os.sep)[1:])
for name in dirs:
packages.appen... | python | def find_packages():
"""Walk source directory tree and convert each sub directory to a
package name.
"""
packages = ['pyctools']
for root, dirs, files in os.walk(os.path.join('src', 'pyctools')):
package = '.'.join(root.split(os.sep)[1:])
for name in dirs:
packages.appen... | [
"def",
"find_packages",
"(",
")",
":",
"packages",
"=",
"[",
"'pyctools'",
"]",
"for",
"root",
",",
"dirs",
",",
"files",
"in",
"os",
".",
"walk",
"(",
"os",
".",
"path",
".",
"join",
"(",
"'src'",
",",
"'pyctools'",
")",
")",
":",
"package",
"=",
... | Walk source directory tree and convert each sub directory to a
package name. | [
"Walk",
"source",
"directory",
"tree",
"and",
"convert",
"each",
"sub",
"directory",
"to",
"a",
"package",
"name",
"."
] | 2a958665326892f45f249bebe62c2c23f306732b | https://github.com/jim-easterbrook/pyctools/blob/2a958665326892f45f249bebe62c2c23f306732b/src/pyctools/setup.py#L41-L51 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/cli.py | extract_param | def extract_param(param, args, type=None):
"""
From a list of args, extract the one param if supplied,
returning the value and unused args.
>>> extract_param('port', ['foo', '--port=999', 'bar'], type=int)
(999, ['foo', 'bar'])
>>> extract_param('port', ['foo', '--port', '999', 'bar'], type=int... | python | def extract_param(param, args, type=None):
"""
From a list of args, extract the one param if supplied,
returning the value and unused args.
>>> extract_param('port', ['foo', '--port=999', 'bar'], type=int)
(999, ['foo', 'bar'])
>>> extract_param('port', ['foo', '--port', '999', 'bar'], type=int... | [
"def",
"extract_param",
"(",
"param",
",",
"args",
",",
"type",
"=",
"None",
")",
":",
"parser",
"=",
"argparse",
".",
"ArgumentParser",
"(",
")",
"parser",
".",
"add_argument",
"(",
"'--'",
"+",
"param",
",",
"type",
"=",
"type",
")",
"res",
",",
"u... | From a list of args, extract the one param if supplied,
returning the value and unused args.
>>> extract_param('port', ['foo', '--port=999', 'bar'], type=int)
(999, ['foo', 'bar'])
>>> extract_param('port', ['foo', '--port', '999', 'bar'], type=int)
(999, ['foo', 'bar'])
>>> extract_param('port... | [
"From",
"a",
"list",
"of",
"args",
"extract",
"the",
"one",
"param",
"if",
"supplied",
"returning",
"the",
"value",
"and",
"unused",
"args",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/cli.py#L4-L19 | train |
yeraydiazdiaz/lunr.py | lunr/languages/__init__.py | get_nltk_builder | def get_nltk_builder(languages):
"""Returns a builder with stemmers for all languages added to it.
Args:
languages (list): A list of supported languages.
"""
all_stemmers = []
all_stopwords_filters = []
all_word_characters = set()
for language in languages:
if language == "... | python | def get_nltk_builder(languages):
"""Returns a builder with stemmers for all languages added to it.
Args:
languages (list): A list of supported languages.
"""
all_stemmers = []
all_stopwords_filters = []
all_word_characters = set()
for language in languages:
if language == "... | [
"def",
"get_nltk_builder",
"(",
"languages",
")",
":",
"all_stemmers",
"=",
"[",
"]",
"all_stopwords_filters",
"=",
"[",
"]",
"all_word_characters",
"=",
"set",
"(",
")",
"for",
"language",
"in",
"languages",
":",
"if",
"language",
"==",
"\"en\"",
":",
"all_... | Returns a builder with stemmers for all languages added to it.
Args:
languages (list): A list of supported languages. | [
"Returns",
"a",
"builder",
"with",
"stemmers",
"for",
"all",
"languages",
"added",
"to",
"it",
"."
] | 28ec3f6d4888295eed730211ee9617aa488d6ba3 | https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/languages/__init__.py#L51-L89 | train |
yeraydiazdiaz/lunr.py | lunr/languages/__init__.py | register_languages | def register_languages():
"""Register all supported languages to ensure compatibility."""
for language in set(SUPPORTED_LANGUAGES) - {"en"}:
language_stemmer = partial(nltk_stemmer, get_language_stemmer(language))
Pipeline.register_function(language_stemmer, "stemmer-{}".format(language)) | python | def register_languages():
"""Register all supported languages to ensure compatibility."""
for language in set(SUPPORTED_LANGUAGES) - {"en"}:
language_stemmer = partial(nltk_stemmer, get_language_stemmer(language))
Pipeline.register_function(language_stemmer, "stemmer-{}".format(language)) | [
"def",
"register_languages",
"(",
")",
":",
"for",
"language",
"in",
"set",
"(",
"SUPPORTED_LANGUAGES",
")",
"-",
"{",
"\"en\"",
"}",
":",
"language_stemmer",
"=",
"partial",
"(",
"nltk_stemmer",
",",
"get_language_stemmer",
"(",
"language",
")",
")",
"Pipelin... | Register all supported languages to ensure compatibility. | [
"Register",
"all",
"supported",
"languages",
"to",
"ensure",
"compatibility",
"."
] | 28ec3f6d4888295eed730211ee9617aa488d6ba3 | https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/languages/__init__.py#L92-L96 | train |
tehmaze/natural | natural/number.py | ordinal | def ordinal(value):
'''
Converts a number to its ordinal representation.
:param value: number
>>> print(ordinal(1))
1st
>>> print(ordinal(11))
11th
>>> print(ordinal(101))
101st
>>> print(ordinal(104))
104th
>>> print(ordinal(113))
113th
>>> print(ordinal(123))
... | python | def ordinal(value):
'''
Converts a number to its ordinal representation.
:param value: number
>>> print(ordinal(1))
1st
>>> print(ordinal(11))
11th
>>> print(ordinal(101))
101st
>>> print(ordinal(104))
104th
>>> print(ordinal(113))
113th
>>> print(ordinal(123))
... | [
"def",
"ordinal",
"(",
"value",
")",
":",
"try",
":",
"value",
"=",
"int",
"(",
"value",
")",
"except",
"(",
"TypeError",
",",
"ValueError",
")",
":",
"raise",
"ValueError",
"if",
"value",
"%",
"100",
"in",
"(",
"11",
",",
"12",
",",
"13",
")",
"... | Converts a number to its ordinal representation.
:param value: number
>>> print(ordinal(1))
1st
>>> print(ordinal(11))
11th
>>> print(ordinal(101))
101st
>>> print(ordinal(104))
104th
>>> print(ordinal(113))
113th
>>> print(ordinal(123))
123rd | [
"Converts",
"a",
"number",
"to",
"its",
"ordinal",
"representation",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/number.py#L45-L73 | train |
tehmaze/natural | natural/number.py | percentage | def percentage(value, digits=2):
'''
Converts a fraction to a formatted percentage.
:param value: number
:param digits: default ``2``
>>> print(percentage(1))
100.00 %
>>> print(percentage(0.23, digits=0))
23 %
>>> print(percentage(23.421))
2,342.10 %
'''
value = floa... | python | def percentage(value, digits=2):
'''
Converts a fraction to a formatted percentage.
:param value: number
:param digits: default ``2``
>>> print(percentage(1))
100.00 %
>>> print(percentage(0.23, digits=0))
23 %
>>> print(percentage(23.421))
2,342.10 %
'''
value = floa... | [
"def",
"percentage",
"(",
"value",
",",
"digits",
"=",
"2",
")",
":",
"value",
"=",
"float",
"(",
"value",
")",
"*",
"100.0",
"return",
"u''",
"+",
"'%s %%'",
"%",
"(",
"_format",
"(",
"value",
",",
"digits",
")",
",",
")"
] | Converts a fraction to a formatted percentage.
:param value: number
:param digits: default ``2``
>>> print(percentage(1))
100.00 %
>>> print(percentage(0.23, digits=0))
23 %
>>> print(percentage(23.421))
2,342.10 % | [
"Converts",
"a",
"fraction",
"to",
"a",
"formatted",
"percentage",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/number.py#L117-L134 | train |
tehmaze/natural | natural/number.py | word | def word(value, digits=2):
'''
Converts a large number to a formatted number containing the textual suffix
for that number.
:param value: number
>>> print(word(1))
1
>>> print(word(123456789))
123.46 million
'''
convention = locale.localeconv()
decimal_point = convention[... | python | def word(value, digits=2):
'''
Converts a large number to a formatted number containing the textual suffix
for that number.
:param value: number
>>> print(word(1))
1
>>> print(word(123456789))
123.46 million
'''
convention = locale.localeconv()
decimal_point = convention[... | [
"def",
"word",
"(",
"value",
",",
"digits",
"=",
"2",
")",
":",
"convention",
"=",
"locale",
".",
"localeconv",
"(",
")",
"decimal_point",
"=",
"convention",
"[",
"'decimal_point'",
"]",
"decimal_zero",
"=",
"re",
".",
"compile",
"(",
"r'%s0+'",
"%",
"re... | Converts a large number to a formatted number containing the textual suffix
for that number.
:param value: number
>>> print(word(1))
1
>>> print(word(123456789))
123.46 million | [
"Converts",
"a",
"large",
"number",
"to",
"a",
"formatted",
"number",
"containing",
"the",
"textual",
"suffix",
"for",
"that",
"number",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/number.py#L137-L174 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | _full_rename | def _full_rename(args):
"""
Return True only if the arguments passed specify exact namespaces
and to conduct a rename of every namespace.
"""
return (
args.ns and
all(map(args.rename.affects, args.ns))
) | python | def _full_rename(args):
"""
Return True only if the arguments passed specify exact namespaces
and to conduct a rename of every namespace.
"""
return (
args.ns and
all(map(args.rename.affects, args.ns))
) | [
"def",
"_full_rename",
"(",
"args",
")",
":",
"return",
"(",
"args",
".",
"ns",
"and",
"all",
"(",
"map",
"(",
"args",
".",
"rename",
".",
"affects",
",",
"args",
".",
"ns",
")",
")",
")"
] | Return True only if the arguments passed specify exact namespaces
and to conduct a rename of every namespace. | [
"Return",
"True",
"only",
"if",
"the",
"arguments",
"passed",
"specify",
"exact",
"namespaces",
"and",
"to",
"conduct",
"a",
"rename",
"of",
"every",
"namespace",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L297-L305 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | apply | def apply(db, op):
"""
Apply operation in db
"""
dbname = op['ns'].split('.')[0] or "admin"
opts = bson.CodecOptions(uuid_representation=bson.binary.STANDARD)
db[dbname].command("applyOps", [op], codec_options=opts) | python | def apply(db, op):
"""
Apply operation in db
"""
dbname = op['ns'].split('.')[0] or "admin"
opts = bson.CodecOptions(uuid_representation=bson.binary.STANDARD)
db[dbname].command("applyOps", [op], codec_options=opts) | [
"def",
"apply",
"(",
"db",
",",
"op",
")",
":",
"dbname",
"=",
"op",
"[",
"'ns'",
"]",
".",
"split",
"(",
"'.'",
")",
"[",
"0",
"]",
"or",
"\"admin\"",
"opts",
"=",
"bson",
".",
"CodecOptions",
"(",
"uuid_representation",
"=",
"bson",
".",
"binary"... | Apply operation in db | [
"Apply",
"operation",
"in",
"db"
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L445-L451 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | Oplog.since | def since(self, ts):
"""
Query the oplog for items since ts and then return
"""
spec = {'ts': {'$gt': ts}}
cursor = self.query(spec)
while True:
# todo: trap InvalidDocument errors:
# except bson.errors.InvalidDocument as e:
# logging.... | python | def since(self, ts):
"""
Query the oplog for items since ts and then return
"""
spec = {'ts': {'$gt': ts}}
cursor = self.query(spec)
while True:
# todo: trap InvalidDocument errors:
# except bson.errors.InvalidDocument as e:
# logging.... | [
"def",
"since",
"(",
"self",
",",
"ts",
")",
":",
"spec",
"=",
"{",
"'ts'",
":",
"{",
"'$gt'",
":",
"ts",
"}",
"}",
"cursor",
"=",
"self",
".",
"query",
"(",
"spec",
")",
"while",
"True",
":",
"for",
"doc",
"in",
"cursor",
":",
"yield",
"doc",
... | Query the oplog for items since ts and then return | [
"Query",
"the",
"oplog",
"for",
"items",
"since",
"ts",
"and",
"then",
"return"
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L472-L486 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | Oplog.has_ops_before | def has_ops_before(self, ts):
"""
Determine if there are any ops before ts
"""
spec = {'ts': {'$lt': ts}}
return bool(self.coll.find_one(spec)) | python | def has_ops_before(self, ts):
"""
Determine if there are any ops before ts
"""
spec = {'ts': {'$lt': ts}}
return bool(self.coll.find_one(spec)) | [
"def",
"has_ops_before",
"(",
"self",
",",
"ts",
")",
":",
"spec",
"=",
"{",
"'ts'",
":",
"{",
"'$lt'",
":",
"ts",
"}",
"}",
"return",
"bool",
"(",
"self",
".",
"coll",
".",
"find_one",
"(",
"spec",
")",
")"
] | Determine if there are any ops before ts | [
"Determine",
"if",
"there",
"are",
"any",
"ops",
"before",
"ts"
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L488-L493 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | TailingOplog.since | def since(self, ts):
"""
Tail the oplog, starting from ts.
"""
while True:
items = super(TailingOplog, self).since(ts)
for doc in items:
yield doc
ts = doc['ts'] | python | def since(self, ts):
"""
Tail the oplog, starting from ts.
"""
while True:
items = super(TailingOplog, self).since(ts)
for doc in items:
yield doc
ts = doc['ts'] | [
"def",
"since",
"(",
"self",
",",
"ts",
")",
":",
"while",
"True",
":",
"items",
"=",
"super",
"(",
"TailingOplog",
",",
"self",
")",
".",
"since",
"(",
"ts",
")",
"for",
"doc",
"in",
"items",
":",
"yield",
"doc",
"ts",
"=",
"doc",
"[",
"'ts'",
... | Tail the oplog, starting from ts. | [
"Tail",
"the",
"oplog",
"starting",
"from",
"ts",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L502-L510 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | Timestamp.dump | def dump(self, stream):
"""Serialize self to text stream.
Matches convention of mongooplog.
"""
items = (
('time', self.time),
('inc', self.inc),
)
# use ordered dict to retain order
ts = collections.OrderedDict(items)
json.dump(di... | python | def dump(self, stream):
"""Serialize self to text stream.
Matches convention of mongooplog.
"""
items = (
('time', self.time),
('inc', self.inc),
)
# use ordered dict to retain order
ts = collections.OrderedDict(items)
json.dump(di... | [
"def",
"dump",
"(",
"self",
",",
"stream",
")",
":",
"items",
"=",
"(",
"(",
"'time'",
",",
"self",
".",
"time",
")",
",",
"(",
"'inc'",
",",
"self",
".",
"inc",
")",
",",
")",
"ts",
"=",
"collections",
".",
"OrderedDict",
"(",
"items",
")",
"j... | Serialize self to text stream.
Matches convention of mongooplog. | [
"Serialize",
"self",
"to",
"text",
"stream",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L524-L535 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | Timestamp.load | def load(cls, stream):
"""Load a serialized version of self from text stream.
Expects the format used by mongooplog.
"""
data = json.load(stream)['ts']
return cls(data['time'], data['inc']) | python | def load(cls, stream):
"""Load a serialized version of self from text stream.
Expects the format used by mongooplog.
"""
data = json.load(stream)['ts']
return cls(data['time'], data['inc']) | [
"def",
"load",
"(",
"cls",
",",
"stream",
")",
":",
"data",
"=",
"json",
".",
"load",
"(",
"stream",
")",
"[",
"'ts'",
"]",
"return",
"cls",
"(",
"data",
"[",
"'time'",
"]",
",",
"data",
"[",
"'inc'",
"]",
")"
] | Load a serialized version of self from text stream.
Expects the format used by mongooplog. | [
"Load",
"a",
"serialized",
"version",
"of",
"self",
"from",
"text",
"stream",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L538-L544 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | Timestamp.for_window | def for_window(cls, window):
"""
Given a timedelta window, return a timestamp representing
that time.
"""
utcnow = datetime.datetime.utcnow()
return cls(utcnow - window, 0) | python | def for_window(cls, window):
"""
Given a timedelta window, return a timestamp representing
that time.
"""
utcnow = datetime.datetime.utcnow()
return cls(utcnow - window, 0) | [
"def",
"for_window",
"(",
"cls",
",",
"window",
")",
":",
"utcnow",
"=",
"datetime",
".",
"datetime",
".",
"utcnow",
"(",
")",
"return",
"cls",
"(",
"utcnow",
"-",
"window",
",",
"0",
")"
] | Given a timedelta window, return a timestamp representing
that time. | [
"Given",
"a",
"timedelta",
"window",
"return",
"a",
"timestamp",
"representing",
"that",
"time",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L547-L553 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/oplog.py | ResumeFile.save | def save(self, ts):
"""
Save timestamp to file.
"""
with open(self, 'w') as f:
Timestamp.wrap(ts).dump(f) | python | def save(self, ts):
"""
Save timestamp to file.
"""
with open(self, 'w') as f:
Timestamp.wrap(ts).dump(f) | [
"def",
"save",
"(",
"self",
",",
"ts",
")",
":",
"with",
"open",
"(",
"self",
",",
"'w'",
")",
"as",
"f",
":",
"Timestamp",
".",
"wrap",
"(",
"ts",
")",
".",
"dump",
"(",
"f",
")"
] | Save timestamp to file. | [
"Save",
"timestamp",
"to",
"file",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/oplog.py#L557-L562 | train |
yeraydiazdiaz/lunr.py | lunr/tokenizer.py | Tokenizer | def Tokenizer(obj, metadata=None, separator=SEPARATOR):
"""Splits a string into tokens ready to be inserted into the search index.
This tokenizer will convert its parameter to a string by calling `str` and
then will split this string on characters matching `separator`.
Lists will have their elements co... | python | def Tokenizer(obj, metadata=None, separator=SEPARATOR):
"""Splits a string into tokens ready to be inserted into the search index.
This tokenizer will convert its parameter to a string by calling `str` and
then will split this string on characters matching `separator`.
Lists will have their elements co... | [
"def",
"Tokenizer",
"(",
"obj",
",",
"metadata",
"=",
"None",
",",
"separator",
"=",
"SEPARATOR",
")",
":",
"if",
"obj",
"is",
"None",
":",
"return",
"[",
"]",
"metadata",
"=",
"metadata",
"or",
"{",
"}",
"if",
"isinstance",
"(",
"obj",
",",
"(",
"... | Splits a string into tokens ready to be inserted into the search index.
This tokenizer will convert its parameter to a string by calling `str` and
then will split this string on characters matching `separator`.
Lists will have their elements converted to strings and wrapped in a lunr
`Token`.
Opti... | [
"Splits",
"a",
"string",
"into",
"tokens",
"ready",
"to",
"be",
"inserted",
"into",
"the",
"search",
"index",
"."
] | 28ec3f6d4888295eed730211ee9617aa488d6ba3 | https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/tokenizer.py#L14-L59 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/manage.py | all_collections | def all_collections(db):
"""
Yield all non-sytem collections in db.
"""
include_pattern = r'(?!system\.)'
return (
db[name]
for name in db.list_collection_names()
if re.match(include_pattern, name)
) | python | def all_collections(db):
"""
Yield all non-sytem collections in db.
"""
include_pattern = r'(?!system\.)'
return (
db[name]
for name in db.list_collection_names()
if re.match(include_pattern, name)
) | [
"def",
"all_collections",
"(",
"db",
")",
":",
"include_pattern",
"=",
"r'(?!system\\.)'",
"return",
"(",
"db",
"[",
"name",
"]",
"for",
"name",
"in",
"db",
".",
"list_collection_names",
"(",
")",
"if",
"re",
".",
"match",
"(",
"include_pattern",
",",
"nam... | Yield all non-sytem collections in db. | [
"Yield",
"all",
"non",
"-",
"sytem",
"collections",
"in",
"db",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/manage.py#L16-L25 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/manage.py | safe_purge_collection | def safe_purge_collection(coll):
"""
Cannot remove documents from capped collections
in later versions of MongoDB, so drop the
collection instead.
"""
op = (
drop_collection
if coll.options().get('capped', False)
else purge_collection
)
return op(coll) | python | def safe_purge_collection(coll):
"""
Cannot remove documents from capped collections
in later versions of MongoDB, so drop the
collection instead.
"""
op = (
drop_collection
if coll.options().get('capped', False)
else purge_collection
)
return op(coll) | [
"def",
"safe_purge_collection",
"(",
"coll",
")",
":",
"op",
"=",
"(",
"drop_collection",
"if",
"coll",
".",
"options",
"(",
")",
".",
"get",
"(",
"'capped'",
",",
"False",
")",
"else",
"purge_collection",
")",
"return",
"op",
"(",
"coll",
")"
] | Cannot remove documents from capped collections
in later versions of MongoDB, so drop the
collection instead. | [
"Cannot",
"remove",
"documents",
"from",
"capped",
"collections",
"in",
"later",
"versions",
"of",
"MongoDB",
"so",
"drop",
"the",
"collection",
"instead",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/manage.py#L32-L43 | train |
yeraydiazdiaz/lunr.py | lunr/stop_word_filter.py | generate_stop_word_filter | def generate_stop_word_filter(stop_words, language=None):
"""Builds a stopWordFilter function from the provided list of stop words.
The built in `stop_word_filter` is built using this factory and can be used
to generate custom `stop_word_filter` for applications or non English
languages.
"""
d... | python | def generate_stop_word_filter(stop_words, language=None):
"""Builds a stopWordFilter function from the provided list of stop words.
The built in `stop_word_filter` is built using this factory and can be used
to generate custom `stop_word_filter` for applications or non English
languages.
"""
d... | [
"def",
"generate_stop_word_filter",
"(",
"stop_words",
",",
"language",
"=",
"None",
")",
":",
"def",
"stop_word_filter",
"(",
"token",
",",
"i",
"=",
"None",
",",
"tokens",
"=",
"None",
")",
":",
"if",
"token",
"and",
"str",
"(",
"token",
")",
"not",
... | Builds a stopWordFilter function from the provided list of stop words.
The built in `stop_word_filter` is built using this factory and can be used
to generate custom `stop_word_filter` for applications or non English
languages. | [
"Builds",
"a",
"stopWordFilter",
"function",
"from",
"the",
"provided",
"list",
"of",
"stop",
"words",
"."
] | 28ec3f6d4888295eed730211ee9617aa488d6ba3 | https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/stop_word_filter.py#L130-L149 | train |
tehmaze/natural | natural/phone.py | pesn | def pesn(number, separator=u''):
'''
Printable Pseudo Electronic Serial Number.
:param number: hexadecimal string
>>> print(pesn('1B69B4BA630F34E'))
805F9EF7
'''
number = re.sub(r'[\s-]', '', meid(number))
serial = hashlib.sha1(unhexlify(number[:14]))
return separator.join(['80', ... | python | def pesn(number, separator=u''):
'''
Printable Pseudo Electronic Serial Number.
:param number: hexadecimal string
>>> print(pesn('1B69B4BA630F34E'))
805F9EF7
'''
number = re.sub(r'[\s-]', '', meid(number))
serial = hashlib.sha1(unhexlify(number[:14]))
return separator.join(['80', ... | [
"def",
"pesn",
"(",
"number",
",",
"separator",
"=",
"u''",
")",
":",
"number",
"=",
"re",
".",
"sub",
"(",
"r'[\\s-]'",
",",
"''",
",",
"meid",
"(",
"number",
")",
")",
"serial",
"=",
"hashlib",
".",
"sha1",
"(",
"unhexlify",
"(",
"number",
"[",
... | Printable Pseudo Electronic Serial Number.
:param number: hexadecimal string
>>> print(pesn('1B69B4BA630F34E'))
805F9EF7 | [
"Printable",
"Pseudo",
"Electronic",
"Serial",
"Number",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/phone.py#L234-L246 | train |
tehmaze/natural | natural/size.py | filesize | def filesize(value, format='decimal', digits=2):
'''
Convert a file size into natural readable format. Multiple formats are
supported.
:param value: size
:param format: default ``decimal``, choices ``binary``, ``decimal`` or
``gnu``
:param digits: default ``2``
>>> print... | python | def filesize(value, format='decimal', digits=2):
'''
Convert a file size into natural readable format. Multiple formats are
supported.
:param value: size
:param format: default ``decimal``, choices ``binary``, ``decimal`` or
``gnu``
:param digits: default ``2``
>>> print... | [
"def",
"filesize",
"(",
"value",
",",
"format",
"=",
"'decimal'",
",",
"digits",
"=",
"2",
")",
":",
"if",
"format",
"not",
"in",
"FILESIZE_SUFFIX",
":",
"raise",
"TypeError",
"base",
"=",
"FILESIZE_BASE",
"[",
"format",
"]",
"size",
"=",
"int",
"(",
"... | Convert a file size into natural readable format. Multiple formats are
supported.
:param value: size
:param format: default ``decimal``, choices ``binary``, ``decimal`` or
``gnu``
:param digits: default ``2``
>>> print(filesize(123))
123.00 B
>>> print(filesize(123456))
... | [
"Convert",
"a",
"file",
"size",
"into",
"natural",
"readable",
"format",
".",
"Multiple",
"formats",
"are",
"supported",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/size.py#L12-L51 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/utils/helper.py | create_dn_in_filter | def create_dn_in_filter(filter_class, filter_value, helper):
""" Creates filter object for given class name, and DN values."""
in_filter = FilterFilter()
in_filter.AddChild(create_dn_wcard_filter(filter_class, filter_value))
return in_filter | python | def create_dn_in_filter(filter_class, filter_value, helper):
""" Creates filter object for given class name, and DN values."""
in_filter = FilterFilter()
in_filter.AddChild(create_dn_wcard_filter(filter_class, filter_value))
return in_filter | [
"def",
"create_dn_in_filter",
"(",
"filter_class",
",",
"filter_value",
",",
"helper",
")",
":",
"in_filter",
"=",
"FilterFilter",
"(",
")",
"in_filter",
".",
"AddChild",
"(",
"create_dn_wcard_filter",
"(",
"filter_class",
",",
"filter_value",
")",
")",
"return",
... | Creates filter object for given class name, and DN values. | [
"Creates",
"filter",
"object",
"for",
"given",
"class",
"name",
"and",
"DN",
"values",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/helper.py#L24-L28 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/utils/helper.py | get_managed_object | def get_managed_object(handle, class_id, params, inMo=None, in_heir=False,
dump=False):
"""Get the specified MO from UCS Manager.
:param managed_object: MO classid
:in_filter: input filter value
:returns: Managed Object
:raises: UcsException in case of failure... | python | def get_managed_object(handle, class_id, params, inMo=None, in_heir=False,
dump=False):
"""Get the specified MO from UCS Manager.
:param managed_object: MO classid
:in_filter: input filter value
:returns: Managed Object
:raises: UcsException in case of failure... | [
"def",
"get_managed_object",
"(",
"handle",
",",
"class_id",
",",
"params",
",",
"inMo",
"=",
"None",
",",
"in_heir",
"=",
"False",
",",
"dump",
"=",
"False",
")",
":",
"return",
"handle",
".",
"GetManagedObject",
"(",
"inMo",
",",
"class_id",
",",
"para... | Get the specified MO from UCS Manager.
:param managed_object: MO classid
:in_filter: input filter value
:returns: Managed Object
:raises: UcsException in case of failure. | [
"Get",
"the",
"specified",
"MO",
"from",
"UCS",
"Manager",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/helper.py#L61-L72 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/utils/helper.py | config_managed_object | def config_managed_object(p_dn, p_class_id, class_id,
mo_config, mo_dn, handle=None, delete=True):
"""Configure the specified MO in UCS Manager.
:param uuid: MO config
:param p_dn: parent MO DN
:param p_class_id: parent MO class ID
:param class_id: MO class... | python | def config_managed_object(p_dn, p_class_id, class_id,
mo_config, mo_dn, handle=None, delete=True):
"""Configure the specified MO in UCS Manager.
:param uuid: MO config
:param p_dn: parent MO DN
:param p_class_id: parent MO class ID
:param class_id: MO class... | [
"def",
"config_managed_object",
"(",
"p_dn",
",",
"p_class_id",
",",
"class_id",
",",
"mo_config",
",",
"mo_dn",
",",
"handle",
"=",
"None",
",",
"delete",
"=",
"True",
")",
":",
"if",
"handle",
"is",
"None",
":",
"handle",
"=",
"self",
".",
"handle",
... | Configure the specified MO in UCS Manager.
:param uuid: MO config
:param p_dn: parent MO DN
:param p_class_id: parent MO class ID
:param class_id: MO class ID
:param MO configuration: MO config
:param mo_dn: MO DN value
:param handle: optional UCS Manager handle ... | [
"Configure",
"the",
"specified",
"MO",
"in",
"UCS",
"Manager",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/helper.py#L83-L109 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/query.py | project | def project(*args, **kwargs):
"""
Build a projection for MongoDB.
Due to https://jira.mongodb.org/browse/SERVER-3156, until MongoDB 2.6,
the values must be integers and not boolean.
>>> project(a=True) == {'a': 1}
True
Once MongoDB 2.6 is released, replace use of this function with a simp... | python | def project(*args, **kwargs):
"""
Build a projection for MongoDB.
Due to https://jira.mongodb.org/browse/SERVER-3156, until MongoDB 2.6,
the values must be integers and not boolean.
>>> project(a=True) == {'a': 1}
True
Once MongoDB 2.6 is released, replace use of this function with a simp... | [
"def",
"project",
"(",
"*",
"args",
",",
"**",
"kwargs",
")",
":",
"projection",
"=",
"dict",
"(",
"*",
"args",
",",
"**",
"kwargs",
")",
"return",
"{",
"key",
":",
"int",
"(",
"value",
")",
"for",
"key",
",",
"value",
"in",
"six",
".",
"iteritem... | Build a projection for MongoDB.
Due to https://jira.mongodb.org/browse/SERVER-3156, until MongoDB 2.6,
the values must be integers and not boolean.
>>> project(a=True) == {'a': 1}
True
Once MongoDB 2.6 is released, replace use of this function with a simple
dict. | [
"Build",
"a",
"projection",
"for",
"MongoDB",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/query.py#L6-L20 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/query.py | upsert_and_fetch | def upsert_and_fetch(coll, doc, **kwargs):
"""
Fetch exactly one matching document or upsert
the document if not found, returning the matching
or upserted document.
See https://jira.mongodb.org/browse/SERVER-28434
describing the condition where MongoDB is uninterested in
providing an upsert... | python | def upsert_and_fetch(coll, doc, **kwargs):
"""
Fetch exactly one matching document or upsert
the document if not found, returning the matching
or upserted document.
See https://jira.mongodb.org/browse/SERVER-28434
describing the condition where MongoDB is uninterested in
providing an upsert... | [
"def",
"upsert_and_fetch",
"(",
"coll",
",",
"doc",
",",
"**",
"kwargs",
")",
":",
"return",
"coll",
".",
"find_one_and_update",
"(",
"doc",
",",
"{",
"\"$setOnInsert\"",
":",
"doc",
"}",
",",
"upsert",
"=",
"True",
",",
"return_document",
"=",
"pymongo",
... | Fetch exactly one matching document or upsert
the document if not found, returning the matching
or upserted document.
See https://jira.mongodb.org/browse/SERVER-28434
describing the condition where MongoDB is uninterested in
providing an upsert and fetch behavior.
>>> instance = getfixture('mo... | [
"Fetch",
"exactly",
"one",
"matching",
"document",
"or",
"upsert",
"the",
"document",
"if",
"not",
"found",
"returning",
"the",
"matching",
"or",
"upserted",
"document",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/query.py#L39-L64 | train |
Danielhiversen/pySwitchmate | switchmate/__init__.py | Switchmate.update | def update(self, retry=2) -> None:
"""Synchronize state with switch."""
try:
_LOGGER.debug("Updating device state.")
key = ON_KEY if not self._flip_on_off else OFF_KEY
self.state = self._device.readCharacteristic(HANDLE) == key
except (bluepy.btle.BTLEExceptio... | python | def update(self, retry=2) -> None:
"""Synchronize state with switch."""
try:
_LOGGER.debug("Updating device state.")
key = ON_KEY if not self._flip_on_off else OFF_KEY
self.state = self._device.readCharacteristic(HANDLE) == key
except (bluepy.btle.BTLEExceptio... | [
"def",
"update",
"(",
"self",
",",
"retry",
"=",
"2",
")",
"->",
"None",
":",
"try",
":",
"_LOGGER",
".",
"debug",
"(",
"\"Updating device state.\"",
")",
"key",
"=",
"ON_KEY",
"if",
"not",
"self",
".",
"_flip_on_off",
"else",
"OFF_KEY",
"self",
".",
"... | Synchronize state with switch. | [
"Synchronize",
"state",
"with",
"switch",
"."
] | 9563345d35d7dcc0b920b1939eea9a7897223221 | https://github.com/Danielhiversen/pySwitchmate/blob/9563345d35d7dcc0b920b1939eea9a7897223221/switchmate/__init__.py#L56-L69 | train |
yeraydiazdiaz/lunr.py | lunr/match_data.py | MatchData.combine | def combine(self, other):
"""An instance of lunr.MatchData will be created for every term that
matches a document.
However only one instance is required in a lunr.Index~Result. This
method combines metadata from another instance of MatchData with this
object's metadata.
... | python | def combine(self, other):
"""An instance of lunr.MatchData will be created for every term that
matches a document.
However only one instance is required in a lunr.Index~Result. This
method combines metadata from another instance of MatchData with this
object's metadata.
... | [
"def",
"combine",
"(",
"self",
",",
"other",
")",
":",
"for",
"term",
"in",
"other",
".",
"metadata",
".",
"keys",
"(",
")",
":",
"if",
"term",
"not",
"in",
"self",
".",
"metadata",
":",
"self",
".",
"metadata",
"[",
"term",
"]",
"=",
"{",
"}",
... | An instance of lunr.MatchData will be created for every term that
matches a document.
However only one instance is required in a lunr.Index~Result. This
method combines metadata from another instance of MatchData with this
object's metadata. | [
"An",
"instance",
"of",
"lunr",
".",
"MatchData",
"will",
"be",
"created",
"for",
"every",
"term",
"that",
"matches",
"a",
"document",
"."
] | 28ec3f6d4888295eed730211ee9617aa488d6ba3 | https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/match_data.py#L25-L51 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/utils/power.py | UcsPower.get_power_state | def get_power_state(self):
"""Get current power state of this node
:param node: Ironic node one of :class:`ironic.db.models.Node`
:raises: InvalidParameterValue if required Ucs parameters are
missing
:raises: UcsOperationError: on an error from Ucs.
:ret... | python | def get_power_state(self):
"""Get current power state of this node
:param node: Ironic node one of :class:`ironic.db.models.Node`
:raises: InvalidParameterValue if required Ucs parameters are
missing
:raises: UcsOperationError: on an error from Ucs.
:ret... | [
"def",
"get_power_state",
"(",
"self",
")",
":",
"rn_array",
"=",
"[",
"self",
".",
"helper",
".",
"service_profile",
",",
"ManagedObject",
"(",
"NamingId",
".",
"LS_POWER",
")",
".",
"MakeRn",
"(",
")",
"]",
"try",
":",
"ls_power",
"=",
"ucs_helper",
".... | Get current power state of this node
:param node: Ironic node one of :class:`ironic.db.models.Node`
:raises: InvalidParameterValue if required Ucs parameters are
missing
:raises: UcsOperationError: on an error from Ucs.
:returns: Power state of the given node | [
"Get",
"current",
"power",
"state",
"of",
"this",
"node"
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/power.py#L30-L52 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/utils/power.py | UcsPower.set_power_state | def set_power_state(self, desired_state):
"""Set power state of this node
:param node: Ironic node one of :class:`ironic.db.models.Node`
:raises: InvalidParameterValue if required seamicro parameters are
missing.
:raises: UcsOperationError on an error from U... | python | def set_power_state(self, desired_state):
"""Set power state of this node
:param node: Ironic node one of :class:`ironic.db.models.Node`
:raises: InvalidParameterValue if required seamicro parameters are
missing.
:raises: UcsOperationError on an error from U... | [
"def",
"set_power_state",
"(",
"self",
",",
"desired_state",
")",
":",
"rn_array",
"=",
"[",
"self",
".",
"helper",
".",
"service_profile",
",",
"ManagedObject",
"(",
"NamingId",
".",
"LS_POWER",
")",
".",
"MakeRn",
"(",
")",
"]",
"try",
":",
"ls_power",
... | Set power state of this node
:param node: Ironic node one of :class:`ironic.db.models.Node`
:raises: InvalidParameterValue if required seamicro parameters are
missing.
:raises: UcsOperationError on an error from UcsHandle Client.
:returns: Power state of... | [
"Set",
"power",
"state",
"of",
"this",
"node"
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/power.py#L54-L88 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/utils/power.py | UcsPower.reboot | def reboot(self):
"""Hard reset the power of this node.
"""
if self.get_power_state() == LsPower.CONST_STATE_DOWN:
self.set_power_state(LsPower.CONST_STATE_UP)
else:
self.set_power_state(LsPower.CONST_STATE_HARD_RESET_IMMEDIATE) | python | def reboot(self):
"""Hard reset the power of this node.
"""
if self.get_power_state() == LsPower.CONST_STATE_DOWN:
self.set_power_state(LsPower.CONST_STATE_UP)
else:
self.set_power_state(LsPower.CONST_STATE_HARD_RESET_IMMEDIATE) | [
"def",
"reboot",
"(",
"self",
")",
":",
"if",
"self",
".",
"get_power_state",
"(",
")",
"==",
"LsPower",
".",
"CONST_STATE_DOWN",
":",
"self",
".",
"set_power_state",
"(",
"LsPower",
".",
"CONST_STATE_UP",
")",
"else",
":",
"self",
".",
"set_power_state",
... | Hard reset the power of this node. | [
"Hard",
"reset",
"the",
"power",
"of",
"this",
"node",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/power.py#L90-L96 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/helper.py | connect | def connect(uri, factory=pymongo.MongoClient):
"""
Use the factory to establish a connection to uri.
"""
warnings.warn(
"do not use. Just call MongoClient directly.", DeprecationWarning)
return factory(uri) | python | def connect(uri, factory=pymongo.MongoClient):
"""
Use the factory to establish a connection to uri.
"""
warnings.warn(
"do not use. Just call MongoClient directly.", DeprecationWarning)
return factory(uri) | [
"def",
"connect",
"(",
"uri",
",",
"factory",
"=",
"pymongo",
".",
"MongoClient",
")",
":",
"warnings",
".",
"warn",
"(",
"\"do not use. Just call MongoClient directly.\"",
",",
"DeprecationWarning",
")",
"return",
"factory",
"(",
"uri",
")"
] | Use the factory to establish a connection to uri. | [
"Use",
"the",
"factory",
"to",
"establish",
"a",
"connection",
"to",
"uri",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/helper.py#L18-L24 | train |
jaraco/jaraco.mongodb | jaraco/mongodb/helper.py | connect_gridfs | def connect_gridfs(uri, db=None):
"""
Construct a GridFS instance for a MongoDB URI.
"""
return gridfs.GridFS(
db or connect_db(uri),
collection=get_collection(uri) or 'fs',
) | python | def connect_gridfs(uri, db=None):
"""
Construct a GridFS instance for a MongoDB URI.
"""
return gridfs.GridFS(
db or connect_db(uri),
collection=get_collection(uri) or 'fs',
) | [
"def",
"connect_gridfs",
"(",
"uri",
",",
"db",
"=",
"None",
")",
":",
"return",
"gridfs",
".",
"GridFS",
"(",
"db",
"or",
"connect_db",
"(",
"uri",
")",
",",
"collection",
"=",
"get_collection",
"(",
"uri",
")",
"or",
"'fs'",
",",
")"
] | Construct a GridFS instance for a MongoDB URI. | [
"Construct",
"a",
"GridFS",
"instance",
"for",
"a",
"MongoDB",
"URI",
"."
] | 280f17894941f4babf2e97db033dbb1fd2b9f705 | https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/helper.py#L66-L73 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | Compare | def Compare(fromMo, toMo, diff):
""" Internal method to support CompareManagedObject functionality. """
from UcsBase import UcsUtils
if (fromMo.classId != toMo.classId):
return CompareStatus.TypesDifferent
for prop in UcsUtils.GetUcsPropertyMetaAttributeList(str(fromMo.classId)):
propMeta = UcsUtils.IsPropert... | python | def Compare(fromMo, toMo, diff):
""" Internal method to support CompareManagedObject functionality. """
from UcsBase import UcsUtils
if (fromMo.classId != toMo.classId):
return CompareStatus.TypesDifferent
for prop in UcsUtils.GetUcsPropertyMetaAttributeList(str(fromMo.classId)):
propMeta = UcsUtils.IsPropert... | [
"def",
"Compare",
"(",
"fromMo",
",",
"toMo",
",",
"diff",
")",
":",
"from",
"UcsBase",
"import",
"UcsUtils",
"if",
"(",
"fromMo",
".",
"classId",
"!=",
"toMo",
".",
"classId",
")",
":",
"return",
"CompareStatus",
".",
"TypesDifferent",
"for",
"prop",
"i... | Internal method to support CompareManagedObject functionality. | [
"Internal",
"method",
"to",
"support",
"CompareManagedObject",
"functionality",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L2742-L2761 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | TranslateManagedObject | def TranslateManagedObject(mObj, xlateOrg, xlateMap):
""" Method used to translate a managedobject. This method is used in CompareManagedObject. """
from UcsBase import UcsUtils, WriteUcsWarning
from Mos import OrgOrg
xMO = mObj.Clone()
xMO.SetHandle(mObj.GetHandle())
if (xlateOrg != None):
matchObj = re.match... | python | def TranslateManagedObject(mObj, xlateOrg, xlateMap):
""" Method used to translate a managedobject. This method is used in CompareManagedObject. """
from UcsBase import UcsUtils, WriteUcsWarning
from Mos import OrgOrg
xMO = mObj.Clone()
xMO.SetHandle(mObj.GetHandle())
if (xlateOrg != None):
matchObj = re.match... | [
"def",
"TranslateManagedObject",
"(",
"mObj",
",",
"xlateOrg",
",",
"xlateMap",
")",
":",
"from",
"UcsBase",
"import",
"UcsUtils",
",",
"WriteUcsWarning",
"from",
"Mos",
"import",
"OrgOrg",
"xMO",
"=",
"mObj",
".",
"Clone",
"(",
")",
"xMO",
".",
"SetHandle",... | Method used to translate a managedobject. This method is used in CompareManagedObject. | [
"Method",
"used",
"to",
"translate",
"a",
"managedobject",
".",
"This",
"method",
"is",
"used",
"in",
"CompareManagedObject",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L2764-L2822 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | ImportUcsSession | def ImportUcsSession(filePath, key):
"""
This operation will do a login to each UCS which is present in credential file.
- filePath specifies the path of the credential file.
- key specifies string used for secure encryption while ExportUcsSession operation.
"""
from UcsBase import UcsUtils, WriteUcs... | python | def ImportUcsSession(filePath, key):
"""
This operation will do a login to each UCS which is present in credential file.
- filePath specifies the path of the credential file.
- key specifies string used for secure encryption while ExportUcsSession operation.
"""
from UcsBase import UcsUtils, WriteUcs... | [
"def",
"ImportUcsSession",
"(",
"filePath",
",",
"key",
")",
":",
"from",
"UcsBase",
"import",
"UcsUtils",
",",
"WriteUcsWarning",
",",
"UcsValidationException",
"if",
"filePath",
"is",
"None",
":",
"raise",
"UcsValidationException",
"(",
"\"filePath parameter is not ... | This operation will do a login to each UCS which is present in credential file.
- filePath specifies the path of the credential file.
- key specifies string used for secure encryption while ExportUcsSession operation. | [
"This",
"operation",
"will",
"do",
"a",
"login",
"to",
"each",
"UCS",
"which",
"is",
"present",
"in",
"credential",
"file",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L2950-L3026 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.Uri | def Uri(self):
""" Constructs the connection URI from name, noSsl and port instance variables. """
return ("%s://%s%s" % (("https", "http")[self._noSsl == True], self._name, (":" + str(self._port), "")[
(((self._noSsl == False) and (self._port == 80)) or ((self._noSsl == True) and (self._port == 443)))])) | python | def Uri(self):
""" Constructs the connection URI from name, noSsl and port instance variables. """
return ("%s://%s%s" % (("https", "http")[self._noSsl == True], self._name, (":" + str(self._port), "")[
(((self._noSsl == False) and (self._port == 80)) or ((self._noSsl == True) and (self._port == 443)))])) | [
"def",
"Uri",
"(",
"self",
")",
":",
"return",
"(",
"\"%s://%s%s\"",
"%",
"(",
"(",
"\"https\"",
",",
"\"http\"",
")",
"[",
"self",
".",
"_noSsl",
"==",
"True",
"]",
",",
"self",
".",
"_name",
",",
"(",
"\":\"",
"+",
"str",
"(",
"self",
".",
"_po... | Constructs the connection URI from name, noSsl and port instance variables. | [
"Constructs",
"the",
"connection",
"URI",
"from",
"name",
"noSsl",
"and",
"port",
"instance",
"variables",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L80-L83 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.UndoTransaction | def UndoTransaction(self):
""" Cancels any running transaction. """
from Ucs import ConfigMap
self._transactionInProgress = False
self._configMap = ConfigMap() | python | def UndoTransaction(self):
""" Cancels any running transaction. """
from Ucs import ConfigMap
self._transactionInProgress = False
self._configMap = ConfigMap() | [
"def",
"UndoTransaction",
"(",
"self",
")",
":",
"from",
"Ucs",
"import",
"ConfigMap",
"self",
".",
"_transactionInProgress",
"=",
"False",
"self",
".",
"_configMap",
"=",
"ConfigMap",
"(",
")"
] | Cancels any running transaction. | [
"Cancels",
"any",
"running",
"transaction",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L95-L100 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.CompleteTransaction | def CompleteTransaction(self, dumpXml=None):
"""
Completes a transaction.
This method completes a transaction by sending the final configuration (modification queries stored in configMap) to UCS and
returns the result.
"""
from Ucs import ConfigMap, Pair
from UcsBase import Manage... | python | def CompleteTransaction(self, dumpXml=None):
"""
Completes a transaction.
This method completes a transaction by sending the final configuration (modification queries stored in configMap) to UCS and
returns the result.
"""
from Ucs import ConfigMap, Pair
from UcsBase import Manage... | [
"def",
"CompleteTransaction",
"(",
"self",
",",
"dumpXml",
"=",
"None",
")",
":",
"from",
"Ucs",
"import",
"ConfigMap",
",",
"Pair",
"from",
"UcsBase",
"import",
"ManagedObject",
",",
"WriteUcsWarning",
",",
"WriteObject",
",",
"UcsException",
"self",
".",
"_t... | Completes a transaction.
This method completes a transaction by sending the final configuration (modification queries stored in configMap) to UCS and
returns the result. | [
"Completes",
"a",
"transaction",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L102-L127 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.XmlRawQuery | def XmlRawQuery(self, xml, dumpXml=None):
""" Accepts xmlQuery String and returns xml response String. No object manipulation is done in this method. """
if (dumpXml == None):
dumpXml = self._dumpXml
uri = self.Uri() + '/nuova'
if (dumpXml in _AffirmativeList):
print '%s ====> %s' % (self._ucs, xml)
#... | python | def XmlRawQuery(self, xml, dumpXml=None):
""" Accepts xmlQuery String and returns xml response String. No object manipulation is done in this method. """
if (dumpXml == None):
dumpXml = self._dumpXml
uri = self.Uri() + '/nuova'
if (dumpXml in _AffirmativeList):
print '%s ====> %s' % (self._ucs, xml)
#... | [
"def",
"XmlRawQuery",
"(",
"self",
",",
"xml",
",",
"dumpXml",
"=",
"None",
")",
":",
"if",
"(",
"dumpXml",
"==",
"None",
")",
":",
"dumpXml",
"=",
"self",
".",
"_dumpXml",
"uri",
"=",
"self",
".",
"Uri",
"(",
")",
"+",
"'/nuova'",
"if",
"(",
"du... | Accepts xmlQuery String and returns xml response String. No object manipulation is done in this method. | [
"Accepts",
"xmlQuery",
"String",
"and",
"returns",
"xml",
"response",
"String",
".",
"No",
"object",
"manipulation",
"is",
"done",
"in",
"this",
"method",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L268-L303 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.Logout | def Logout(self, dumpXml=None):
""" Logout method disconnects from UCS. """
from UcsBase import UcsException
if (self._cookie == None):
return True
if self._refreshTimer:
self._refreshTimer.cancel()
response = self.AaaLogout(dumpXml)
self._cookie = None
self._lastUpdateTime = str(time.asctime())
... | python | def Logout(self, dumpXml=None):
""" Logout method disconnects from UCS. """
from UcsBase import UcsException
if (self._cookie == None):
return True
if self._refreshTimer:
self._refreshTimer.cancel()
response = self.AaaLogout(dumpXml)
self._cookie = None
self._lastUpdateTime = str(time.asctime())
... | [
"def",
"Logout",
"(",
"self",
",",
"dumpXml",
"=",
"None",
")",
":",
"from",
"UcsBase",
"import",
"UcsException",
"if",
"(",
"self",
".",
"_cookie",
"==",
"None",
")",
":",
"return",
"True",
"if",
"self",
".",
"_refreshTimer",
":",
"self",
".",
"_refre... | Logout method disconnects from UCS. | [
"Logout",
"method",
"disconnects",
"from",
"UCS",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L397-L422 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle._Start_refresh_timer | def _Start_refresh_timer(self):
""" Internal method to support auto-refresh functionality. """
if self._refreshPeriod > 60:
interval = self._refreshPeriod - 60
else:
interval = 60
self._refreshTimer = Timer(self._refreshPeriod, self.Refresh)
# TODO:handle exit and logout active connections. revert from ... | python | def _Start_refresh_timer(self):
""" Internal method to support auto-refresh functionality. """
if self._refreshPeriod > 60:
interval = self._refreshPeriod - 60
else:
interval = 60
self._refreshTimer = Timer(self._refreshPeriod, self.Refresh)
# TODO:handle exit and logout active connections. revert from ... | [
"def",
"_Start_refresh_timer",
"(",
"self",
")",
":",
"if",
"self",
".",
"_refreshPeriod",
">",
"60",
":",
"interval",
"=",
"self",
".",
"_refreshPeriod",
"-",
"60",
"else",
":",
"interval",
"=",
"60",
"self",
".",
"_refreshTimer",
"=",
"Timer",
"(",
"se... | Internal method to support auto-refresh functionality. | [
"Internal",
"method",
"to",
"support",
"auto",
"-",
"refresh",
"functionality",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L424-L433 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle._start_enqueue_thread | def _start_enqueue_thread(self):
""" Internal method to start the enqueue thread which adds the events in an internal queue. """
self._enqueueThreadSignal.acquire()
self._enqueueThread = Thread(target=self._enqueue_function)
self._enqueueThread.daemon = True
self._enqueueThread.start()
self._enqueueThreadSi... | python | def _start_enqueue_thread(self):
""" Internal method to start the enqueue thread which adds the events in an internal queue. """
self._enqueueThreadSignal.acquire()
self._enqueueThread = Thread(target=self._enqueue_function)
self._enqueueThread.daemon = True
self._enqueueThread.start()
self._enqueueThreadSi... | [
"def",
"_start_enqueue_thread",
"(",
"self",
")",
":",
"self",
".",
"_enqueueThreadSignal",
".",
"acquire",
"(",
")",
"self",
".",
"_enqueueThread",
"=",
"Thread",
"(",
"target",
"=",
"self",
".",
"_enqueue_function",
")",
"self",
".",
"_enqueueThread",
".",
... | Internal method to start the enqueue thread which adds the events in an internal queue. | [
"Internal",
"method",
"to",
"start",
"the",
"enqueue",
"thread",
"which",
"adds",
"the",
"events",
"in",
"an",
"internal",
"queue",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L562-L569 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle._add_watch_block | def _add_watch_block(self, params, filterCb, capacity=500, cb=None):
""" Internal method to add a watch block for starting event monitoring. """
if (self._wbslock == None):
self._wbslock = Lock()
self._wbslock.acquire()
wb = WatchBlock(params, filterCb, capacity, cb) # Add a List of Watchers
if ((wb != N... | python | def _add_watch_block(self, params, filterCb, capacity=500, cb=None):
""" Internal method to add a watch block for starting event monitoring. """
if (self._wbslock == None):
self._wbslock = Lock()
self._wbslock.acquire()
wb = WatchBlock(params, filterCb, capacity, cb) # Add a List of Watchers
if ((wb != N... | [
"def",
"_add_watch_block",
"(",
"self",
",",
"params",
",",
"filterCb",
",",
"capacity",
"=",
"500",
",",
"cb",
"=",
"None",
")",
":",
"if",
"(",
"self",
".",
"_wbslock",
"==",
"None",
")",
":",
"self",
".",
"_wbslock",
"=",
"Lock",
"(",
")",
"self... | Internal method to add a watch block for starting event monitoring. | [
"Internal",
"method",
"to",
"add",
"a",
"watch",
"block",
"for",
"starting",
"event",
"monitoring",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L571-L595 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle._remove_watch_block | def _remove_watch_block(self, wb):
""" Internal method to remove a watch block for stopping event monitoring. """
if (self._wbslock == None):
self._wbslock = Lock()
self._wbslock.acquire()
self._wbs.remove(wb)
if len(self._wbs) == 0:
self._stop_enqueue_thread()
self._stop_dequeue_thread()
self._w... | python | def _remove_watch_block(self, wb):
""" Internal method to remove a watch block for stopping event monitoring. """
if (self._wbslock == None):
self._wbslock = Lock()
self._wbslock.acquire()
self._wbs.remove(wb)
if len(self._wbs) == 0:
self._stop_enqueue_thread()
self._stop_dequeue_thread()
self._w... | [
"def",
"_remove_watch_block",
"(",
"self",
",",
"wb",
")",
":",
"if",
"(",
"self",
".",
"_wbslock",
"==",
"None",
")",
":",
"self",
".",
"_wbslock",
"=",
"Lock",
"(",
")",
"self",
".",
"_wbslock",
".",
"acquire",
"(",
")",
"self",
".",
"_wbs",
".",... | Internal method to remove a watch block for stopping event monitoring. | [
"Internal",
"method",
"to",
"remove",
"a",
"watch",
"block",
"for",
"stopping",
"event",
"monitoring",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L597-L608 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.RemoveEventHandler | def RemoveEventHandler(self, wb):
""" Removes an event handler. """
from UcsBase import WriteUcsWarning
if wb in self._wbs:
self._remove_watch_block(wb)
else:
WriteUcsWarning("Event handler not found") | python | def RemoveEventHandler(self, wb):
""" Removes an event handler. """
from UcsBase import WriteUcsWarning
if wb in self._wbs:
self._remove_watch_block(wb)
else:
WriteUcsWarning("Event handler not found") | [
"def",
"RemoveEventHandler",
"(",
"self",
",",
"wb",
")",
":",
"from",
"UcsBase",
"import",
"WriteUcsWarning",
"if",
"wb",
"in",
"self",
".",
"_wbs",
":",
"self",
".",
"_remove_watch_block",
"(",
"wb",
")",
"else",
":",
"WriteUcsWarning",
"(",
"\"Event handl... | Removes an event handler. | [
"Removes",
"an",
"event",
"handler",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L718-L725 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle._start_dequeue_thread | def _start_dequeue_thread(self):
""" Internal method to start dequeue thread. """
self._dequeueThread = Thread(target=self._dequeue_function)
self._dequeueThread.daemon = True
self._dequeueThread.start() | python | def _start_dequeue_thread(self):
""" Internal method to start dequeue thread. """
self._dequeueThread = Thread(target=self._dequeue_function)
self._dequeueThread.daemon = True
self._dequeueThread.start() | [
"def",
"_start_dequeue_thread",
"(",
"self",
")",
":",
"self",
".",
"_dequeueThread",
"=",
"Thread",
"(",
"target",
"=",
"self",
".",
"_dequeue_function",
")",
"self",
".",
"_dequeueThread",
".",
"daemon",
"=",
"True",
"self",
".",
"_dequeueThread",
".",
"st... | Internal method to start dequeue thread. | [
"Internal",
"method",
"to",
"start",
"dequeue",
"thread",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L731-L735 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.StartGuiSession | def StartGuiSession(self):
""" Launches the UCSM GUI via specific UCS handle. """
from UcsBase import WriteUcsWarning, UcsUtils, UcsValidationException
import urllib, tempfile, fileinput, os, subprocess, platform
osSupport = ["Windows", "Linux", "Microsoft"]
if platform.system() not in osSupport:
raise U... | python | def StartGuiSession(self):
""" Launches the UCSM GUI via specific UCS handle. """
from UcsBase import WriteUcsWarning, UcsUtils, UcsValidationException
import urllib, tempfile, fileinput, os, subprocess, platform
osSupport = ["Windows", "Linux", "Microsoft"]
if platform.system() not in osSupport:
raise U... | [
"def",
"StartGuiSession",
"(",
"self",
")",
":",
"from",
"UcsBase",
"import",
"WriteUcsWarning",
",",
"UcsUtils",
",",
"UcsValidationException",
"import",
"urllib",
",",
"tempfile",
",",
"fileinput",
",",
"os",
",",
"subprocess",
",",
"platform",
"osSupport",
"=... | Launches the UCSM GUI via specific UCS handle. | [
"Launches",
"the",
"UCSM",
"GUI",
"via",
"specific",
"UCS",
"handle",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L1064-L1109 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.ImportUcsBackup | def ImportUcsBackup(self, path=None, merge=False, dumpXml=False):
"""
Imports backUp.
This operation will upload the UCSM backup taken earlier via GUI or BackupUcs operation for all configuration, system configuration, and
logical configuration files. User can perform an import while the system is up and ru... | python | def ImportUcsBackup(self, path=None, merge=False, dumpXml=False):
"""
Imports backUp.
This operation will upload the UCSM backup taken earlier via GUI or BackupUcs operation for all configuration, system configuration, and
logical configuration files. User can perform an import while the system is up and ru... | [
"def",
"ImportUcsBackup",
"(",
"self",
",",
"path",
"=",
"None",
",",
"merge",
"=",
"False",
",",
"dumpXml",
"=",
"False",
")",
":",
"from",
"UcsBase",
"import",
"WriteUcsWarning",
",",
"UcsUtils",
",",
"ManagedObject",
",",
"WriteObject",
",",
"UcsUtils",
... | Imports backUp.
This operation will upload the UCSM backup taken earlier via GUI or BackupUcs operation for all configuration, system configuration, and
logical configuration files. User can perform an import while the system is up and running.
- path specifies path of the backup file.
- merge specifies whe... | [
"Imports",
"backUp",
".",
"This",
"operation",
"will",
"upload",
"the",
"UCSM",
"backup",
"taken",
"earlier",
"via",
"GUI",
"or",
"BackupUcs",
"operation",
"for",
"all",
"configuration",
"system",
"configuration",
"and",
"logical",
"configuration",
"files",
".",
... | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L1224-L1301 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.SendUcsFirmware | def SendUcsFirmware(self, path=None, dumpXml=False):
"""
Uploads a specific CCO Image on UCS.
- path specifies the path of the image to be uploaded.
"""
from UcsBase import WriteUcsWarning, UcsUtils, ManagedObject, WriteObject, UcsUtils, UcsValidationException, \
UcsException
from Ucs import ConfigCon... | python | def SendUcsFirmware(self, path=None, dumpXml=False):
"""
Uploads a specific CCO Image on UCS.
- path specifies the path of the image to be uploaded.
"""
from UcsBase import WriteUcsWarning, UcsUtils, ManagedObject, WriteObject, UcsUtils, UcsValidationException, \
UcsException
from Ucs import ConfigCon... | [
"def",
"SendUcsFirmware",
"(",
"self",
",",
"path",
"=",
"None",
",",
"dumpXml",
"=",
"False",
")",
":",
"from",
"UcsBase",
"import",
"WriteUcsWarning",
",",
"UcsUtils",
",",
"ManagedObject",
",",
"WriteObject",
",",
"UcsUtils",
",",
"UcsValidationException",
... | Uploads a specific CCO Image on UCS.
- path specifies the path of the image to be uploaded. | [
"Uploads",
"a",
"specific",
"CCO",
"Image",
"on",
"UCS",
".",
"-",
"path",
"specifies",
"the",
"path",
"of",
"the",
"image",
"to",
"be",
"uploaded",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L1303-L1375 | train |
CiscoUcs/UcsPythonSDK | src/UcsSdk/UcsHandle_Edit.py | UcsHandle.GetUcsChild | def GetUcsChild(self, inMo=None, inDn=None, classId=None, inHierarchical=False, dumpXml=None):
"""
Gets Child Managed Object from UCS.
- in_mo, if provided, it acts as a parent for the present operation. (required if in_dn is None).
- in_dn, parent mo dn (required if in_mo is None)
- class_id of the managed ... | python | def GetUcsChild(self, inMo=None, inDn=None, classId=None, inHierarchical=False, dumpXml=None):
"""
Gets Child Managed Object from UCS.
- in_mo, if provided, it acts as a parent for the present operation. (required if in_dn is None).
- in_dn, parent mo dn (required if in_mo is None)
- class_id of the managed ... | [
"def",
"GetUcsChild",
"(",
"self",
",",
"inMo",
"=",
"None",
",",
"inDn",
"=",
"None",
",",
"classId",
"=",
"None",
",",
"inHierarchical",
"=",
"False",
",",
"dumpXml",
"=",
"None",
")",
":",
"from",
"UcsBase",
"import",
"UcsValidationException",
",",
"U... | Gets Child Managed Object from UCS.
- in_mo, if provided, it acts as a parent for the present operation. (required if in_dn is None).
- in_dn, parent mo dn (required if in_mo is None)
- class_id of the managed object/s to get.(optional)
- in_hierarchical, Explores hierarchy if true, else returns managed object... | [
"Gets",
"Child",
"Managed",
"Object",
"from",
"UCS",
"."
] | bf6b07d6abeacb922c92b198352eda4eb9e4629b | https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsHandle_Edit.py#L1810-L1835 | train |
tehmaze/natural | natural/text.py | code | def code(sentence, pad=' ', format='army'):
'''
Transform a sentence using the code spelling alphabet, multiple
international code alphabets are supported.
====== ====================================================================
format description
====== ====================================... | python | def code(sentence, pad=' ', format='army'):
'''
Transform a sentence using the code spelling alphabet, multiple
international code alphabets are supported.
====== ====================================================================
format description
====== ====================================... | [
"def",
"code",
"(",
"sentence",
",",
"pad",
"=",
"' '",
",",
"format",
"=",
"'army'",
")",
":",
"try",
":",
"return",
"ALPHABET",
"[",
"'code'",
"]",
"[",
"format",
"]",
"(",
"sentence",
",",
"pad",
"or",
"CODE_PADDING",
"[",
"format",
"]",
")",
"... | Transform a sentence using the code spelling alphabet, multiple
international code alphabets are supported.
====== ====================================================================
format description
====== ====================================================================
army US (internati... | [
"Transform",
"a",
"sentence",
"using",
"the",
"code",
"spelling",
"alphabet",
"multiple",
"international",
"code",
"alphabets",
"are",
"supported",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/text.py#L73-L121 | train |
tehmaze/natural | natural/text.py | nato | def nato(sentence, pad=' ', format='telephony'):
'''
Transform a sentence using the NATO spelling alphabet.
:param sentence: input sentence
:param pad: default ``' '``
:param format: default ``telephony``, options ``telephony`` or ``phonetic``
>>> print(nato('Python'))
papa yankee tango ho... | python | def nato(sentence, pad=' ', format='telephony'):
'''
Transform a sentence using the NATO spelling alphabet.
:param sentence: input sentence
:param pad: default ``' '``
:param format: default ``telephony``, options ``telephony`` or ``phonetic``
>>> print(nato('Python'))
papa yankee tango ho... | [
"def",
"nato",
"(",
"sentence",
",",
"pad",
"=",
"' '",
",",
"format",
"=",
"'telephony'",
")",
":",
"try",
":",
"return",
"''",
"+",
"ALPHABET",
"[",
"'nato'",
"]",
"[",
"format",
"]",
"(",
"sentence",
",",
"pad",
")",
"except",
"KeyError",
":",
"... | Transform a sentence using the NATO spelling alphabet.
:param sentence: input sentence
:param pad: default ``' '``
:param format: default ``telephony``, options ``telephony`` or ``phonetic``
>>> print(nato('Python'))
papa yankee tango hotel oscar november
>>> print(nato('Python', format='phon... | [
"Transform",
"a",
"sentence",
"using",
"the",
"NATO",
"spelling",
"alphabet",
"."
] | d7a1fc9de712f9bcf68884a80826a7977df356fb | https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/text.py#L135-L153 | train |
yeraydiazdiaz/lunr.py | lunr/query.py | Query.clause | def clause(self, *args, **kwargs):
"""Adds a `lunr.Clause` to this query.
Unless the clause contains the fields to be matched all fields will be
matched. In addition a default boost of 1 is applied to the clause.
If the first argument is a `lunr.Clause` it will be mutated and added,
... | python | def clause(self, *args, **kwargs):
"""Adds a `lunr.Clause` to this query.
Unless the clause contains the fields to be matched all fields will be
matched. In addition a default boost of 1 is applied to the clause.
If the first argument is a `lunr.Clause` it will be mutated and added,
... | [
"def",
"clause",
"(",
"self",
",",
"*",
"args",
",",
"**",
"kwargs",
")",
":",
"if",
"args",
"and",
"isinstance",
"(",
"args",
"[",
"0",
"]",
",",
"Clause",
")",
":",
"clause",
"=",
"args",
"[",
"0",
"]",
"else",
":",
"clause",
"=",
"Clause",
"... | Adds a `lunr.Clause` to this query.
Unless the clause contains the fields to be matched all fields will be
matched. In addition a default boost of 1 is applied to the clause.
If the first argument is a `lunr.Clause` it will be mutated and added,
otherwise args and kwargs will be used i... | [
"Adds",
"a",
"lunr",
".",
"Clause",
"to",
"this",
"query",
"."
] | 28ec3f6d4888295eed730211ee9617aa488d6ba3 | https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/query.py#L43-L74 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.