partition
stringclasses 3
values | func_name
stringlengths 1
134
| docstring
stringlengths 1
46.9k
| path
stringlengths 4
223
| original_string
stringlengths 75
104k
| code
stringlengths 75
104k
| docstring_tokens
listlengths 1
1.97k
| repo
stringlengths 7
55
| language
stringclasses 1
value | url
stringlengths 87
315
| code_tokens
listlengths 19
28.4k
| sha
stringlengths 40
40
|
|---|---|---|---|---|---|---|---|---|---|---|---|
test
|
NaturalNamingInterface._set_details_tree_node
|
Renames a given `instance` based on `parent_node` and `name`.
Adds meta information like depth as well.
|
pypet/naturalnaming.py
|
def _set_details_tree_node(self, parent_node, name, instance):
"""Renames a given `instance` based on `parent_node` and `name`.
Adds meta information like depth as well.
"""
depth = parent_node._depth + 1
if parent_node.v_is_root:
branch = name # We add below root
else:
branch = parent_node._branch
if name in self._root_instance._run_information:
run_branch = name
else:
run_branch = parent_node._run_branch
instance._set_details(depth, branch, run_branch)
|
def _set_details_tree_node(self, parent_node, name, instance):
"""Renames a given `instance` based on `parent_node` and `name`.
Adds meta information like depth as well.
"""
depth = parent_node._depth + 1
if parent_node.v_is_root:
branch = name # We add below root
else:
branch = parent_node._branch
if name in self._root_instance._run_information:
run_branch = name
else:
run_branch = parent_node._run_branch
instance._set_details(depth, branch, run_branch)
|
[
"Renames",
"a",
"given",
"instance",
"based",
"on",
"parent_node",
"and",
"name",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1652-L1668
|
[
"def",
"_set_details_tree_node",
"(",
"self",
",",
"parent_node",
",",
"name",
",",
"instance",
")",
":",
"depth",
"=",
"parent_node",
".",
"_depth",
"+",
"1",
"if",
"parent_node",
".",
"v_is_root",
":",
"branch",
"=",
"name",
"# We add below root",
"else",
":",
"branch",
"=",
"parent_node",
".",
"_branch",
"if",
"name",
"in",
"self",
".",
"_root_instance",
".",
"_run_information",
":",
"run_branch",
"=",
"name",
"else",
":",
"run_branch",
"=",
"parent_node",
".",
"_run_branch",
"instance",
".",
"_set_details",
"(",
"depth",
",",
"branch",
",",
"run_branch",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._iter_nodes
|
Returns an iterator over nodes hanging below a given start node.
:param node:
Start node
:param recursive:
Whether recursively also iterate over the children of the start node's children
:param max_depth:
Maximum depth to search for
:param in_search:
if it is used during get search and if detailed info should be returned
:param with_links:
If links should be considered
:param predicate:
A predicate to filter nodes
:return: Iterator
|
pypet/naturalnaming.py
|
def _iter_nodes(self, node, recursive=False, max_depth=float('inf'),
with_links=True, in_search=False, predicate=None):
"""Returns an iterator over nodes hanging below a given start node.
:param node:
Start node
:param recursive:
Whether recursively also iterate over the children of the start node's children
:param max_depth:
Maximum depth to search for
:param in_search:
if it is used during get search and if detailed info should be returned
:param with_links:
If links should be considered
:param predicate:
A predicate to filter nodes
:return: Iterator
"""
def _run_predicate(x, run_name_set):
branch = x.v_run_branch
return branch == 'trajectory' or branch in run_name_set
if max_depth is None:
max_depth = float('inf')
if predicate is None:
predicate = lambda x: True
elif isinstance(predicate, (tuple, list)):
# Create a predicate from a list of run names or run indices
run_list = predicate
run_name_set = set()
for item in run_list:
if item == -1:
run_name_set.add(self._root_instance.f_wildcard('$', -1))
elif isinstance(item, int):
run_name_set.add(self._root_instance.f_idx_to_run(item))
else:
run_name_set.add(item)
predicate = lambda x: _run_predicate(x, run_name_set)
if recursive:
return NaturalNamingInterface._recursive_traversal_bfs(node,
self._root_instance._linked_by,
max_depth, with_links,
in_search, predicate)
else:
iterator = (x for x in self._make_child_iterator(node, with_links) if
predicate(x[2]))
if in_search:
return iterator # Here we return tuples: (depth, name, object)
else:
return (x[2] for x in iterator)
|
def _iter_nodes(self, node, recursive=False, max_depth=float('inf'),
with_links=True, in_search=False, predicate=None):
"""Returns an iterator over nodes hanging below a given start node.
:param node:
Start node
:param recursive:
Whether recursively also iterate over the children of the start node's children
:param max_depth:
Maximum depth to search for
:param in_search:
if it is used during get search and if detailed info should be returned
:param with_links:
If links should be considered
:param predicate:
A predicate to filter nodes
:return: Iterator
"""
def _run_predicate(x, run_name_set):
branch = x.v_run_branch
return branch == 'trajectory' or branch in run_name_set
if max_depth is None:
max_depth = float('inf')
if predicate is None:
predicate = lambda x: True
elif isinstance(predicate, (tuple, list)):
# Create a predicate from a list of run names or run indices
run_list = predicate
run_name_set = set()
for item in run_list:
if item == -1:
run_name_set.add(self._root_instance.f_wildcard('$', -1))
elif isinstance(item, int):
run_name_set.add(self._root_instance.f_idx_to_run(item))
else:
run_name_set.add(item)
predicate = lambda x: _run_predicate(x, run_name_set)
if recursive:
return NaturalNamingInterface._recursive_traversal_bfs(node,
self._root_instance._linked_by,
max_depth, with_links,
in_search, predicate)
else:
iterator = (x for x in self._make_child_iterator(node, with_links) if
predicate(x[2]))
if in_search:
return iterator # Here we return tuples: (depth, name, object)
else:
return (x[2] for x in iterator)
|
[
"Returns",
"an",
"iterator",
"over",
"nodes",
"hanging",
"below",
"a",
"given",
"start",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1678-L1742
|
[
"def",
"_iter_nodes",
"(",
"self",
",",
"node",
",",
"recursive",
"=",
"False",
",",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
",",
"with_links",
"=",
"True",
",",
"in_search",
"=",
"False",
",",
"predicate",
"=",
"None",
")",
":",
"def",
"_run_predicate",
"(",
"x",
",",
"run_name_set",
")",
":",
"branch",
"=",
"x",
".",
"v_run_branch",
"return",
"branch",
"==",
"'trajectory'",
"or",
"branch",
"in",
"run_name_set",
"if",
"max_depth",
"is",
"None",
":",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
"if",
"predicate",
"is",
"None",
":",
"predicate",
"=",
"lambda",
"x",
":",
"True",
"elif",
"isinstance",
"(",
"predicate",
",",
"(",
"tuple",
",",
"list",
")",
")",
":",
"# Create a predicate from a list of run names or run indices",
"run_list",
"=",
"predicate",
"run_name_set",
"=",
"set",
"(",
")",
"for",
"item",
"in",
"run_list",
":",
"if",
"item",
"==",
"-",
"1",
":",
"run_name_set",
".",
"add",
"(",
"self",
".",
"_root_instance",
".",
"f_wildcard",
"(",
"'$'",
",",
"-",
"1",
")",
")",
"elif",
"isinstance",
"(",
"item",
",",
"int",
")",
":",
"run_name_set",
".",
"add",
"(",
"self",
".",
"_root_instance",
".",
"f_idx_to_run",
"(",
"item",
")",
")",
"else",
":",
"run_name_set",
".",
"add",
"(",
"item",
")",
"predicate",
"=",
"lambda",
"x",
":",
"_run_predicate",
"(",
"x",
",",
"run_name_set",
")",
"if",
"recursive",
":",
"return",
"NaturalNamingInterface",
".",
"_recursive_traversal_bfs",
"(",
"node",
",",
"self",
".",
"_root_instance",
".",
"_linked_by",
",",
"max_depth",
",",
"with_links",
",",
"in_search",
",",
"predicate",
")",
"else",
":",
"iterator",
"=",
"(",
"x",
"for",
"x",
"in",
"self",
".",
"_make_child_iterator",
"(",
"node",
",",
"with_links",
")",
"if",
"predicate",
"(",
"x",
"[",
"2",
"]",
")",
")",
"if",
"in_search",
":",
"return",
"iterator",
"# Here we return tuples: (depth, name, object)",
"else",
":",
"return",
"(",
"x",
"[",
"2",
"]",
"for",
"x",
"in",
"iterator",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._to_dict
|
Returns a dictionary with pairings of (full) names as keys and instances as values.
:param fast_access:
If true parameter or result values are returned instead of the
instances.
:param short_names:
If true keys are not full names but only the names.
Raises a ValueError if the names are not unique.
:param nested:
If true returns a nested dictionary.
:param with_links:
If links should be considered
:return: dictionary
:raises: ValueError
|
pypet/naturalnaming.py
|
def _to_dict(self, node, fast_access=True, short_names=False, nested=False,
copy=True, with_links=True):
""" Returns a dictionary with pairings of (full) names as keys and instances as values.
:param fast_access:
If true parameter or result values are returned instead of the
instances.
:param short_names:
If true keys are not full names but only the names.
Raises a ValueError if the names are not unique.
:param nested:
If true returns a nested dictionary.
:param with_links:
If links should be considered
:return: dictionary
:raises: ValueError
"""
if (fast_access or short_names or nested) and not copy:
raise ValueError('You can not request the original data with >>fast_access=True<< or'
' >>short_names=True<< of >>nested=True<<.')
if nested and short_names:
raise ValueError('You cannot use short_names and nested at the '
'same time.')
# First, let's check if we can return the `flat_leaf_storage_dict` or a copy of that, this
# is faster than creating a novel dictionary by tree traversal.
if node.v_is_root:
temp_dict = self._flat_leaf_storage_dict
if not fast_access and not short_names:
if copy:
return temp_dict.copy()
else:
return temp_dict
else:
iterator = temp_dict.values()
else:
iterator = node.f_iter_leaves(with_links=with_links)
# If not we need to build the dict by iterating recursively over all leaves:
result_dict = {}
for val in iterator:
if short_names:
new_key = val.v_name
else:
new_key = val.v_full_name
if new_key in result_dict:
raise ValueError('Your short names are not unique. '
'Duplicate key `%s`!' % new_key)
new_val = self._apply_fast_access(val, fast_access)
result_dict[new_key] = new_val
if nested:
if node.v_is_root:
nest_dict = result_dict
else:
# remove the name of the current node
# such that the nested dictionary starts with the children
strip = len(node.v_full_name) + 1
nest_dict = {key[strip:]: val for key, val in result_dict.items()}
result_dict = nest_dictionary(nest_dict, '.')
return result_dict
|
def _to_dict(self, node, fast_access=True, short_names=False, nested=False,
copy=True, with_links=True):
""" Returns a dictionary with pairings of (full) names as keys and instances as values.
:param fast_access:
If true parameter or result values are returned instead of the
instances.
:param short_names:
If true keys are not full names but only the names.
Raises a ValueError if the names are not unique.
:param nested:
If true returns a nested dictionary.
:param with_links:
If links should be considered
:return: dictionary
:raises: ValueError
"""
if (fast_access or short_names or nested) and not copy:
raise ValueError('You can not request the original data with >>fast_access=True<< or'
' >>short_names=True<< of >>nested=True<<.')
if nested and short_names:
raise ValueError('You cannot use short_names and nested at the '
'same time.')
# First, let's check if we can return the `flat_leaf_storage_dict` or a copy of that, this
# is faster than creating a novel dictionary by tree traversal.
if node.v_is_root:
temp_dict = self._flat_leaf_storage_dict
if not fast_access and not short_names:
if copy:
return temp_dict.copy()
else:
return temp_dict
else:
iterator = temp_dict.values()
else:
iterator = node.f_iter_leaves(with_links=with_links)
# If not we need to build the dict by iterating recursively over all leaves:
result_dict = {}
for val in iterator:
if short_names:
new_key = val.v_name
else:
new_key = val.v_full_name
if new_key in result_dict:
raise ValueError('Your short names are not unique. '
'Duplicate key `%s`!' % new_key)
new_val = self._apply_fast_access(val, fast_access)
result_dict[new_key] = new_val
if nested:
if node.v_is_root:
nest_dict = result_dict
else:
# remove the name of the current node
# such that the nested dictionary starts with the children
strip = len(node.v_full_name) + 1
nest_dict = {key[strip:]: val for key, val in result_dict.items()}
result_dict = nest_dictionary(nest_dict, '.')
return result_dict
|
[
"Returns",
"a",
"dictionary",
"with",
"pairings",
"of",
"(",
"full",
")",
"names",
"as",
"keys",
"and",
"instances",
"as",
"values",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1744-L1821
|
[
"def",
"_to_dict",
"(",
"self",
",",
"node",
",",
"fast_access",
"=",
"True",
",",
"short_names",
"=",
"False",
",",
"nested",
"=",
"False",
",",
"copy",
"=",
"True",
",",
"with_links",
"=",
"True",
")",
":",
"if",
"(",
"fast_access",
"or",
"short_names",
"or",
"nested",
")",
"and",
"not",
"copy",
":",
"raise",
"ValueError",
"(",
"'You can not request the original data with >>fast_access=True<< or'",
"' >>short_names=True<< of >>nested=True<<.'",
")",
"if",
"nested",
"and",
"short_names",
":",
"raise",
"ValueError",
"(",
"'You cannot use short_names and nested at the '",
"'same time.'",
")",
"# First, let's check if we can return the `flat_leaf_storage_dict` or a copy of that, this",
"# is faster than creating a novel dictionary by tree traversal.",
"if",
"node",
".",
"v_is_root",
":",
"temp_dict",
"=",
"self",
".",
"_flat_leaf_storage_dict",
"if",
"not",
"fast_access",
"and",
"not",
"short_names",
":",
"if",
"copy",
":",
"return",
"temp_dict",
".",
"copy",
"(",
")",
"else",
":",
"return",
"temp_dict",
"else",
":",
"iterator",
"=",
"temp_dict",
".",
"values",
"(",
")",
"else",
":",
"iterator",
"=",
"node",
".",
"f_iter_leaves",
"(",
"with_links",
"=",
"with_links",
")",
"# If not we need to build the dict by iterating recursively over all leaves:",
"result_dict",
"=",
"{",
"}",
"for",
"val",
"in",
"iterator",
":",
"if",
"short_names",
":",
"new_key",
"=",
"val",
".",
"v_name",
"else",
":",
"new_key",
"=",
"val",
".",
"v_full_name",
"if",
"new_key",
"in",
"result_dict",
":",
"raise",
"ValueError",
"(",
"'Your short names are not unique. '",
"'Duplicate key `%s`!'",
"%",
"new_key",
")",
"new_val",
"=",
"self",
".",
"_apply_fast_access",
"(",
"val",
",",
"fast_access",
")",
"result_dict",
"[",
"new_key",
"]",
"=",
"new_val",
"if",
"nested",
":",
"if",
"node",
".",
"v_is_root",
":",
"nest_dict",
"=",
"result_dict",
"else",
":",
"# remove the name of the current node",
"# such that the nested dictionary starts with the children",
"strip",
"=",
"len",
"(",
"node",
".",
"v_full_name",
")",
"+",
"1",
"nest_dict",
"=",
"{",
"key",
"[",
"strip",
":",
"]",
":",
"val",
"for",
"key",
",",
"val",
"in",
"result_dict",
".",
"items",
"(",
")",
"}",
"result_dict",
"=",
"nest_dictionary",
"(",
"nest_dict",
",",
"'.'",
")",
"return",
"result_dict"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._make_child_iterator
|
Returns an iterator over a node's children.
In case of using a trajectory as a run (setting 'v_crun') some sub branches
that do not belong to the run are blinded out.
|
pypet/naturalnaming.py
|
def _make_child_iterator(node, with_links, current_depth=0):
"""Returns an iterator over a node's children.
In case of using a trajectory as a run (setting 'v_crun') some sub branches
that do not belong to the run are blinded out.
"""
cdp1 = current_depth + 1
if with_links:
iterator = ((cdp1, x[0], x[1]) for x in node._children.items())
else:
leaves = ((cdp1, x[0], x[1]) for x in node._leaves.items())
groups = ((cdp1, y[0], y[1]) for y in node._groups.items())
iterator = itools.chain(groups, leaves)
return iterator
|
def _make_child_iterator(node, with_links, current_depth=0):
"""Returns an iterator over a node's children.
In case of using a trajectory as a run (setting 'v_crun') some sub branches
that do not belong to the run are blinded out.
"""
cdp1 = current_depth + 1
if with_links:
iterator = ((cdp1, x[0], x[1]) for x in node._children.items())
else:
leaves = ((cdp1, x[0], x[1]) for x in node._leaves.items())
groups = ((cdp1, y[0], y[1]) for y in node._groups.items())
iterator = itools.chain(groups, leaves)
return iterator
|
[
"Returns",
"an",
"iterator",
"over",
"a",
"node",
"s",
"children",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1824-L1838
|
[
"def",
"_make_child_iterator",
"(",
"node",
",",
"with_links",
",",
"current_depth",
"=",
"0",
")",
":",
"cdp1",
"=",
"current_depth",
"+",
"1",
"if",
"with_links",
":",
"iterator",
"=",
"(",
"(",
"cdp1",
",",
"x",
"[",
"0",
"]",
",",
"x",
"[",
"1",
"]",
")",
"for",
"x",
"in",
"node",
".",
"_children",
".",
"items",
"(",
")",
")",
"else",
":",
"leaves",
"=",
"(",
"(",
"cdp1",
",",
"x",
"[",
"0",
"]",
",",
"x",
"[",
"1",
"]",
")",
"for",
"x",
"in",
"node",
".",
"_leaves",
".",
"items",
"(",
")",
")",
"groups",
"=",
"(",
"(",
"cdp1",
",",
"y",
"[",
"0",
"]",
",",
"y",
"[",
"1",
"]",
")",
"for",
"y",
"in",
"node",
".",
"_groups",
".",
"items",
"(",
")",
")",
"iterator",
"=",
"itools",
".",
"chain",
"(",
"groups",
",",
"leaves",
")",
"return",
"iterator"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._recursive_traversal_bfs
|
Iterator function traversing the tree below `node` in breadth first search manner.
If `run_name` is given only sub branches of this run are considered and the rest is
blinded out.
|
pypet/naturalnaming.py
|
def _recursive_traversal_bfs(node, linked_by=None,
max_depth=float('inf'),
with_links=True, in_search=False, predicate=None):
"""Iterator function traversing the tree below `node` in breadth first search manner.
If `run_name` is given only sub branches of this run are considered and the rest is
blinded out.
"""
if predicate is None:
predicate = lambda x: True
iterator_queue = IteratorChain([(0, node.v_name, node)])
#iterator_queue = iter([(0, node.v_name, node)])
start = True
visited_linked_nodes = set([])
while True:
try:
depth, name, item = next(iterator_queue)
full_name = item._full_name
if start or predicate(item):
if full_name in visited_linked_nodes:
if in_search:
# We need to return the node again to check if a link to the node
# has to be found
yield depth, name, item
elif depth <= max_depth:
if start:
start = False
else:
if in_search:
yield depth, name, item
else:
yield item
if full_name in linked_by:
visited_linked_nodes.add(full_name)
if not item._is_leaf and depth < max_depth:
child_iterator = NaturalNamingInterface._make_child_iterator(item,
with_links,
current_depth=depth)
iterator_queue.add(child_iterator)
#iterator_queue = itools.chain(iterator_queue, child_iterator)
except StopIteration:
break
|
def _recursive_traversal_bfs(node, linked_by=None,
max_depth=float('inf'),
with_links=True, in_search=False, predicate=None):
"""Iterator function traversing the tree below `node` in breadth first search manner.
If `run_name` is given only sub branches of this run are considered and the rest is
blinded out.
"""
if predicate is None:
predicate = lambda x: True
iterator_queue = IteratorChain([(0, node.v_name, node)])
#iterator_queue = iter([(0, node.v_name, node)])
start = True
visited_linked_nodes = set([])
while True:
try:
depth, name, item = next(iterator_queue)
full_name = item._full_name
if start or predicate(item):
if full_name in visited_linked_nodes:
if in_search:
# We need to return the node again to check if a link to the node
# has to be found
yield depth, name, item
elif depth <= max_depth:
if start:
start = False
else:
if in_search:
yield depth, name, item
else:
yield item
if full_name in linked_by:
visited_linked_nodes.add(full_name)
if not item._is_leaf and depth < max_depth:
child_iterator = NaturalNamingInterface._make_child_iterator(item,
with_links,
current_depth=depth)
iterator_queue.add(child_iterator)
#iterator_queue = itools.chain(iterator_queue, child_iterator)
except StopIteration:
break
|
[
"Iterator",
"function",
"traversing",
"the",
"tree",
"below",
"node",
"in",
"breadth",
"first",
"search",
"manner",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1841-L1888
|
[
"def",
"_recursive_traversal_bfs",
"(",
"node",
",",
"linked_by",
"=",
"None",
",",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
",",
"with_links",
"=",
"True",
",",
"in_search",
"=",
"False",
",",
"predicate",
"=",
"None",
")",
":",
"if",
"predicate",
"is",
"None",
":",
"predicate",
"=",
"lambda",
"x",
":",
"True",
"iterator_queue",
"=",
"IteratorChain",
"(",
"[",
"(",
"0",
",",
"node",
".",
"v_name",
",",
"node",
")",
"]",
")",
"#iterator_queue = iter([(0, node.v_name, node)])",
"start",
"=",
"True",
"visited_linked_nodes",
"=",
"set",
"(",
"[",
"]",
")",
"while",
"True",
":",
"try",
":",
"depth",
",",
"name",
",",
"item",
"=",
"next",
"(",
"iterator_queue",
")",
"full_name",
"=",
"item",
".",
"_full_name",
"if",
"start",
"or",
"predicate",
"(",
"item",
")",
":",
"if",
"full_name",
"in",
"visited_linked_nodes",
":",
"if",
"in_search",
":",
"# We need to return the node again to check if a link to the node",
"# has to be found",
"yield",
"depth",
",",
"name",
",",
"item",
"elif",
"depth",
"<=",
"max_depth",
":",
"if",
"start",
":",
"start",
"=",
"False",
"else",
":",
"if",
"in_search",
":",
"yield",
"depth",
",",
"name",
",",
"item",
"else",
":",
"yield",
"item",
"if",
"full_name",
"in",
"linked_by",
":",
"visited_linked_nodes",
".",
"add",
"(",
"full_name",
")",
"if",
"not",
"item",
".",
"_is_leaf",
"and",
"depth",
"<",
"max_depth",
":",
"child_iterator",
"=",
"NaturalNamingInterface",
".",
"_make_child_iterator",
"(",
"item",
",",
"with_links",
",",
"current_depth",
"=",
"depth",
")",
"iterator_queue",
".",
"add",
"(",
"child_iterator",
")",
"#iterator_queue = itools.chain(iterator_queue, child_iterator)",
"except",
"StopIteration",
":",
"break"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._very_fast_search
|
Fast search for a node in the tree.
The tree is not traversed but the reference dictionaries are searched.
:param node:
Parent node to start from
:param key:
Name of node to find
:param max_depth:
Maximum depth.
:param with_links:
If we work with links than we can only be sure to found the node in case we
have a single match. Otherwise the other match might have been linked as well.
:param crun:
If given only nodes belonging to this particular run are searched and the rest
is blinded out.
:return: The found node and its depth
:raises:
TooManyGroupsError:
If search cannot performed fast enough, an alternative search method is needed.
NotUniqueNodeError:
If several nodes match the key criterion
|
pypet/naturalnaming.py
|
def _very_fast_search(self, node, key, max_depth, with_links, crun):
"""Fast search for a node in the tree.
The tree is not traversed but the reference dictionaries are searched.
:param node:
Parent node to start from
:param key:
Name of node to find
:param max_depth:
Maximum depth.
:param with_links:
If we work with links than we can only be sure to found the node in case we
have a single match. Otherwise the other match might have been linked as well.
:param crun:
If given only nodes belonging to this particular run are searched and the rest
is blinded out.
:return: The found node and its depth
:raises:
TooManyGroupsError:
If search cannot performed fast enough, an alternative search method is needed.
NotUniqueNodeError:
If several nodes match the key criterion
"""
if key in self._links_count:
return
parent_full_name = node.v_full_name
starting_depth = node.v_depth
candidate_dict = self._get_candidate_dict(key, crun)
# If there are to many potential candidates sequential search might be too slow
if with_links:
upper_bound = 1
else:
upper_bound = FAST_UPPER_BOUND
if len(candidate_dict) > upper_bound:
raise pex.TooManyGroupsError('Too many nodes')
# Next check if the found candidates could be reached from the parent node
result_node = None
for goal_name in candidate_dict:
# Check if we have found a matching node
if goal_name.startswith(parent_full_name):
candidate = candidate_dict[goal_name]
if candidate.v_depth - starting_depth <= max_depth:
# In case of several solutions raise an error:
if result_node is not None:
raise pex.NotUniqueNodeError('Node `%s` has been found more than once, '
'full name of first occurrence is `%s` and of'
'second `%s`'
% (key, goal_name, result_node.v_full_name))
result_node = candidate
if result_node is not None:
return result_node, result_node.v_depth
|
def _very_fast_search(self, node, key, max_depth, with_links, crun):
"""Fast search for a node in the tree.
The tree is not traversed but the reference dictionaries are searched.
:param node:
Parent node to start from
:param key:
Name of node to find
:param max_depth:
Maximum depth.
:param with_links:
If we work with links than we can only be sure to found the node in case we
have a single match. Otherwise the other match might have been linked as well.
:param crun:
If given only nodes belonging to this particular run are searched and the rest
is blinded out.
:return: The found node and its depth
:raises:
TooManyGroupsError:
If search cannot performed fast enough, an alternative search method is needed.
NotUniqueNodeError:
If several nodes match the key criterion
"""
if key in self._links_count:
return
parent_full_name = node.v_full_name
starting_depth = node.v_depth
candidate_dict = self._get_candidate_dict(key, crun)
# If there are to many potential candidates sequential search might be too slow
if with_links:
upper_bound = 1
else:
upper_bound = FAST_UPPER_BOUND
if len(candidate_dict) > upper_bound:
raise pex.TooManyGroupsError('Too many nodes')
# Next check if the found candidates could be reached from the parent node
result_node = None
for goal_name in candidate_dict:
# Check if we have found a matching node
if goal_name.startswith(parent_full_name):
candidate = candidate_dict[goal_name]
if candidate.v_depth - starting_depth <= max_depth:
# In case of several solutions raise an error:
if result_node is not None:
raise pex.NotUniqueNodeError('Node `%s` has been found more than once, '
'full name of first occurrence is `%s` and of'
'second `%s`'
% (key, goal_name, result_node.v_full_name))
result_node = candidate
if result_node is not None:
return result_node, result_node.v_depth
|
[
"Fast",
"search",
"for",
"a",
"node",
"in",
"the",
"tree",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1914-L1987
|
[
"def",
"_very_fast_search",
"(",
"self",
",",
"node",
",",
"key",
",",
"max_depth",
",",
"with_links",
",",
"crun",
")",
":",
"if",
"key",
"in",
"self",
".",
"_links_count",
":",
"return",
"parent_full_name",
"=",
"node",
".",
"v_full_name",
"starting_depth",
"=",
"node",
".",
"v_depth",
"candidate_dict",
"=",
"self",
".",
"_get_candidate_dict",
"(",
"key",
",",
"crun",
")",
"# If there are to many potential candidates sequential search might be too slow",
"if",
"with_links",
":",
"upper_bound",
"=",
"1",
"else",
":",
"upper_bound",
"=",
"FAST_UPPER_BOUND",
"if",
"len",
"(",
"candidate_dict",
")",
">",
"upper_bound",
":",
"raise",
"pex",
".",
"TooManyGroupsError",
"(",
"'Too many nodes'",
")",
"# Next check if the found candidates could be reached from the parent node",
"result_node",
"=",
"None",
"for",
"goal_name",
"in",
"candidate_dict",
":",
"# Check if we have found a matching node",
"if",
"goal_name",
".",
"startswith",
"(",
"parent_full_name",
")",
":",
"candidate",
"=",
"candidate_dict",
"[",
"goal_name",
"]",
"if",
"candidate",
".",
"v_depth",
"-",
"starting_depth",
"<=",
"max_depth",
":",
"# In case of several solutions raise an error:",
"if",
"result_node",
"is",
"not",
"None",
":",
"raise",
"pex",
".",
"NotUniqueNodeError",
"(",
"'Node `%s` has been found more than once, '",
"'full name of first occurrence is `%s` and of'",
"'second `%s`'",
"%",
"(",
"key",
",",
"goal_name",
",",
"result_node",
".",
"v_full_name",
")",
")",
"result_node",
"=",
"candidate",
"if",
"result_node",
"is",
"not",
"None",
":",
"return",
"result_node",
",",
"result_node",
".",
"v_depth"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._search
|
Searches for an item in the tree below `node`
:param node:
The parent node below which the search is performed
:param key:
Name to search for. Can be the short name, the full name or parts of it
:param max_depth:
maximum search depth.
:param with_links:
If links should be considered
:param crun:
Used for very fast search if we know we operate in a single run branch
:return: The found node and the depth it was found for
|
pypet/naturalnaming.py
|
def _search(self, node, key, max_depth=float('inf'), with_links=True, crun=None):
""" Searches for an item in the tree below `node`
:param node:
The parent node below which the search is performed
:param key:
Name to search for. Can be the short name, the full name or parts of it
:param max_depth:
maximum search depth.
:param with_links:
If links should be considered
:param crun:
Used for very fast search if we know we operate in a single run branch
:return: The found node and the depth it was found for
"""
# If we find it directly there is no need for an exhaustive search
if key in node._children and (with_links or key not in node._links):
return node._children[key], 1
# First the very fast search is tried that does not need tree traversal.
try:
result = self._very_fast_search(node, key, max_depth, with_links, crun)
if result:
return result
except pex.TooManyGroupsError:
pass
except pex.NotUniqueNodeError:
pass
# Slowly traverse the entire tree
nodes_iterator = self._iter_nodes(node, recursive=True,
max_depth=max_depth, in_search=True,
with_links=with_links)
result_node = None
result_depth = float('inf')
for depth, name, child in nodes_iterator:
if depth > result_depth:
# We can break here because we enter a deeper stage of the tree and we
# cannot find matching node of the same depth as the one we found
break
if key == name:
# If result_node is not None means that we care about uniqueness and the search
# has found more than a single solution.
if result_node is not None:
raise pex.NotUniqueNodeError('Node `%s` has been found more than once within '
'the same depth %d. '
'Full name of first occurrence is `%s` and of '
'second `%s`'
% (key, child.v_depth, result_node.v_full_name,
child.v_full_name))
result_node = child
result_depth = depth
return result_node, result_depth
|
def _search(self, node, key, max_depth=float('inf'), with_links=True, crun=None):
""" Searches for an item in the tree below `node`
:param node:
The parent node below which the search is performed
:param key:
Name to search for. Can be the short name, the full name or parts of it
:param max_depth:
maximum search depth.
:param with_links:
If links should be considered
:param crun:
Used for very fast search if we know we operate in a single run branch
:return: The found node and the depth it was found for
"""
# If we find it directly there is no need for an exhaustive search
if key in node._children and (with_links or key not in node._links):
return node._children[key], 1
# First the very fast search is tried that does not need tree traversal.
try:
result = self._very_fast_search(node, key, max_depth, with_links, crun)
if result:
return result
except pex.TooManyGroupsError:
pass
except pex.NotUniqueNodeError:
pass
# Slowly traverse the entire tree
nodes_iterator = self._iter_nodes(node, recursive=True,
max_depth=max_depth, in_search=True,
with_links=with_links)
result_node = None
result_depth = float('inf')
for depth, name, child in nodes_iterator:
if depth > result_depth:
# We can break here because we enter a deeper stage of the tree and we
# cannot find matching node of the same depth as the one we found
break
if key == name:
# If result_node is not None means that we care about uniqueness and the search
# has found more than a single solution.
if result_node is not None:
raise pex.NotUniqueNodeError('Node `%s` has been found more than once within '
'the same depth %d. '
'Full name of first occurrence is `%s` and of '
'second `%s`'
% (key, child.v_depth, result_node.v_full_name,
child.v_full_name))
result_node = child
result_depth = depth
return result_node, result_depth
|
[
"Searches",
"for",
"an",
"item",
"in",
"the",
"tree",
"below",
"node"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L1989-L2057
|
[
"def",
"_search",
"(",
"self",
",",
"node",
",",
"key",
",",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
",",
"with_links",
"=",
"True",
",",
"crun",
"=",
"None",
")",
":",
"# If we find it directly there is no need for an exhaustive search",
"if",
"key",
"in",
"node",
".",
"_children",
"and",
"(",
"with_links",
"or",
"key",
"not",
"in",
"node",
".",
"_links",
")",
":",
"return",
"node",
".",
"_children",
"[",
"key",
"]",
",",
"1",
"# First the very fast search is tried that does not need tree traversal.",
"try",
":",
"result",
"=",
"self",
".",
"_very_fast_search",
"(",
"node",
",",
"key",
",",
"max_depth",
",",
"with_links",
",",
"crun",
")",
"if",
"result",
":",
"return",
"result",
"except",
"pex",
".",
"TooManyGroupsError",
":",
"pass",
"except",
"pex",
".",
"NotUniqueNodeError",
":",
"pass",
"# Slowly traverse the entire tree",
"nodes_iterator",
"=",
"self",
".",
"_iter_nodes",
"(",
"node",
",",
"recursive",
"=",
"True",
",",
"max_depth",
"=",
"max_depth",
",",
"in_search",
"=",
"True",
",",
"with_links",
"=",
"with_links",
")",
"result_node",
"=",
"None",
"result_depth",
"=",
"float",
"(",
"'inf'",
")",
"for",
"depth",
",",
"name",
",",
"child",
"in",
"nodes_iterator",
":",
"if",
"depth",
">",
"result_depth",
":",
"# We can break here because we enter a deeper stage of the tree and we",
"# cannot find matching node of the same depth as the one we found",
"break",
"if",
"key",
"==",
"name",
":",
"# If result_node is not None means that we care about uniqueness and the search",
"# has found more than a single solution.",
"if",
"result_node",
"is",
"not",
"None",
":",
"raise",
"pex",
".",
"NotUniqueNodeError",
"(",
"'Node `%s` has been found more than once within '",
"'the same depth %d. '",
"'Full name of first occurrence is `%s` and of '",
"'second `%s`'",
"%",
"(",
"key",
",",
"child",
".",
"v_depth",
",",
"result_node",
".",
"v_full_name",
",",
"child",
".",
"v_full_name",
")",
")",
"result_node",
"=",
"child",
"result_depth",
"=",
"depth",
"return",
"result_node",
",",
"result_depth"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._backwards_search
|
Performs a backwards search from the terminal node back to the start node
:param start_node:
The node from where search starts, or here better way where backwards search should
end.
:param split_name:
List of names
:param max_depth:
Maximum search depth where to look for
:param shortcuts:
If shortcuts are allowed
|
pypet/naturalnaming.py
|
def _backwards_search(self, start_node, split_name, max_depth=float('inf'), shortcuts=True):
""" Performs a backwards search from the terminal node back to the start node
:param start_node:
The node from where search starts, or here better way where backwards search should
end.
:param split_name:
List of names
:param max_depth:
Maximum search depth where to look for
:param shortcuts:
If shortcuts are allowed
"""
result_list = [] # Result list of all found items
full_name_set = set() # Set containing full names of all found items to avoid finding items
# twice due to links
colon_name = '.'.join(split_name)
key = split_name[-1]
candidate_dict = self._get_candidate_dict(key, None, use_upper_bound=False)
parent_full_name = start_node.v_full_name
split_length = len(split_name)
for candidate_name in candidate_dict:
# Check if candidate startswith the parent's name
candidate = candidate_dict[candidate_name]
if key != candidate.v_name or candidate.v_full_name in full_name_set:
# If this is not the case we do have link, that we need to skip
continue
if candidate_name.startswith(parent_full_name):
if parent_full_name != '':
reduced_candidate_name = candidate_name[len(parent_full_name) + 1:]
else:
reduced_candidate_name = candidate_name
candidate_split_name = reduced_candidate_name.split('.')
if len(candidate_split_name) > max_depth:
break
if len(split_name) == 1 or reduced_candidate_name.endswith(colon_name):
result_list.append(candidate)
full_name_set.add(candidate.v_full_name)
elif shortcuts:
candidate_set = set(candidate_split_name)
climbing = True
for name in split_name:
if name not in candidate_set:
climbing = False
break
if climbing:
count = 0
candidate_length = len(candidate_split_name)
for idx in range(candidate_length):
if idx + split_length - count > candidate_length:
break
if split_name[count] == candidate_split_name[idx]:
count += 1
if count == len(split_name):
result_list.append(candidate)
full_name_set.add(candidate.v_full_name)
break
return result_list
|
def _backwards_search(self, start_node, split_name, max_depth=float('inf'), shortcuts=True):
""" Performs a backwards search from the terminal node back to the start node
:param start_node:
The node from where search starts, or here better way where backwards search should
end.
:param split_name:
List of names
:param max_depth:
Maximum search depth where to look for
:param shortcuts:
If shortcuts are allowed
"""
result_list = [] # Result list of all found items
full_name_set = set() # Set containing full names of all found items to avoid finding items
# twice due to links
colon_name = '.'.join(split_name)
key = split_name[-1]
candidate_dict = self._get_candidate_dict(key, None, use_upper_bound=False)
parent_full_name = start_node.v_full_name
split_length = len(split_name)
for candidate_name in candidate_dict:
# Check if candidate startswith the parent's name
candidate = candidate_dict[candidate_name]
if key != candidate.v_name or candidate.v_full_name in full_name_set:
# If this is not the case we do have link, that we need to skip
continue
if candidate_name.startswith(parent_full_name):
if parent_full_name != '':
reduced_candidate_name = candidate_name[len(parent_full_name) + 1:]
else:
reduced_candidate_name = candidate_name
candidate_split_name = reduced_candidate_name.split('.')
if len(candidate_split_name) > max_depth:
break
if len(split_name) == 1 or reduced_candidate_name.endswith(colon_name):
result_list.append(candidate)
full_name_set.add(candidate.v_full_name)
elif shortcuts:
candidate_set = set(candidate_split_name)
climbing = True
for name in split_name:
if name not in candidate_set:
climbing = False
break
if climbing:
count = 0
candidate_length = len(candidate_split_name)
for idx in range(candidate_length):
if idx + split_length - count > candidate_length:
break
if split_name[count] == candidate_split_name[idx]:
count += 1
if count == len(split_name):
result_list.append(candidate)
full_name_set.add(candidate.v_full_name)
break
return result_list
|
[
"Performs",
"a",
"backwards",
"search",
"from",
"the",
"terminal",
"node",
"back",
"to",
"the",
"start",
"node"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2059-L2138
|
[
"def",
"_backwards_search",
"(",
"self",
",",
"start_node",
",",
"split_name",
",",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
",",
"shortcuts",
"=",
"True",
")",
":",
"result_list",
"=",
"[",
"]",
"# Result list of all found items",
"full_name_set",
"=",
"set",
"(",
")",
"# Set containing full names of all found items to avoid finding items",
"# twice due to links",
"colon_name",
"=",
"'.'",
".",
"join",
"(",
"split_name",
")",
"key",
"=",
"split_name",
"[",
"-",
"1",
"]",
"candidate_dict",
"=",
"self",
".",
"_get_candidate_dict",
"(",
"key",
",",
"None",
",",
"use_upper_bound",
"=",
"False",
")",
"parent_full_name",
"=",
"start_node",
".",
"v_full_name",
"split_length",
"=",
"len",
"(",
"split_name",
")",
"for",
"candidate_name",
"in",
"candidate_dict",
":",
"# Check if candidate startswith the parent's name",
"candidate",
"=",
"candidate_dict",
"[",
"candidate_name",
"]",
"if",
"key",
"!=",
"candidate",
".",
"v_name",
"or",
"candidate",
".",
"v_full_name",
"in",
"full_name_set",
":",
"# If this is not the case we do have link, that we need to skip",
"continue",
"if",
"candidate_name",
".",
"startswith",
"(",
"parent_full_name",
")",
":",
"if",
"parent_full_name",
"!=",
"''",
":",
"reduced_candidate_name",
"=",
"candidate_name",
"[",
"len",
"(",
"parent_full_name",
")",
"+",
"1",
":",
"]",
"else",
":",
"reduced_candidate_name",
"=",
"candidate_name",
"candidate_split_name",
"=",
"reduced_candidate_name",
".",
"split",
"(",
"'.'",
")",
"if",
"len",
"(",
"candidate_split_name",
")",
">",
"max_depth",
":",
"break",
"if",
"len",
"(",
"split_name",
")",
"==",
"1",
"or",
"reduced_candidate_name",
".",
"endswith",
"(",
"colon_name",
")",
":",
"result_list",
".",
"append",
"(",
"candidate",
")",
"full_name_set",
".",
"add",
"(",
"candidate",
".",
"v_full_name",
")",
"elif",
"shortcuts",
":",
"candidate_set",
"=",
"set",
"(",
"candidate_split_name",
")",
"climbing",
"=",
"True",
"for",
"name",
"in",
"split_name",
":",
"if",
"name",
"not",
"in",
"candidate_set",
":",
"climbing",
"=",
"False",
"break",
"if",
"climbing",
":",
"count",
"=",
"0",
"candidate_length",
"=",
"len",
"(",
"candidate_split_name",
")",
"for",
"idx",
"in",
"range",
"(",
"candidate_length",
")",
":",
"if",
"idx",
"+",
"split_length",
"-",
"count",
">",
"candidate_length",
":",
"break",
"if",
"split_name",
"[",
"count",
"]",
"==",
"candidate_split_name",
"[",
"idx",
"]",
":",
"count",
"+=",
"1",
"if",
"count",
"==",
"len",
"(",
"split_name",
")",
":",
"result_list",
".",
"append",
"(",
"candidate",
")",
"full_name_set",
".",
"add",
"(",
"candidate",
".",
"v_full_name",
")",
"break",
"return",
"result_list"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._get_all
|
Searches for all occurrences of `name` under `node`.
:param node:
Start node
:param name:
Name what to look for can be longer and separated by colons, i.e.
`mygroupA.mygroupB.myparam`.
:param max_depth:
Maximum depth to search for relative to start node.
:param shortcuts:
If shortcuts are allowed
:return:
List of nodes that match the name, empty list if nothing was found.
|
pypet/naturalnaming.py
|
def _get_all(self, node, name, max_depth, shortcuts):
""" Searches for all occurrences of `name` under `node`.
:param node:
Start node
:param name:
Name what to look for can be longer and separated by colons, i.e.
`mygroupA.mygroupB.myparam`.
:param max_depth:
Maximum depth to search for relative to start node.
:param shortcuts:
If shortcuts are allowed
:return:
List of nodes that match the name, empty list if nothing was found.
"""
if max_depth is None:
max_depth = float('inf')
if isinstance(name, list):
split_name = name
elif isinstance(name, tuple):
split_name = list(name)
elif isinstance(name, int):
split_name = [name]
else:
split_name = name.split('.')
for idx, key in enumerate(split_name):
_, key = self._translate_shortcut(key)
_, key = self._replace_wildcards(key)
split_name[idx] = key
return self._backwards_search(node, split_name, max_depth, shortcuts)
|
def _get_all(self, node, name, max_depth, shortcuts):
""" Searches for all occurrences of `name` under `node`.
:param node:
Start node
:param name:
Name what to look for can be longer and separated by colons, i.e.
`mygroupA.mygroupB.myparam`.
:param max_depth:
Maximum depth to search for relative to start node.
:param shortcuts:
If shortcuts are allowed
:return:
List of nodes that match the name, empty list if nothing was found.
"""
if max_depth is None:
max_depth = float('inf')
if isinstance(name, list):
split_name = name
elif isinstance(name, tuple):
split_name = list(name)
elif isinstance(name, int):
split_name = [name]
else:
split_name = name.split('.')
for idx, key in enumerate(split_name):
_, key = self._translate_shortcut(key)
_, key = self._replace_wildcards(key)
split_name[idx] = key
return self._backwards_search(node, split_name, max_depth, shortcuts)
|
[
"Searches",
"for",
"all",
"occurrences",
"of",
"name",
"under",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2140-L2183
|
[
"def",
"_get_all",
"(",
"self",
",",
"node",
",",
"name",
",",
"max_depth",
",",
"shortcuts",
")",
":",
"if",
"max_depth",
"is",
"None",
":",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
"if",
"isinstance",
"(",
"name",
",",
"list",
")",
":",
"split_name",
"=",
"name",
"elif",
"isinstance",
"(",
"name",
",",
"tuple",
")",
":",
"split_name",
"=",
"list",
"(",
"name",
")",
"elif",
"isinstance",
"(",
"name",
",",
"int",
")",
":",
"split_name",
"=",
"[",
"name",
"]",
"else",
":",
"split_name",
"=",
"name",
".",
"split",
"(",
"'.'",
")",
"for",
"idx",
",",
"key",
"in",
"enumerate",
"(",
"split_name",
")",
":",
"_",
",",
"key",
"=",
"self",
".",
"_translate_shortcut",
"(",
"key",
")",
"_",
",",
"key",
"=",
"self",
".",
"_replace_wildcards",
"(",
"key",
")",
"split_name",
"[",
"idx",
"]",
"=",
"key",
"return",
"self",
".",
"_backwards_search",
"(",
"node",
",",
"split_name",
",",
"max_depth",
",",
"shortcuts",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._get
|
Searches for an item (parameter/result/group node) with the given `name`.
:param node: The node below which the search is performed
:param name: Name of the item (full name or parts of the full name)
:param fast_access: If the result is a parameter, whether fast access should be applied.
:param max_depth:
Maximum search depth relative to start node.
:param auto_load:
If data should be automatically loaded
:param with_links
If links should be considered
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError if no node with the given name can be found.
Raises errors that are raised by the storage service if `auto_load=True` and
item cannot be found.
|
pypet/naturalnaming.py
|
def _get(self, node, name, fast_access,
shortcuts, max_depth, auto_load, with_links):
"""Searches for an item (parameter/result/group node) with the given `name`.
:param node: The node below which the search is performed
:param name: Name of the item (full name or parts of the full name)
:param fast_access: If the result is a parameter, whether fast access should be applied.
:param max_depth:
Maximum search depth relative to start node.
:param auto_load:
If data should be automatically loaded
:param with_links
If links should be considered
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError if no node with the given name can be found.
Raises errors that are raised by the storage service if `auto_load=True` and
item cannot be found.
"""
if auto_load and not with_links:
raise ValueError('If you allow auto-loading you mus allow links.')
if isinstance(name, list):
split_name = name
elif isinstance(name, tuple):
split_name = list(name)
elif isinstance(name, int):
split_name = [name]
else:
split_name = name.split('.')
if node.v_is_root:
# We want to add `parameters`, `config`, `derived_parameters` and `results`
# on the fly if they don't exist
if len(split_name) == 1 and split_name[0] == '':
return node
key = split_name[0]
_, key = self._translate_shortcut(key)
if key in SUBTREE_MAPPING and key not in node._children:
node.f_add_group(key)
if max_depth is None:
max_depth = float('inf')
if len(split_name) > max_depth and shortcuts:
raise ValueError(
'Name of node to search for (%s) is longer thant the maximum depth %d' %
(str(name), max_depth))
try_auto_load_directly1 = False
try_auto_load_directly2 = False
wildcard_positions = []
root = self._root_instance
# # Rename shortcuts and check keys:
for idx, key in enumerate(split_name):
translated_shortcut, key = self._translate_shortcut(key)
if translated_shortcut:
split_name[idx] = key
if key[0] == '_':
raise AttributeError('Leading underscores are not allowed '
'for group or parameter '
'names. Cannot return %s.' % key)
is_wildcard = self._root_instance.f_is_wildcard(key)
if (not is_wildcard and key not in self._nodes_and_leaves and
key not in self._links_count):
try_auto_load_directly1 = True
try_auto_load_directly2 = True
if is_wildcard:
wildcard_positions.append((idx, key))
if root.f_wildcard(key) not in self._nodes_and_leaves:
try_auto_load_directly1 = True
if root.f_wildcard(key, -1) not in self._nodes_and_leaves:
try_auto_load_directly2 = True
run_idx = root.v_idx
wildcard_exception = None # Helper variable to store the exception thrown in case
# of using a wildcard, to be re-thrown later on.
if try_auto_load_directly1 and try_auto_load_directly2 and not auto_load:
for wildcard_pos, wildcard in wildcard_positions:
split_name[wildcard_pos] = root.f_wildcard(wildcard, run_idx)
raise AttributeError('%s is not part of your trajectory or it\'s tree. ' %
str('.'.join(split_name)))
if run_idx > -1:
# If we count the wildcard we have to perform the search twice,
# one with a run name and one with the dummy:
with self._disable_logging:
try:
for wildcard_pos, wildcard in wildcard_positions:
split_name[wildcard_pos] = root.f_wildcard(wildcard, run_idx)
result = self._perform_get(node, split_name, fast_access,
shortcuts, max_depth, auto_load, with_links,
try_auto_load_directly1)
return result
except (pex.DataNotInStorageError, AttributeError) as exc:
wildcard_exception = exc
if wildcard_positions:
for wildcard_pos, wildcard in wildcard_positions:
split_name[wildcard_pos] = root.f_wildcard(wildcard, -1)
try:
return self._perform_get(node, split_name, fast_access,
shortcuts, max_depth, auto_load, with_links,
try_auto_load_directly2)
except (pex.DataNotInStorageError, AttributeError):
# Re-raise the old error in case it was thronw already
if wildcard_exception is not None:
raise wildcard_exception
else:
raise
|
def _get(self, node, name, fast_access,
shortcuts, max_depth, auto_load, with_links):
"""Searches for an item (parameter/result/group node) with the given `name`.
:param node: The node below which the search is performed
:param name: Name of the item (full name or parts of the full name)
:param fast_access: If the result is a parameter, whether fast access should be applied.
:param max_depth:
Maximum search depth relative to start node.
:param auto_load:
If data should be automatically loaded
:param with_links
If links should be considered
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError if no node with the given name can be found.
Raises errors that are raised by the storage service if `auto_load=True` and
item cannot be found.
"""
if auto_load and not with_links:
raise ValueError('If you allow auto-loading you mus allow links.')
if isinstance(name, list):
split_name = name
elif isinstance(name, tuple):
split_name = list(name)
elif isinstance(name, int):
split_name = [name]
else:
split_name = name.split('.')
if node.v_is_root:
# We want to add `parameters`, `config`, `derived_parameters` and `results`
# on the fly if they don't exist
if len(split_name) == 1 and split_name[0] == '':
return node
key = split_name[0]
_, key = self._translate_shortcut(key)
if key in SUBTREE_MAPPING and key not in node._children:
node.f_add_group(key)
if max_depth is None:
max_depth = float('inf')
if len(split_name) > max_depth and shortcuts:
raise ValueError(
'Name of node to search for (%s) is longer thant the maximum depth %d' %
(str(name), max_depth))
try_auto_load_directly1 = False
try_auto_load_directly2 = False
wildcard_positions = []
root = self._root_instance
# # Rename shortcuts and check keys:
for idx, key in enumerate(split_name):
translated_shortcut, key = self._translate_shortcut(key)
if translated_shortcut:
split_name[idx] = key
if key[0] == '_':
raise AttributeError('Leading underscores are not allowed '
'for group or parameter '
'names. Cannot return %s.' % key)
is_wildcard = self._root_instance.f_is_wildcard(key)
if (not is_wildcard and key not in self._nodes_and_leaves and
key not in self._links_count):
try_auto_load_directly1 = True
try_auto_load_directly2 = True
if is_wildcard:
wildcard_positions.append((idx, key))
if root.f_wildcard(key) not in self._nodes_and_leaves:
try_auto_load_directly1 = True
if root.f_wildcard(key, -1) not in self._nodes_and_leaves:
try_auto_load_directly2 = True
run_idx = root.v_idx
wildcard_exception = None # Helper variable to store the exception thrown in case
# of using a wildcard, to be re-thrown later on.
if try_auto_load_directly1 and try_auto_load_directly2 and not auto_load:
for wildcard_pos, wildcard in wildcard_positions:
split_name[wildcard_pos] = root.f_wildcard(wildcard, run_idx)
raise AttributeError('%s is not part of your trajectory or it\'s tree. ' %
str('.'.join(split_name)))
if run_idx > -1:
# If we count the wildcard we have to perform the search twice,
# one with a run name and one with the dummy:
with self._disable_logging:
try:
for wildcard_pos, wildcard in wildcard_positions:
split_name[wildcard_pos] = root.f_wildcard(wildcard, run_idx)
result = self._perform_get(node, split_name, fast_access,
shortcuts, max_depth, auto_load, with_links,
try_auto_load_directly1)
return result
except (pex.DataNotInStorageError, AttributeError) as exc:
wildcard_exception = exc
if wildcard_positions:
for wildcard_pos, wildcard in wildcard_positions:
split_name[wildcard_pos] = root.f_wildcard(wildcard, -1)
try:
return self._perform_get(node, split_name, fast_access,
shortcuts, max_depth, auto_load, with_links,
try_auto_load_directly2)
except (pex.DataNotInStorageError, AttributeError):
# Re-raise the old error in case it was thronw already
if wildcard_exception is not None:
raise wildcard_exception
else:
raise
|
[
"Searches",
"for",
"an",
"item",
"(",
"parameter",
"/",
"result",
"/",
"group",
"node",
")",
"with",
"the",
"given",
"name",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2205-L2335
|
[
"def",
"_get",
"(",
"self",
",",
"node",
",",
"name",
",",
"fast_access",
",",
"shortcuts",
",",
"max_depth",
",",
"auto_load",
",",
"with_links",
")",
":",
"if",
"auto_load",
"and",
"not",
"with_links",
":",
"raise",
"ValueError",
"(",
"'If you allow auto-loading you mus allow links.'",
")",
"if",
"isinstance",
"(",
"name",
",",
"list",
")",
":",
"split_name",
"=",
"name",
"elif",
"isinstance",
"(",
"name",
",",
"tuple",
")",
":",
"split_name",
"=",
"list",
"(",
"name",
")",
"elif",
"isinstance",
"(",
"name",
",",
"int",
")",
":",
"split_name",
"=",
"[",
"name",
"]",
"else",
":",
"split_name",
"=",
"name",
".",
"split",
"(",
"'.'",
")",
"if",
"node",
".",
"v_is_root",
":",
"# We want to add `parameters`, `config`, `derived_parameters` and `results`",
"# on the fly if they don't exist",
"if",
"len",
"(",
"split_name",
")",
"==",
"1",
"and",
"split_name",
"[",
"0",
"]",
"==",
"''",
":",
"return",
"node",
"key",
"=",
"split_name",
"[",
"0",
"]",
"_",
",",
"key",
"=",
"self",
".",
"_translate_shortcut",
"(",
"key",
")",
"if",
"key",
"in",
"SUBTREE_MAPPING",
"and",
"key",
"not",
"in",
"node",
".",
"_children",
":",
"node",
".",
"f_add_group",
"(",
"key",
")",
"if",
"max_depth",
"is",
"None",
":",
"max_depth",
"=",
"float",
"(",
"'inf'",
")",
"if",
"len",
"(",
"split_name",
")",
">",
"max_depth",
"and",
"shortcuts",
":",
"raise",
"ValueError",
"(",
"'Name of node to search for (%s) is longer thant the maximum depth %d'",
"%",
"(",
"str",
"(",
"name",
")",
",",
"max_depth",
")",
")",
"try_auto_load_directly1",
"=",
"False",
"try_auto_load_directly2",
"=",
"False",
"wildcard_positions",
"=",
"[",
"]",
"root",
"=",
"self",
".",
"_root_instance",
"# # Rename shortcuts and check keys:",
"for",
"idx",
",",
"key",
"in",
"enumerate",
"(",
"split_name",
")",
":",
"translated_shortcut",
",",
"key",
"=",
"self",
".",
"_translate_shortcut",
"(",
"key",
")",
"if",
"translated_shortcut",
":",
"split_name",
"[",
"idx",
"]",
"=",
"key",
"if",
"key",
"[",
"0",
"]",
"==",
"'_'",
":",
"raise",
"AttributeError",
"(",
"'Leading underscores are not allowed '",
"'for group or parameter '",
"'names. Cannot return %s.'",
"%",
"key",
")",
"is_wildcard",
"=",
"self",
".",
"_root_instance",
".",
"f_is_wildcard",
"(",
"key",
")",
"if",
"(",
"not",
"is_wildcard",
"and",
"key",
"not",
"in",
"self",
".",
"_nodes_and_leaves",
"and",
"key",
"not",
"in",
"self",
".",
"_links_count",
")",
":",
"try_auto_load_directly1",
"=",
"True",
"try_auto_load_directly2",
"=",
"True",
"if",
"is_wildcard",
":",
"wildcard_positions",
".",
"append",
"(",
"(",
"idx",
",",
"key",
")",
")",
"if",
"root",
".",
"f_wildcard",
"(",
"key",
")",
"not",
"in",
"self",
".",
"_nodes_and_leaves",
":",
"try_auto_load_directly1",
"=",
"True",
"if",
"root",
".",
"f_wildcard",
"(",
"key",
",",
"-",
"1",
")",
"not",
"in",
"self",
".",
"_nodes_and_leaves",
":",
"try_auto_load_directly2",
"=",
"True",
"run_idx",
"=",
"root",
".",
"v_idx",
"wildcard_exception",
"=",
"None",
"# Helper variable to store the exception thrown in case",
"# of using a wildcard, to be re-thrown later on.",
"if",
"try_auto_load_directly1",
"and",
"try_auto_load_directly2",
"and",
"not",
"auto_load",
":",
"for",
"wildcard_pos",
",",
"wildcard",
"in",
"wildcard_positions",
":",
"split_name",
"[",
"wildcard_pos",
"]",
"=",
"root",
".",
"f_wildcard",
"(",
"wildcard",
",",
"run_idx",
")",
"raise",
"AttributeError",
"(",
"'%s is not part of your trajectory or it\\'s tree. '",
"%",
"str",
"(",
"'.'",
".",
"join",
"(",
"split_name",
")",
")",
")",
"if",
"run_idx",
">",
"-",
"1",
":",
"# If we count the wildcard we have to perform the search twice,",
"# one with a run name and one with the dummy:",
"with",
"self",
".",
"_disable_logging",
":",
"try",
":",
"for",
"wildcard_pos",
",",
"wildcard",
"in",
"wildcard_positions",
":",
"split_name",
"[",
"wildcard_pos",
"]",
"=",
"root",
".",
"f_wildcard",
"(",
"wildcard",
",",
"run_idx",
")",
"result",
"=",
"self",
".",
"_perform_get",
"(",
"node",
",",
"split_name",
",",
"fast_access",
",",
"shortcuts",
",",
"max_depth",
",",
"auto_load",
",",
"with_links",
",",
"try_auto_load_directly1",
")",
"return",
"result",
"except",
"(",
"pex",
".",
"DataNotInStorageError",
",",
"AttributeError",
")",
"as",
"exc",
":",
"wildcard_exception",
"=",
"exc",
"if",
"wildcard_positions",
":",
"for",
"wildcard_pos",
",",
"wildcard",
"in",
"wildcard_positions",
":",
"split_name",
"[",
"wildcard_pos",
"]",
"=",
"root",
".",
"f_wildcard",
"(",
"wildcard",
",",
"-",
"1",
")",
"try",
":",
"return",
"self",
".",
"_perform_get",
"(",
"node",
",",
"split_name",
",",
"fast_access",
",",
"shortcuts",
",",
"max_depth",
",",
"auto_load",
",",
"with_links",
",",
"try_auto_load_directly2",
")",
"except",
"(",
"pex",
".",
"DataNotInStorageError",
",",
"AttributeError",
")",
":",
"# Re-raise the old error in case it was thronw already",
"if",
"wildcard_exception",
"is",
"not",
"None",
":",
"raise",
"wildcard_exception",
"else",
":",
"raise"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NaturalNamingInterface._perform_get
|
Searches for an item (parameter/result/group node) with the given `name`.
:param node: The node below which the search is performed
:param split_name: Name split into list according to '.'
:param fast_access: If the result is a parameter, whether fast access should be applied.
:param max_depth:
Maximum search depth relative to start node.
:param auto_load:
If data should be automatically loaded
:param with_links:
If links should be considered.
:param try_auto_load_directly:
If one should skip search and directly try auto_loading
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError if no node with the given name can be found
Raises errors that are raiesd by the storage service if `auto_load=True`
|
pypet/naturalnaming.py
|
def _perform_get(self, node, split_name, fast_access,
shortcuts, max_depth, auto_load, with_links,
try_auto_load_directly):
"""Searches for an item (parameter/result/group node) with the given `name`.
:param node: The node below which the search is performed
:param split_name: Name split into list according to '.'
:param fast_access: If the result is a parameter, whether fast access should be applied.
:param max_depth:
Maximum search depth relative to start node.
:param auto_load:
If data should be automatically loaded
:param with_links:
If links should be considered.
:param try_auto_load_directly:
If one should skip search and directly try auto_loading
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError if no node with the given name can be found
Raises errors that are raiesd by the storage service if `auto_load=True`
"""
result = None
name = '.'.join(split_name)
if len(split_name) > max_depth:
raise AttributeError('The node or param/result `%s`, cannot be found under `%s`'
'The name you are looking for is larger than the maximum '
'search depth.' %
(name, node.v_full_name))
if shortcuts and not try_auto_load_directly:
first = split_name[0]
if len(split_name) == 1 and first in node._children and (with_links or
first not in node._links):
result = node._children[first]
else:
result = self._check_flat_dicts(node, split_name)
if result is None:
# Check in O(N) with `N` number of groups and nodes
# [Worst Case O(N), average case is better
# since looking into a single dict costs O(1)].
result = node
crun = None
for key in split_name:
if key in self._root_instance._run_information:
crun = key
result, depth = self._search(result, key, max_depth, with_links, crun)
max_depth -= depth
if result is None:
break
elif not try_auto_load_directly:
result = node
for name in split_name:
if name in result._children and (with_links or not name in result._links):
result = result._children[name]
else:
raise AttributeError(
'You did not allow for shortcuts and `%s` was not directly '
'found under node `%s`.' % (name, result.v_full_name))
if result is None and auto_load:
try:
result = node.f_load_child('.'.join(split_name),
load_data=pypetconstants.LOAD_DATA)
if (self._root_instance.v_idx != -1 and
result.v_is_leaf and
result.v_is_parameter and
result.v_explored):
result._set_parameter_access(self._root_instance.v_idx)
except:
self._logger.error('Error while auto-loading `%s` under `%s`.' %
(name, node.v_full_name))
raise
if result is None:
raise AttributeError('The node or param/result `%s`, cannot be found under `%s`' %
(name, node.v_full_name))
if result.v_is_leaf:
if auto_load and result.f_is_empty():
try:
self._root_instance.f_load_item(result)
if (self._root_instance.v_idx != -1 and
result.v_is_parameter and
result.v_explored):
result._set_parameter_access(self._root_instance.v_idx)
except:
self._logger.error('Error while auto-loading `%s` under `%s`. I found the '
'item but I could not load the data.' %
(name, node.v_full_name))
raise
return self._apply_fast_access(result, fast_access)
else:
return result
|
def _perform_get(self, node, split_name, fast_access,
shortcuts, max_depth, auto_load, with_links,
try_auto_load_directly):
"""Searches for an item (parameter/result/group node) with the given `name`.
:param node: The node below which the search is performed
:param split_name: Name split into list according to '.'
:param fast_access: If the result is a parameter, whether fast access should be applied.
:param max_depth:
Maximum search depth relative to start node.
:param auto_load:
If data should be automatically loaded
:param with_links:
If links should be considered.
:param try_auto_load_directly:
If one should skip search and directly try auto_loading
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError if no node with the given name can be found
Raises errors that are raiesd by the storage service if `auto_load=True`
"""
result = None
name = '.'.join(split_name)
if len(split_name) > max_depth:
raise AttributeError('The node or param/result `%s`, cannot be found under `%s`'
'The name you are looking for is larger than the maximum '
'search depth.' %
(name, node.v_full_name))
if shortcuts and not try_auto_load_directly:
first = split_name[0]
if len(split_name) == 1 and first in node._children and (with_links or
first not in node._links):
result = node._children[first]
else:
result = self._check_flat_dicts(node, split_name)
if result is None:
# Check in O(N) with `N` number of groups and nodes
# [Worst Case O(N), average case is better
# since looking into a single dict costs O(1)].
result = node
crun = None
for key in split_name:
if key in self._root_instance._run_information:
crun = key
result, depth = self._search(result, key, max_depth, with_links, crun)
max_depth -= depth
if result is None:
break
elif not try_auto_load_directly:
result = node
for name in split_name:
if name in result._children and (with_links or not name in result._links):
result = result._children[name]
else:
raise AttributeError(
'You did not allow for shortcuts and `%s` was not directly '
'found under node `%s`.' % (name, result.v_full_name))
if result is None and auto_load:
try:
result = node.f_load_child('.'.join(split_name),
load_data=pypetconstants.LOAD_DATA)
if (self._root_instance.v_idx != -1 and
result.v_is_leaf and
result.v_is_parameter and
result.v_explored):
result._set_parameter_access(self._root_instance.v_idx)
except:
self._logger.error('Error while auto-loading `%s` under `%s`.' %
(name, node.v_full_name))
raise
if result is None:
raise AttributeError('The node or param/result `%s`, cannot be found under `%s`' %
(name, node.v_full_name))
if result.v_is_leaf:
if auto_load and result.f_is_empty():
try:
self._root_instance.f_load_item(result)
if (self._root_instance.v_idx != -1 and
result.v_is_parameter and
result.v_explored):
result._set_parameter_access(self._root_instance.v_idx)
except:
self._logger.error('Error while auto-loading `%s` under `%s`. I found the '
'item but I could not load the data.' %
(name, node.v_full_name))
raise
return self._apply_fast_access(result, fast_access)
else:
return result
|
[
"Searches",
"for",
"an",
"item",
"(",
"parameter",
"/",
"result",
"/",
"group",
"node",
")",
"with",
"the",
"given",
"name",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2337-L2453
|
[
"def",
"_perform_get",
"(",
"self",
",",
"node",
",",
"split_name",
",",
"fast_access",
",",
"shortcuts",
",",
"max_depth",
",",
"auto_load",
",",
"with_links",
",",
"try_auto_load_directly",
")",
":",
"result",
"=",
"None",
"name",
"=",
"'.'",
".",
"join",
"(",
"split_name",
")",
"if",
"len",
"(",
"split_name",
")",
">",
"max_depth",
":",
"raise",
"AttributeError",
"(",
"'The node or param/result `%s`, cannot be found under `%s`'",
"'The name you are looking for is larger than the maximum '",
"'search depth.'",
"%",
"(",
"name",
",",
"node",
".",
"v_full_name",
")",
")",
"if",
"shortcuts",
"and",
"not",
"try_auto_load_directly",
":",
"first",
"=",
"split_name",
"[",
"0",
"]",
"if",
"len",
"(",
"split_name",
")",
"==",
"1",
"and",
"first",
"in",
"node",
".",
"_children",
"and",
"(",
"with_links",
"or",
"first",
"not",
"in",
"node",
".",
"_links",
")",
":",
"result",
"=",
"node",
".",
"_children",
"[",
"first",
"]",
"else",
":",
"result",
"=",
"self",
".",
"_check_flat_dicts",
"(",
"node",
",",
"split_name",
")",
"if",
"result",
"is",
"None",
":",
"# Check in O(N) with `N` number of groups and nodes",
"# [Worst Case O(N), average case is better",
"# since looking into a single dict costs O(1)].",
"result",
"=",
"node",
"crun",
"=",
"None",
"for",
"key",
"in",
"split_name",
":",
"if",
"key",
"in",
"self",
".",
"_root_instance",
".",
"_run_information",
":",
"crun",
"=",
"key",
"result",
",",
"depth",
"=",
"self",
".",
"_search",
"(",
"result",
",",
"key",
",",
"max_depth",
",",
"with_links",
",",
"crun",
")",
"max_depth",
"-=",
"depth",
"if",
"result",
"is",
"None",
":",
"break",
"elif",
"not",
"try_auto_load_directly",
":",
"result",
"=",
"node",
"for",
"name",
"in",
"split_name",
":",
"if",
"name",
"in",
"result",
".",
"_children",
"and",
"(",
"with_links",
"or",
"not",
"name",
"in",
"result",
".",
"_links",
")",
":",
"result",
"=",
"result",
".",
"_children",
"[",
"name",
"]",
"else",
":",
"raise",
"AttributeError",
"(",
"'You did not allow for shortcuts and `%s` was not directly '",
"'found under node `%s`.'",
"%",
"(",
"name",
",",
"result",
".",
"v_full_name",
")",
")",
"if",
"result",
"is",
"None",
"and",
"auto_load",
":",
"try",
":",
"result",
"=",
"node",
".",
"f_load_child",
"(",
"'.'",
".",
"join",
"(",
"split_name",
")",
",",
"load_data",
"=",
"pypetconstants",
".",
"LOAD_DATA",
")",
"if",
"(",
"self",
".",
"_root_instance",
".",
"v_idx",
"!=",
"-",
"1",
"and",
"result",
".",
"v_is_leaf",
"and",
"result",
".",
"v_is_parameter",
"and",
"result",
".",
"v_explored",
")",
":",
"result",
".",
"_set_parameter_access",
"(",
"self",
".",
"_root_instance",
".",
"v_idx",
")",
"except",
":",
"self",
".",
"_logger",
".",
"error",
"(",
"'Error while auto-loading `%s` under `%s`.'",
"%",
"(",
"name",
",",
"node",
".",
"v_full_name",
")",
")",
"raise",
"if",
"result",
"is",
"None",
":",
"raise",
"AttributeError",
"(",
"'The node or param/result `%s`, cannot be found under `%s`'",
"%",
"(",
"name",
",",
"node",
".",
"v_full_name",
")",
")",
"if",
"result",
".",
"v_is_leaf",
":",
"if",
"auto_load",
"and",
"result",
".",
"f_is_empty",
"(",
")",
":",
"try",
":",
"self",
".",
"_root_instance",
".",
"f_load_item",
"(",
"result",
")",
"if",
"(",
"self",
".",
"_root_instance",
".",
"v_idx",
"!=",
"-",
"1",
"and",
"result",
".",
"v_is_parameter",
"and",
"result",
".",
"v_explored",
")",
":",
"result",
".",
"_set_parameter_access",
"(",
"self",
".",
"_root_instance",
".",
"v_idx",
")",
"except",
":",
"self",
".",
"_logger",
".",
"error",
"(",
"'Error while auto-loading `%s` under `%s`. I found the '",
"'item but I could not load the data.'",
"%",
"(",
"name",
",",
"node",
".",
"v_full_name",
")",
")",
"raise",
"return",
"self",
".",
"_apply_fast_access",
"(",
"result",
",",
"fast_access",
")",
"else",
":",
"return",
"result"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.kids
|
Alternative naming, you can use `node.kids.name` instead of `node.name`
for easier tab completion.
|
pypet/naturalnaming.py
|
def kids(self):
"""Alternative naming, you can use `node.kids.name` instead of `node.name`
for easier tab completion."""
if self._kids is None:
self._kids = NNTreeNodeKids(self)
return self._kids
|
def kids(self):
"""Alternative naming, you can use `node.kids.name` instead of `node.name`
for easier tab completion."""
if self._kids is None:
self._kids = NNTreeNodeKids(self)
return self._kids
|
[
"Alternative",
"naming",
"you",
"can",
"use",
"node",
".",
"kids",
".",
"name",
"instead",
"of",
"node",
".",
"name",
"for",
"easier",
"tab",
"completion",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2503-L2508
|
[
"def",
"kids",
"(",
"self",
")",
":",
"if",
"self",
".",
"_kids",
"is",
"None",
":",
"self",
".",
"_kids",
"=",
"NNTreeNodeKids",
"(",
"self",
")",
"return",
"self",
".",
"_kids"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode._add_group_from_storage
|
Can be called from storage service to create a new group to bypass name checking
|
pypet/naturalnaming.py
|
def _add_group_from_storage(self, args, kwargs):
"""Can be called from storage service to create a new group to bypass name checking"""
return self._nn_interface._add_generic(self,
type_name=GROUP,
group_type_name=GROUP,
args=args,
kwargs=kwargs,
add_prefix=False,
check_naming=False)
|
def _add_group_from_storage(self, args, kwargs):
"""Can be called from storage service to create a new group to bypass name checking"""
return self._nn_interface._add_generic(self,
type_name=GROUP,
group_type_name=GROUP,
args=args,
kwargs=kwargs,
add_prefix=False,
check_naming=False)
|
[
"Can",
"be",
"called",
"from",
"storage",
"service",
"to",
"create",
"a",
"new",
"group",
"to",
"bypass",
"name",
"checking"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2546-L2554
|
[
"def",
"_add_group_from_storage",
"(",
"self",
",",
"args",
",",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"GROUP",
",",
"group_type_name",
"=",
"GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
",",
"add_prefix",
"=",
"False",
",",
"check_naming",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode._add_leaf_from_storage
|
Can be called from storage service to create a new leaf to bypass name checking
|
pypet/naturalnaming.py
|
def _add_leaf_from_storage(self, args, kwargs):
"""Can be called from storage service to create a new leaf to bypass name checking"""
return self._nn_interface._add_generic(self,
type_name=LEAF,
group_type_name=GROUP,
args=args, kwargs=kwargs,
add_prefix=False,
check_naming=False)
|
def _add_leaf_from_storage(self, args, kwargs):
"""Can be called from storage service to create a new leaf to bypass name checking"""
return self._nn_interface._add_generic(self,
type_name=LEAF,
group_type_name=GROUP,
args=args, kwargs=kwargs,
add_prefix=False,
check_naming=False)
|
[
"Can",
"be",
"called",
"from",
"storage",
"service",
"to",
"create",
"a",
"new",
"leaf",
"to",
"bypass",
"name",
"checking"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2556-L2563
|
[
"def",
"_add_leaf_from_storage",
"(",
"self",
",",
"args",
",",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"LEAF",
",",
"group_type_name",
"=",
"GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
",",
"add_prefix",
"=",
"False",
",",
"check_naming",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_dir_data
|
Returns a list of all children names
|
pypet/naturalnaming.py
|
def f_dir_data(self):
"""Returns a list of all children names"""
if (self._nn_interface is not None and
self._nn_interface._root_instance is not None
and self.v_root.v_auto_load):
try:
if self.v_is_root:
self.f_load(recursive=True, max_depth=1,
load_data=pypetconstants.LOAD_SKELETON,
with_meta_data=False,
with_run_information=False)
else:
self.f_load(recursive=True, max_depth=1, load_data=pypetconstants.LOAD_SKELETON)
except Exception as exc:
pass
return list(self._children.keys())
|
def f_dir_data(self):
"""Returns a list of all children names"""
if (self._nn_interface is not None and
self._nn_interface._root_instance is not None
and self.v_root.v_auto_load):
try:
if self.v_is_root:
self.f_load(recursive=True, max_depth=1,
load_data=pypetconstants.LOAD_SKELETON,
with_meta_data=False,
with_run_information=False)
else:
self.f_load(recursive=True, max_depth=1, load_data=pypetconstants.LOAD_SKELETON)
except Exception as exc:
pass
return list(self._children.keys())
|
[
"Returns",
"a",
"list",
"of",
"all",
"children",
"names"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2565-L2580
|
[
"def",
"f_dir_data",
"(",
"self",
")",
":",
"if",
"(",
"self",
".",
"_nn_interface",
"is",
"not",
"None",
"and",
"self",
".",
"_nn_interface",
".",
"_root_instance",
"is",
"not",
"None",
"and",
"self",
".",
"v_root",
".",
"v_auto_load",
")",
":",
"try",
":",
"if",
"self",
".",
"v_is_root",
":",
"self",
".",
"f_load",
"(",
"recursive",
"=",
"True",
",",
"max_depth",
"=",
"1",
",",
"load_data",
"=",
"pypetconstants",
".",
"LOAD_SKELETON",
",",
"with_meta_data",
"=",
"False",
",",
"with_run_information",
"=",
"False",
")",
"else",
":",
"self",
".",
"f_load",
"(",
"recursive",
"=",
"True",
",",
"max_depth",
"=",
"1",
",",
"load_data",
"=",
"pypetconstants",
".",
"LOAD_SKELETON",
")",
"except",
"Exception",
"as",
"exc",
":",
"pass",
"return",
"list",
"(",
"self",
".",
"_children",
".",
"keys",
"(",
")",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode._debug
|
Creates a dummy object containing the whole tree to make unfolding easier.
This method is only useful for debugging purposes.
If you use an IDE and want to unfold the trajectory tree, you always need to
open the private attribute `_children`. Use to this function to create a new
object that contains the tree structure in its attributes.
Manipulating the returned object does not change the original tree!
|
pypet/naturalnaming.py
|
def _debug(self):
"""Creates a dummy object containing the whole tree to make unfolding easier.
This method is only useful for debugging purposes.
If you use an IDE and want to unfold the trajectory tree, you always need to
open the private attribute `_children`. Use to this function to create a new
object that contains the tree structure in its attributes.
Manipulating the returned object does not change the original tree!
"""
class Bunch(object):
"""Dummy container class"""
pass
debug_tree = Bunch()
if not self.v_annotations.f_is_empty():
debug_tree.v_annotations = self.v_annotations
if not self.v_comment == '':
debug_tree.v_comment = self.v_comment
for leaf_name in self._leaves:
leaf = self._leaves[leaf_name]
setattr(debug_tree, leaf_name, leaf)
for link_name in self._links:
linked_node = self._links[link_name]
setattr(debug_tree, link_name, 'Link to `%s`' % linked_node.v_full_name)
for group_name in self._groups:
group = self._groups[group_name]
setattr(debug_tree, group_name, group._debug())
return debug_tree
|
def _debug(self):
"""Creates a dummy object containing the whole tree to make unfolding easier.
This method is only useful for debugging purposes.
If you use an IDE and want to unfold the trajectory tree, you always need to
open the private attribute `_children`. Use to this function to create a new
object that contains the tree structure in its attributes.
Manipulating the returned object does not change the original tree!
"""
class Bunch(object):
"""Dummy container class"""
pass
debug_tree = Bunch()
if not self.v_annotations.f_is_empty():
debug_tree.v_annotations = self.v_annotations
if not self.v_comment == '':
debug_tree.v_comment = self.v_comment
for leaf_name in self._leaves:
leaf = self._leaves[leaf_name]
setattr(debug_tree, leaf_name, leaf)
for link_name in self._links:
linked_node = self._links[link_name]
setattr(debug_tree, link_name, 'Link to `%s`' % linked_node.v_full_name)
for group_name in self._groups:
group = self._groups[group_name]
setattr(debug_tree, group_name, group._debug())
return debug_tree
|
[
"Creates",
"a",
"dummy",
"object",
"containing",
"the",
"whole",
"tree",
"to",
"make",
"unfolding",
"easier",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2610-L2645
|
[
"def",
"_debug",
"(",
"self",
")",
":",
"class",
"Bunch",
"(",
"object",
")",
":",
"\"\"\"Dummy container class\"\"\"",
"pass",
"debug_tree",
"=",
"Bunch",
"(",
")",
"if",
"not",
"self",
".",
"v_annotations",
".",
"f_is_empty",
"(",
")",
":",
"debug_tree",
".",
"v_annotations",
"=",
"self",
".",
"v_annotations",
"if",
"not",
"self",
".",
"v_comment",
"==",
"''",
":",
"debug_tree",
".",
"v_comment",
"=",
"self",
".",
"v_comment",
"for",
"leaf_name",
"in",
"self",
".",
"_leaves",
":",
"leaf",
"=",
"self",
".",
"_leaves",
"[",
"leaf_name",
"]",
"setattr",
"(",
"debug_tree",
",",
"leaf_name",
",",
"leaf",
")",
"for",
"link_name",
"in",
"self",
".",
"_links",
":",
"linked_node",
"=",
"self",
".",
"_links",
"[",
"link_name",
"]",
"setattr",
"(",
"debug_tree",
",",
"link_name",
",",
"'Link to `%s`'",
"%",
"linked_node",
".",
"v_full_name",
")",
"for",
"group_name",
"in",
"self",
".",
"_groups",
":",
"group",
"=",
"self",
".",
"_groups",
"[",
"group_name",
"]",
"setattr",
"(",
"debug_tree",
",",
"group_name",
",",
"group",
".",
"_debug",
"(",
")",
")",
"return",
"debug_tree"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_parent
|
Returns the parent of the node.
Raises a TypeError if current node is root.
|
pypet/naturalnaming.py
|
def f_get_parent(self):
"""Returns the parent of the node.
Raises a TypeError if current node is root.
"""
if self.v_is_root:
raise TypeError('Root does not have a parent')
elif self.v_location == '':
return self.v_root
else:
return self.v_root.f_get(self.v_location, fast_access=False, shortcuts=False)
|
def f_get_parent(self):
"""Returns the parent of the node.
Raises a TypeError if current node is root.
"""
if self.v_is_root:
raise TypeError('Root does not have a parent')
elif self.v_location == '':
return self.v_root
else:
return self.v_root.f_get(self.v_location, fast_access=False, shortcuts=False)
|
[
"Returns",
"the",
"parent",
"of",
"the",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2647-L2658
|
[
"def",
"f_get_parent",
"(",
"self",
")",
":",
"if",
"self",
".",
"v_is_root",
":",
"raise",
"TypeError",
"(",
"'Root does not have a parent'",
")",
"elif",
"self",
".",
"v_location",
"==",
"''",
":",
"return",
"self",
".",
"v_root",
"else",
":",
"return",
"self",
".",
"v_root",
".",
"f_get",
"(",
"self",
".",
"v_location",
",",
"fast_access",
"=",
"False",
",",
"shortcuts",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_add_group
|
Adds an empty generic group under the current node.
You can add to a generic group anywhere you want. So you are free to build
your parameter tree with any structure. You do not necessarily have to follow the
four subtrees `config`, `parameters`, `derived_parameters`, `results`.
If you are operating within these subtrees this simply calls the corresponding adding
function.
Be aware that if you are within a single run and you add items not below a group
`run_XXXXXXXX` that you have to manually
save the items. Otherwise they will be lost after the single run is completed.
|
pypet/naturalnaming.py
|
def f_add_group(self, *args, **kwargs):
"""Adds an empty generic group under the current node.
You can add to a generic group anywhere you want. So you are free to build
your parameter tree with any structure. You do not necessarily have to follow the
four subtrees `config`, `parameters`, `derived_parameters`, `results`.
If you are operating within these subtrees this simply calls the corresponding adding
function.
Be aware that if you are within a single run and you add items not below a group
`run_XXXXXXXX` that you have to manually
save the items. Otherwise they will be lost after the single run is completed.
"""
return self._nn_interface._add_generic(self, type_name=GROUP,
group_type_name=GROUP,
args=args, kwargs=kwargs, add_prefix=False)
|
def f_add_group(self, *args, **kwargs):
"""Adds an empty generic group under the current node.
You can add to a generic group anywhere you want. So you are free to build
your parameter tree with any structure. You do not necessarily have to follow the
four subtrees `config`, `parameters`, `derived_parameters`, `results`.
If you are operating within these subtrees this simply calls the corresponding adding
function.
Be aware that if you are within a single run and you add items not below a group
`run_XXXXXXXX` that you have to manually
save the items. Otherwise they will be lost after the single run is completed.
"""
return self._nn_interface._add_generic(self, type_name=GROUP,
group_type_name=GROUP,
args=args, kwargs=kwargs, add_prefix=False)
|
[
"Adds",
"an",
"empty",
"generic",
"group",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2660-L2678
|
[
"def",
"f_add_group",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"GROUP",
",",
"group_type_name",
"=",
"GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
",",
"add_prefix",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_add_link
|
Adds a link to an existing node.
Can be called as ``node.f_add_link(other_node)`` this will add a link the `other_node`
with the link name as the name of the node.
Or can be called as ``node.f_add_link(name, other_node)`` to add a link to the
`other_node` and the given `name` of the link.
In contrast to addition of groups and leaves, colon separated names
are **not** allowed, i.e. ``node.f_add_link('mygroup.mylink', other_node)``
does not work.
|
pypet/naturalnaming.py
|
def f_add_link(self, name_or_item, full_name_or_item=None):
"""Adds a link to an existing node.
Can be called as ``node.f_add_link(other_node)`` this will add a link the `other_node`
with the link name as the name of the node.
Or can be called as ``node.f_add_link(name, other_node)`` to add a link to the
`other_node` and the given `name` of the link.
In contrast to addition of groups and leaves, colon separated names
are **not** allowed, i.e. ``node.f_add_link('mygroup.mylink', other_node)``
does not work.
"""
if isinstance(name_or_item, str):
name = name_or_item
if isinstance(full_name_or_item, str):
instance = self.v_root.f_get(full_name_or_item)
else:
instance = full_name_or_item
else:
instance = name_or_item
name = instance.v_name
return self._nn_interface._add_generic(self, type_name=LINK,
group_type_name=GROUP, args=(name, instance),
kwargs={},
add_prefix=False)
|
def f_add_link(self, name_or_item, full_name_or_item=None):
"""Adds a link to an existing node.
Can be called as ``node.f_add_link(other_node)`` this will add a link the `other_node`
with the link name as the name of the node.
Or can be called as ``node.f_add_link(name, other_node)`` to add a link to the
`other_node` and the given `name` of the link.
In contrast to addition of groups and leaves, colon separated names
are **not** allowed, i.e. ``node.f_add_link('mygroup.mylink', other_node)``
does not work.
"""
if isinstance(name_or_item, str):
name = name_or_item
if isinstance(full_name_or_item, str):
instance = self.v_root.f_get(full_name_or_item)
else:
instance = full_name_or_item
else:
instance = name_or_item
name = instance.v_name
return self._nn_interface._add_generic(self, type_name=LINK,
group_type_name=GROUP, args=(name, instance),
kwargs={},
add_prefix=False)
|
[
"Adds",
"a",
"link",
"to",
"an",
"existing",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2680-L2707
|
[
"def",
"f_add_link",
"(",
"self",
",",
"name_or_item",
",",
"full_name_or_item",
"=",
"None",
")",
":",
"if",
"isinstance",
"(",
"name_or_item",
",",
"str",
")",
":",
"name",
"=",
"name_or_item",
"if",
"isinstance",
"(",
"full_name_or_item",
",",
"str",
")",
":",
"instance",
"=",
"self",
".",
"v_root",
".",
"f_get",
"(",
"full_name_or_item",
")",
"else",
":",
"instance",
"=",
"full_name_or_item",
"else",
":",
"instance",
"=",
"name_or_item",
"name",
"=",
"instance",
".",
"v_name",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"LINK",
",",
"group_type_name",
"=",
"GROUP",
",",
"args",
"=",
"(",
"name",
",",
"instance",
")",
",",
"kwargs",
"=",
"{",
"}",
",",
"add_prefix",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_remove_link
|
Removes a link from from the current group node with a given name.
Does not delete the link from the hard drive. If you want to do this,
checkout :func:`~pypet.trajectory.Trajectory.f_delete_links`
|
pypet/naturalnaming.py
|
def f_remove_link(self, name):
""" Removes a link from from the current group node with a given name.
Does not delete the link from the hard drive. If you want to do this,
checkout :func:`~pypet.trajectory.Trajectory.f_delete_links`
"""
if name not in self._links:
raise ValueError('No link with name `%s` found under `%s`.' % (name, self._full_name))
self._nn_interface._remove_link(self, name)
|
def f_remove_link(self, name):
""" Removes a link from from the current group node with a given name.
Does not delete the link from the hard drive. If you want to do this,
checkout :func:`~pypet.trajectory.Trajectory.f_delete_links`
"""
if name not in self._links:
raise ValueError('No link with name `%s` found under `%s`.' % (name, self._full_name))
self._nn_interface._remove_link(self, name)
|
[
"Removes",
"a",
"link",
"from",
"from",
"the",
"current",
"group",
"node",
"with",
"a",
"given",
"name",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2709-L2719
|
[
"def",
"f_remove_link",
"(",
"self",
",",
"name",
")",
":",
"if",
"name",
"not",
"in",
"self",
".",
"_links",
":",
"raise",
"ValueError",
"(",
"'No link with name `%s` found under `%s`.'",
"%",
"(",
"name",
",",
"self",
".",
"_full_name",
")",
")",
"self",
".",
"_nn_interface",
".",
"_remove_link",
"(",
"self",
",",
"name",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_add_leaf
|
Adds an empty generic leaf under the current node.
You can add to a generic leaves anywhere you want. So you are free to build
your trajectory tree with any structure. You do not necessarily have to follow the
four subtrees `config`, `parameters`, `derived_parameters`, `results`.
If you are operating within these subtrees this simply calls the corresponding adding
function.
Be aware that if you are within a single run and you add items not below a group
`run_XXXXXXXX` that you have to manually
save the items. Otherwise they will be lost after the single run is completed.
|
pypet/naturalnaming.py
|
def f_add_leaf(self, *args, **kwargs):
"""Adds an empty generic leaf under the current node.
You can add to a generic leaves anywhere you want. So you are free to build
your trajectory tree with any structure. You do not necessarily have to follow the
four subtrees `config`, `parameters`, `derived_parameters`, `results`.
If you are operating within these subtrees this simply calls the corresponding adding
function.
Be aware that if you are within a single run and you add items not below a group
`run_XXXXXXXX` that you have to manually
save the items. Otherwise they will be lost after the single run is completed.
"""
return self._nn_interface._add_generic(self, type_name=LEAF,
group_type_name=GROUP,
args=args, kwargs=kwargs,
add_prefix=False)
|
def f_add_leaf(self, *args, **kwargs):
"""Adds an empty generic leaf under the current node.
You can add to a generic leaves anywhere you want. So you are free to build
your trajectory tree with any structure. You do not necessarily have to follow the
four subtrees `config`, `parameters`, `derived_parameters`, `results`.
If you are operating within these subtrees this simply calls the corresponding adding
function.
Be aware that if you are within a single run and you add items not below a group
`run_XXXXXXXX` that you have to manually
save the items. Otherwise they will be lost after the single run is completed.
"""
return self._nn_interface._add_generic(self, type_name=LEAF,
group_type_name=GROUP,
args=args, kwargs=kwargs,
add_prefix=False)
|
[
"Adds",
"an",
"empty",
"generic",
"leaf",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2721-L2740
|
[
"def",
"f_add_leaf",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"LEAF",
",",
"group_type_name",
"=",
"GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
",",
"add_prefix",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_remove
|
Recursively removes the group and all it's children.
:param recursive:
If removal should be applied recursively. If not, node can only be removed
if it has no children.
:param predicate:
In case of recursive removal, you can selectively remove nodes in the tree.
Predicate which can evaluate for each node to ``True`` in order to remove the node or
``False`` if the node should be kept. Leave ``None`` if you want to remove all nodes.
|
pypet/naturalnaming.py
|
def f_remove(self, recursive=True, predicate=None):
"""Recursively removes the group and all it's children.
:param recursive:
If removal should be applied recursively. If not, node can only be removed
if it has no children.
:param predicate:
In case of recursive removal, you can selectively remove nodes in the tree.
Predicate which can evaluate for each node to ``True`` in order to remove the node or
``False`` if the node should be kept. Leave ``None`` if you want to remove all nodes.
"""
parent = self.f_get_parent()
parent.f_remove_child(self.v_name, recursive=recursive, predicate=predicate)
|
def f_remove(self, recursive=True, predicate=None):
"""Recursively removes the group and all it's children.
:param recursive:
If removal should be applied recursively. If not, node can only be removed
if it has no children.
:param predicate:
In case of recursive removal, you can selectively remove nodes in the tree.
Predicate which can evaluate for each node to ``True`` in order to remove the node or
``False`` if the node should be kept. Leave ``None`` if you want to remove all nodes.
"""
parent = self.f_get_parent()
parent.f_remove_child(self.v_name, recursive=recursive, predicate=predicate)
|
[
"Recursively",
"removes",
"the",
"group",
"and",
"all",
"it",
"s",
"children",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2786-L2802
|
[
"def",
"f_remove",
"(",
"self",
",",
"recursive",
"=",
"True",
",",
"predicate",
"=",
"None",
")",
":",
"parent",
"=",
"self",
".",
"f_get_parent",
"(",
")",
"parent",
".",
"f_remove_child",
"(",
"self",
".",
"v_name",
",",
"recursive",
"=",
"recursive",
",",
"predicate",
"=",
"predicate",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_remove_child
|
Removes a child of the group.
Note that groups and leaves are only removed from the current trajectory in RAM.
If the trajectory is stored to disk, this data is not affected. Thus, removing children
can be only be used to free RAM memory!
If you want to free memory on disk via your storage service,
use :func:`~pypet.trajectory.Trajectory.f_delete_items` of your trajectory.
:param name:
Name of child, naming by grouping is NOT allowed ('groupA.groupB.childC'),
child must be direct successor of current node.
:param recursive:
Must be true if child is a group that has children. Will remove
the whole subtree in this case. Otherwise a Type Error is thrown.
:param predicate:
Predicate which can evaluate for each node to ``True`` in order to remove the node or
``False`` if the node should be kept. Leave ``None`` if you want to remove all nodes.
:raises:
TypeError if recursive is false but there are children below the node.
ValueError if child does not exist.
|
pypet/naturalnaming.py
|
def f_remove_child(self, name, recursive=False, predicate=None):
"""Removes a child of the group.
Note that groups and leaves are only removed from the current trajectory in RAM.
If the trajectory is stored to disk, this data is not affected. Thus, removing children
can be only be used to free RAM memory!
If you want to free memory on disk via your storage service,
use :func:`~pypet.trajectory.Trajectory.f_delete_items` of your trajectory.
:param name:
Name of child, naming by grouping is NOT allowed ('groupA.groupB.childC'),
child must be direct successor of current node.
:param recursive:
Must be true if child is a group that has children. Will remove
the whole subtree in this case. Otherwise a Type Error is thrown.
:param predicate:
Predicate which can evaluate for each node to ``True`` in order to remove the node or
``False`` if the node should be kept. Leave ``None`` if you want to remove all nodes.
:raises:
TypeError if recursive is false but there are children below the node.
ValueError if child does not exist.
"""
if name not in self._children:
raise ValueError('Your group `%s` does not contain the child `%s`.' %
(self.v_full_name, name))
else:
child = self._children[name]
if (name not in self._links and
not child.v_is_leaf and
child.f_has_children() and
not recursive):
raise TypeError('Cannot remove child. It is a group with children. Use'
' f_remove with ``recursive = True``')
else:
self._nn_interface._remove_subtree(self, name, predicate)
|
def f_remove_child(self, name, recursive=False, predicate=None):
"""Removes a child of the group.
Note that groups and leaves are only removed from the current trajectory in RAM.
If the trajectory is stored to disk, this data is not affected. Thus, removing children
can be only be used to free RAM memory!
If you want to free memory on disk via your storage service,
use :func:`~pypet.trajectory.Trajectory.f_delete_items` of your trajectory.
:param name:
Name of child, naming by grouping is NOT allowed ('groupA.groupB.childC'),
child must be direct successor of current node.
:param recursive:
Must be true if child is a group that has children. Will remove
the whole subtree in this case. Otherwise a Type Error is thrown.
:param predicate:
Predicate which can evaluate for each node to ``True`` in order to remove the node or
``False`` if the node should be kept. Leave ``None`` if you want to remove all nodes.
:raises:
TypeError if recursive is false but there are children below the node.
ValueError if child does not exist.
"""
if name not in self._children:
raise ValueError('Your group `%s` does not contain the child `%s`.' %
(self.v_full_name, name))
else:
child = self._children[name]
if (name not in self._links and
not child.v_is_leaf and
child.f_has_children() and
not recursive):
raise TypeError('Cannot remove child. It is a group with children. Use'
' f_remove with ``recursive = True``')
else:
self._nn_interface._remove_subtree(self, name, predicate)
|
[
"Removes",
"a",
"child",
"of",
"the",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2804-L2848
|
[
"def",
"f_remove_child",
"(",
"self",
",",
"name",
",",
"recursive",
"=",
"False",
",",
"predicate",
"=",
"None",
")",
":",
"if",
"name",
"not",
"in",
"self",
".",
"_children",
":",
"raise",
"ValueError",
"(",
"'Your group `%s` does not contain the child `%s`.'",
"%",
"(",
"self",
".",
"v_full_name",
",",
"name",
")",
")",
"else",
":",
"child",
"=",
"self",
".",
"_children",
"[",
"name",
"]",
"if",
"(",
"name",
"not",
"in",
"self",
".",
"_links",
"and",
"not",
"child",
".",
"v_is_leaf",
"and",
"child",
".",
"f_has_children",
"(",
")",
"and",
"not",
"recursive",
")",
":",
"raise",
"TypeError",
"(",
"'Cannot remove child. It is a group with children. Use'",
"' f_remove with ``recursive = True``'",
")",
"else",
":",
"self",
".",
"_nn_interface",
".",
"_remove_subtree",
"(",
"self",
",",
"name",
",",
"predicate",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_contains
|
Checks if the node contains a specific parameter or result.
It is checked if the item can be found via the
:func:`~pypet.naturalnaming.NNGroupNode.f_get` method.
:param item: Parameter/Result name or instance.
If a parameter or result instance is supplied it is also checked if
the provided item and the found item are exactly the same instance, i.e.
`id(item)==id(found_item)`.
:param with_links:
If links are considered.
:param shortcuts:
Shortcuts is `False` the name you supply must
be found in the tree WITHOUT hopping over nodes in between.
If `shortcuts=False` and you supply a
non colon separated (short) name, than the name must be found
in the immediate children of your current node.
Otherwise searching via shortcuts is allowed.
:param max_depth:
If shortcuts is `True` than the maximum search depth
can be specified. `None` means no limit.
:return: True or False
|
pypet/naturalnaming.py
|
def f_contains(self, item, with_links=True, shortcuts=False, max_depth=None):
"""Checks if the node contains a specific parameter or result.
It is checked if the item can be found via the
:func:`~pypet.naturalnaming.NNGroupNode.f_get` method.
:param item: Parameter/Result name or instance.
If a parameter or result instance is supplied it is also checked if
the provided item and the found item are exactly the same instance, i.e.
`id(item)==id(found_item)`.
:param with_links:
If links are considered.
:param shortcuts:
Shortcuts is `False` the name you supply must
be found in the tree WITHOUT hopping over nodes in between.
If `shortcuts=False` and you supply a
non colon separated (short) name, than the name must be found
in the immediate children of your current node.
Otherwise searching via shortcuts is allowed.
:param max_depth:
If shortcuts is `True` than the maximum search depth
can be specified. `None` means no limit.
:return: True or False
"""
# Check if an instance or a name was supplied by the user
try:
search_string = item.v_full_name
parent_full_name = self.v_full_name
if not search_string.startswith(parent_full_name):
return False
if parent_full_name != '':
search_string = search_string[len(parent_full_name) + 1:]
else:
search_string = search_string
shortcuts = False # if we search for a particular item we do not allow shortcuts
except AttributeError:
search_string = item
item = None
if search_string == '':
return False # To allow to search for nodes wit name = '', which are never part
# of the trajectory
try:
result = self.f_get(search_string,
shortcuts=shortcuts, max_depth=max_depth, with_links=with_links)
except AttributeError:
return False
if item is not None:
return id(item) == id(result)
else:
return True
|
def f_contains(self, item, with_links=True, shortcuts=False, max_depth=None):
"""Checks if the node contains a specific parameter or result.
It is checked if the item can be found via the
:func:`~pypet.naturalnaming.NNGroupNode.f_get` method.
:param item: Parameter/Result name or instance.
If a parameter or result instance is supplied it is also checked if
the provided item and the found item are exactly the same instance, i.e.
`id(item)==id(found_item)`.
:param with_links:
If links are considered.
:param shortcuts:
Shortcuts is `False` the name you supply must
be found in the tree WITHOUT hopping over nodes in between.
If `shortcuts=False` and you supply a
non colon separated (short) name, than the name must be found
in the immediate children of your current node.
Otherwise searching via shortcuts is allowed.
:param max_depth:
If shortcuts is `True` than the maximum search depth
can be specified. `None` means no limit.
:return: True or False
"""
# Check if an instance or a name was supplied by the user
try:
search_string = item.v_full_name
parent_full_name = self.v_full_name
if not search_string.startswith(parent_full_name):
return False
if parent_full_name != '':
search_string = search_string[len(parent_full_name) + 1:]
else:
search_string = search_string
shortcuts = False # if we search for a particular item we do not allow shortcuts
except AttributeError:
search_string = item
item = None
if search_string == '':
return False # To allow to search for nodes wit name = '', which are never part
# of the trajectory
try:
result = self.f_get(search_string,
shortcuts=shortcuts, max_depth=max_depth, with_links=with_links)
except AttributeError:
return False
if item is not None:
return id(item) == id(result)
else:
return True
|
[
"Checks",
"if",
"the",
"node",
"contains",
"a",
"specific",
"parameter",
"or",
"result",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L2851-L2917
|
[
"def",
"f_contains",
"(",
"self",
",",
"item",
",",
"with_links",
"=",
"True",
",",
"shortcuts",
"=",
"False",
",",
"max_depth",
"=",
"None",
")",
":",
"# Check if an instance or a name was supplied by the user",
"try",
":",
"search_string",
"=",
"item",
".",
"v_full_name",
"parent_full_name",
"=",
"self",
".",
"v_full_name",
"if",
"not",
"search_string",
".",
"startswith",
"(",
"parent_full_name",
")",
":",
"return",
"False",
"if",
"parent_full_name",
"!=",
"''",
":",
"search_string",
"=",
"search_string",
"[",
"len",
"(",
"parent_full_name",
")",
"+",
"1",
":",
"]",
"else",
":",
"search_string",
"=",
"search_string",
"shortcuts",
"=",
"False",
"# if we search for a particular item we do not allow shortcuts",
"except",
"AttributeError",
":",
"search_string",
"=",
"item",
"item",
"=",
"None",
"if",
"search_string",
"==",
"''",
":",
"return",
"False",
"# To allow to search for nodes wit name = '', which are never part",
"# of the trajectory",
"try",
":",
"result",
"=",
"self",
".",
"f_get",
"(",
"search_string",
",",
"shortcuts",
"=",
"shortcuts",
",",
"max_depth",
"=",
"max_depth",
",",
"with_links",
"=",
"with_links",
")",
"except",
"AttributeError",
":",
"return",
"False",
"if",
"item",
"is",
"not",
"None",
":",
"return",
"id",
"(",
"item",
")",
"==",
"id",
"(",
"result",
")",
"else",
":",
"return",
"True"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_iter_nodes
|
Iterates recursively (default) over nodes hanging below this group.
:param recursive: Whether to iterate the whole sub tree or only immediate children.
:param with_links: If links should be considered
:param max_depth: Maximum depth in search tree relative to start node (inclusive)
:param predicate:
A predicate function that is applied for each node and only returns the node
if it evaluates to ``True``. If ``False``
and you iterate recursively also the children are spared.
Leave to `None` if you don't want to filter and simply iterate over all nodes.
For example, to iterate only over groups you could use:
>>> traj.f_iter_nodes(recursive=True, predicate=lambda x: x.v_is_group)
To blind out all runs except for a particular set, you can simply pass a tuple
of run indices with -1 referring to the ``run_ALL`` node.
For instance
>>> traj.f_iter_nodes(recursive=True, predicate=(0,3,-1))
Will blind out all nodes hanging below a group named ``run_XXXXXXXXX``
(including the group) except ``run_00000000``, ``run_00000003``, and ``run_ALL``.
:return: Iterator over nodes
|
pypet/naturalnaming.py
|
def f_iter_nodes(self, recursive=True, with_links=True, max_depth=None, predicate=None):
"""Iterates recursively (default) over nodes hanging below this group.
:param recursive: Whether to iterate the whole sub tree or only immediate children.
:param with_links: If links should be considered
:param max_depth: Maximum depth in search tree relative to start node (inclusive)
:param predicate:
A predicate function that is applied for each node and only returns the node
if it evaluates to ``True``. If ``False``
and you iterate recursively also the children are spared.
Leave to `None` if you don't want to filter and simply iterate over all nodes.
For example, to iterate only over groups you could use:
>>> traj.f_iter_nodes(recursive=True, predicate=lambda x: x.v_is_group)
To blind out all runs except for a particular set, you can simply pass a tuple
of run indices with -1 referring to the ``run_ALL`` node.
For instance
>>> traj.f_iter_nodes(recursive=True, predicate=(0,3,-1))
Will blind out all nodes hanging below a group named ``run_XXXXXXXXX``
(including the group) except ``run_00000000``, ``run_00000003``, and ``run_ALL``.
:return: Iterator over nodes
"""
return self._nn_interface._iter_nodes(self, recursive=recursive, with_links=with_links,
max_depth=max_depth,
predicate=predicate)
|
def f_iter_nodes(self, recursive=True, with_links=True, max_depth=None, predicate=None):
"""Iterates recursively (default) over nodes hanging below this group.
:param recursive: Whether to iterate the whole sub tree or only immediate children.
:param with_links: If links should be considered
:param max_depth: Maximum depth in search tree relative to start node (inclusive)
:param predicate:
A predicate function that is applied for each node and only returns the node
if it evaluates to ``True``. If ``False``
and you iterate recursively also the children are spared.
Leave to `None` if you don't want to filter and simply iterate over all nodes.
For example, to iterate only over groups you could use:
>>> traj.f_iter_nodes(recursive=True, predicate=lambda x: x.v_is_group)
To blind out all runs except for a particular set, you can simply pass a tuple
of run indices with -1 referring to the ``run_ALL`` node.
For instance
>>> traj.f_iter_nodes(recursive=True, predicate=(0,3,-1))
Will blind out all nodes hanging below a group named ``run_XXXXXXXXX``
(including the group) except ``run_00000000``, ``run_00000003``, and ``run_ALL``.
:return: Iterator over nodes
"""
return self._nn_interface._iter_nodes(self, recursive=recursive, with_links=with_links,
max_depth=max_depth,
predicate=predicate)
|
[
"Iterates",
"recursively",
"(",
"default",
")",
"over",
"nodes",
"hanging",
"below",
"this",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3002-L3040
|
[
"def",
"f_iter_nodes",
"(",
"self",
",",
"recursive",
"=",
"True",
",",
"with_links",
"=",
"True",
",",
"max_depth",
"=",
"None",
",",
"predicate",
"=",
"None",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_iter_nodes",
"(",
"self",
",",
"recursive",
"=",
"recursive",
",",
"with_links",
"=",
"with_links",
",",
"max_depth",
"=",
"max_depth",
",",
"predicate",
"=",
"predicate",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_iter_leaves
|
Iterates (recursively) over all leaves hanging below the current group.
:param with_links:
If links should be ignored, leaves hanging below linked nodes are not listed.
:returns:
Iterator over all leaf nodes
|
pypet/naturalnaming.py
|
def f_iter_leaves(self, with_links=True):
"""Iterates (recursively) over all leaves hanging below the current group.
:param with_links:
If links should be ignored, leaves hanging below linked nodes are not listed.
:returns:
Iterator over all leaf nodes
"""
for node in self.f_iter_nodes(with_links=with_links):
if node.v_is_leaf:
yield node
|
def f_iter_leaves(self, with_links=True):
"""Iterates (recursively) over all leaves hanging below the current group.
:param with_links:
If links should be ignored, leaves hanging below linked nodes are not listed.
:returns:
Iterator over all leaf nodes
"""
for node in self.f_iter_nodes(with_links=with_links):
if node.v_is_leaf:
yield node
|
[
"Iterates",
"(",
"recursively",
")",
"over",
"all",
"leaves",
"hanging",
"below",
"the",
"current",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3042-L3056
|
[
"def",
"f_iter_leaves",
"(",
"self",
",",
"with_links",
"=",
"True",
")",
":",
"for",
"node",
"in",
"self",
".",
"f_iter_nodes",
"(",
"with_links",
"=",
"with_links",
")",
":",
"if",
"node",
".",
"v_is_leaf",
":",
"yield",
"node"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_all
|
Searches for all occurrences of `name` under `node`.
Links are NOT considered since nodes are searched bottom up in the tree.
:param node:
Start node
:param name:
Name of what to look for, can be separated by colons, i.e.
``'mygroupA.mygroupB.myparam'``.
:param max_depth:
Maximum search depth relative to start node.
`None` for no limit.
:param shortcuts:
If shortcuts are allowed, otherwise the stated name defines a
consecutive name.For instance. ``'mygroupA.mygroupB.myparam'`` would
also find ``mygroupA.mygroupX.mygroupB.mygroupY.myparam`` if shortcuts
are allowed, otherwise not.
:return:
List of nodes that match the name, empty list if nothing was found.
|
pypet/naturalnaming.py
|
def f_get_all(self, name, max_depth=None, shortcuts=True):
""" Searches for all occurrences of `name` under `node`.
Links are NOT considered since nodes are searched bottom up in the tree.
:param node:
Start node
:param name:
Name of what to look for, can be separated by colons, i.e.
``'mygroupA.mygroupB.myparam'``.
:param max_depth:
Maximum search depth relative to start node.
`None` for no limit.
:param shortcuts:
If shortcuts are allowed, otherwise the stated name defines a
consecutive name.For instance. ``'mygroupA.mygroupB.myparam'`` would
also find ``mygroupA.mygroupX.mygroupB.mygroupY.myparam`` if shortcuts
are allowed, otherwise not.
:return:
List of nodes that match the name, empty list if nothing was found.
"""
return self._nn_interface._get_all(self, name, max_depth=max_depth, shortcuts=shortcuts)
|
def f_get_all(self, name, max_depth=None, shortcuts=True):
""" Searches for all occurrences of `name` under `node`.
Links are NOT considered since nodes are searched bottom up in the tree.
:param node:
Start node
:param name:
Name of what to look for, can be separated by colons, i.e.
``'mygroupA.mygroupB.myparam'``.
:param max_depth:
Maximum search depth relative to start node.
`None` for no limit.
:param shortcuts:
If shortcuts are allowed, otherwise the stated name defines a
consecutive name.For instance. ``'mygroupA.mygroupB.myparam'`` would
also find ``mygroupA.mygroupX.mygroupB.mygroupY.myparam`` if shortcuts
are allowed, otherwise not.
:return:
List of nodes that match the name, empty list if nothing was found.
"""
return self._nn_interface._get_all(self, name, max_depth=max_depth, shortcuts=shortcuts)
|
[
"Searches",
"for",
"all",
"occurrences",
"of",
"name",
"under",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3058-L3089
|
[
"def",
"f_get_all",
"(",
"self",
",",
"name",
",",
"max_depth",
"=",
"None",
",",
"shortcuts",
"=",
"True",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_get_all",
"(",
"self",
",",
"name",
",",
"max_depth",
"=",
"max_depth",
",",
"shortcuts",
"=",
"shortcuts",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_default
|
Similar to `f_get`, but returns the default value if `name` is not found in the
trajectory.
This function uses the `f_get` method and will return the default value
in case `f_get` raises an AttributeError or a DataNotInStorageError.
Other errors are not handled.
In contrast to `f_get`, fast access is True by default.
|
pypet/naturalnaming.py
|
def f_get_default(self, name, default=None, fast_access=True, with_links=True,
shortcuts=True, max_depth=None, auto_load=False):
""" Similar to `f_get`, but returns the default value if `name` is not found in the
trajectory.
This function uses the `f_get` method and will return the default value
in case `f_get` raises an AttributeError or a DataNotInStorageError.
Other errors are not handled.
In contrast to `f_get`, fast access is True by default.
"""
try:
return self.f_get(name, fast_access=fast_access,
shortcuts=shortcuts,
max_depth=max_depth,
auto_load=auto_load,
with_links=with_links)
except (AttributeError, pex.DataNotInStorageError):
return default
|
def f_get_default(self, name, default=None, fast_access=True, with_links=True,
shortcuts=True, max_depth=None, auto_load=False):
""" Similar to `f_get`, but returns the default value if `name` is not found in the
trajectory.
This function uses the `f_get` method and will return the default value
in case `f_get` raises an AttributeError or a DataNotInStorageError.
Other errors are not handled.
In contrast to `f_get`, fast access is True by default.
"""
try:
return self.f_get(name, fast_access=fast_access,
shortcuts=shortcuts,
max_depth=max_depth,
auto_load=auto_load,
with_links=with_links)
except (AttributeError, pex.DataNotInStorageError):
return default
|
[
"Similar",
"to",
"f_get",
"but",
"returns",
"the",
"default",
"value",
"if",
"name",
"is",
"not",
"found",
"in",
"the",
"trajectory",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3092-L3112
|
[
"def",
"f_get_default",
"(",
"self",
",",
"name",
",",
"default",
"=",
"None",
",",
"fast_access",
"=",
"True",
",",
"with_links",
"=",
"True",
",",
"shortcuts",
"=",
"True",
",",
"max_depth",
"=",
"None",
",",
"auto_load",
"=",
"False",
")",
":",
"try",
":",
"return",
"self",
".",
"f_get",
"(",
"name",
",",
"fast_access",
"=",
"fast_access",
",",
"shortcuts",
"=",
"shortcuts",
",",
"max_depth",
"=",
"max_depth",
",",
"auto_load",
"=",
"auto_load",
",",
"with_links",
"=",
"with_links",
")",
"except",
"(",
"AttributeError",
",",
"pex",
".",
"DataNotInStorageError",
")",
":",
"return",
"default"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get
|
Searches and returns an item (parameter/result/group node) with the given `name`.
:param name: Name of the item (full name or parts of the full name)
:param fast_access: Whether fast access should be applied.
:param with_links:
If links are considered. Cannot be set to ``False`` if ``auto_load`` is ``True``.
:param shortcuts:
If shortcuts are allowed and the trajectory can *hop* over nodes in the
path.
:param max_depth:
Maximum depth relative to starting node (inclusive).
`None` means no depth limit.
:param auto_load:
If data should be loaded from the storage service if it cannot be found in the
current trajectory tree. Auto-loading will load group and leaf nodes currently
not in memory and it will load data into empty leaves. Be aware that auto-loading
does not work with shortcuts.
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError: If no node with the given name can be found
NotUniqueNodeError
In case of forward search if more than one candidate node is found within a
particular depth of the tree. In case of backwards search if more than
one candidate is found regardless of the depth.
DataNotInStorageError:
In case auto-loading fails
Any exception raised by the StorageService in case auto-loading is enabled
|
pypet/naturalnaming.py
|
def f_get(self, name, fast_access=False, with_links=True,
shortcuts=True, max_depth=None, auto_load=False):
"""Searches and returns an item (parameter/result/group node) with the given `name`.
:param name: Name of the item (full name or parts of the full name)
:param fast_access: Whether fast access should be applied.
:param with_links:
If links are considered. Cannot be set to ``False`` if ``auto_load`` is ``True``.
:param shortcuts:
If shortcuts are allowed and the trajectory can *hop* over nodes in the
path.
:param max_depth:
Maximum depth relative to starting node (inclusive).
`None` means no depth limit.
:param auto_load:
If data should be loaded from the storage service if it cannot be found in the
current trajectory tree. Auto-loading will load group and leaf nodes currently
not in memory and it will load data into empty leaves. Be aware that auto-loading
does not work with shortcuts.
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError: If no node with the given name can be found
NotUniqueNodeError
In case of forward search if more than one candidate node is found within a
particular depth of the tree. In case of backwards search if more than
one candidate is found regardless of the depth.
DataNotInStorageError:
In case auto-loading fails
Any exception raised by the StorageService in case auto-loading is enabled
"""
return self._nn_interface._get(self, name, fast_access=fast_access,
shortcuts=shortcuts,
max_depth=max_depth,
auto_load=auto_load,
with_links=with_links)
|
def f_get(self, name, fast_access=False, with_links=True,
shortcuts=True, max_depth=None, auto_load=False):
"""Searches and returns an item (parameter/result/group node) with the given `name`.
:param name: Name of the item (full name or parts of the full name)
:param fast_access: Whether fast access should be applied.
:param with_links:
If links are considered. Cannot be set to ``False`` if ``auto_load`` is ``True``.
:param shortcuts:
If shortcuts are allowed and the trajectory can *hop* over nodes in the
path.
:param max_depth:
Maximum depth relative to starting node (inclusive).
`None` means no depth limit.
:param auto_load:
If data should be loaded from the storage service if it cannot be found in the
current trajectory tree. Auto-loading will load group and leaf nodes currently
not in memory and it will load data into empty leaves. Be aware that auto-loading
does not work with shortcuts.
:return:
The found instance (result/parameter/group node) or if fast access is True and you
found a parameter or result that supports fast access, the contained value is returned.
:raises:
AttributeError: If no node with the given name can be found
NotUniqueNodeError
In case of forward search if more than one candidate node is found within a
particular depth of the tree. In case of backwards search if more than
one candidate is found regardless of the depth.
DataNotInStorageError:
In case auto-loading fails
Any exception raised by the StorageService in case auto-loading is enabled
"""
return self._nn_interface._get(self, name, fast_access=fast_access,
shortcuts=shortcuts,
max_depth=max_depth,
auto_load=auto_load,
with_links=with_links)
|
[
"Searches",
"and",
"returns",
"an",
"item",
"(",
"parameter",
"/",
"result",
"/",
"group",
"node",
")",
"with",
"the",
"given",
"name",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3115-L3170
|
[
"def",
"f_get",
"(",
"self",
",",
"name",
",",
"fast_access",
"=",
"False",
",",
"with_links",
"=",
"True",
",",
"shortcuts",
"=",
"True",
",",
"max_depth",
"=",
"None",
",",
"auto_load",
"=",
"False",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_get",
"(",
"self",
",",
"name",
",",
"fast_access",
"=",
"fast_access",
",",
"shortcuts",
"=",
"shortcuts",
",",
"max_depth",
"=",
"max_depth",
",",
"auto_load",
"=",
"auto_load",
",",
"with_links",
"=",
"with_links",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_children
|
Returns a children dictionary.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
|
pypet/naturalnaming.py
|
def f_get_children(self, copy=True):
"""Returns a children dictionary.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._children.copy()
else:
return self._children
|
def f_get_children(self, copy=True):
"""Returns a children dictionary.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._children.copy()
else:
return self._children
|
[
"Returns",
"a",
"children",
"dictionary",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3172-L3186
|
[
"def",
"f_get_children",
"(",
"self",
",",
"copy",
"=",
"True",
")",
":",
"if",
"copy",
":",
"return",
"self",
".",
"_children",
".",
"copy",
"(",
")",
"else",
":",
"return",
"self",
".",
"_children"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_groups
|
Returns a dictionary of groups hanging immediately below this group.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
|
pypet/naturalnaming.py
|
def f_get_groups(self, copy=True):
"""Returns a dictionary of groups hanging immediately below this group.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._groups.copy()
else:
return self._groups
|
def f_get_groups(self, copy=True):
"""Returns a dictionary of groups hanging immediately below this group.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._groups.copy()
else:
return self._groups
|
[
"Returns",
"a",
"dictionary",
"of",
"groups",
"hanging",
"immediately",
"below",
"this",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3188-L3202
|
[
"def",
"f_get_groups",
"(",
"self",
",",
"copy",
"=",
"True",
")",
":",
"if",
"copy",
":",
"return",
"self",
".",
"_groups",
".",
"copy",
"(",
")",
"else",
":",
"return",
"self",
".",
"_groups"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_leaves
|
Returns a dictionary of all leaves hanging immediately below this group.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
|
pypet/naturalnaming.py
|
def f_get_leaves(self, copy=True):
"""Returns a dictionary of all leaves hanging immediately below this group.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._leaves.copy()
else:
return self._leaves
|
def f_get_leaves(self, copy=True):
"""Returns a dictionary of all leaves hanging immediately below this group.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._leaves.copy()
else:
return self._leaves
|
[
"Returns",
"a",
"dictionary",
"of",
"all",
"leaves",
"hanging",
"immediately",
"below",
"this",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3204-L3218
|
[
"def",
"f_get_leaves",
"(",
"self",
",",
"copy",
"=",
"True",
")",
":",
"if",
"copy",
":",
"return",
"self",
".",
"_leaves",
".",
"copy",
"(",
")",
"else",
":",
"return",
"self",
".",
"_leaves"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_get_links
|
Returns a link dictionary.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
|
pypet/naturalnaming.py
|
def f_get_links(self, copy=True):
"""Returns a link dictionary.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._links.copy()
else:
return self._links
|
def f_get_links(self, copy=True):
"""Returns a link dictionary.
:param copy:
Whether the group's original dictionary or a shallow copy is returned.
If you want the real dictionary please do not modify it at all!
:returns: Dictionary of nodes
"""
if copy:
return self._links.copy()
else:
return self._links
|
[
"Returns",
"a",
"link",
"dictionary",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3220-L3234
|
[
"def",
"f_get_links",
"(",
"self",
",",
"copy",
"=",
"True",
")",
":",
"if",
"copy",
":",
"return",
"self",
".",
"_links",
".",
"copy",
"(",
")",
"else",
":",
"return",
"self",
".",
"_links"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_store_child
|
Stores a child or recursively a subtree to disk.
:param name:
Name of child to store. If grouped ('groupA.groupB.childC') the path along the way
to last node in the chain is stored. Shortcuts are NOT allowed!
:param recursive:
Whether recursively all children's children should be stored too.
:param store_data:
For how to choose 'store_data' see :ref:`more-on-storing`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to store
data relative from current node. Leave `None` if you don't want to limit
the depth.
:raises: ValueError if the child does not exist.
|
pypet/naturalnaming.py
|
def f_store_child(self, name, recursive=False, store_data=pypetconstants.STORE_DATA,
max_depth=None):
"""Stores a child or recursively a subtree to disk.
:param name:
Name of child to store. If grouped ('groupA.groupB.childC') the path along the way
to last node in the chain is stored. Shortcuts are NOT allowed!
:param recursive:
Whether recursively all children's children should be stored too.
:param store_data:
For how to choose 'store_data' see :ref:`more-on-storing`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to store
data relative from current node. Leave `None` if you don't want to limit
the depth.
:raises: ValueError if the child does not exist.
"""
if not self.f_contains(name, shortcuts=False):
raise ValueError('Your group `%s` does not (directly) contain the child `%s`. '
'Please not that shortcuts are not allowed for `f_store_child`.' %
(self.v_full_name, name))
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.store(pypetconstants.TREE, self, name,
trajectory_name=traj.v_name,
recursive=recursive,
store_data=store_data,
max_depth=max_depth)
|
def f_store_child(self, name, recursive=False, store_data=pypetconstants.STORE_DATA,
max_depth=None):
"""Stores a child or recursively a subtree to disk.
:param name:
Name of child to store. If grouped ('groupA.groupB.childC') the path along the way
to last node in the chain is stored. Shortcuts are NOT allowed!
:param recursive:
Whether recursively all children's children should be stored too.
:param store_data:
For how to choose 'store_data' see :ref:`more-on-storing`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to store
data relative from current node. Leave `None` if you don't want to limit
the depth.
:raises: ValueError if the child does not exist.
"""
if not self.f_contains(name, shortcuts=False):
raise ValueError('Your group `%s` does not (directly) contain the child `%s`. '
'Please not that shortcuts are not allowed for `f_store_child`.' %
(self.v_full_name, name))
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.store(pypetconstants.TREE, self, name,
trajectory_name=traj.v_name,
recursive=recursive,
store_data=store_data,
max_depth=max_depth)
|
[
"Stores",
"a",
"child",
"or",
"recursively",
"a",
"subtree",
"to",
"disk",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3267-L3305
|
[
"def",
"f_store_child",
"(",
"self",
",",
"name",
",",
"recursive",
"=",
"False",
",",
"store_data",
"=",
"pypetconstants",
".",
"STORE_DATA",
",",
"max_depth",
"=",
"None",
")",
":",
"if",
"not",
"self",
".",
"f_contains",
"(",
"name",
",",
"shortcuts",
"=",
"False",
")",
":",
"raise",
"ValueError",
"(",
"'Your group `%s` does not (directly) contain the child `%s`. '",
"'Please not that shortcuts are not allowed for `f_store_child`.'",
"%",
"(",
"self",
".",
"v_full_name",
",",
"name",
")",
")",
"traj",
"=",
"self",
".",
"_nn_interface",
".",
"_root_instance",
"storage_service",
"=",
"traj",
".",
"v_storage_service",
"storage_service",
".",
"store",
"(",
"pypetconstants",
".",
"TREE",
",",
"self",
",",
"name",
",",
"trajectory_name",
"=",
"traj",
".",
"v_name",
",",
"recursive",
"=",
"recursive",
",",
"store_data",
"=",
"store_data",
",",
"max_depth",
"=",
"max_depth",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_store
|
Stores a group node to disk
:param recursive:
Whether recursively all children should be stored too. Default is ``True``.
:param store_data:
For how to choose 'store_data' see :ref:`more-on-storing`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to store
data relative from current node. Leave `None` if you don't want to limit
the depth.
|
pypet/naturalnaming.py
|
def f_store(self, recursive=True, store_data=pypetconstants.STORE_DATA,
max_depth=None):
"""Stores a group node to disk
:param recursive:
Whether recursively all children should be stored too. Default is ``True``.
:param store_data:
For how to choose 'store_data' see :ref:`more-on-storing`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to store
data relative from current node. Leave `None` if you don't want to limit
the depth.
"""
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.store(pypetconstants.GROUP, self,
trajectory_name=traj.v_name,
recursive=recursive,
store_data=store_data,
max_depth=max_depth)
|
def f_store(self, recursive=True, store_data=pypetconstants.STORE_DATA,
max_depth=None):
"""Stores a group node to disk
:param recursive:
Whether recursively all children should be stored too. Default is ``True``.
:param store_data:
For how to choose 'store_data' see :ref:`more-on-storing`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to store
data relative from current node. Leave `None` if you don't want to limit
the depth.
"""
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.store(pypetconstants.GROUP, self,
trajectory_name=traj.v_name,
recursive=recursive,
store_data=store_data,
max_depth=max_depth)
|
[
"Stores",
"a",
"group",
"node",
"to",
"disk"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3307-L3333
|
[
"def",
"f_store",
"(",
"self",
",",
"recursive",
"=",
"True",
",",
"store_data",
"=",
"pypetconstants",
".",
"STORE_DATA",
",",
"max_depth",
"=",
"None",
")",
":",
"traj",
"=",
"self",
".",
"_nn_interface",
".",
"_root_instance",
"storage_service",
"=",
"traj",
".",
"v_storage_service",
"storage_service",
".",
"store",
"(",
"pypetconstants",
".",
"GROUP",
",",
"self",
",",
"trajectory_name",
"=",
"traj",
".",
"v_name",
",",
"recursive",
"=",
"recursive",
",",
"store_data",
"=",
"store_data",
",",
"max_depth",
"=",
"max_depth",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_load_child
|
Loads a child or recursively a subtree from disk.
:param name:
Name of child to load. If grouped ('groupA.groupB.childC') the path along the way
to last node in the chain is loaded. Shortcuts are NOT allowed!
:param recursive:
Whether recursively all nodes below the last child should be loaded, too.
Note that links are never evaluated recursively. Only the linked node
will be loaded if it does not exist in the tree, yet. Any nodes or links
of this linked node are not loaded.
:param load_data:
Flag how to load the data.
For how to choose 'load_data' see :ref:`more-on-loading`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to load
load data relative from current node. Leave `None` if you don't want to limit
the depth.
:returns:
The loaded child, in case of grouping ('groupA.groupB.childC') the last
node (here 'childC') is returned.
|
pypet/naturalnaming.py
|
def f_load_child(self, name, recursive=False, load_data=pypetconstants.LOAD_DATA,
max_depth=None):
"""Loads a child or recursively a subtree from disk.
:param name:
Name of child to load. If grouped ('groupA.groupB.childC') the path along the way
to last node in the chain is loaded. Shortcuts are NOT allowed!
:param recursive:
Whether recursively all nodes below the last child should be loaded, too.
Note that links are never evaluated recursively. Only the linked node
will be loaded if it does not exist in the tree, yet. Any nodes or links
of this linked node are not loaded.
:param load_data:
Flag how to load the data.
For how to choose 'load_data' see :ref:`more-on-loading`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to load
load data relative from current node. Leave `None` if you don't want to limit
the depth.
:returns:
The loaded child, in case of grouping ('groupA.groupB.childC') the last
node (here 'childC') is returned.
"""
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.load(pypetconstants.TREE, self, name,
trajectory_name=traj.v_name,
load_data=load_data,
recursive=recursive,
max_depth=max_depth)
return self.f_get(name, shortcuts=False)
|
def f_load_child(self, name, recursive=False, load_data=pypetconstants.LOAD_DATA,
max_depth=None):
"""Loads a child or recursively a subtree from disk.
:param name:
Name of child to load. If grouped ('groupA.groupB.childC') the path along the way
to last node in the chain is loaded. Shortcuts are NOT allowed!
:param recursive:
Whether recursively all nodes below the last child should be loaded, too.
Note that links are never evaluated recursively. Only the linked node
will be loaded if it does not exist in the tree, yet. Any nodes or links
of this linked node are not loaded.
:param load_data:
Flag how to load the data.
For how to choose 'load_data' see :ref:`more-on-loading`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to load
load data relative from current node. Leave `None` if you don't want to limit
the depth.
:returns:
The loaded child, in case of grouping ('groupA.groupB.childC') the last
node (here 'childC') is returned.
"""
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.load(pypetconstants.TREE, self, name,
trajectory_name=traj.v_name,
load_data=load_data,
recursive=recursive,
max_depth=max_depth)
return self.f_get(name, shortcuts=False)
|
[
"Loads",
"a",
"child",
"or",
"recursively",
"a",
"subtree",
"from",
"disk",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3335-L3378
|
[
"def",
"f_load_child",
"(",
"self",
",",
"name",
",",
"recursive",
"=",
"False",
",",
"load_data",
"=",
"pypetconstants",
".",
"LOAD_DATA",
",",
"max_depth",
"=",
"None",
")",
":",
"traj",
"=",
"self",
".",
"_nn_interface",
".",
"_root_instance",
"storage_service",
"=",
"traj",
".",
"v_storage_service",
"storage_service",
".",
"load",
"(",
"pypetconstants",
".",
"TREE",
",",
"self",
",",
"name",
",",
"trajectory_name",
"=",
"traj",
".",
"v_name",
",",
"load_data",
"=",
"load_data",
",",
"recursive",
"=",
"recursive",
",",
"max_depth",
"=",
"max_depth",
")",
"return",
"self",
".",
"f_get",
"(",
"name",
",",
"shortcuts",
"=",
"False",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
NNGroupNode.f_load
|
Loads a group from disk.
:param recursive:
Default is ``True``.
Whether recursively all nodes below the current node should be loaded, too.
Note that links are never evaluated recursively. Only the linked node
will be loaded if it does not exist in the tree, yet. Any nodes or links
of this linked node are not loaded.
:param load_data:
Flag how to load the data.
For how to choose 'load_data' see :ref:`more-on-loading`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to load
load data relative from current node.
:returns:
The node itself.
|
pypet/naturalnaming.py
|
def f_load(self, recursive=True, load_data=pypetconstants.LOAD_DATA,
max_depth=None):
"""Loads a group from disk.
:param recursive:
Default is ``True``.
Whether recursively all nodes below the current node should be loaded, too.
Note that links are never evaluated recursively. Only the linked node
will be loaded if it does not exist in the tree, yet. Any nodes or links
of this linked node are not loaded.
:param load_data:
Flag how to load the data.
For how to choose 'load_data' see :ref:`more-on-loading`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to load
load data relative from current node.
:returns:
The node itself.
"""
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.load(pypetconstants.GROUP, self,
trajectory_name=traj.v_name,
load_data=load_data,
recursive=recursive,
max_depth=max_depth)
return self
|
def f_load(self, recursive=True, load_data=pypetconstants.LOAD_DATA,
max_depth=None):
"""Loads a group from disk.
:param recursive:
Default is ``True``.
Whether recursively all nodes below the current node should be loaded, too.
Note that links are never evaluated recursively. Only the linked node
will be loaded if it does not exist in the tree, yet. Any nodes or links
of this linked node are not loaded.
:param load_data:
Flag how to load the data.
For how to choose 'load_data' see :ref:`more-on-loading`.
:param max_depth:
In case `recursive` is `True`, you can specify the maximum depth to load
load data relative from current node.
:returns:
The node itself.
"""
traj = self._nn_interface._root_instance
storage_service = traj.v_storage_service
storage_service.load(pypetconstants.GROUP, self,
trajectory_name=traj.v_name,
load_data=load_data,
recursive=recursive,
max_depth=max_depth)
return self
|
[
"Loads",
"a",
"group",
"from",
"disk",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3380-L3416
|
[
"def",
"f_load",
"(",
"self",
",",
"recursive",
"=",
"True",
",",
"load_data",
"=",
"pypetconstants",
".",
"LOAD_DATA",
",",
"max_depth",
"=",
"None",
")",
":",
"traj",
"=",
"self",
".",
"_nn_interface",
".",
"_root_instance",
"storage_service",
"=",
"traj",
".",
"v_storage_service",
"storage_service",
".",
"load",
"(",
"pypetconstants",
".",
"GROUP",
",",
"self",
",",
"trajectory_name",
"=",
"traj",
".",
"v_name",
",",
"load_data",
"=",
"load_data",
",",
"recursive",
"=",
"recursive",
",",
"max_depth",
"=",
"max_depth",
")",
"return",
"self"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ParameterGroup.f_add_parameter_group
|
Adds an empty parameter group under the current node.
Can be called with ``f_add_parameter_group('MyName', 'this is an informative comment')``
or ``f_add_parameter_group(name='MyName', comment='This is an informative comment')``
or with a given new group instance:
``f_add_parameter_group(ParameterGroup('MyName', comment='This is a comment'))``.
Adds the full name of the current node as prefix to the name of the group.
If current node is the trajectory (root), the prefix `'parameters'`
is added to the full name.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
created.
|
pypet/naturalnaming.py
|
def f_add_parameter_group(self, *args, **kwargs):
"""Adds an empty parameter group under the current node.
Can be called with ``f_add_parameter_group('MyName', 'this is an informative comment')``
or ``f_add_parameter_group(name='MyName', comment='This is an informative comment')``
or with a given new group instance:
``f_add_parameter_group(ParameterGroup('MyName', comment='This is a comment'))``.
Adds the full name of the current node as prefix to the name of the group.
If current node is the trajectory (root), the prefix `'parameters'`
is added to the full name.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
created.
"""
return self._nn_interface._add_generic(self, type_name=PARAMETER_GROUP,
group_type_name=PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
def f_add_parameter_group(self, *args, **kwargs):
"""Adds an empty parameter group under the current node.
Can be called with ``f_add_parameter_group('MyName', 'this is an informative comment')``
or ``f_add_parameter_group(name='MyName', comment='This is an informative comment')``
or with a given new group instance:
``f_add_parameter_group(ParameterGroup('MyName', comment='This is a comment'))``.
Adds the full name of the current node as prefix to the name of the group.
If current node is the trajectory (root), the prefix `'parameters'`
is added to the full name.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
created.
"""
return self._nn_interface._add_generic(self, type_name=PARAMETER_GROUP,
group_type_name=PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"an",
"empty",
"parameter",
"group",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3427-L3446
|
[
"def",
"f_add_parameter_group",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"PARAMETER_GROUP",
",",
"group_type_name",
"=",
"PARAMETER_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ParameterGroup.f_add_parameter
|
Adds a parameter under the current node.
There are two ways to add a new parameter either by adding a parameter instance:
>>> new_parameter = Parameter('group1.group2.myparam', data=42, comment='Example!')
>>> traj.f_add_parameter(new_parameter)
Or by passing the values directly to the function, with the name being the first
(non-keyword!) argument:
>>> traj.f_add_parameter('group1.group2.myparam', 42, comment='Example!')
If you want to create a different parameter than the standard parameter, you can
give the constructor as the first (non-keyword!) argument followed by the name
(non-keyword!):
>>> traj.f_add_parameter(PickleParameter,'group1.group2.myparam', data=42, comment='Example!')
The full name of the current node is added as a prefix to the given parameter name.
If the current node is the trajectory the prefix `'parameters'` is added to the name.
Note, all non-keyword and keyword parameters apart from the optional constructor
are passed on as is to the constructor.
Moreover, you always should specify a default data value of a parameter,
even if you want to explore it later.
|
pypet/naturalnaming.py
|
def f_add_parameter(self, *args, **kwargs):
""" Adds a parameter under the current node.
There are two ways to add a new parameter either by adding a parameter instance:
>>> new_parameter = Parameter('group1.group2.myparam', data=42, comment='Example!')
>>> traj.f_add_parameter(new_parameter)
Or by passing the values directly to the function, with the name being the first
(non-keyword!) argument:
>>> traj.f_add_parameter('group1.group2.myparam', 42, comment='Example!')
If you want to create a different parameter than the standard parameter, you can
give the constructor as the first (non-keyword!) argument followed by the name
(non-keyword!):
>>> traj.f_add_parameter(PickleParameter,'group1.group2.myparam', data=42, comment='Example!')
The full name of the current node is added as a prefix to the given parameter name.
If the current node is the trajectory the prefix `'parameters'` is added to the name.
Note, all non-keyword and keyword parameters apart from the optional constructor
are passed on as is to the constructor.
Moreover, you always should specify a default data value of a parameter,
even if you want to explore it later.
"""
return self._nn_interface._add_generic(self, type_name=PARAMETER,
group_type_name=PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
def f_add_parameter(self, *args, **kwargs):
""" Adds a parameter under the current node.
There are two ways to add a new parameter either by adding a parameter instance:
>>> new_parameter = Parameter('group1.group2.myparam', data=42, comment='Example!')
>>> traj.f_add_parameter(new_parameter)
Or by passing the values directly to the function, with the name being the first
(non-keyword!) argument:
>>> traj.f_add_parameter('group1.group2.myparam', 42, comment='Example!')
If you want to create a different parameter than the standard parameter, you can
give the constructor as the first (non-keyword!) argument followed by the name
(non-keyword!):
>>> traj.f_add_parameter(PickleParameter,'group1.group2.myparam', data=42, comment='Example!')
The full name of the current node is added as a prefix to the given parameter name.
If the current node is the trajectory the prefix `'parameters'` is added to the name.
Note, all non-keyword and keyword parameters apart from the optional constructor
are passed on as is to the constructor.
Moreover, you always should specify a default data value of a parameter,
even if you want to explore it later.
"""
return self._nn_interface._add_generic(self, type_name=PARAMETER,
group_type_name=PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"a",
"parameter",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3448-L3479
|
[
"def",
"f_add_parameter",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"PARAMETER",
",",
"group_type_name",
"=",
"PARAMETER_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ResultGroup.f_add_result_group
|
Adds an empty result group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is a single run (root) adds the prefix `'results.runs.run_08%d%'` to the
full name where `'08%d'` is replaced by the index of the current run.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
|
pypet/naturalnaming.py
|
def f_add_result_group(self, *args, **kwargs):
"""Adds an empty result group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is a single run (root) adds the prefix `'results.runs.run_08%d%'` to the
full name where `'08%d'` is replaced by the index of the current run.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
"""
return self._nn_interface._add_generic(self, type_name=RESULT_GROUP,
group_type_name=RESULT_GROUP,
args=args, kwargs=kwargs)
|
def f_add_result_group(self, *args, **kwargs):
"""Adds an empty result group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is a single run (root) adds the prefix `'results.runs.run_08%d%'` to the
full name where `'08%d'` is replaced by the index of the current run.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
"""
return self._nn_interface._add_generic(self, type_name=RESULT_GROUP,
group_type_name=RESULT_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"an",
"empty",
"result",
"group",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3493-L3508
|
[
"def",
"f_add_result_group",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"RESULT_GROUP",
",",
"group_type_name",
"=",
"RESULT_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ResultGroup.f_add_result
|
Adds a result under the current node.
There are two ways to add a new result either by adding a result instance:
>>> new_result = Result('group1.group2.myresult', 1666, x=3, y=4, comment='Example!')
>>> traj.f_add_result(new_result)
Or by passing the values directly to the function, with the name being the first
(non-keyword!) argument:
>>> traj.f_add_result('group1.group2.myresult', 1666, x=3, y=3,comment='Example!')
If you want to create a different result than the standard result, you can
give the constructor as the first (non-keyword!) argument followed by the name
(non-keyword!):
>>> traj.f_add_result(PickleResult,'group1.group2.myresult', 1666, x=3, y=3, comment='Example!')
Additional arguments (here `1666`) or keyword arguments (here `x=3, y=3`) are passed
onto the constructor of the result.
Adds the full name of the current node as prefix to the name of the result.
If current node is a single run (root) adds the prefix `'results.runs.run_08%d%'` to the
full name where `'08%d'` is replaced by the index of the current run.
|
pypet/naturalnaming.py
|
def f_add_result(self, *args, **kwargs):
"""Adds a result under the current node.
There are two ways to add a new result either by adding a result instance:
>>> new_result = Result('group1.group2.myresult', 1666, x=3, y=4, comment='Example!')
>>> traj.f_add_result(new_result)
Or by passing the values directly to the function, with the name being the first
(non-keyword!) argument:
>>> traj.f_add_result('group1.group2.myresult', 1666, x=3, y=3,comment='Example!')
If you want to create a different result than the standard result, you can
give the constructor as the first (non-keyword!) argument followed by the name
(non-keyword!):
>>> traj.f_add_result(PickleResult,'group1.group2.myresult', 1666, x=3, y=3, comment='Example!')
Additional arguments (here `1666`) or keyword arguments (here `x=3, y=3`) are passed
onto the constructor of the result.
Adds the full name of the current node as prefix to the name of the result.
If current node is a single run (root) adds the prefix `'results.runs.run_08%d%'` to the
full name where `'08%d'` is replaced by the index of the current run.
"""
return self._nn_interface._add_generic(self, type_name=RESULT,
group_type_name=RESULT_GROUP,
args=args, kwargs=kwargs)
|
def f_add_result(self, *args, **kwargs):
"""Adds a result under the current node.
There are two ways to add a new result either by adding a result instance:
>>> new_result = Result('group1.group2.myresult', 1666, x=3, y=4, comment='Example!')
>>> traj.f_add_result(new_result)
Or by passing the values directly to the function, with the name being the first
(non-keyword!) argument:
>>> traj.f_add_result('group1.group2.myresult', 1666, x=3, y=3,comment='Example!')
If you want to create a different result than the standard result, you can
give the constructor as the first (non-keyword!) argument followed by the name
(non-keyword!):
>>> traj.f_add_result(PickleResult,'group1.group2.myresult', 1666, x=3, y=3, comment='Example!')
Additional arguments (here `1666`) or keyword arguments (here `x=3, y=3`) are passed
onto the constructor of the result.
Adds the full name of the current node as prefix to the name of the result.
If current node is a single run (root) adds the prefix `'results.runs.run_08%d%'` to the
full name where `'08%d'` is replaced by the index of the current run.
"""
return self._nn_interface._add_generic(self, type_name=RESULT,
group_type_name=RESULT_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"a",
"result",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3510-L3541
|
[
"def",
"f_add_result",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"RESULT",
",",
"group_type_name",
"=",
"RESULT_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
DerivedParameterGroup.f_add_derived_parameter_group
|
Adds an empty derived parameter group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is a single run (root) adds the prefix `'derived_parameters.runs.run_08%d%'`
to the full name where `'08%d'` is replaced by the index of the current run.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
|
pypet/naturalnaming.py
|
def f_add_derived_parameter_group(self, *args, **kwargs):
"""Adds an empty derived parameter group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is a single run (root) adds the prefix `'derived_parameters.runs.run_08%d%'`
to the full name where `'08%d'` is replaced by the index of the current run.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
"""
return self._nn_interface._add_generic(self, type_name=DERIVED_PARAMETER_GROUP,
group_type_name=DERIVED_PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
def f_add_derived_parameter_group(self, *args, **kwargs):
"""Adds an empty derived parameter group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is a single run (root) adds the prefix `'derived_parameters.runs.run_08%d%'`
to the full name where `'08%d'` is replaced by the index of the current run.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
"""
return self._nn_interface._add_generic(self, type_name=DERIVED_PARAMETER_GROUP,
group_type_name=DERIVED_PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"an",
"empty",
"derived",
"parameter",
"group",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3555-L3570
|
[
"def",
"f_add_derived_parameter_group",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"DERIVED_PARAMETER_GROUP",
",",
"group_type_name",
"=",
"DERIVED_PARAMETER_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
DerivedParameterGroup.f_add_derived_parameter
|
Adds a derived parameter under the current group.
Similar to
:func:`~pypet.naturalnaming.ParameterGroup.f_add_parameter`
Naming prefixes are added as in
:func:`~pypet.naturalnaming.DerivedParameterGroup.f_add_derived_parameter_group`
|
pypet/naturalnaming.py
|
def f_add_derived_parameter(self, *args, **kwargs):
"""Adds a derived parameter under the current group.
Similar to
:func:`~pypet.naturalnaming.ParameterGroup.f_add_parameter`
Naming prefixes are added as in
:func:`~pypet.naturalnaming.DerivedParameterGroup.f_add_derived_parameter_group`
"""
return self._nn_interface._add_generic(self, type_name=DERIVED_PARAMETER,
group_type_name=DERIVED_PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
def f_add_derived_parameter(self, *args, **kwargs):
"""Adds a derived parameter under the current group.
Similar to
:func:`~pypet.naturalnaming.ParameterGroup.f_add_parameter`
Naming prefixes are added as in
:func:`~pypet.naturalnaming.DerivedParameterGroup.f_add_derived_parameter_group`
"""
return self._nn_interface._add_generic(self, type_name=DERIVED_PARAMETER,
group_type_name=DERIVED_PARAMETER_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"a",
"derived",
"parameter",
"under",
"the",
"current",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3572-L3584
|
[
"def",
"f_add_derived_parameter",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"DERIVED_PARAMETER",
",",
"group_type_name",
"=",
"DERIVED_PARAMETER_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ConfigGroup.f_add_config_group
|
Adds an empty config group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is the trajectory (root), the prefix `'config'` is added to the full name.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
|
pypet/naturalnaming.py
|
def f_add_config_group(self, *args, **kwargs):
"""Adds an empty config group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is the trajectory (root), the prefix `'config'` is added to the full name.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
"""
return self._nn_interface._add_generic(self, type_name=CONFIG_GROUP,
group_type_name=CONFIG_GROUP,
args=args, kwargs=kwargs)
|
def f_add_config_group(self, *args, **kwargs):
"""Adds an empty config group under the current node.
Adds the full name of the current node as prefix to the name of the group.
If current node is the trajectory (root), the prefix `'config'` is added to the full name.
The `name` can also contain subgroups separated via colons, for example:
`name=subgroup1.subgroup2.subgroup3`. These other parent groups will be automatically
be created.
"""
return self._nn_interface._add_generic(self, type_name=CONFIG_GROUP,
group_type_name=CONFIG_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"an",
"empty",
"config",
"group",
"under",
"the",
"current",
"node",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3598-L3611
|
[
"def",
"f_add_config_group",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"CONFIG_GROUP",
",",
"group_type_name",
"=",
"CONFIG_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ConfigGroup.f_add_config
|
Adds a config parameter under the current group.
Similar to
:func:`~pypet.naturalnaming.ParameterGroup.f_add_parameter`.
If current group is the trajectory the prefix `'config'` is added to the name.
|
pypet/naturalnaming.py
|
def f_add_config(self, *args, **kwargs):
"""Adds a config parameter under the current group.
Similar to
:func:`~pypet.naturalnaming.ParameterGroup.f_add_parameter`.
If current group is the trajectory the prefix `'config'` is added to the name.
"""
return self._nn_interface._add_generic(self, type_name=CONFIG,
group_type_name=CONFIG_GROUP,
args=args, kwargs=kwargs)
|
def f_add_config(self, *args, **kwargs):
"""Adds a config parameter under the current group.
Similar to
:func:`~pypet.naturalnaming.ParameterGroup.f_add_parameter`.
If current group is the trajectory the prefix `'config'` is added to the name.
"""
return self._nn_interface._add_generic(self, type_name=CONFIG,
group_type_name=CONFIG_GROUP,
args=args, kwargs=kwargs)
|
[
"Adds",
"a",
"config",
"parameter",
"under",
"the",
"current",
"group",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/naturalnaming.py#L3613-L3624
|
[
"def",
"f_add_config",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"self",
".",
"_nn_interface",
".",
"_add_generic",
"(",
"self",
",",
"type_name",
"=",
"CONFIG",
",",
"group_type_name",
"=",
"CONFIG_GROUP",
",",
"args",
"=",
"args",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
eval_one_max
|
The fitness function
|
examples/example_20_using_deap_manual_runs.py
|
def eval_one_max(traj, individual):
"""The fitness function"""
traj.f_add_result('$set.$.individual', list(individual))
fitness = sum(individual)
traj.f_add_result('$set.$.fitness', fitness)
traj.f_store()
return (fitness,)
|
def eval_one_max(traj, individual):
"""The fitness function"""
traj.f_add_result('$set.$.individual', list(individual))
fitness = sum(individual)
traj.f_add_result('$set.$.fitness', fitness)
traj.f_store()
return (fitness,)
|
[
"The",
"fitness",
"function"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/examples/example_20_using_deap_manual_runs.py#L39-L45
|
[
"def",
"eval_one_max",
"(",
"traj",
",",
"individual",
")",
":",
"traj",
".",
"f_add_result",
"(",
"'$set.$.individual'",
",",
"list",
"(",
"individual",
")",
")",
"fitness",
"=",
"sum",
"(",
"individual",
")",
"traj",
".",
"f_add_result",
"(",
"'$set.$.fitness'",
",",
"fitness",
")",
"traj",
".",
"f_store",
"(",
")",
"return",
"(",
"fitness",
",",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
unit_from_expression
|
Takes a unit string like ``'1. * volt'`` and returns the BRIAN2 unit.
|
pypet/brian2/parameter.py
|
def unit_from_expression(expr):
"""Takes a unit string like ``'1. * volt'`` and returns the BRIAN2 unit."""
if expr == '1':
return get_unit_fast(1)
elif isinstance(expr, str):
mod = ast.parse(expr, mode='eval')
expr = mod.body
return unit_from_expression(expr)
elif expr.__class__ is ast.Name:
return ALLUNITS[expr.id]
elif expr.__class__ is ast.Num:
return expr.n
elif expr.__class__ is ast.UnaryOp:
op = expr.op.__class__.__name__
operand = unit_from_expression(expr.operand)
if op=='USub':
return -operand
else:
raise SyntaxError("Unsupported operation "+op)
elif expr.__class__ is ast.BinOp:
op = expr.op.__class__.__name__
left = unit_from_expression(expr.left)
right = unit_from_expression(expr.right)
if op=='Add':
u = left+right
elif op=='Sub':
u = left-right
elif op=='Mult':
u = left*right
elif op=='Div':
u = left/right
elif op=='Pow':
n = unit_from_expression(expr.right)
u = left**n
elif op=='Mod':
u = left % right
else:
raise SyntaxError("Unsupported operation "+op)
return u
else:
raise RuntimeError('You shall not pass')
|
def unit_from_expression(expr):
"""Takes a unit string like ``'1. * volt'`` and returns the BRIAN2 unit."""
if expr == '1':
return get_unit_fast(1)
elif isinstance(expr, str):
mod = ast.parse(expr, mode='eval')
expr = mod.body
return unit_from_expression(expr)
elif expr.__class__ is ast.Name:
return ALLUNITS[expr.id]
elif expr.__class__ is ast.Num:
return expr.n
elif expr.__class__ is ast.UnaryOp:
op = expr.op.__class__.__name__
operand = unit_from_expression(expr.operand)
if op=='USub':
return -operand
else:
raise SyntaxError("Unsupported operation "+op)
elif expr.__class__ is ast.BinOp:
op = expr.op.__class__.__name__
left = unit_from_expression(expr.left)
right = unit_from_expression(expr.right)
if op=='Add':
u = left+right
elif op=='Sub':
u = left-right
elif op=='Mult':
u = left*right
elif op=='Div':
u = left/right
elif op=='Pow':
n = unit_from_expression(expr.right)
u = left**n
elif op=='Mod':
u = left % right
else:
raise SyntaxError("Unsupported operation "+op)
return u
else:
raise RuntimeError('You shall not pass')
|
[
"Takes",
"a",
"unit",
"string",
"like",
"1",
".",
"*",
"volt",
"and",
"returns",
"the",
"BRIAN2",
"unit",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/brian2/parameter.py#L37-L77
|
[
"def",
"unit_from_expression",
"(",
"expr",
")",
":",
"if",
"expr",
"==",
"'1'",
":",
"return",
"get_unit_fast",
"(",
"1",
")",
"elif",
"isinstance",
"(",
"expr",
",",
"str",
")",
":",
"mod",
"=",
"ast",
".",
"parse",
"(",
"expr",
",",
"mode",
"=",
"'eval'",
")",
"expr",
"=",
"mod",
".",
"body",
"return",
"unit_from_expression",
"(",
"expr",
")",
"elif",
"expr",
".",
"__class__",
"is",
"ast",
".",
"Name",
":",
"return",
"ALLUNITS",
"[",
"expr",
".",
"id",
"]",
"elif",
"expr",
".",
"__class__",
"is",
"ast",
".",
"Num",
":",
"return",
"expr",
".",
"n",
"elif",
"expr",
".",
"__class__",
"is",
"ast",
".",
"UnaryOp",
":",
"op",
"=",
"expr",
".",
"op",
".",
"__class__",
".",
"__name__",
"operand",
"=",
"unit_from_expression",
"(",
"expr",
".",
"operand",
")",
"if",
"op",
"==",
"'USub'",
":",
"return",
"-",
"operand",
"else",
":",
"raise",
"SyntaxError",
"(",
"\"Unsupported operation \"",
"+",
"op",
")",
"elif",
"expr",
".",
"__class__",
"is",
"ast",
".",
"BinOp",
":",
"op",
"=",
"expr",
".",
"op",
".",
"__class__",
".",
"__name__",
"left",
"=",
"unit_from_expression",
"(",
"expr",
".",
"left",
")",
"right",
"=",
"unit_from_expression",
"(",
"expr",
".",
"right",
")",
"if",
"op",
"==",
"'Add'",
":",
"u",
"=",
"left",
"+",
"right",
"elif",
"op",
"==",
"'Sub'",
":",
"u",
"=",
"left",
"-",
"right",
"elif",
"op",
"==",
"'Mult'",
":",
"u",
"=",
"left",
"*",
"right",
"elif",
"op",
"==",
"'Div'",
":",
"u",
"=",
"left",
"/",
"right",
"elif",
"op",
"==",
"'Pow'",
":",
"n",
"=",
"unit_from_expression",
"(",
"expr",
".",
"right",
")",
"u",
"=",
"left",
"**",
"n",
"elif",
"op",
"==",
"'Mod'",
":",
"u",
"=",
"left",
"%",
"right",
"else",
":",
"raise",
"SyntaxError",
"(",
"\"Unsupported operation \"",
"+",
"op",
")",
"return",
"u",
"else",
":",
"raise",
"RuntimeError",
"(",
"'You shall not pass'",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Brian2Parameter.f_supports
|
Simply checks if data is supported
|
pypet/brian2/parameter.py
|
def f_supports(self, data):
""" Simply checks if data is supported """
if isinstance(data, Quantity):
return True
elif super(Brian2Parameter, self).f_supports(data):
return True
return False
|
def f_supports(self, data):
""" Simply checks if data is supported """
if isinstance(data, Quantity):
return True
elif super(Brian2Parameter, self).f_supports(data):
return True
return False
|
[
"Simply",
"checks",
"if",
"data",
"is",
"supported"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/brian2/parameter.py#L98-L104
|
[
"def",
"f_supports",
"(",
"self",
",",
"data",
")",
":",
"if",
"isinstance",
"(",
"data",
",",
"Quantity",
")",
":",
"return",
"True",
"elif",
"super",
"(",
"Brian2Parameter",
",",
"self",
")",
".",
"f_supports",
"(",
"data",
")",
":",
"return",
"True",
"return",
"False"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Brian2Result._supports
|
Simply checks if data is supported
|
pypet/brian2/parameter.py
|
def _supports(self, data):
""" Simply checks if data is supported """
if isinstance(data, Quantity):
return True
elif super(Brian2Result, self)._supports(data):
return True
return False
|
def _supports(self, data):
""" Simply checks if data is supported """
if isinstance(data, Quantity):
return True
elif super(Brian2Result, self)._supports(data):
return True
return False
|
[
"Simply",
"checks",
"if",
"data",
"is",
"supported"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/brian2/parameter.py#L201-L207
|
[
"def",
"_supports",
"(",
"self",
",",
"data",
")",
":",
"if",
"isinstance",
"(",
"data",
",",
"Quantity",
")",
":",
"return",
"True",
"elif",
"super",
"(",
"Brian2Result",
",",
"self",
")",
".",
"_supports",
"(",
"data",
")",
":",
"return",
"True",
"return",
"False"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Brian2MonitorResult.f_set_single
|
To add a monitor use `f_set_single('monitor', brian_monitor)`.
Otherwise `f_set_single` works similar to :func:`~pypet.parameter.Result.f_set_single`.
|
pypet/brian2/parameter.py
|
def f_set_single(self, name, item):
""" To add a monitor use `f_set_single('monitor', brian_monitor)`.
Otherwise `f_set_single` works similar to :func:`~pypet.parameter.Result.f_set_single`.
"""
if type(item) in [SpikeMonitor, StateMonitor, PopulationRateMonitor]:
if self.v_stored:
self._logger.warning('You are changing an already stored result. If '
'you not explicitly overwrite the data on disk, '
'this change might be lost and not propagated to disk.')
self._extract_monitor_data(item)
else:
super(Brian2MonitorResult, self).f_set_single(name, item)
|
def f_set_single(self, name, item):
""" To add a monitor use `f_set_single('monitor', brian_monitor)`.
Otherwise `f_set_single` works similar to :func:`~pypet.parameter.Result.f_set_single`.
"""
if type(item) in [SpikeMonitor, StateMonitor, PopulationRateMonitor]:
if self.v_stored:
self._logger.warning('You are changing an already stored result. If '
'you not explicitly overwrite the data on disk, '
'this change might be lost and not propagated to disk.')
self._extract_monitor_data(item)
else:
super(Brian2MonitorResult, self).f_set_single(name, item)
|
[
"To",
"add",
"a",
"monitor",
"use",
"f_set_single",
"(",
"monitor",
"brian_monitor",
")",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/brian2/parameter.py#L372-L385
|
[
"def",
"f_set_single",
"(",
"self",
",",
"name",
",",
"item",
")",
":",
"if",
"type",
"(",
"item",
")",
"in",
"[",
"SpikeMonitor",
",",
"StateMonitor",
",",
"PopulationRateMonitor",
"]",
":",
"if",
"self",
".",
"v_stored",
":",
"self",
".",
"_logger",
".",
"warning",
"(",
"'You are changing an already stored result. If '",
"'you not explicitly overwrite the data on disk, '",
"'this change might be lost and not propagated to disk.'",
")",
"self",
".",
"_extract_monitor_data",
"(",
"item",
")",
"else",
":",
"super",
"(",
"Brian2MonitorResult",
",",
"self",
")",
".",
"f_set_single",
"(",
"name",
",",
"item",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
add_commit_variables
|
Adds commit information to the trajectory.
|
pypet/utils/gitintegration.py
|
def add_commit_variables(traj, commit):
"""Adds commit information to the trajectory."""
git_time_value = time.strftime('%Y_%m_%d_%Hh%Mm%Ss', time.localtime(commit.committed_date))
git_short_name = str(commit.hexsha[0:7])
git_commit_name = 'commit_%s_' % git_short_name
git_commit_name = 'git.' + git_commit_name + git_time_value
if not traj.f_contains('config.'+git_commit_name, shortcuts=False):
git_commit_name += '.'
# Add the hexsha
traj.f_add_config(git_commit_name+'hexsha', commit.hexsha,
comment='SHA-1 hash of commit')
# Add the description string
traj.f_add_config(git_commit_name+'name_rev', commit.name_rev,
comment='String describing the commits hex sha based on '
'the closest Reference')
# Add unix epoch
traj.f_add_config(git_commit_name+'committed_date',
commit.committed_date, comment='Date of commit as unix epoch seconds')
# Add commit message
traj.f_add_config(git_commit_name+'message', str(commit.message),
comment='The commit message')
|
def add_commit_variables(traj, commit):
"""Adds commit information to the trajectory."""
git_time_value = time.strftime('%Y_%m_%d_%Hh%Mm%Ss', time.localtime(commit.committed_date))
git_short_name = str(commit.hexsha[0:7])
git_commit_name = 'commit_%s_' % git_short_name
git_commit_name = 'git.' + git_commit_name + git_time_value
if not traj.f_contains('config.'+git_commit_name, shortcuts=False):
git_commit_name += '.'
# Add the hexsha
traj.f_add_config(git_commit_name+'hexsha', commit.hexsha,
comment='SHA-1 hash of commit')
# Add the description string
traj.f_add_config(git_commit_name+'name_rev', commit.name_rev,
comment='String describing the commits hex sha based on '
'the closest Reference')
# Add unix epoch
traj.f_add_config(git_commit_name+'committed_date',
commit.committed_date, comment='Date of commit as unix epoch seconds')
# Add commit message
traj.f_add_config(git_commit_name+'message', str(commit.message),
comment='The commit message')
|
[
"Adds",
"commit",
"information",
"to",
"the",
"trajectory",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/gitintegration.py#L23-L50
|
[
"def",
"add_commit_variables",
"(",
"traj",
",",
"commit",
")",
":",
"git_time_value",
"=",
"time",
".",
"strftime",
"(",
"'%Y_%m_%d_%Hh%Mm%Ss'",
",",
"time",
".",
"localtime",
"(",
"commit",
".",
"committed_date",
")",
")",
"git_short_name",
"=",
"str",
"(",
"commit",
".",
"hexsha",
"[",
"0",
":",
"7",
"]",
")",
"git_commit_name",
"=",
"'commit_%s_'",
"%",
"git_short_name",
"git_commit_name",
"=",
"'git.'",
"+",
"git_commit_name",
"+",
"git_time_value",
"if",
"not",
"traj",
".",
"f_contains",
"(",
"'config.'",
"+",
"git_commit_name",
",",
"shortcuts",
"=",
"False",
")",
":",
"git_commit_name",
"+=",
"'.'",
"# Add the hexsha",
"traj",
".",
"f_add_config",
"(",
"git_commit_name",
"+",
"'hexsha'",
",",
"commit",
".",
"hexsha",
",",
"comment",
"=",
"'SHA-1 hash of commit'",
")",
"# Add the description string",
"traj",
".",
"f_add_config",
"(",
"git_commit_name",
"+",
"'name_rev'",
",",
"commit",
".",
"name_rev",
",",
"comment",
"=",
"'String describing the commits hex sha based on '",
"'the closest Reference'",
")",
"# Add unix epoch",
"traj",
".",
"f_add_config",
"(",
"git_commit_name",
"+",
"'committed_date'",
",",
"commit",
".",
"committed_date",
",",
"comment",
"=",
"'Date of commit as unix epoch seconds'",
")",
"# Add commit message",
"traj",
".",
"f_add_config",
"(",
"git_commit_name",
"+",
"'message'",
",",
"str",
"(",
"commit",
".",
"message",
")",
",",
"comment",
"=",
"'The commit message'",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
make_git_commit
|
Makes a commit and returns if a new commit was triggered and the SHA_1 code of the commit.
If `git_fail` is `True` program fails instead of triggering a new commit given
not committed changes. Then a `GitDiffError` is raised.
|
pypet/utils/gitintegration.py
|
def make_git_commit(environment, git_repository, user_message, git_fail):
""" Makes a commit and returns if a new commit was triggered and the SHA_1 code of the commit.
If `git_fail` is `True` program fails instead of triggering a new commit given
not committed changes. Then a `GitDiffError` is raised.
"""
# Import GitPython, we do it here to allow also users not having GitPython installed
# to use the normal environment
# Open the repository
repo = git.Repo(git_repository)
index = repo.index
traj = environment.v_trajectory
# Create the commit message and append the trajectory name and comment
if traj.v_comment:
commentstr = ', Comment: `%s`' % traj.v_comment
else:
commentstr = ''
if user_message:
user_message += ' -- '
message = '%sTrajectory: `%s`, Time: `%s`, %s' % \
(user_message, traj.v_name, traj.v_time, commentstr)
# Detect changes:
diff = index.diff(None)
if diff:
if git_fail:
# User requested fail instead of a new commit
raise pex.GitDiffError('Found not committed changes!')
# Make the commit
repo.git.add('-u')
commit = index.commit(message)
new_commit = True
else:
# Take old commit
commit = repo.commit(None)
new_commit = False
# Add the commit info to the trajectory
add_commit_variables(traj, commit)
return new_commit, commit.hexsha
|
def make_git_commit(environment, git_repository, user_message, git_fail):
""" Makes a commit and returns if a new commit was triggered and the SHA_1 code of the commit.
If `git_fail` is `True` program fails instead of triggering a new commit given
not committed changes. Then a `GitDiffError` is raised.
"""
# Import GitPython, we do it here to allow also users not having GitPython installed
# to use the normal environment
# Open the repository
repo = git.Repo(git_repository)
index = repo.index
traj = environment.v_trajectory
# Create the commit message and append the trajectory name and comment
if traj.v_comment:
commentstr = ', Comment: `%s`' % traj.v_comment
else:
commentstr = ''
if user_message:
user_message += ' -- '
message = '%sTrajectory: `%s`, Time: `%s`, %s' % \
(user_message, traj.v_name, traj.v_time, commentstr)
# Detect changes:
diff = index.diff(None)
if diff:
if git_fail:
# User requested fail instead of a new commit
raise pex.GitDiffError('Found not committed changes!')
# Make the commit
repo.git.add('-u')
commit = index.commit(message)
new_commit = True
else:
# Take old commit
commit = repo.commit(None)
new_commit = False
# Add the commit info to the trajectory
add_commit_variables(traj, commit)
return new_commit, commit.hexsha
|
[
"Makes",
"a",
"commit",
"and",
"returns",
"if",
"a",
"new",
"commit",
"was",
"triggered",
"and",
"the",
"SHA_1",
"code",
"of",
"the",
"commit",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/gitintegration.py#L61-L110
|
[
"def",
"make_git_commit",
"(",
"environment",
",",
"git_repository",
",",
"user_message",
",",
"git_fail",
")",
":",
"# Import GitPython, we do it here to allow also users not having GitPython installed",
"# to use the normal environment",
"# Open the repository",
"repo",
"=",
"git",
".",
"Repo",
"(",
"git_repository",
")",
"index",
"=",
"repo",
".",
"index",
"traj",
"=",
"environment",
".",
"v_trajectory",
"# Create the commit message and append the trajectory name and comment",
"if",
"traj",
".",
"v_comment",
":",
"commentstr",
"=",
"', Comment: `%s`'",
"%",
"traj",
".",
"v_comment",
"else",
":",
"commentstr",
"=",
"''",
"if",
"user_message",
":",
"user_message",
"+=",
"' -- '",
"message",
"=",
"'%sTrajectory: `%s`, Time: `%s`, %s'",
"%",
"(",
"user_message",
",",
"traj",
".",
"v_name",
",",
"traj",
".",
"v_time",
",",
"commentstr",
")",
"# Detect changes:",
"diff",
"=",
"index",
".",
"diff",
"(",
"None",
")",
"if",
"diff",
":",
"if",
"git_fail",
":",
"# User requested fail instead of a new commit",
"raise",
"pex",
".",
"GitDiffError",
"(",
"'Found not committed changes!'",
")",
"# Make the commit",
"repo",
".",
"git",
".",
"add",
"(",
"'-u'",
")",
"commit",
"=",
"index",
".",
"commit",
"(",
"message",
")",
"new_commit",
"=",
"True",
"else",
":",
"# Take old commit",
"commit",
"=",
"repo",
".",
"commit",
"(",
"None",
")",
"new_commit",
"=",
"False",
"# Add the commit info to the trajectory",
"add_commit_variables",
"(",
"traj",
",",
"commit",
")",
"return",
"new_commit",
",",
"commit",
".",
"hexsha"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
flatten_dictionary
|
Flattens a nested dictionary.
New keys are concatenations of nested keys with the `separator` in between.
|
pypet/utils/helpful_functions.py
|
def flatten_dictionary(nested_dict, separator):
"""Flattens a nested dictionary.
New keys are concatenations of nested keys with the `separator` in between.
"""
flat_dict = {}
for key, val in nested_dict.items():
if isinstance(val, dict):
new_flat_dict = flatten_dictionary(val, separator)
for flat_key, inval in new_flat_dict.items():
new_key = key + separator + flat_key
flat_dict[new_key] = inval
else:
flat_dict[key] = val
return flat_dict
|
def flatten_dictionary(nested_dict, separator):
"""Flattens a nested dictionary.
New keys are concatenations of nested keys with the `separator` in between.
"""
flat_dict = {}
for key, val in nested_dict.items():
if isinstance(val, dict):
new_flat_dict = flatten_dictionary(val, separator)
for flat_key, inval in new_flat_dict.items():
new_key = key + separator + flat_key
flat_dict[new_key] = inval
else:
flat_dict[key] = val
return flat_dict
|
[
"Flattens",
"a",
"nested",
"dictionary",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L27-L43
|
[
"def",
"flatten_dictionary",
"(",
"nested_dict",
",",
"separator",
")",
":",
"flat_dict",
"=",
"{",
"}",
"for",
"key",
",",
"val",
"in",
"nested_dict",
".",
"items",
"(",
")",
":",
"if",
"isinstance",
"(",
"val",
",",
"dict",
")",
":",
"new_flat_dict",
"=",
"flatten_dictionary",
"(",
"val",
",",
"separator",
")",
"for",
"flat_key",
",",
"inval",
"in",
"new_flat_dict",
".",
"items",
"(",
")",
":",
"new_key",
"=",
"key",
"+",
"separator",
"+",
"flat_key",
"flat_dict",
"[",
"new_key",
"]",
"=",
"inval",
"else",
":",
"flat_dict",
"[",
"key",
"]",
"=",
"val",
"return",
"flat_dict"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
nest_dictionary
|
Nests a given flat dictionary.
Nested keys are created by splitting given keys around the `separator`.
|
pypet/utils/helpful_functions.py
|
def nest_dictionary(flat_dict, separator):
""" Nests a given flat dictionary.
Nested keys are created by splitting given keys around the `separator`.
"""
nested_dict = {}
for key, val in flat_dict.items():
split_key = key.split(separator)
act_dict = nested_dict
final_key = split_key.pop()
for new_key in split_key:
if not new_key in act_dict:
act_dict[new_key] = {}
act_dict = act_dict[new_key]
act_dict[final_key] = val
return nested_dict
|
def nest_dictionary(flat_dict, separator):
""" Nests a given flat dictionary.
Nested keys are created by splitting given keys around the `separator`.
"""
nested_dict = {}
for key, val in flat_dict.items():
split_key = key.split(separator)
act_dict = nested_dict
final_key = split_key.pop()
for new_key in split_key:
if not new_key in act_dict:
act_dict[new_key] = {}
act_dict = act_dict[new_key]
act_dict[final_key] = val
return nested_dict
|
[
"Nests",
"a",
"given",
"flat",
"dictionary",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L46-L64
|
[
"def",
"nest_dictionary",
"(",
"flat_dict",
",",
"separator",
")",
":",
"nested_dict",
"=",
"{",
"}",
"for",
"key",
",",
"val",
"in",
"flat_dict",
".",
"items",
"(",
")",
":",
"split_key",
"=",
"key",
".",
"split",
"(",
"separator",
")",
"act_dict",
"=",
"nested_dict",
"final_key",
"=",
"split_key",
".",
"pop",
"(",
")",
"for",
"new_key",
"in",
"split_key",
":",
"if",
"not",
"new_key",
"in",
"act_dict",
":",
"act_dict",
"[",
"new_key",
"]",
"=",
"{",
"}",
"act_dict",
"=",
"act_dict",
"[",
"new_key",
"]",
"act_dict",
"[",
"final_key",
"]",
"=",
"val",
"return",
"nested_dict"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
progressbar
|
Plots a progress bar to the given `logger` for large for loops.
To be used inside a for-loop at the end of the loop:
.. code-block:: python
for irun in range(42):
my_costly_job() # Your expensive function
progressbar(index=irun, total=42, reprint=True) # shows a growing progressbar
There is no initialisation of the progressbar necessary before the for-loop.
The progressbar will be reset automatically if used in another for-loop.
:param index: Current index of for-loop
:param total: Total size of for-loop
:param percentage_step: Steps with which the bar should be plotted
:param logger:
Logger to write to - with level INFO. If string 'print' is given, the print statement is
used. Use ``None`` if you don't want to print or log the progressbar statement.
:param log_level: Log level with which to log.
:param reprint:
If no new line should be plotted but carriage return (works only for printing)
:param time: If the remaining time should be estimated and displayed
:param length: Length of the bar in `=` signs.
:param fmt_string:
A string which contains exactly one `%s` in order to incorporate the progressbar.
If such a string is given, ``fmt_string % progressbar`` is printed/logged.
:param reset:
If the progressbar should be restarted. If progressbar is called with a lower
index than the one before, the progressbar is automatically restarted.
:return:
The progressbar string or `None` if the string has not been updated.
|
pypet/utils/helpful_functions.py
|
def progressbar(index, total, percentage_step=10, logger='print', log_level=logging.INFO,
reprint=True, time=True, length=20, fmt_string=None, reset=False):
"""Plots a progress bar to the given `logger` for large for loops.
To be used inside a for-loop at the end of the loop:
.. code-block:: python
for irun in range(42):
my_costly_job() # Your expensive function
progressbar(index=irun, total=42, reprint=True) # shows a growing progressbar
There is no initialisation of the progressbar necessary before the for-loop.
The progressbar will be reset automatically if used in another for-loop.
:param index: Current index of for-loop
:param total: Total size of for-loop
:param percentage_step: Steps with which the bar should be plotted
:param logger:
Logger to write to - with level INFO. If string 'print' is given, the print statement is
used. Use ``None`` if you don't want to print or log the progressbar statement.
:param log_level: Log level with which to log.
:param reprint:
If no new line should be plotted but carriage return (works only for printing)
:param time: If the remaining time should be estimated and displayed
:param length: Length of the bar in `=` signs.
:param fmt_string:
A string which contains exactly one `%s` in order to incorporate the progressbar.
If such a string is given, ``fmt_string % progressbar`` is printed/logged.
:param reset:
If the progressbar should be restarted. If progressbar is called with a lower
index than the one before, the progressbar is automatically restarted.
:return:
The progressbar string or `None` if the string has not been updated.
"""
return _progressbar(index=index, total=total, percentage_step=percentage_step,
logger=logger, log_level=log_level, reprint=reprint,
time=time, length=length, fmt_string=fmt_string, reset=reset)
|
def progressbar(index, total, percentage_step=10, logger='print', log_level=logging.INFO,
reprint=True, time=True, length=20, fmt_string=None, reset=False):
"""Plots a progress bar to the given `logger` for large for loops.
To be used inside a for-loop at the end of the loop:
.. code-block:: python
for irun in range(42):
my_costly_job() # Your expensive function
progressbar(index=irun, total=42, reprint=True) # shows a growing progressbar
There is no initialisation of the progressbar necessary before the for-loop.
The progressbar will be reset automatically if used in another for-loop.
:param index: Current index of for-loop
:param total: Total size of for-loop
:param percentage_step: Steps with which the bar should be plotted
:param logger:
Logger to write to - with level INFO. If string 'print' is given, the print statement is
used. Use ``None`` if you don't want to print or log the progressbar statement.
:param log_level: Log level with which to log.
:param reprint:
If no new line should be plotted but carriage return (works only for printing)
:param time: If the remaining time should be estimated and displayed
:param length: Length of the bar in `=` signs.
:param fmt_string:
A string which contains exactly one `%s` in order to incorporate the progressbar.
If such a string is given, ``fmt_string % progressbar`` is printed/logged.
:param reset:
If the progressbar should be restarted. If progressbar is called with a lower
index than the one before, the progressbar is automatically restarted.
:return:
The progressbar string or `None` if the string has not been updated.
"""
return _progressbar(index=index, total=total, percentage_step=percentage_step,
logger=logger, log_level=log_level, reprint=reprint,
time=time, length=length, fmt_string=fmt_string, reset=reset)
|
[
"Plots",
"a",
"progress",
"bar",
"to",
"the",
"given",
"logger",
"for",
"large",
"for",
"loops",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L208-L256
|
[
"def",
"progressbar",
"(",
"index",
",",
"total",
",",
"percentage_step",
"=",
"10",
",",
"logger",
"=",
"'print'",
",",
"log_level",
"=",
"logging",
".",
"INFO",
",",
"reprint",
"=",
"True",
",",
"time",
"=",
"True",
",",
"length",
"=",
"20",
",",
"fmt_string",
"=",
"None",
",",
"reset",
"=",
"False",
")",
":",
"return",
"_progressbar",
"(",
"index",
"=",
"index",
",",
"total",
"=",
"total",
",",
"percentage_step",
"=",
"percentage_step",
",",
"logger",
"=",
"logger",
",",
"log_level",
"=",
"log_level",
",",
"reprint",
"=",
"reprint",
",",
"time",
"=",
"time",
",",
"length",
"=",
"length",
",",
"fmt_string",
"=",
"fmt_string",
",",
"reset",
"=",
"reset",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
_get_argspec
|
Helper function to support both Python versions
|
pypet/utils/helpful_functions.py
|
def _get_argspec(func):
"""Helper function to support both Python versions"""
if inspect.isclass(func):
func = func.__init__
if not inspect.isfunction(func):
# Init function not existing
return [], False
parameters = inspect.signature(func).parameters
args = []
uses_starstar = False
for par in parameters.values():
if (par.kind == inspect.Parameter.POSITIONAL_OR_KEYWORD or
par.kind == inspect.Parameter.KEYWORD_ONLY):
args.append(par.name)
elif par.kind == inspect.Parameter.VAR_KEYWORD:
uses_starstar = True
return args, uses_starstar
|
def _get_argspec(func):
"""Helper function to support both Python versions"""
if inspect.isclass(func):
func = func.__init__
if not inspect.isfunction(func):
# Init function not existing
return [], False
parameters = inspect.signature(func).parameters
args = []
uses_starstar = False
for par in parameters.values():
if (par.kind == inspect.Parameter.POSITIONAL_OR_KEYWORD or
par.kind == inspect.Parameter.KEYWORD_ONLY):
args.append(par.name)
elif par.kind == inspect.Parameter.VAR_KEYWORD:
uses_starstar = True
return args, uses_starstar
|
[
"Helper",
"function",
"to",
"support",
"both",
"Python",
"versions"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L259-L275
|
[
"def",
"_get_argspec",
"(",
"func",
")",
":",
"if",
"inspect",
".",
"isclass",
"(",
"func",
")",
":",
"func",
"=",
"func",
".",
"__init__",
"if",
"not",
"inspect",
".",
"isfunction",
"(",
"func",
")",
":",
"# Init function not existing",
"return",
"[",
"]",
",",
"False",
"parameters",
"=",
"inspect",
".",
"signature",
"(",
"func",
")",
".",
"parameters",
"args",
"=",
"[",
"]",
"uses_starstar",
"=",
"False",
"for",
"par",
"in",
"parameters",
".",
"values",
"(",
")",
":",
"if",
"(",
"par",
".",
"kind",
"==",
"inspect",
".",
"Parameter",
".",
"POSITIONAL_OR_KEYWORD",
"or",
"par",
".",
"kind",
"==",
"inspect",
".",
"Parameter",
".",
"KEYWORD_ONLY",
")",
":",
"args",
".",
"append",
"(",
"par",
".",
"name",
")",
"elif",
"par",
".",
"kind",
"==",
"inspect",
".",
"Parameter",
".",
"VAR_KEYWORD",
":",
"uses_starstar",
"=",
"True",
"return",
"args",
",",
"uses_starstar"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
get_matching_kwargs
|
Takes a function and keyword arguments and returns the ones that can be passed.
|
pypet/utils/helpful_functions.py
|
def get_matching_kwargs(func, kwargs):
"""Takes a function and keyword arguments and returns the ones that can be passed."""
args, uses_startstar = _get_argspec(func)
if uses_startstar:
return kwargs.copy()
else:
matching_kwargs = dict((k, kwargs[k]) for k in args if k in kwargs)
return matching_kwargs
|
def get_matching_kwargs(func, kwargs):
"""Takes a function and keyword arguments and returns the ones that can be passed."""
args, uses_startstar = _get_argspec(func)
if uses_startstar:
return kwargs.copy()
else:
matching_kwargs = dict((k, kwargs[k]) for k in args if k in kwargs)
return matching_kwargs
|
[
"Takes",
"a",
"function",
"and",
"keyword",
"arguments",
"and",
"returns",
"the",
"ones",
"that",
"can",
"be",
"passed",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L278-L285
|
[
"def",
"get_matching_kwargs",
"(",
"func",
",",
"kwargs",
")",
":",
"args",
",",
"uses_startstar",
"=",
"_get_argspec",
"(",
"func",
")",
"if",
"uses_startstar",
":",
"return",
"kwargs",
".",
"copy",
"(",
")",
"else",
":",
"matching_kwargs",
"=",
"dict",
"(",
"(",
"k",
",",
"kwargs",
"[",
"k",
"]",
")",
"for",
"k",
"in",
"args",
"if",
"k",
"in",
"kwargs",
")",
"return",
"matching_kwargs"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
result_sort
|
Sorts a list of results in O(n) in place (since every run is unique)
:param result_list: List of tuples [(run_idx, res), ...]
:param start_index: Index with which to start, every entry before `start_index` is ignored
|
pypet/utils/helpful_functions.py
|
def result_sort(result_list, start_index=0):
"""Sorts a list of results in O(n) in place (since every run is unique)
:param result_list: List of tuples [(run_idx, res), ...]
:param start_index: Index with which to start, every entry before `start_index` is ignored
"""
if len(result_list) < 2:
return result_list
to_sort = result_list[start_index:]
minmax = [x[0] for x in to_sort]
minimum = min(minmax)
maximum = max(minmax)
#print minimum, maximum
sorted_list = [None for _ in range(minimum, maximum + 1)]
for elem in to_sort:
key = elem[0] - minimum
sorted_list[key] = elem
idx_count = start_index
for elem in sorted_list:
if elem is not None:
result_list[idx_count] = elem
idx_count += 1
return result_list
|
def result_sort(result_list, start_index=0):
"""Sorts a list of results in O(n) in place (since every run is unique)
:param result_list: List of tuples [(run_idx, res), ...]
:param start_index: Index with which to start, every entry before `start_index` is ignored
"""
if len(result_list) < 2:
return result_list
to_sort = result_list[start_index:]
minmax = [x[0] for x in to_sort]
minimum = min(minmax)
maximum = max(minmax)
#print minimum, maximum
sorted_list = [None for _ in range(minimum, maximum + 1)]
for elem in to_sort:
key = elem[0] - minimum
sorted_list[key] = elem
idx_count = start_index
for elem in sorted_list:
if elem is not None:
result_list[idx_count] = elem
idx_count += 1
return result_list
|
[
"Sorts",
"a",
"list",
"of",
"results",
"in",
"O",
"(",
"n",
")",
"in",
"place",
"(",
"since",
"every",
"run",
"is",
"unique",
")"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L288-L311
|
[
"def",
"result_sort",
"(",
"result_list",
",",
"start_index",
"=",
"0",
")",
":",
"if",
"len",
"(",
"result_list",
")",
"<",
"2",
":",
"return",
"result_list",
"to_sort",
"=",
"result_list",
"[",
"start_index",
":",
"]",
"minmax",
"=",
"[",
"x",
"[",
"0",
"]",
"for",
"x",
"in",
"to_sort",
"]",
"minimum",
"=",
"min",
"(",
"minmax",
")",
"maximum",
"=",
"max",
"(",
"minmax",
")",
"#print minimum, maximum",
"sorted_list",
"=",
"[",
"None",
"for",
"_",
"in",
"range",
"(",
"minimum",
",",
"maximum",
"+",
"1",
")",
"]",
"for",
"elem",
"in",
"to_sort",
":",
"key",
"=",
"elem",
"[",
"0",
"]",
"-",
"minimum",
"sorted_list",
"[",
"key",
"]",
"=",
"elem",
"idx_count",
"=",
"start_index",
"for",
"elem",
"in",
"sorted_list",
":",
"if",
"elem",
"is",
"not",
"None",
":",
"result_list",
"[",
"idx_count",
"]",
"=",
"elem",
"idx_count",
"+=",
"1",
"return",
"result_list"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
format_time
|
Formats timestamp to human readable format
|
pypet/utils/helpful_functions.py
|
def format_time(timestamp):
"""Formats timestamp to human readable format"""
format_string = '%Y_%m_%d_%Hh%Mm%Ss'
formatted_time = datetime.datetime.fromtimestamp(timestamp).strftime(format_string)
return formatted_time
|
def format_time(timestamp):
"""Formats timestamp to human readable format"""
format_string = '%Y_%m_%d_%Hh%Mm%Ss'
formatted_time = datetime.datetime.fromtimestamp(timestamp).strftime(format_string)
return formatted_time
|
[
"Formats",
"timestamp",
"to",
"human",
"readable",
"format"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L314-L318
|
[
"def",
"format_time",
"(",
"timestamp",
")",
":",
"format_string",
"=",
"'%Y_%m_%d_%Hh%Mm%Ss'",
"formatted_time",
"=",
"datetime",
".",
"datetime",
".",
"fromtimestamp",
"(",
"timestamp",
")",
".",
"strftime",
"(",
"format_string",
")",
"return",
"formatted_time"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
port_to_tcp
|
Returns local tcp address for a given `port`, automatic port if `None`
|
pypet/utils/helpful_functions.py
|
def port_to_tcp(port=None):
"""Returns local tcp address for a given `port`, automatic port if `None`"""
#address = 'tcp://' + socket.gethostbyname(socket.getfqdn())
domain_name = socket.getfqdn()
try:
addr_list = socket.getaddrinfo(domain_name, None)
except Exception:
addr_list = socket.getaddrinfo('127.0.0.1', None)
family, socktype, proto, canonname, sockaddr = addr_list[0]
host = convert_ipv6(sockaddr[0])
address = 'tcp://' + host
if port is None:
port = ()
if not isinstance(port, int):
# determine port automatically
context = zmq.Context()
try:
socket_ = context.socket(zmq.REP)
socket_.ipv6 = is_ipv6(address)
port = socket_.bind_to_random_port(address, *port)
except Exception:
print('Could not connect to {} using {}'.format(address, addr_list))
pypet_root_logger = logging.getLogger('pypet')
pypet_root_logger.exception('Could not connect to {}'.format(address))
raise
socket_.close()
context.term()
return address + ':' + str(port)
|
def port_to_tcp(port=None):
"""Returns local tcp address for a given `port`, automatic port if `None`"""
#address = 'tcp://' + socket.gethostbyname(socket.getfqdn())
domain_name = socket.getfqdn()
try:
addr_list = socket.getaddrinfo(domain_name, None)
except Exception:
addr_list = socket.getaddrinfo('127.0.0.1', None)
family, socktype, proto, canonname, sockaddr = addr_list[0]
host = convert_ipv6(sockaddr[0])
address = 'tcp://' + host
if port is None:
port = ()
if not isinstance(port, int):
# determine port automatically
context = zmq.Context()
try:
socket_ = context.socket(zmq.REP)
socket_.ipv6 = is_ipv6(address)
port = socket_.bind_to_random_port(address, *port)
except Exception:
print('Could not connect to {} using {}'.format(address, addr_list))
pypet_root_logger = logging.getLogger('pypet')
pypet_root_logger.exception('Could not connect to {}'.format(address))
raise
socket_.close()
context.term()
return address + ':' + str(port)
|
[
"Returns",
"local",
"tcp",
"address",
"for",
"a",
"given",
"port",
"automatic",
"port",
"if",
"None"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L334-L361
|
[
"def",
"port_to_tcp",
"(",
"port",
"=",
"None",
")",
":",
"#address = 'tcp://' + socket.gethostbyname(socket.getfqdn())",
"domain_name",
"=",
"socket",
".",
"getfqdn",
"(",
")",
"try",
":",
"addr_list",
"=",
"socket",
".",
"getaddrinfo",
"(",
"domain_name",
",",
"None",
")",
"except",
"Exception",
":",
"addr_list",
"=",
"socket",
".",
"getaddrinfo",
"(",
"'127.0.0.1'",
",",
"None",
")",
"family",
",",
"socktype",
",",
"proto",
",",
"canonname",
",",
"sockaddr",
"=",
"addr_list",
"[",
"0",
"]",
"host",
"=",
"convert_ipv6",
"(",
"sockaddr",
"[",
"0",
"]",
")",
"address",
"=",
"'tcp://'",
"+",
"host",
"if",
"port",
"is",
"None",
":",
"port",
"=",
"(",
")",
"if",
"not",
"isinstance",
"(",
"port",
",",
"int",
")",
":",
"# determine port automatically",
"context",
"=",
"zmq",
".",
"Context",
"(",
")",
"try",
":",
"socket_",
"=",
"context",
".",
"socket",
"(",
"zmq",
".",
"REP",
")",
"socket_",
".",
"ipv6",
"=",
"is_ipv6",
"(",
"address",
")",
"port",
"=",
"socket_",
".",
"bind_to_random_port",
"(",
"address",
",",
"*",
"port",
")",
"except",
"Exception",
":",
"print",
"(",
"'Could not connect to {} using {}'",
".",
"format",
"(",
"address",
",",
"addr_list",
")",
")",
"pypet_root_logger",
"=",
"logging",
".",
"getLogger",
"(",
"'pypet'",
")",
"pypet_root_logger",
".",
"exception",
"(",
"'Could not connect to {}'",
".",
"format",
"(",
"address",
")",
")",
"raise",
"socket_",
".",
"close",
"(",
")",
"context",
".",
"term",
"(",
")",
"return",
"address",
"+",
"':'",
"+",
"str",
"(",
"port",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
racedirs
|
Like os.makedirs but takes care about race conditions
|
pypet/utils/helpful_functions.py
|
def racedirs(path):
"""Like os.makedirs but takes care about race conditions"""
if os.path.isfile(path):
raise IOError('Path `%s` is already a file not a directory')
while True:
try:
if os.path.isdir(path):
# only break if full path has been created or exists
break
os.makedirs(path)
except EnvironmentError as exc:
# Part of the directory path already exist
if exc.errno != 17:
# This error won't be any good
raise
|
def racedirs(path):
"""Like os.makedirs but takes care about race conditions"""
if os.path.isfile(path):
raise IOError('Path `%s` is already a file not a directory')
while True:
try:
if os.path.isdir(path):
# only break if full path has been created or exists
break
os.makedirs(path)
except EnvironmentError as exc:
# Part of the directory path already exist
if exc.errno != 17:
# This error won't be any good
raise
|
[
"Like",
"os",
".",
"makedirs",
"but",
"takes",
"care",
"about",
"race",
"conditions"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L364-L378
|
[
"def",
"racedirs",
"(",
"path",
")",
":",
"if",
"os",
".",
"path",
".",
"isfile",
"(",
"path",
")",
":",
"raise",
"IOError",
"(",
"'Path `%s` is already a file not a directory'",
")",
"while",
"True",
":",
"try",
":",
"if",
"os",
".",
"path",
".",
"isdir",
"(",
"path",
")",
":",
"# only break if full path has been created or exists",
"break",
"os",
".",
"makedirs",
"(",
"path",
")",
"except",
"EnvironmentError",
"as",
"exc",
":",
"# Part of the directory path already exist",
"if",
"exc",
".",
"errno",
"!=",
"17",
":",
"# This error won't be any good",
"raise"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
_Progressbar._reset
|
Resets to the progressbar to start a new one
|
pypet/utils/helpful_functions.py
|
def _reset(self, index, total, percentage_step, length):
"""Resets to the progressbar to start a new one"""
self._start_time = datetime.datetime.now()
self._start_index = index
self._current_index = index
self._percentage_step = percentage_step
self._total = float(total)
self._total_minus_one = total - 1
self._length = length
self._norm_factor = total * percentage_step / 100.0
self._current_interval = int((index + 1.0) / self._norm_factor)
|
def _reset(self, index, total, percentage_step, length):
"""Resets to the progressbar to start a new one"""
self._start_time = datetime.datetime.now()
self._start_index = index
self._current_index = index
self._percentage_step = percentage_step
self._total = float(total)
self._total_minus_one = total - 1
self._length = length
self._norm_factor = total * percentage_step / 100.0
self._current_interval = int((index + 1.0) / self._norm_factor)
|
[
"Resets",
"to",
"the",
"progressbar",
"to",
"start",
"a",
"new",
"one"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L85-L95
|
[
"def",
"_reset",
"(",
"self",
",",
"index",
",",
"total",
",",
"percentage_step",
",",
"length",
")",
":",
"self",
".",
"_start_time",
"=",
"datetime",
".",
"datetime",
".",
"now",
"(",
")",
"self",
".",
"_start_index",
"=",
"index",
"self",
".",
"_current_index",
"=",
"index",
"self",
".",
"_percentage_step",
"=",
"percentage_step",
"self",
".",
"_total",
"=",
"float",
"(",
"total",
")",
"self",
".",
"_total_minus_one",
"=",
"total",
"-",
"1",
"self",
".",
"_length",
"=",
"length",
"self",
".",
"_norm_factor",
"=",
"total",
"*",
"percentage_step",
"/",
"100.0",
"self",
".",
"_current_interval",
"=",
"int",
"(",
"(",
"index",
"+",
"1.0",
")",
"/",
"self",
".",
"_norm_factor",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
_Progressbar._get_remaining
|
Calculates remaining time as a string
|
pypet/utils/helpful_functions.py
|
def _get_remaining(self, index):
"""Calculates remaining time as a string"""
try:
current_time = datetime.datetime.now()
time_delta = current_time - self._start_time
try:
total_seconds = time_delta.total_seconds()
except AttributeError:
# for backwards-compatibility
# Python 2.6 does not support `total_seconds`
total_seconds = ((time_delta.microseconds +
(time_delta.seconds +
time_delta.days * 24 * 3600) * 10 ** 6) / 10.0 ** 6)
remaining_seconds = int((self._total - self._start_index - 1.0) *
total_seconds / float(index - self._start_index) -
total_seconds)
remaining_delta = datetime.timedelta(seconds=remaining_seconds)
remaining_str = ', remaining: ' + str(remaining_delta)
except ZeroDivisionError:
remaining_str = ''
return remaining_str
|
def _get_remaining(self, index):
"""Calculates remaining time as a string"""
try:
current_time = datetime.datetime.now()
time_delta = current_time - self._start_time
try:
total_seconds = time_delta.total_seconds()
except AttributeError:
# for backwards-compatibility
# Python 2.6 does not support `total_seconds`
total_seconds = ((time_delta.microseconds +
(time_delta.seconds +
time_delta.days * 24 * 3600) * 10 ** 6) / 10.0 ** 6)
remaining_seconds = int((self._total - self._start_index - 1.0) *
total_seconds / float(index - self._start_index) -
total_seconds)
remaining_delta = datetime.timedelta(seconds=remaining_seconds)
remaining_str = ', remaining: ' + str(remaining_delta)
except ZeroDivisionError:
remaining_str = ''
return remaining_str
|
[
"Calculates",
"remaining",
"time",
"as",
"a",
"string"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/helpful_functions.py#L97-L117
|
[
"def",
"_get_remaining",
"(",
"self",
",",
"index",
")",
":",
"try",
":",
"current_time",
"=",
"datetime",
".",
"datetime",
".",
"now",
"(",
")",
"time_delta",
"=",
"current_time",
"-",
"self",
".",
"_start_time",
"try",
":",
"total_seconds",
"=",
"time_delta",
".",
"total_seconds",
"(",
")",
"except",
"AttributeError",
":",
"# for backwards-compatibility",
"# Python 2.6 does not support `total_seconds`",
"total_seconds",
"=",
"(",
"(",
"time_delta",
".",
"microseconds",
"+",
"(",
"time_delta",
".",
"seconds",
"+",
"time_delta",
".",
"days",
"*",
"24",
"*",
"3600",
")",
"*",
"10",
"**",
"6",
")",
"/",
"10.0",
"**",
"6",
")",
"remaining_seconds",
"=",
"int",
"(",
"(",
"self",
".",
"_total",
"-",
"self",
".",
"_start_index",
"-",
"1.0",
")",
"*",
"total_seconds",
"/",
"float",
"(",
"index",
"-",
"self",
".",
"_start_index",
")",
"-",
"total_seconds",
")",
"remaining_delta",
"=",
"datetime",
".",
"timedelta",
"(",
"seconds",
"=",
"remaining_seconds",
")",
"remaining_str",
"=",
"', remaining: '",
"+",
"str",
"(",
"remaining_delta",
")",
"except",
"ZeroDivisionError",
":",
"remaining_str",
"=",
"''",
"return",
"remaining_str"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Annotations.f_to_dict
|
Returns annotations as dictionary.
:param copy: Whether to return a shallow copy or the real thing (aka _dict).
|
pypet/annotations.py
|
def f_to_dict(self, copy=True):
"""Returns annotations as dictionary.
:param copy: Whether to return a shallow copy or the real thing (aka _dict).
"""
if copy:
return self._dict.copy()
else:
return self._dict
|
def f_to_dict(self, copy=True):
"""Returns annotations as dictionary.
:param copy: Whether to return a shallow copy or the real thing (aka _dict).
"""
if copy:
return self._dict.copy()
else:
return self._dict
|
[
"Returns",
"annotations",
"as",
"dictionary",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/annotations.py#L72-L81
|
[
"def",
"f_to_dict",
"(",
"self",
",",
"copy",
"=",
"True",
")",
":",
"if",
"copy",
":",
"return",
"self",
".",
"_dict",
".",
"copy",
"(",
")",
"else",
":",
"return",
"self",
".",
"_dict"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Annotations.f_get
|
Returns annotations
If len(args)>1, then returns a list of annotations.
`f_get(X)` with *X* integer will return the annotation with name `annotation_X`.
If the annotation contains only a single entry you can call `f_get()` without arguments.
If you call `f_get()` and the annotation contains more than one element a ValueError is
thrown.
|
pypet/annotations.py
|
def f_get(self, *args):
"""Returns annotations
If len(args)>1, then returns a list of annotations.
`f_get(X)` with *X* integer will return the annotation with name `annotation_X`.
If the annotation contains only a single entry you can call `f_get()` without arguments.
If you call `f_get()` and the annotation contains more than one element a ValueError is
thrown.
"""
if len(args) == 0:
if len(self._dict) == 1:
return self._dict[list(self._dict.keys())[0]]
elif len(self._dict) > 1:
raise ValueError('Your annotation contains more than one entry: '
'`%s` Please use >>f_get<< with one of these.' %
(str(list(self._dict.keys()))))
else:
raise AttributeError('Your annotation is empty, cannot access data.')
result_list = []
for name in args:
name = self._translate_key(name)
try:
result_list.append(self._dict[name])
except KeyError:
raise AttributeError('Your annotation does not contain %s.' % name)
if len(args) == 1:
return result_list[0]
else:
return tuple(result_list)
|
def f_get(self, *args):
"""Returns annotations
If len(args)>1, then returns a list of annotations.
`f_get(X)` with *X* integer will return the annotation with name `annotation_X`.
If the annotation contains only a single entry you can call `f_get()` without arguments.
If you call `f_get()` and the annotation contains more than one element a ValueError is
thrown.
"""
if len(args) == 0:
if len(self._dict) == 1:
return self._dict[list(self._dict.keys())[0]]
elif len(self._dict) > 1:
raise ValueError('Your annotation contains more than one entry: '
'`%s` Please use >>f_get<< with one of these.' %
(str(list(self._dict.keys()))))
else:
raise AttributeError('Your annotation is empty, cannot access data.')
result_list = []
for name in args:
name = self._translate_key(name)
try:
result_list.append(self._dict[name])
except KeyError:
raise AttributeError('Your annotation does not contain %s.' % name)
if len(args) == 1:
return result_list[0]
else:
return tuple(result_list)
|
[
"Returns",
"annotations"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/annotations.py#L112-L146
|
[
"def",
"f_get",
"(",
"self",
",",
"*",
"args",
")",
":",
"if",
"len",
"(",
"args",
")",
"==",
"0",
":",
"if",
"len",
"(",
"self",
".",
"_dict",
")",
"==",
"1",
":",
"return",
"self",
".",
"_dict",
"[",
"list",
"(",
"self",
".",
"_dict",
".",
"keys",
"(",
")",
")",
"[",
"0",
"]",
"]",
"elif",
"len",
"(",
"self",
".",
"_dict",
")",
">",
"1",
":",
"raise",
"ValueError",
"(",
"'Your annotation contains more than one entry: '",
"'`%s` Please use >>f_get<< with one of these.'",
"%",
"(",
"str",
"(",
"list",
"(",
"self",
".",
"_dict",
".",
"keys",
"(",
")",
")",
")",
")",
")",
"else",
":",
"raise",
"AttributeError",
"(",
"'Your annotation is empty, cannot access data.'",
")",
"result_list",
"=",
"[",
"]",
"for",
"name",
"in",
"args",
":",
"name",
"=",
"self",
".",
"_translate_key",
"(",
"name",
")",
"try",
":",
"result_list",
".",
"append",
"(",
"self",
".",
"_dict",
"[",
"name",
"]",
")",
"except",
"KeyError",
":",
"raise",
"AttributeError",
"(",
"'Your annotation does not contain %s.'",
"%",
"name",
")",
"if",
"len",
"(",
"args",
")",
"==",
"1",
":",
"return",
"result_list",
"[",
"0",
"]",
"else",
":",
"return",
"tuple",
"(",
"result_list",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Annotations.f_set
|
Sets annotations
Items in args are added as `annotation` and `annotation_X` where
'X' is the position in args for following arguments.
|
pypet/annotations.py
|
def f_set(self, *args, **kwargs):
"""Sets annotations
Items in args are added as `annotation` and `annotation_X` where
'X' is the position in args for following arguments.
"""
for idx, arg in enumerate(args):
valstr = self._translate_key(idx)
self.f_set_single(valstr, arg)
for key, arg in kwargs.items():
self.f_set_single(key, arg)
|
def f_set(self, *args, **kwargs):
"""Sets annotations
Items in args are added as `annotation` and `annotation_X` where
'X' is the position in args for following arguments.
"""
for idx, arg in enumerate(args):
valstr = self._translate_key(idx)
self.f_set_single(valstr, arg)
for key, arg in kwargs.items():
self.f_set_single(key, arg)
|
[
"Sets",
"annotations"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/annotations.py#L148-L160
|
[
"def",
"f_set",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"for",
"idx",
",",
"arg",
"in",
"enumerate",
"(",
"args",
")",
":",
"valstr",
"=",
"self",
".",
"_translate_key",
"(",
"idx",
")",
"self",
".",
"f_set_single",
"(",
"valstr",
",",
"arg",
")",
"for",
"key",
",",
"arg",
"in",
"kwargs",
".",
"items",
"(",
")",
":",
"self",
".",
"f_set_single",
"(",
"key",
",",
"arg",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Annotations.f_remove
|
Removes `key` from annotations
|
pypet/annotations.py
|
def f_remove(self, key):
"""Removes `key` from annotations"""
key = self._translate_key(key)
try:
del self._dict[key]
except KeyError:
raise AttributeError('Your annotations do not contain %s' % key)
|
def f_remove(self, key):
"""Removes `key` from annotations"""
key = self._translate_key(key)
try:
del self._dict[key]
except KeyError:
raise AttributeError('Your annotations do not contain %s' % key)
|
[
"Removes",
"key",
"from",
"annotations"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/annotations.py#L162-L168
|
[
"def",
"f_remove",
"(",
"self",
",",
"key",
")",
":",
"key",
"=",
"self",
".",
"_translate_key",
"(",
"key",
")",
"try",
":",
"del",
"self",
".",
"_dict",
"[",
"key",
"]",
"except",
"KeyError",
":",
"raise",
"AttributeError",
"(",
"'Your annotations do not contain %s'",
"%",
"key",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
Annotations.f_ann_to_str
|
Returns all annotations lexicographically sorted as a concatenated string.
|
pypet/annotations.py
|
def f_ann_to_str(self):
"""Returns all annotations lexicographically sorted as a concatenated string."""
resstr = ''
for key in sorted(self._dict.keys()):
resstr += '%s=%s; ' % (key, str(self._dict[key]))
return resstr[:-2]
|
def f_ann_to_str(self):
"""Returns all annotations lexicographically sorted as a concatenated string."""
resstr = ''
for key in sorted(self._dict.keys()):
resstr += '%s=%s; ' % (key, str(self._dict[key]))
return resstr[:-2]
|
[
"Returns",
"all",
"annotations",
"lexicographically",
"sorted",
"as",
"a",
"concatenated",
"string",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/annotations.py#L175-L180
|
[
"def",
"f_ann_to_str",
"(",
"self",
")",
":",
"resstr",
"=",
"''",
"for",
"key",
"in",
"sorted",
"(",
"self",
".",
"_dict",
".",
"keys",
"(",
")",
")",
":",
"resstr",
"+=",
"'%s=%s; '",
"%",
"(",
"key",
",",
"str",
"(",
"self",
".",
"_dict",
"[",
"key",
"]",
")",
")",
"return",
"resstr",
"[",
":",
"-",
"2",
"]"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
make_ordinary_result
|
Turns a given shared data item into a an ordinary one.
:param result: Result container with shared data
:param key: The name of the shared data
:param trajectory:
The trajectory, only needed if shared data has
no access to the trajectory, yet.
:param reload: If data should be reloaded after conversion
:return: The result
|
pypet/shareddata.py
|
def make_ordinary_result(result, key, trajectory=None, reload=True):
"""Turns a given shared data item into a an ordinary one.
:param result: Result container with shared data
:param key: The name of the shared data
:param trajectory:
The trajectory, only needed if shared data has
no access to the trajectory, yet.
:param reload: If data should be reloaded after conversion
:return: The result
"""
shared_data = result.f_get(key)
if trajectory is not None:
shared_data.traj = trajectory
shared_data._request_data('make_ordinary')
result.f_remove(key)
if reload:
trajectory.f_load_item(result, load_data=pypetconstants.OVERWRITE_DATA)
return result
|
def make_ordinary_result(result, key, trajectory=None, reload=True):
"""Turns a given shared data item into a an ordinary one.
:param result: Result container with shared data
:param key: The name of the shared data
:param trajectory:
The trajectory, only needed if shared data has
no access to the trajectory, yet.
:param reload: If data should be reloaded after conversion
:return: The result
"""
shared_data = result.f_get(key)
if trajectory is not None:
shared_data.traj = trajectory
shared_data._request_data('make_ordinary')
result.f_remove(key)
if reload:
trajectory.f_load_item(result, load_data=pypetconstants.OVERWRITE_DATA)
return result
|
[
"Turns",
"a",
"given",
"shared",
"data",
"item",
"into",
"a",
"an",
"ordinary",
"one",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L81-L104
|
[
"def",
"make_ordinary_result",
"(",
"result",
",",
"key",
",",
"trajectory",
"=",
"None",
",",
"reload",
"=",
"True",
")",
":",
"shared_data",
"=",
"result",
".",
"f_get",
"(",
"key",
")",
"if",
"trajectory",
"is",
"not",
"None",
":",
"shared_data",
".",
"traj",
"=",
"trajectory",
"shared_data",
".",
"_request_data",
"(",
"'make_ordinary'",
")",
"result",
".",
"f_remove",
"(",
"key",
")",
"if",
"reload",
":",
"trajectory",
".",
"f_load_item",
"(",
"result",
",",
"load_data",
"=",
"pypetconstants",
".",
"OVERWRITE_DATA",
")",
"return",
"result"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
make_shared_result
|
Turns an ordinary data item into a shared one.
Removes the old result from the trajectory and replaces it.
Empties the given result.
:param result: The result containing ordinary data
:param key: Name of ordinary data item
:param trajectory: Trajectory container
:param new_class:
Class of new shared data item.
Leave `None` for automatic detection.
:return: The `result`
|
pypet/shareddata.py
|
def make_shared_result(result, key, trajectory, new_class=None):
"""Turns an ordinary data item into a shared one.
Removes the old result from the trajectory and replaces it.
Empties the given result.
:param result: The result containing ordinary data
:param key: Name of ordinary data item
:param trajectory: Trajectory container
:param new_class:
Class of new shared data item.
Leave `None` for automatic detection.
:return: The `result`
"""
data = result.f_get(key)
if new_class is None:
if isinstance(data, ObjectTable):
new_class = SharedTable
elif isinstance(data, pd.DataFrame):
new_class = SharedPandasFrame
elif isinstance(data, (tuple, list)):
new_class = SharedArray
elif isinstance(data, (np.ndarray, np.matrix)):
new_class = SharedCArray
else:
raise RuntimeError('Your data `%s` is not understood.' % key)
shared_data = new_class(result.f_translate_key(key), result, trajectory=trajectory)
result[key] = shared_data
shared_data._request_data('make_shared')
return result
|
def make_shared_result(result, key, trajectory, new_class=None):
"""Turns an ordinary data item into a shared one.
Removes the old result from the trajectory and replaces it.
Empties the given result.
:param result: The result containing ordinary data
:param key: Name of ordinary data item
:param trajectory: Trajectory container
:param new_class:
Class of new shared data item.
Leave `None` for automatic detection.
:return: The `result`
"""
data = result.f_get(key)
if new_class is None:
if isinstance(data, ObjectTable):
new_class = SharedTable
elif isinstance(data, pd.DataFrame):
new_class = SharedPandasFrame
elif isinstance(data, (tuple, list)):
new_class = SharedArray
elif isinstance(data, (np.ndarray, np.matrix)):
new_class = SharedCArray
else:
raise RuntimeError('Your data `%s` is not understood.' % key)
shared_data = new_class(result.f_translate_key(key), result, trajectory=trajectory)
result[key] = shared_data
shared_data._request_data('make_shared')
return result
|
[
"Turns",
"an",
"ordinary",
"data",
"item",
"into",
"a",
"shared",
"one",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L107-L139
|
[
"def",
"make_shared_result",
"(",
"result",
",",
"key",
",",
"trajectory",
",",
"new_class",
"=",
"None",
")",
":",
"data",
"=",
"result",
".",
"f_get",
"(",
"key",
")",
"if",
"new_class",
"is",
"None",
":",
"if",
"isinstance",
"(",
"data",
",",
"ObjectTable",
")",
":",
"new_class",
"=",
"SharedTable",
"elif",
"isinstance",
"(",
"data",
",",
"pd",
".",
"DataFrame",
")",
":",
"new_class",
"=",
"SharedPandasFrame",
"elif",
"isinstance",
"(",
"data",
",",
"(",
"tuple",
",",
"list",
")",
")",
":",
"new_class",
"=",
"SharedArray",
"elif",
"isinstance",
"(",
"data",
",",
"(",
"np",
".",
"ndarray",
",",
"np",
".",
"matrix",
")",
")",
":",
"new_class",
"=",
"SharedCArray",
"else",
":",
"raise",
"RuntimeError",
"(",
"'Your data `%s` is not understood.'",
"%",
"key",
")",
"shared_data",
"=",
"new_class",
"(",
"result",
".",
"f_translate_key",
"(",
"key",
")",
",",
"result",
",",
"trajectory",
"=",
"trajectory",
")",
"result",
"[",
"key",
"]",
"=",
"shared_data",
"shared_data",
".",
"_request_data",
"(",
"'make_shared'",
")",
"return",
"result"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
SharedData.create_shared_data
|
Creates shared data on disk with a StorageService on disk.
Needs to be called before shared data can be used later on.
Actual arguments of ``kwargs`` depend on the type of data to be
created. For instance, creating an array one can use the keyword
``obj`` to pass a numpy array (``obj=np.zeros((10,20,30))``).
Whereas for a PyTables table may need a description dictionary
(``description={'column_1': pt.StringCol(2, pos=0),'column_2': pt.FloatCol( pos=1)}``)
Refer to the PyTables documentation on how to create tables.
|
pypet/shareddata.py
|
def create_shared_data(self, **kwargs):
"""Creates shared data on disk with a StorageService on disk.
Needs to be called before shared data can be used later on.
Actual arguments of ``kwargs`` depend on the type of data to be
created. For instance, creating an array one can use the keyword
``obj`` to pass a numpy array (``obj=np.zeros((10,20,30))``).
Whereas for a PyTables table may need a description dictionary
(``description={'column_1': pt.StringCol(2, pos=0),'column_2': pt.FloatCol( pos=1)}``)
Refer to the PyTables documentation on how to create tables.
"""
if 'flag' not in kwargs:
kwargs['flag'] = self.FLAG
if 'data' in kwargs:
kwargs['obj'] = kwargs.pop('data')
if 'trajectory' in kwargs:
self.traj = kwargs.pop('trajectory')
if 'traj' in kwargs:
self.traj = kwargs.pop('traj')
if 'name' in kwargs:
self.name = kwargs.pop['name']
if 'parent' in kwargs:
self.parent = kwargs.pop('parent')
if self.name is not None:
self.parent[self.name] = self
return self._request_data('create_shared_data', kwargs=kwargs)
|
def create_shared_data(self, **kwargs):
"""Creates shared data on disk with a StorageService on disk.
Needs to be called before shared data can be used later on.
Actual arguments of ``kwargs`` depend on the type of data to be
created. For instance, creating an array one can use the keyword
``obj`` to pass a numpy array (``obj=np.zeros((10,20,30))``).
Whereas for a PyTables table may need a description dictionary
(``description={'column_1': pt.StringCol(2, pos=0),'column_2': pt.FloatCol( pos=1)}``)
Refer to the PyTables documentation on how to create tables.
"""
if 'flag' not in kwargs:
kwargs['flag'] = self.FLAG
if 'data' in kwargs:
kwargs['obj'] = kwargs.pop('data')
if 'trajectory' in kwargs:
self.traj = kwargs.pop('trajectory')
if 'traj' in kwargs:
self.traj = kwargs.pop('traj')
if 'name' in kwargs:
self.name = kwargs.pop['name']
if 'parent' in kwargs:
self.parent = kwargs.pop('parent')
if self.name is not None:
self.parent[self.name] = self
return self._request_data('create_shared_data', kwargs=kwargs)
|
[
"Creates",
"shared",
"data",
"on",
"disk",
"with",
"a",
"StorageService",
"on",
"disk",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L235-L262
|
[
"def",
"create_shared_data",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"'flag'",
"not",
"in",
"kwargs",
":",
"kwargs",
"[",
"'flag'",
"]",
"=",
"self",
".",
"FLAG",
"if",
"'data'",
"in",
"kwargs",
":",
"kwargs",
"[",
"'obj'",
"]",
"=",
"kwargs",
".",
"pop",
"(",
"'data'",
")",
"if",
"'trajectory'",
"in",
"kwargs",
":",
"self",
".",
"traj",
"=",
"kwargs",
".",
"pop",
"(",
"'trajectory'",
")",
"if",
"'traj'",
"in",
"kwargs",
":",
"self",
".",
"traj",
"=",
"kwargs",
".",
"pop",
"(",
"'traj'",
")",
"if",
"'name'",
"in",
"kwargs",
":",
"self",
".",
"name",
"=",
"kwargs",
".",
"pop",
"[",
"'name'",
"]",
"if",
"'parent'",
"in",
"kwargs",
":",
"self",
".",
"parent",
"=",
"kwargs",
".",
"pop",
"(",
"'parent'",
")",
"if",
"self",
".",
"name",
"is",
"not",
"None",
":",
"self",
".",
"parent",
"[",
"self",
".",
"name",
"]",
"=",
"self",
"return",
"self",
".",
"_request_data",
"(",
"'create_shared_data'",
",",
"kwargs",
"=",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
SharedData._request_data
|
Interface with the underlying storage.
Passes request to the StorageService that performs the appropriate action.
For example, given a shared table ``t``.
``t.remove_row(4)`` is parsed into ``request='remove_row', args=(4,)`` and
passed onto the storage service. In case of the HDF5StorageService,
this is again translated back into ``hdf5_table_node.remove_row(4)``.
|
pypet/shareddata.py
|
def _request_data(self, request, args=None, kwargs=None):
"""Interface with the underlying storage.
Passes request to the StorageService that performs the appropriate action.
For example, given a shared table ``t``.
``t.remove_row(4)`` is parsed into ``request='remove_row', args=(4,)`` and
passed onto the storage service. In case of the HDF5StorageService,
this is again translated back into ``hdf5_table_node.remove_row(4)``.
"""
return self._storage_service.store(pypetconstants.ACCESS_DATA,
self.parent.v_full_name,
self.name,
request, args, kwargs,
trajectory_name=self.traj.v_name)
|
def _request_data(self, request, args=None, kwargs=None):
"""Interface with the underlying storage.
Passes request to the StorageService that performs the appropriate action.
For example, given a shared table ``t``.
``t.remove_row(4)`` is parsed into ``request='remove_row', args=(4,)`` and
passed onto the storage service. In case of the HDF5StorageService,
this is again translated back into ``hdf5_table_node.remove_row(4)``.
"""
return self._storage_service.store(pypetconstants.ACCESS_DATA,
self.parent.v_full_name,
self.name,
request, args, kwargs,
trajectory_name=self.traj.v_name)
|
[
"Interface",
"with",
"the",
"underlying",
"storage",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L264-L278
|
[
"def",
"_request_data",
"(",
"self",
",",
"request",
",",
"args",
"=",
"None",
",",
"kwargs",
"=",
"None",
")",
":",
"return",
"self",
".",
"_storage_service",
".",
"store",
"(",
"pypetconstants",
".",
"ACCESS_DATA",
",",
"self",
".",
"parent",
".",
"v_full_name",
",",
"self",
".",
"name",
",",
"request",
",",
"args",
",",
"kwargs",
",",
"trajectory_name",
"=",
"self",
".",
"traj",
".",
"v_name",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
SharedData.get_data_node
|
Returns the actula node of the underlying data.
In case one uses HDF5 this will be the HDF5 leaf node.
|
pypet/shareddata.py
|
def get_data_node(self):
"""Returns the actula node of the underlying data.
In case one uses HDF5 this will be the HDF5 leaf node.
"""
if not self._storage_service.is_open:
warnings.warn('You requesting the data item but your store is not open, '
'the item itself will be closed, too!',
category=RuntimeWarning)
return self._request_data('__thenode__')
|
def get_data_node(self):
"""Returns the actula node of the underlying data.
In case one uses HDF5 this will be the HDF5 leaf node.
"""
if not self._storage_service.is_open:
warnings.warn('You requesting the data item but your store is not open, '
'the item itself will be closed, too!',
category=RuntimeWarning)
return self._request_data('__thenode__')
|
[
"Returns",
"the",
"actula",
"node",
"of",
"the",
"underlying",
"data",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L280-L290
|
[
"def",
"get_data_node",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"_storage_service",
".",
"is_open",
":",
"warnings",
".",
"warn",
"(",
"'You requesting the data item but your store is not open, '",
"'the item itself will be closed, too!'",
",",
"category",
"=",
"RuntimeWarning",
")",
"return",
"self",
".",
"_request_data",
"(",
"'__thenode__'",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
SharedResult._supports
|
Checks if outer data structure is supported.
|
pypet/shareddata.py
|
def _supports(self, item):
"""Checks if outer data structure is supported."""
result = super(SharedResult, self)._supports(item)
result = result or type(item) in SharedResult.SUPPORTED_DATA
return result
|
def _supports(self, item):
"""Checks if outer data structure is supported."""
result = super(SharedResult, self)._supports(item)
result = result or type(item) in SharedResult.SUPPORTED_DATA
return result
|
[
"Checks",
"if",
"outer",
"data",
"structure",
"is",
"supported",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L635-L639
|
[
"def",
"_supports",
"(",
"self",
",",
"item",
")",
":",
"result",
"=",
"super",
"(",
"SharedResult",
",",
"self",
")",
".",
"_supports",
"(",
"item",
")",
"result",
"=",
"result",
"or",
"type",
"(",
"item",
")",
"in",
"SharedResult",
".",
"SUPPORTED_DATA",
"return",
"result"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
SharedResult.create_shared_data
|
Calls the corresponding function of the shared data item
|
pypet/shareddata.py
|
def create_shared_data(self, name=None, **kwargs):
"""Calls the corresponding function of the shared data item"""
if name is None:
item = self.f_get()
else:
item = self.f_get(name)
return item.create_shared_data(**kwargs)
|
def create_shared_data(self, name=None, **kwargs):
"""Calls the corresponding function of the shared data item"""
if name is None:
item = self.f_get()
else:
item = self.f_get(name)
return item.create_shared_data(**kwargs)
|
[
"Calls",
"the",
"corresponding",
"function",
"of",
"the",
"shared",
"data",
"item"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/shareddata.py#L659-L665
|
[
"def",
"create_shared_data",
"(",
"self",
",",
"name",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"name",
"is",
"None",
":",
"item",
"=",
"self",
".",
"f_get",
"(",
")",
"else",
":",
"item",
"=",
"self",
".",
"f_get",
"(",
"name",
")",
"return",
"item",
".",
"create_shared_data",
"(",
"*",
"*",
"kwargs",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
manipulate_multiproc_safe
|
Target function that manipulates the trajectory.
Stores the current name of the process into the trajectory and
**overwrites** previous settings.
:param traj:
Trajectory container with multiprocessing safe storage service
|
examples/example_16_multiproc_context.py
|
def manipulate_multiproc_safe(traj):
""" Target function that manipulates the trajectory.
Stores the current name of the process into the trajectory and
**overwrites** previous settings.
:param traj:
Trajectory container with multiprocessing safe storage service
"""
# Manipulate the data in the trajectory
traj.last_process_name = mp.current_process().name
# Store the manipulated data
traj.results.f_store(store_data=3)
|
def manipulate_multiproc_safe(traj):
""" Target function that manipulates the trajectory.
Stores the current name of the process into the trajectory and
**overwrites** previous settings.
:param traj:
Trajectory container with multiprocessing safe storage service
"""
# Manipulate the data in the trajectory
traj.last_process_name = mp.current_process().name
# Store the manipulated data
traj.results.f_store(store_data=3)
|
[
"Target",
"function",
"that",
"manipulates",
"the",
"trajectory",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/examples/example_16_multiproc_context.py#L10-L25
|
[
"def",
"manipulate_multiproc_safe",
"(",
"traj",
")",
":",
"# Manipulate the data in the trajectory",
"traj",
".",
"last_process_name",
"=",
"mp",
".",
"current_process",
"(",
")",
".",
"name",
"# Store the manipulated data",
"traj",
".",
"results",
".",
"f_store",
"(",
"store_data",
"=",
"3",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
multiply
|
Example of a sophisticated simulation that involves multiplying two values.
This time we will store tha value in a shared list and only in the end add the result.
:param traj:
Trajectory containing
the parameters in a particular combination,
it also serves as a container for results.
|
examples/example_12_sharing_data_between_processes.py
|
def multiply(traj, result_list):
"""Example of a sophisticated simulation that involves multiplying two values.
This time we will store tha value in a shared list and only in the end add the result.
:param traj:
Trajectory containing
the parameters in a particular combination,
it also serves as a container for results.
"""
z=traj.x*traj.y
result_list[traj.v_idx] = z
|
def multiply(traj, result_list):
"""Example of a sophisticated simulation that involves multiplying two values.
This time we will store tha value in a shared list and only in the end add the result.
:param traj:
Trajectory containing
the parameters in a particular combination,
it also serves as a container for results.
"""
z=traj.x*traj.y
result_list[traj.v_idx] = z
|
[
"Example",
"of",
"a",
"sophisticated",
"simulation",
"that",
"involves",
"multiplying",
"two",
"values",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/examples/example_12_sharing_data_between_processes.py#L10-L24
|
[
"def",
"multiply",
"(",
"traj",
",",
"result_list",
")",
":",
"z",
"=",
"traj",
".",
"x",
"*",
"traj",
".",
"y",
"result_list",
"[",
"traj",
".",
"v_idx",
"]",
"=",
"z"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
LockerServer._lock
|
Hanldes locking of locks
If a lock is already locked sends a WAIT command,
else LOCKs it and sends GO.
Complains if a given client re-locks a lock without releasing it before.
|
pypet/utils/mpwrappers.py
|
def _lock(self, name, client_id, request_id):
"""Hanldes locking of locks
If a lock is already locked sends a WAIT command,
else LOCKs it and sends GO.
Complains if a given client re-locks a lock without releasing it before.
"""
if name in self._locks:
other_client_id, other_request_id = self._locks[name]
if other_client_id == client_id:
response = (self.LOCK_ERROR + self.DELIMITER +
'Re-request of lock `%s` (old request id `%s`) by `%s` '
'(request id `%s`)' % (name, client_id, other_request_id, request_id))
self._logger.warning(response)
return response
else:
return self.WAIT
else:
self._locks[name] = (client_id, request_id)
return self.GO
|
def _lock(self, name, client_id, request_id):
"""Hanldes locking of locks
If a lock is already locked sends a WAIT command,
else LOCKs it and sends GO.
Complains if a given client re-locks a lock without releasing it before.
"""
if name in self._locks:
other_client_id, other_request_id = self._locks[name]
if other_client_id == client_id:
response = (self.LOCK_ERROR + self.DELIMITER +
'Re-request of lock `%s` (old request id `%s`) by `%s` '
'(request id `%s`)' % (name, client_id, other_request_id, request_id))
self._logger.warning(response)
return response
else:
return self.WAIT
else:
self._locks[name] = (client_id, request_id)
return self.GO
|
[
"Hanldes",
"locking",
"of",
"locks"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L111-L132
|
[
"def",
"_lock",
"(",
"self",
",",
"name",
",",
"client_id",
",",
"request_id",
")",
":",
"if",
"name",
"in",
"self",
".",
"_locks",
":",
"other_client_id",
",",
"other_request_id",
"=",
"self",
".",
"_locks",
"[",
"name",
"]",
"if",
"other_client_id",
"==",
"client_id",
":",
"response",
"=",
"(",
"self",
".",
"LOCK_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Re-request of lock `%s` (old request id `%s`) by `%s` '",
"'(request id `%s`)'",
"%",
"(",
"name",
",",
"client_id",
",",
"other_request_id",
",",
"request_id",
")",
")",
"self",
".",
"_logger",
".",
"warning",
"(",
"response",
")",
"return",
"response",
"else",
":",
"return",
"self",
".",
"WAIT",
"else",
":",
"self",
".",
"_locks",
"[",
"name",
"]",
"=",
"(",
"client_id",
",",
"request_id",
")",
"return",
"self",
".",
"GO"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
LockerServer._unlock
|
Handles unlocking
Complains if a non-existent lock should be released or
if a lock should be released that was acquired by
another client before.
|
pypet/utils/mpwrappers.py
|
def _unlock(self, name, client_id, request_id):
"""Handles unlocking
Complains if a non-existent lock should be released or
if a lock should be released that was acquired by
another client before.
"""
if name in self._locks:
other_client_id, other_request_id = self._locks[name]
if other_client_id != client_id:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` was acquired by `%s` (old request id `%s`) and not by '
'`%s` (request id `%s`)' % (name,
other_client_id,
other_request_id,
client_id,
request_id))
self._logger.error(response)
return response
else:
del self._locks[name]
return self.RELEASED
else:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` cannot be found in database (client id `%s`, '
'request id `%s`)' % (name, client_id, request_id))
self._logger.error(response)
return response
|
def _unlock(self, name, client_id, request_id):
"""Handles unlocking
Complains if a non-existent lock should be released or
if a lock should be released that was acquired by
another client before.
"""
if name in self._locks:
other_client_id, other_request_id = self._locks[name]
if other_client_id != client_id:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` was acquired by `%s` (old request id `%s`) and not by '
'`%s` (request id `%s`)' % (name,
other_client_id,
other_request_id,
client_id,
request_id))
self._logger.error(response)
return response
else:
del self._locks[name]
return self.RELEASED
else:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` cannot be found in database (client id `%s`, '
'request id `%s`)' % (name, client_id, request_id))
self._logger.error(response)
return response
|
[
"Handles",
"unlocking"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L134-L162
|
[
"def",
"_unlock",
"(",
"self",
",",
"name",
",",
"client_id",
",",
"request_id",
")",
":",
"if",
"name",
"in",
"self",
".",
"_locks",
":",
"other_client_id",
",",
"other_request_id",
"=",
"self",
".",
"_locks",
"[",
"name",
"]",
"if",
"other_client_id",
"!=",
"client_id",
":",
"response",
"=",
"(",
"self",
".",
"RELEASE_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Lock `%s` was acquired by `%s` (old request id `%s`) and not by '",
"'`%s` (request id `%s`)'",
"%",
"(",
"name",
",",
"other_client_id",
",",
"other_request_id",
",",
"client_id",
",",
"request_id",
")",
")",
"self",
".",
"_logger",
".",
"error",
"(",
"response",
")",
"return",
"response",
"else",
":",
"del",
"self",
".",
"_locks",
"[",
"name",
"]",
"return",
"self",
".",
"RELEASED",
"else",
":",
"response",
"=",
"(",
"self",
".",
"RELEASE_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Lock `%s` cannot be found in database (client id `%s`, '",
"'request id `%s`)'",
"%",
"(",
"name",
",",
"client_id",
",",
"request_id",
")",
")",
"self",
".",
"_logger",
".",
"error",
"(",
"response",
")",
"return",
"response"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
LockerServer.run
|
Runs server
|
pypet/utils/mpwrappers.py
|
def run(self):
"""Runs server"""
try:
self._start()
running = True
while running:
msg = ''
name = ''
client_id = ''
request_id = ''
request = self._socket.recv_string()
self._logger.log(1, 'Recevied REQ `%s`', request)
split_msg = request.split(self.DELIMITER)
if len(split_msg) == 4:
msg, name, client_id, request_id = split_msg
if msg == self.LOCK:
response = self._lock(name, client_id, request_id)
elif msg == self.UNLOCK:
response = self._unlock(name, client_id, request_id)
elif msg == self.PING:
response = self.PONG
elif msg == self.DONE:
response = self.CLOSED
running = False
else:
response = (self.MSG_ERROR + self.DELIMITER +
'Request `%s` not understood '
'(or wrong number of delimiters)' % request)
self._logger.error(response)
respond = self._pre_respond_hook(response)
if respond:
self._logger.log(1, 'Sending REP `%s` to `%s` (request id `%s`)',
response, client_id, request_id)
self._socket.send_string(response)
# Close everything in the end
self._close()
except Exception:
self._logger.exception('Crashed Lock Server!')
raise
|
def run(self):
"""Runs server"""
try:
self._start()
running = True
while running:
msg = ''
name = ''
client_id = ''
request_id = ''
request = self._socket.recv_string()
self._logger.log(1, 'Recevied REQ `%s`', request)
split_msg = request.split(self.DELIMITER)
if len(split_msg) == 4:
msg, name, client_id, request_id = split_msg
if msg == self.LOCK:
response = self._lock(name, client_id, request_id)
elif msg == self.UNLOCK:
response = self._unlock(name, client_id, request_id)
elif msg == self.PING:
response = self.PONG
elif msg == self.DONE:
response = self.CLOSED
running = False
else:
response = (self.MSG_ERROR + self.DELIMITER +
'Request `%s` not understood '
'(or wrong number of delimiters)' % request)
self._logger.error(response)
respond = self._pre_respond_hook(response)
if respond:
self._logger.log(1, 'Sending REP `%s` to `%s` (request id `%s`)',
response, client_id, request_id)
self._socket.send_string(response)
# Close everything in the end
self._close()
except Exception:
self._logger.exception('Crashed Lock Server!')
raise
|
[
"Runs",
"server"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L164-L213
|
[
"def",
"run",
"(",
"self",
")",
":",
"try",
":",
"self",
".",
"_start",
"(",
")",
"running",
"=",
"True",
"while",
"running",
":",
"msg",
"=",
"''",
"name",
"=",
"''",
"client_id",
"=",
"''",
"request_id",
"=",
"''",
"request",
"=",
"self",
".",
"_socket",
".",
"recv_string",
"(",
")",
"self",
".",
"_logger",
".",
"log",
"(",
"1",
",",
"'Recevied REQ `%s`'",
",",
"request",
")",
"split_msg",
"=",
"request",
".",
"split",
"(",
"self",
".",
"DELIMITER",
")",
"if",
"len",
"(",
"split_msg",
")",
"==",
"4",
":",
"msg",
",",
"name",
",",
"client_id",
",",
"request_id",
"=",
"split_msg",
"if",
"msg",
"==",
"self",
".",
"LOCK",
":",
"response",
"=",
"self",
".",
"_lock",
"(",
"name",
",",
"client_id",
",",
"request_id",
")",
"elif",
"msg",
"==",
"self",
".",
"UNLOCK",
":",
"response",
"=",
"self",
".",
"_unlock",
"(",
"name",
",",
"client_id",
",",
"request_id",
")",
"elif",
"msg",
"==",
"self",
".",
"PING",
":",
"response",
"=",
"self",
".",
"PONG",
"elif",
"msg",
"==",
"self",
".",
"DONE",
":",
"response",
"=",
"self",
".",
"CLOSED",
"running",
"=",
"False",
"else",
":",
"response",
"=",
"(",
"self",
".",
"MSG_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Request `%s` not understood '",
"'(or wrong number of delimiters)'",
"%",
"request",
")",
"self",
".",
"_logger",
".",
"error",
"(",
"response",
")",
"respond",
"=",
"self",
".",
"_pre_respond_hook",
"(",
"response",
")",
"if",
"respond",
":",
"self",
".",
"_logger",
".",
"log",
"(",
"1",
",",
"'Sending REP `%s` to `%s` (request id `%s`)'",
",",
"response",
",",
"client_id",
",",
"request_id",
")",
"self",
".",
"_socket",
".",
"send_string",
"(",
"response",
")",
"# Close everything in the end",
"self",
".",
"_close",
"(",
")",
"except",
"Exception",
":",
"self",
".",
"_logger",
".",
"exception",
"(",
"'Crashed Lock Server!'",
")",
"raise"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
TimeOutLockerServer._lock
|
Handles locking
Locking time is stored to determine time out.
If a lock is timed out it can be acquired by a different client.
|
pypet/utils/mpwrappers.py
|
def _lock(self, name, client_id, request_id):
"""Handles locking
Locking time is stored to determine time out.
If a lock is timed out it can be acquired by a different client.
"""
if name in self._locks:
other_client_id, other_request_id, lock_time = self._locks[name]
if other_client_id == client_id:
response = (self.LOCK_ERROR + self.DELIMITER +
'Re-request of lock `%s` (old request id `%s`) by `%s` '
'(request id `%s`)' % (name, client_id, other_request_id, request_id))
self._logger.warning(response)
return response
else:
current_time = time.time()
if current_time - lock_time < self._timeout:
return self.WAIT
else:
response = (self.GO + self.DELIMITER + 'Lock `%s` by `%s` (old request id `%s) '
'timed out' % (name,
other_client_id,
other_request_id))
self._logger.info(response)
self._locks[name] = (client_id, request_id, time.time())
self._timeout_locks[(name, other_client_id)] = (request_id, lock_time)
return response
else:
self._locks[name] = (client_id, request_id, time.time())
return self.GO
|
def _lock(self, name, client_id, request_id):
"""Handles locking
Locking time is stored to determine time out.
If a lock is timed out it can be acquired by a different client.
"""
if name in self._locks:
other_client_id, other_request_id, lock_time = self._locks[name]
if other_client_id == client_id:
response = (self.LOCK_ERROR + self.DELIMITER +
'Re-request of lock `%s` (old request id `%s`) by `%s` '
'(request id `%s`)' % (name, client_id, other_request_id, request_id))
self._logger.warning(response)
return response
else:
current_time = time.time()
if current_time - lock_time < self._timeout:
return self.WAIT
else:
response = (self.GO + self.DELIMITER + 'Lock `%s` by `%s` (old request id `%s) '
'timed out' % (name,
other_client_id,
other_request_id))
self._logger.info(response)
self._locks[name] = (client_id, request_id, time.time())
self._timeout_locks[(name, other_client_id)] = (request_id, lock_time)
return response
else:
self._locks[name] = (client_id, request_id, time.time())
return self.GO
|
[
"Handles",
"locking"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L224-L254
|
[
"def",
"_lock",
"(",
"self",
",",
"name",
",",
"client_id",
",",
"request_id",
")",
":",
"if",
"name",
"in",
"self",
".",
"_locks",
":",
"other_client_id",
",",
"other_request_id",
",",
"lock_time",
"=",
"self",
".",
"_locks",
"[",
"name",
"]",
"if",
"other_client_id",
"==",
"client_id",
":",
"response",
"=",
"(",
"self",
".",
"LOCK_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Re-request of lock `%s` (old request id `%s`) by `%s` '",
"'(request id `%s`)'",
"%",
"(",
"name",
",",
"client_id",
",",
"other_request_id",
",",
"request_id",
")",
")",
"self",
".",
"_logger",
".",
"warning",
"(",
"response",
")",
"return",
"response",
"else",
":",
"current_time",
"=",
"time",
".",
"time",
"(",
")",
"if",
"current_time",
"-",
"lock_time",
"<",
"self",
".",
"_timeout",
":",
"return",
"self",
".",
"WAIT",
"else",
":",
"response",
"=",
"(",
"self",
".",
"GO",
"+",
"self",
".",
"DELIMITER",
"+",
"'Lock `%s` by `%s` (old request id `%s) '",
"'timed out'",
"%",
"(",
"name",
",",
"other_client_id",
",",
"other_request_id",
")",
")",
"self",
".",
"_logger",
".",
"info",
"(",
"response",
")",
"self",
".",
"_locks",
"[",
"name",
"]",
"=",
"(",
"client_id",
",",
"request_id",
",",
"time",
".",
"time",
"(",
")",
")",
"self",
".",
"_timeout_locks",
"[",
"(",
"name",
",",
"other_client_id",
")",
"]",
"=",
"(",
"request_id",
",",
"lock_time",
")",
"return",
"response",
"else",
":",
"self",
".",
"_locks",
"[",
"name",
"]",
"=",
"(",
"client_id",
",",
"request_id",
",",
"time",
".",
"time",
"(",
")",
")",
"return",
"self",
".",
"GO"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
TimeOutLockerServer._unlock
|
Handles unlocking
|
pypet/utils/mpwrappers.py
|
def _unlock(self, name, client_id, request_id):
"""Handles unlocking"""
if name in self._locks:
other_client_id, other_request_id, lock_time = self._locks[name]
if other_client_id != client_id:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` was acquired by `%s` (old request id `%s`) and not by '
'`%s` (request id `%s`)' % (name,
other_client_id,
other_request_id,
client_id,
request_id))
self._logger.error(response)
return response
else:
del self._locks[name]
return self.RELEASED
elif (name, client_id) in self._timeout_locks:
other_request_id, lock_time = self._timeout_locks[(name, client_id)]
timeout = time.time() - lock_time - self._timeout
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` timed out %f seconds ago (client id `%s`, '
'old request id `%s`)' % (name, timeout, client_id, other_request_id))
return response
else:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` cannot be found in database (client id `%s`, '
'request id `%s`)' % (name, client_id, request_id))
self._logger.warning(response)
return response
|
def _unlock(self, name, client_id, request_id):
"""Handles unlocking"""
if name in self._locks:
other_client_id, other_request_id, lock_time = self._locks[name]
if other_client_id != client_id:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` was acquired by `%s` (old request id `%s`) and not by '
'`%s` (request id `%s`)' % (name,
other_client_id,
other_request_id,
client_id,
request_id))
self._logger.error(response)
return response
else:
del self._locks[name]
return self.RELEASED
elif (name, client_id) in self._timeout_locks:
other_request_id, lock_time = self._timeout_locks[(name, client_id)]
timeout = time.time() - lock_time - self._timeout
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` timed out %f seconds ago (client id `%s`, '
'old request id `%s`)' % (name, timeout, client_id, other_request_id))
return response
else:
response = (self.RELEASE_ERROR + self.DELIMITER +
'Lock `%s` cannot be found in database (client id `%s`, '
'request id `%s`)' % (name, client_id, request_id))
self._logger.warning(response)
return response
|
[
"Handles",
"unlocking"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L256-L285
|
[
"def",
"_unlock",
"(",
"self",
",",
"name",
",",
"client_id",
",",
"request_id",
")",
":",
"if",
"name",
"in",
"self",
".",
"_locks",
":",
"other_client_id",
",",
"other_request_id",
",",
"lock_time",
"=",
"self",
".",
"_locks",
"[",
"name",
"]",
"if",
"other_client_id",
"!=",
"client_id",
":",
"response",
"=",
"(",
"self",
".",
"RELEASE_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Lock `%s` was acquired by `%s` (old request id `%s`) and not by '",
"'`%s` (request id `%s`)'",
"%",
"(",
"name",
",",
"other_client_id",
",",
"other_request_id",
",",
"client_id",
",",
"request_id",
")",
")",
"self",
".",
"_logger",
".",
"error",
"(",
"response",
")",
"return",
"response",
"else",
":",
"del",
"self",
".",
"_locks",
"[",
"name",
"]",
"return",
"self",
".",
"RELEASED",
"elif",
"(",
"name",
",",
"client_id",
")",
"in",
"self",
".",
"_timeout_locks",
":",
"other_request_id",
",",
"lock_time",
"=",
"self",
".",
"_timeout_locks",
"[",
"(",
"name",
",",
"client_id",
")",
"]",
"timeout",
"=",
"time",
".",
"time",
"(",
")",
"-",
"lock_time",
"-",
"self",
".",
"_timeout",
"response",
"=",
"(",
"self",
".",
"RELEASE_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Lock `%s` timed out %f seconds ago (client id `%s`, '",
"'old request id `%s`)'",
"%",
"(",
"name",
",",
"timeout",
",",
"client_id",
",",
"other_request_id",
")",
")",
"return",
"response",
"else",
":",
"response",
"=",
"(",
"self",
".",
"RELEASE_ERROR",
"+",
"self",
".",
"DELIMITER",
"+",
"'Lock `%s` cannot be found in database (client id `%s`, '",
"'request id `%s`)'",
"%",
"(",
"name",
",",
"client_id",
",",
"request_id",
")",
")",
"self",
".",
"_logger",
".",
"warning",
"(",
"response",
")",
"return",
"response"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ReliableClient.send_done
|
Notifies the Server to shutdown
|
pypet/utils/mpwrappers.py
|
def send_done(self):
"""Notifies the Server to shutdown"""
self.start(test_connection=False)
self._logger.debug('Sending shutdown signal')
self._req_rep(ZMQServer.DONE)
|
def send_done(self):
"""Notifies the Server to shutdown"""
self.start(test_connection=False)
self._logger.debug('Sending shutdown signal')
self._req_rep(ZMQServer.DONE)
|
[
"Notifies",
"the",
"Server",
"to",
"shutdown"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L310-L314
|
[
"def",
"send_done",
"(",
"self",
")",
":",
"self",
".",
"start",
"(",
"test_connection",
"=",
"False",
")",
"self",
".",
"_logger",
".",
"debug",
"(",
"'Sending shutdown signal'",
")",
"self",
".",
"_req_rep",
"(",
"ZMQServer",
".",
"DONE",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ReliableClient.finalize
|
Closes socket and terminates context
NO-OP if already closed.
|
pypet/utils/mpwrappers.py
|
def finalize(self):
"""Closes socket and terminates context
NO-OP if already closed.
"""
if self._context is not None:
if self._socket is not None:
self._close_socket(confused=False)
self._context.term()
self._context = None
self._poll = None
|
def finalize(self):
"""Closes socket and terminates context
NO-OP if already closed.
"""
if self._context is not None:
if self._socket is not None:
self._close_socket(confused=False)
self._context.term()
self._context = None
self._poll = None
|
[
"Closes",
"socket",
"and",
"terminates",
"context"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L323-L334
|
[
"def",
"finalize",
"(",
"self",
")",
":",
"if",
"self",
".",
"_context",
"is",
"not",
"None",
":",
"if",
"self",
".",
"_socket",
"is",
"not",
"None",
":",
"self",
".",
"_close_socket",
"(",
"confused",
"=",
"False",
")",
"self",
".",
"_context",
".",
"term",
"(",
")",
"self",
".",
"_context",
"=",
"None",
"self",
".",
"_poll",
"=",
"None"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ReliableClient.start
|
Starts connection to server if not existent.
NO-OP if connection is already established.
Makes ping-pong test as well if desired.
|
pypet/utils/mpwrappers.py
|
def start(self, test_connection=True):
"""Starts connection to server if not existent.
NO-OP if connection is already established.
Makes ping-pong test as well if desired.
"""
if self._context is None:
self._logger.debug('Starting Client')
self._context = zmq.Context()
self._poll = zmq.Poller()
self._start_socket()
if test_connection:
self.test_ping()
|
def start(self, test_connection=True):
"""Starts connection to server if not existent.
NO-OP if connection is already established.
Makes ping-pong test as well if desired.
"""
if self._context is None:
self._logger.debug('Starting Client')
self._context = zmq.Context()
self._poll = zmq.Poller()
self._start_socket()
if test_connection:
self.test_ping()
|
[
"Starts",
"connection",
"to",
"server",
"if",
"not",
"existent",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L336-L349
|
[
"def",
"start",
"(",
"self",
",",
"test_connection",
"=",
"True",
")",
":",
"if",
"self",
".",
"_context",
"is",
"None",
":",
"self",
".",
"_logger",
".",
"debug",
"(",
"'Starting Client'",
")",
"self",
".",
"_context",
"=",
"zmq",
".",
"Context",
"(",
")",
"self",
".",
"_poll",
"=",
"zmq",
".",
"Poller",
"(",
")",
"self",
".",
"_start_socket",
"(",
")",
"if",
"test_connection",
":",
"self",
".",
"test_ping",
"(",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ReliableClient._req_rep_retry
|
Returns response and number of retries
|
pypet/utils/mpwrappers.py
|
def _req_rep_retry(self, request):
"""Returns response and number of retries"""
retries_left = self.RETRIES
while retries_left:
self._logger.log(1, 'Sending REQ `%s`', request)
self._send_request(request)
socks = dict(self._poll.poll(self.TIMEOUT))
if socks.get(self._socket) == zmq.POLLIN:
response = self._receive_response()
self._logger.log(1, 'Received REP `%s`', response)
return response, self.RETRIES - retries_left
else:
self._logger.debug('No response from server (%d retries left)' %
retries_left)
self._close_socket(confused=True)
retries_left -= 1
if retries_left == 0:
raise RuntimeError('Server seems to be offline!')
time.sleep(self.SLEEP)
self._start_socket()
|
def _req_rep_retry(self, request):
"""Returns response and number of retries"""
retries_left = self.RETRIES
while retries_left:
self._logger.log(1, 'Sending REQ `%s`', request)
self._send_request(request)
socks = dict(self._poll.poll(self.TIMEOUT))
if socks.get(self._socket) == zmq.POLLIN:
response = self._receive_response()
self._logger.log(1, 'Received REP `%s`', response)
return response, self.RETRIES - retries_left
else:
self._logger.debug('No response from server (%d retries left)' %
retries_left)
self._close_socket(confused=True)
retries_left -= 1
if retries_left == 0:
raise RuntimeError('Server seems to be offline!')
time.sleep(self.SLEEP)
self._start_socket()
|
[
"Returns",
"response",
"and",
"number",
"of",
"retries"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L373-L392
|
[
"def",
"_req_rep_retry",
"(",
"self",
",",
"request",
")",
":",
"retries_left",
"=",
"self",
".",
"RETRIES",
"while",
"retries_left",
":",
"self",
".",
"_logger",
".",
"log",
"(",
"1",
",",
"'Sending REQ `%s`'",
",",
"request",
")",
"self",
".",
"_send_request",
"(",
"request",
")",
"socks",
"=",
"dict",
"(",
"self",
".",
"_poll",
".",
"poll",
"(",
"self",
".",
"TIMEOUT",
")",
")",
"if",
"socks",
".",
"get",
"(",
"self",
".",
"_socket",
")",
"==",
"zmq",
".",
"POLLIN",
":",
"response",
"=",
"self",
".",
"_receive_response",
"(",
")",
"self",
".",
"_logger",
".",
"log",
"(",
"1",
",",
"'Received REP `%s`'",
",",
"response",
")",
"return",
"response",
",",
"self",
".",
"RETRIES",
"-",
"retries_left",
"else",
":",
"self",
".",
"_logger",
".",
"debug",
"(",
"'No response from server (%d retries left)'",
"%",
"retries_left",
")",
"self",
".",
"_close_socket",
"(",
"confused",
"=",
"True",
")",
"retries_left",
"-=",
"1",
"if",
"retries_left",
"==",
"0",
":",
"raise",
"RuntimeError",
"(",
"'Server seems to be offline!'",
")",
"time",
".",
"sleep",
"(",
"self",
".",
"SLEEP",
")",
"self",
".",
"_start_socket",
"(",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
LockerClient.acquire
|
Acquires lock and returns `True`
Blocks until lock is available.
|
pypet/utils/mpwrappers.py
|
def acquire(self):
"""Acquires lock and returns `True`
Blocks until lock is available.
"""
self.start(test_connection=False)
while True:
str_response, retries = self._req_rep_retry(LockerServer.LOCK)
response = str_response.split(LockerServer.DELIMITER)
if response[0] == LockerServer.GO:
return True
elif response[0] == LockerServer.LOCK_ERROR and retries > 0:
# Message was sent but Server response was lost and we tried again
self._logger.error(str_response + '; Probably due to retry')
return True
elif response[0] == LockerServer.WAIT:
time.sleep(self.SLEEP)
else:
raise RuntimeError('Response `%s` not understood' % response)
|
def acquire(self):
"""Acquires lock and returns `True`
Blocks until lock is available.
"""
self.start(test_connection=False)
while True:
str_response, retries = self._req_rep_retry(LockerServer.LOCK)
response = str_response.split(LockerServer.DELIMITER)
if response[0] == LockerServer.GO:
return True
elif response[0] == LockerServer.LOCK_ERROR and retries > 0:
# Message was sent but Server response was lost and we tried again
self._logger.error(str_response + '; Probably due to retry')
return True
elif response[0] == LockerServer.WAIT:
time.sleep(self.SLEEP)
else:
raise RuntimeError('Response `%s` not understood' % response)
|
[
"Acquires",
"lock",
"and",
"returns",
"True"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L437-L456
|
[
"def",
"acquire",
"(",
"self",
")",
":",
"self",
".",
"start",
"(",
"test_connection",
"=",
"False",
")",
"while",
"True",
":",
"str_response",
",",
"retries",
"=",
"self",
".",
"_req_rep_retry",
"(",
"LockerServer",
".",
"LOCK",
")",
"response",
"=",
"str_response",
".",
"split",
"(",
"LockerServer",
".",
"DELIMITER",
")",
"if",
"response",
"[",
"0",
"]",
"==",
"LockerServer",
".",
"GO",
":",
"return",
"True",
"elif",
"response",
"[",
"0",
"]",
"==",
"LockerServer",
".",
"LOCK_ERROR",
"and",
"retries",
">",
"0",
":",
"# Message was sent but Server response was lost and we tried again",
"self",
".",
"_logger",
".",
"error",
"(",
"str_response",
"+",
"'; Probably due to retry'",
")",
"return",
"True",
"elif",
"response",
"[",
"0",
"]",
"==",
"LockerServer",
".",
"WAIT",
":",
"time",
".",
"sleep",
"(",
"self",
".",
"SLEEP",
")",
"else",
":",
"raise",
"RuntimeError",
"(",
"'Response `%s` not understood'",
"%",
"response",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
LockerClient.release
|
Releases lock
|
pypet/utils/mpwrappers.py
|
def release(self):
"""Releases lock"""
# self.start(test_connection=False)
str_response, retries = self._req_rep_retry(LockerServer.UNLOCK)
response = str_response.split(LockerServer.DELIMITER)
if response[0] == LockerServer.RELEASED:
pass # Everything is fine
elif response[0] == LockerServer.RELEASE_ERROR and retries > 0:
# Message was sent but Server response was lost and we tried again
self._logger.error(str_response + '; Probably due to retry')
else:
raise RuntimeError('Response `%s` not understood' % response)
|
def release(self):
"""Releases lock"""
# self.start(test_connection=False)
str_response, retries = self._req_rep_retry(LockerServer.UNLOCK)
response = str_response.split(LockerServer.DELIMITER)
if response[0] == LockerServer.RELEASED:
pass # Everything is fine
elif response[0] == LockerServer.RELEASE_ERROR and retries > 0:
# Message was sent but Server response was lost and we tried again
self._logger.error(str_response + '; Probably due to retry')
else:
raise RuntimeError('Response `%s` not understood' % response)
|
[
"Releases",
"lock"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L458-L469
|
[
"def",
"release",
"(",
"self",
")",
":",
"# self.start(test_connection=False)",
"str_response",
",",
"retries",
"=",
"self",
".",
"_req_rep_retry",
"(",
"LockerServer",
".",
"UNLOCK",
")",
"response",
"=",
"str_response",
".",
"split",
"(",
"LockerServer",
".",
"DELIMITER",
")",
"if",
"response",
"[",
"0",
"]",
"==",
"LockerServer",
".",
"RELEASED",
":",
"pass",
"# Everything is fine",
"elif",
"response",
"[",
"0",
"]",
"==",
"LockerServer",
".",
"RELEASE_ERROR",
"and",
"retries",
">",
"0",
":",
"# Message was sent but Server response was lost and we tried again",
"self",
".",
"_logger",
".",
"error",
"(",
"str_response",
"+",
"'; Probably due to retry'",
")",
"else",
":",
"raise",
"RuntimeError",
"(",
"'Response `%s` not understood'",
"%",
"response",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
QueuingServerMessageListener.listen
|
Handles listening requests from the client.
There are 4 types of requests:
1- Check space in the queue
2- Tests the socket
3- If there is a space, it sends data
4- after data is sent, puts it to queue for storing
|
pypet/utils/mpwrappers.py
|
def listen(self):
""" Handles listening requests from the client.
There are 4 types of requests:
1- Check space in the queue
2- Tests the socket
3- If there is a space, it sends data
4- after data is sent, puts it to queue for storing
"""
count = 0
self._start()
while True:
result = self._socket.recv_pyobj()
if isinstance(result, tuple):
request, data = result
else:
request = result
data = None
if request == self.SPACE:
if self.queue.qsize() + count < self.queue_maxsize:
self._socket.send_string(self.SPACE_AVAILABLE)
count += 1
else:
self._socket.send_string(self.SPACE_NOT_AVAILABLE)
elif request == self.PING:
self._socket.send_string(self.PONG)
elif request == self.DATA:
self._socket.send_string(self.STORING)
self.queue.put(data)
count -= 1
elif request == self.DONE:
self._socket.send_string(ZMQServer.CLOSED)
self.queue.put(('DONE', [], {}))
self._close()
break
else:
raise RuntimeError('I did not understand your request %s' % request)
|
def listen(self):
""" Handles listening requests from the client.
There are 4 types of requests:
1- Check space in the queue
2- Tests the socket
3- If there is a space, it sends data
4- after data is sent, puts it to queue for storing
"""
count = 0
self._start()
while True:
result = self._socket.recv_pyobj()
if isinstance(result, tuple):
request, data = result
else:
request = result
data = None
if request == self.SPACE:
if self.queue.qsize() + count < self.queue_maxsize:
self._socket.send_string(self.SPACE_AVAILABLE)
count += 1
else:
self._socket.send_string(self.SPACE_NOT_AVAILABLE)
elif request == self.PING:
self._socket.send_string(self.PONG)
elif request == self.DATA:
self._socket.send_string(self.STORING)
self.queue.put(data)
count -= 1
elif request == self.DONE:
self._socket.send_string(ZMQServer.CLOSED)
self.queue.put(('DONE', [], {}))
self._close()
break
else:
raise RuntimeError('I did not understand your request %s' % request)
|
[
"Handles",
"listening",
"requests",
"from",
"the",
"client",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L493-L537
|
[
"def",
"listen",
"(",
"self",
")",
":",
"count",
"=",
"0",
"self",
".",
"_start",
"(",
")",
"while",
"True",
":",
"result",
"=",
"self",
".",
"_socket",
".",
"recv_pyobj",
"(",
")",
"if",
"isinstance",
"(",
"result",
",",
"tuple",
")",
":",
"request",
",",
"data",
"=",
"result",
"else",
":",
"request",
"=",
"result",
"data",
"=",
"None",
"if",
"request",
"==",
"self",
".",
"SPACE",
":",
"if",
"self",
".",
"queue",
".",
"qsize",
"(",
")",
"+",
"count",
"<",
"self",
".",
"queue_maxsize",
":",
"self",
".",
"_socket",
".",
"send_string",
"(",
"self",
".",
"SPACE_AVAILABLE",
")",
"count",
"+=",
"1",
"else",
":",
"self",
".",
"_socket",
".",
"send_string",
"(",
"self",
".",
"SPACE_NOT_AVAILABLE",
")",
"elif",
"request",
"==",
"self",
".",
"PING",
":",
"self",
".",
"_socket",
".",
"send_string",
"(",
"self",
".",
"PONG",
")",
"elif",
"request",
"==",
"self",
".",
"DATA",
":",
"self",
".",
"_socket",
".",
"send_string",
"(",
"self",
".",
"STORING",
")",
"self",
".",
"queue",
".",
"put",
"(",
"data",
")",
"count",
"-=",
"1",
"elif",
"request",
"==",
"self",
".",
"DONE",
":",
"self",
".",
"_socket",
".",
"send_string",
"(",
"ZMQServer",
".",
"CLOSED",
")",
"self",
".",
"queue",
".",
"put",
"(",
"(",
"'DONE'",
",",
"[",
"]",
",",
"{",
"}",
")",
")",
"self",
".",
"_close",
"(",
")",
"break",
"else",
":",
"raise",
"RuntimeError",
"(",
"'I did not understand your request %s'",
"%",
"request",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
QueuingClient.put
|
If there is space it sends data to server
If no space in the queue
It returns the request in every 10 millisecond
until there will be space in the queue.
|
pypet/utils/mpwrappers.py
|
def put(self, data, block=True):
""" If there is space it sends data to server
If no space in the queue
It returns the request in every 10 millisecond
until there will be space in the queue.
"""
self.start(test_connection=False)
while True:
response = self._req_rep(QueuingServerMessageListener.SPACE)
if response == QueuingServerMessageListener.SPACE_AVAILABLE:
self._req_rep((QueuingServerMessageListener.DATA, data))
break
else:
time.sleep(0.01)
|
def put(self, data, block=True):
""" If there is space it sends data to server
If no space in the queue
It returns the request in every 10 millisecond
until there will be space in the queue.
"""
self.start(test_connection=False)
while True:
response = self._req_rep(QueuingServerMessageListener.SPACE)
if response == QueuingServerMessageListener.SPACE_AVAILABLE:
self._req_rep((QueuingServerMessageListener.DATA, data))
break
else:
time.sleep(0.01)
|
[
"If",
"there",
"is",
"space",
"it",
"sends",
"data",
"to",
"server"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L564-L582
|
[
"def",
"put",
"(",
"self",
",",
"data",
",",
"block",
"=",
"True",
")",
":",
"self",
".",
"start",
"(",
"test_connection",
"=",
"False",
")",
"while",
"True",
":",
"response",
"=",
"self",
".",
"_req_rep",
"(",
"QueuingServerMessageListener",
".",
"SPACE",
")",
"if",
"response",
"==",
"QueuingServerMessageListener",
".",
"SPACE_AVAILABLE",
":",
"self",
".",
"_req_rep",
"(",
"(",
"QueuingServerMessageListener",
".",
"DATA",
",",
"data",
")",
")",
"break",
"else",
":",
"time",
".",
"sleep",
"(",
"0.01",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ForkDetector._detect_fork
|
Detects if lock client was forked.
Forking is detected by comparing the PID of the current
process with the stored PID.
|
pypet/utils/mpwrappers.py
|
def _detect_fork(self):
"""Detects if lock client was forked.
Forking is detected by comparing the PID of the current
process with the stored PID.
"""
if self._pid is None:
self._pid = os.getpid()
if self._context is not None:
current_pid = os.getpid()
if current_pid != self._pid:
self._logger.debug('Fork detected: My pid `%s` != os pid `%s`. '
'Restarting connection.' % (str(self._pid), str(current_pid)))
self._context = None
self._pid = current_pid
|
def _detect_fork(self):
"""Detects if lock client was forked.
Forking is detected by comparing the PID of the current
process with the stored PID.
"""
if self._pid is None:
self._pid = os.getpid()
if self._context is not None:
current_pid = os.getpid()
if current_pid != self._pid:
self._logger.debug('Fork detected: My pid `%s` != os pid `%s`. '
'Restarting connection.' % (str(self._pid), str(current_pid)))
self._context = None
self._pid = current_pid
|
[
"Detects",
"if",
"lock",
"client",
"was",
"forked",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L589-L604
|
[
"def",
"_detect_fork",
"(",
"self",
")",
":",
"if",
"self",
".",
"_pid",
"is",
"None",
":",
"self",
".",
"_pid",
"=",
"os",
".",
"getpid",
"(",
")",
"if",
"self",
".",
"_context",
"is",
"not",
"None",
":",
"current_pid",
"=",
"os",
".",
"getpid",
"(",
")",
"if",
"current_pid",
"!=",
"self",
".",
"_pid",
":",
"self",
".",
"_logger",
".",
"debug",
"(",
"'Fork detected: My pid `%s` != os pid `%s`. '",
"'Restarting connection.'",
"%",
"(",
"str",
"(",
"self",
".",
"_pid",
")",
",",
"str",
"(",
"current_pid",
")",
")",
")",
"self",
".",
"_context",
"=",
"None",
"self",
".",
"_pid",
"=",
"current_pid"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ForkAwareLockerClient.start
|
Checks for forking and starts/restarts if desired
|
pypet/utils/mpwrappers.py
|
def start(self, test_connection=True):
"""Checks for forking and starts/restarts if desired"""
self._detect_fork()
super(ForkAwareLockerClient, self).start(test_connection)
|
def start(self, test_connection=True):
"""Checks for forking and starts/restarts if desired"""
self._detect_fork()
super(ForkAwareLockerClient, self).start(test_connection)
|
[
"Checks",
"for",
"forking",
"and",
"starts",
"/",
"restarts",
"if",
"desired"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L644-L647
|
[
"def",
"start",
"(",
"self",
",",
"test_connection",
"=",
"True",
")",
":",
"self",
".",
"_detect_fork",
"(",
")",
"super",
"(",
"ForkAwareLockerClient",
",",
"self",
")",
".",
"start",
"(",
"test_connection",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
QueueStorageServiceSender._put_on_queue
|
Puts data on queue
|
pypet/utils/mpwrappers.py
|
def _put_on_queue(self, to_put):
"""Puts data on queue"""
old = self.pickle_queue
self.pickle_queue = False
try:
self.queue.put(to_put, block=True)
finally:
self.pickle_queue = old
|
def _put_on_queue(self, to_put):
"""Puts data on queue"""
old = self.pickle_queue
self.pickle_queue = False
try:
self.queue.put(to_put, block=True)
finally:
self.pickle_queue = old
|
[
"Puts",
"data",
"on",
"queue"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L678-L685
|
[
"def",
"_put_on_queue",
"(",
"self",
",",
"to_put",
")",
":",
"old",
"=",
"self",
".",
"pickle_queue",
"self",
".",
"pickle_queue",
"=",
"False",
"try",
":",
"self",
".",
"queue",
".",
"put",
"(",
"to_put",
",",
"block",
"=",
"True",
")",
"finally",
":",
"self",
".",
"pickle_queue",
"=",
"old"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
PipeStorageServiceSender._put_on_pipe
|
Puts data on queue
|
pypet/utils/mpwrappers.py
|
def _put_on_pipe(self, to_put):
"""Puts data on queue"""
self.acquire_lock()
self._send_chunks(to_put)
self.release_lock()
|
def _put_on_pipe(self, to_put):
"""Puts data on queue"""
self.acquire_lock()
self._send_chunks(to_put)
self.release_lock()
|
[
"Puts",
"data",
"on",
"queue"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L745-L749
|
[
"def",
"_put_on_pipe",
"(",
"self",
",",
"to_put",
")",
":",
"self",
".",
"acquire_lock",
"(",
")",
"self",
".",
"_send_chunks",
"(",
"to_put",
")",
"self",
".",
"release_lock",
"(",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
StorageServiceDataHandler._handle_data
|
Handles data and returns `True` or `False` if everything is done.
|
pypet/utils/mpwrappers.py
|
def _handle_data(self, msg, args, kwargs):
"""Handles data and returns `True` or `False` if everything is done."""
stop = False
try:
if msg == 'DONE':
stop = True
elif msg == 'STORE':
if 'msg' in kwargs:
store_msg = kwargs.pop('msg')
else:
store_msg = args[0]
args = args[1:]
if 'stuff_to_store' in kwargs:
stuff_to_store = kwargs.pop('stuff_to_store')
else:
stuff_to_store = args[0]
args = args[1:]
trajectory_name = kwargs['trajectory_name']
if self._trajectory_name != trajectory_name:
if self._storage_service.is_open:
self._close_file()
self._trajectory_name = trajectory_name
self._open_file()
self._storage_service.store(store_msg, stuff_to_store, *args, **kwargs)
self._storage_service.store(pypetconstants.FLUSH, None)
self._check_and_collect_garbage()
else:
raise RuntimeError('You queued something that was not '
'intended to be queued. I did not understand message '
'`%s`.' % msg)
except Exception:
self._logger.exception('ERROR occurred during storing!')
time.sleep(0.01)
pass # We don't want to kill the queue process in case of an error
return stop
|
def _handle_data(self, msg, args, kwargs):
"""Handles data and returns `True` or `False` if everything is done."""
stop = False
try:
if msg == 'DONE':
stop = True
elif msg == 'STORE':
if 'msg' in kwargs:
store_msg = kwargs.pop('msg')
else:
store_msg = args[0]
args = args[1:]
if 'stuff_to_store' in kwargs:
stuff_to_store = kwargs.pop('stuff_to_store')
else:
stuff_to_store = args[0]
args = args[1:]
trajectory_name = kwargs['trajectory_name']
if self._trajectory_name != trajectory_name:
if self._storage_service.is_open:
self._close_file()
self._trajectory_name = trajectory_name
self._open_file()
self._storage_service.store(store_msg, stuff_to_store, *args, **kwargs)
self._storage_service.store(pypetconstants.FLUSH, None)
self._check_and_collect_garbage()
else:
raise RuntimeError('You queued something that was not '
'intended to be queued. I did not understand message '
'`%s`.' % msg)
except Exception:
self._logger.exception('ERROR occurred during storing!')
time.sleep(0.01)
pass # We don't want to kill the queue process in case of an error
return stop
|
[
"Handles",
"data",
"and",
"returns",
"True",
"or",
"False",
"if",
"everything",
"is",
"done",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L820-L855
|
[
"def",
"_handle_data",
"(",
"self",
",",
"msg",
",",
"args",
",",
"kwargs",
")",
":",
"stop",
"=",
"False",
"try",
":",
"if",
"msg",
"==",
"'DONE'",
":",
"stop",
"=",
"True",
"elif",
"msg",
"==",
"'STORE'",
":",
"if",
"'msg'",
"in",
"kwargs",
":",
"store_msg",
"=",
"kwargs",
".",
"pop",
"(",
"'msg'",
")",
"else",
":",
"store_msg",
"=",
"args",
"[",
"0",
"]",
"args",
"=",
"args",
"[",
"1",
":",
"]",
"if",
"'stuff_to_store'",
"in",
"kwargs",
":",
"stuff_to_store",
"=",
"kwargs",
".",
"pop",
"(",
"'stuff_to_store'",
")",
"else",
":",
"stuff_to_store",
"=",
"args",
"[",
"0",
"]",
"args",
"=",
"args",
"[",
"1",
":",
"]",
"trajectory_name",
"=",
"kwargs",
"[",
"'trajectory_name'",
"]",
"if",
"self",
".",
"_trajectory_name",
"!=",
"trajectory_name",
":",
"if",
"self",
".",
"_storage_service",
".",
"is_open",
":",
"self",
".",
"_close_file",
"(",
")",
"self",
".",
"_trajectory_name",
"=",
"trajectory_name",
"self",
".",
"_open_file",
"(",
")",
"self",
".",
"_storage_service",
".",
"store",
"(",
"store_msg",
",",
"stuff_to_store",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"self",
".",
"_storage_service",
".",
"store",
"(",
"pypetconstants",
".",
"FLUSH",
",",
"None",
")",
"self",
".",
"_check_and_collect_garbage",
"(",
")",
"else",
":",
"raise",
"RuntimeError",
"(",
"'You queued something that was not '",
"'intended to be queued. I did not understand message '",
"'`%s`.'",
"%",
"msg",
")",
"except",
"Exception",
":",
"self",
".",
"_logger",
".",
"exception",
"(",
"'ERROR occurred during storing!'",
")",
"time",
".",
"sleep",
"(",
"0.01",
")",
"pass",
"# We don't want to kill the queue process in case of an error",
"return",
"stop"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
StorageServiceDataHandler.run
|
Starts listening to the queue.
|
pypet/utils/mpwrappers.py
|
def run(self):
"""Starts listening to the queue."""
try:
while True:
msg, args, kwargs = self._receive_data()
stop = self._handle_data(msg, args, kwargs)
if stop:
break
finally:
if self._storage_service.is_open:
self._close_file()
self._trajectory_name = ''
|
def run(self):
"""Starts listening to the queue."""
try:
while True:
msg, args, kwargs = self._receive_data()
stop = self._handle_data(msg, args, kwargs)
if stop:
break
finally:
if self._storage_service.is_open:
self._close_file()
self._trajectory_name = ''
|
[
"Starts",
"listening",
"to",
"the",
"queue",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L857-L868
|
[
"def",
"run",
"(",
"self",
")",
":",
"try",
":",
"while",
"True",
":",
"msg",
",",
"args",
",",
"kwargs",
"=",
"self",
".",
"_receive_data",
"(",
")",
"stop",
"=",
"self",
".",
"_handle_data",
"(",
"msg",
",",
"args",
",",
"kwargs",
")",
"if",
"stop",
":",
"break",
"finally",
":",
"if",
"self",
".",
"_storage_service",
".",
"is_open",
":",
"self",
".",
"_close_file",
"(",
")",
"self",
".",
"_trajectory_name",
"=",
"''"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
QueueStorageServiceWriter._receive_data
|
Gets data from queue
|
pypet/utils/mpwrappers.py
|
def _receive_data(self):
"""Gets data from queue"""
result = self.queue.get(block=True)
if hasattr(self.queue, 'task_done'):
self.queue.task_done()
return result
|
def _receive_data(self):
"""Gets data from queue"""
result = self.queue.get(block=True)
if hasattr(self.queue, 'task_done'):
self.queue.task_done()
return result
|
[
"Gets",
"data",
"from",
"queue"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L882-L887
|
[
"def",
"_receive_data",
"(",
"self",
")",
":",
"result",
"=",
"self",
".",
"queue",
".",
"get",
"(",
"block",
"=",
"True",
")",
"if",
"hasattr",
"(",
"self",
".",
"queue",
",",
"'task_done'",
")",
":",
"self",
".",
"queue",
".",
"task_done",
"(",
")",
"return",
"result"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
PipeStorageServiceWriter._receive_data
|
Gets data from pipe
|
pypet/utils/mpwrappers.py
|
def _receive_data(self):
"""Gets data from pipe"""
while True:
while len(self._buffer) < self.max_size and self.conn.poll():
data = self._read_chunks()
if data is not None:
self._buffer.append(data)
if len(self._buffer) > 0:
return self._buffer.popleft()
|
def _receive_data(self):
"""Gets data from pipe"""
while True:
while len(self._buffer) < self.max_size and self.conn.poll():
data = self._read_chunks()
if data is not None:
self._buffer.append(data)
if len(self._buffer) > 0:
return self._buffer.popleft()
|
[
"Gets",
"data",
"from",
"pipe"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L931-L939
|
[
"def",
"_receive_data",
"(",
"self",
")",
":",
"while",
"True",
":",
"while",
"len",
"(",
"self",
".",
"_buffer",
")",
"<",
"self",
".",
"max_size",
"and",
"self",
".",
"conn",
".",
"poll",
"(",
")",
":",
"data",
"=",
"self",
".",
"_read_chunks",
"(",
")",
"if",
"data",
"is",
"not",
"None",
":",
"self",
".",
"_buffer",
".",
"append",
"(",
"data",
")",
"if",
"len",
"(",
"self",
".",
"_buffer",
")",
">",
"0",
":",
"return",
"self",
".",
"_buffer",
".",
"popleft",
"(",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
LockWrapper.store
|
Acquires a lock before storage and releases it afterwards.
|
pypet/utils/mpwrappers.py
|
def store(self, *args, **kwargs):
"""Acquires a lock before storage and releases it afterwards."""
try:
self.acquire_lock()
return self._storage_service.store(*args, **kwargs)
finally:
if self.lock is not None:
try:
self.release_lock()
except RuntimeError:
self._logger.error('Could not release lock `%s`!' % str(self.lock))
|
def store(self, *args, **kwargs):
"""Acquires a lock before storage and releases it afterwards."""
try:
self.acquire_lock()
return self._storage_service.store(*args, **kwargs)
finally:
if self.lock is not None:
try:
self.release_lock()
except RuntimeError:
self._logger.error('Could not release lock `%s`!' % str(self.lock))
|
[
"Acquires",
"a",
"lock",
"before",
"storage",
"and",
"releases",
"it",
"afterwards",
"."
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L982-L992
|
[
"def",
"store",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"self",
".",
"acquire_lock",
"(",
")",
"return",
"self",
".",
"_storage_service",
".",
"store",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"finally",
":",
"if",
"self",
".",
"lock",
"is",
"not",
"None",
":",
"try",
":",
"self",
".",
"release_lock",
"(",
")",
"except",
"RuntimeError",
":",
"self",
".",
"_logger",
".",
"error",
"(",
"'Could not release lock `%s`!'",
"%",
"str",
"(",
"self",
".",
"lock",
")",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
test
|
ReferenceWrapper.store
|
Simply keeps a reference to the stored data
|
pypet/utils/mpwrappers.py
|
def store(self, msg, stuff_to_store, *args, **kwargs):
"""Simply keeps a reference to the stored data """
trajectory_name = kwargs['trajectory_name']
if trajectory_name not in self.references:
self.references[trajectory_name] = []
self.references[trajectory_name].append((msg, cp.copy(stuff_to_store), args, kwargs))
|
def store(self, msg, stuff_to_store, *args, **kwargs):
"""Simply keeps a reference to the stored data """
trajectory_name = kwargs['trajectory_name']
if trajectory_name not in self.references:
self.references[trajectory_name] = []
self.references[trajectory_name].append((msg, cp.copy(stuff_to_store), args, kwargs))
|
[
"Simply",
"keeps",
"a",
"reference",
"to",
"the",
"stored",
"data"
] |
SmokinCaterpillar/pypet
|
python
|
https://github.com/SmokinCaterpillar/pypet/blob/97ad3e80d46dbdea02deeb98ea41f05a19565826/pypet/utils/mpwrappers.py#L1017-L1022
|
[
"def",
"store",
"(",
"self",
",",
"msg",
",",
"stuff_to_store",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"trajectory_name",
"=",
"kwargs",
"[",
"'trajectory_name'",
"]",
"if",
"trajectory_name",
"not",
"in",
"self",
".",
"references",
":",
"self",
".",
"references",
"[",
"trajectory_name",
"]",
"=",
"[",
"]",
"self",
".",
"references",
"[",
"trajectory_name",
"]",
".",
"append",
"(",
"(",
"msg",
",",
"cp",
".",
"copy",
"(",
"stuff_to_store",
")",
",",
"args",
",",
"kwargs",
")",
")"
] |
97ad3e80d46dbdea02deeb98ea41f05a19565826
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.