repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
75
19.8k
code_tokens
list
docstring
stringlengths
3
17.3k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
OpenTreeOfLife/peyotl
peyotl/nexson_syntax/helper.py
_add_uniq_value_to_dict_bf
def _add_uniq_value_to_dict_bf(d, k, v): """Like _add_value_to_dict_bf but will not add v if another element in under key `k` has the same value. """ prev = d.get(k) if prev is None: d[k] = v elif isinstance(prev, list): if not isinstance(v, list): v = [v] for...
python
def _add_uniq_value_to_dict_bf(d, k, v): """Like _add_value_to_dict_bf but will not add v if another element in under key `k` has the same value. """ prev = d.get(k) if prev is None: d[k] = v elif isinstance(prev, list): if not isinstance(v, list): v = [v] for...
[ "def", "_add_uniq_value_to_dict_bf", "(", "d", ",", "k", ",", "v", ")", ":", "prev", "=", "d", ".", "get", "(", "k", ")", "if", "prev", "is", "None", ":", "d", "[", "k", "]", "=", "v", "elif", "isinstance", "(", "prev", ",", "list", ")", ":", ...
Like _add_value_to_dict_bf but will not add v if another element in under key `k` has the same value.
[ "Like", "_add_value_to_dict_bf", "but", "will", "not", "add", "v", "if", "another", "element", "in", "under", "key", "k", "has", "the", "same", "value", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/helper.py#L136-L168
train
OpenTreeOfLife/peyotl
peyotl/nexson_syntax/helper.py
_debug_dump_dom
def _debug_dump_dom(el): """Debugging helper. Prints out `el` contents.""" import xml.dom.minidom s = [el.nodeName] att_container = el.attributes for i in range(att_container.length): attr = att_container.item(i) s.append(' @{a}="{v}"'.format(a=attr.name, v=attr.value)) for c in...
python
def _debug_dump_dom(el): """Debugging helper. Prints out `el` contents.""" import xml.dom.minidom s = [el.nodeName] att_container = el.attributes for i in range(att_container.length): attr = att_container.item(i) s.append(' @{a}="{v}"'.format(a=attr.name, v=attr.value)) for c in...
[ "def", "_debug_dump_dom", "(", "el", ")", ":", "import", "xml", ".", "dom", ".", "minidom", "s", "=", "[", "el", ".", "nodeName", "]", "att_container", "=", "el", ".", "attributes", "for", "i", "in", "range", "(", "att_container", ".", "length", ")", ...
Debugging helper. Prints out `el` contents.
[ "Debugging", "helper", ".", "Prints", "out", "el", "contents", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/helper.py#L177-L190
train
OpenTreeOfLife/peyotl
peyotl/nexson_syntax/helper.py
_convert_hbf_meta_val_for_xml
def _convert_hbf_meta_val_for_xml(key, val): """Convert to a BadgerFish-style dict for addition to a dict suitable for addition to XML tree or for v1.0 to v0.0 conversion.""" if isinstance(val, list): return [_convert_hbf_meta_val_for_xml(key, i) for i in val] is_literal = True content = Non...
python
def _convert_hbf_meta_val_for_xml(key, val): """Convert to a BadgerFish-style dict for addition to a dict suitable for addition to XML tree or for v1.0 to v0.0 conversion.""" if isinstance(val, list): return [_convert_hbf_meta_val_for_xml(key, i) for i in val] is_literal = True content = Non...
[ "def", "_convert_hbf_meta_val_for_xml", "(", "key", ",", "val", ")", ":", "if", "isinstance", "(", "val", ",", "list", ")", ":", "return", "[", "_convert_hbf_meta_val_for_xml", "(", "key", ",", "i", ")", "for", "i", "in", "val", "]", "is_literal", "=", "...
Convert to a BadgerFish-style dict for addition to a dict suitable for addition to XML tree or for v1.0 to v0.0 conversion.
[ "Convert", "to", "a", "BadgerFish", "-", "style", "dict", "for", "addition", "to", "a", "dict", "suitable", "for", "addition", "to", "XML", "tree", "or", "for", "v1", ".", "0", "to", "v0", ".", "0", "conversion", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/helper.py#L249-L277
train
OpenTreeOfLife/peyotl
peyotl/nexson_syntax/helper.py
find_nested_meta_first
def find_nested_meta_first(d, prop_name, version): """Returns obj. for badgerfish and val for hbf. Appropriate for nested literals""" if _is_badgerfish_version(version): return find_nested_meta_first_bf(d, prop_name) p = '^' + prop_name return d.get(p)
python
def find_nested_meta_first(d, prop_name, version): """Returns obj. for badgerfish and val for hbf. Appropriate for nested literals""" if _is_badgerfish_version(version): return find_nested_meta_first_bf(d, prop_name) p = '^' + prop_name return d.get(p)
[ "def", "find_nested_meta_first", "(", "d", ",", "prop_name", ",", "version", ")", ":", "if", "_is_badgerfish_version", "(", "version", ")", ":", "return", "find_nested_meta_first_bf", "(", "d", ",", "prop_name", ")", "p", "=", "'^'", "+", "prop_name", "return"...
Returns obj. for badgerfish and val for hbf. Appropriate for nested literals
[ "Returns", "obj", ".", "for", "badgerfish", "and", "val", "for", "hbf", ".", "Appropriate", "for", "nested", "literals" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/helper.py#L361-L366
train
PSPC-SPAC-buyandsell/von_agent
von_agent/codec.py
decode
def decode(value: str) -> Union[str, None, bool, int, float]: """ Decode encoded credential attribute value. :param value: numeric string to decode :return: decoded value, stringified if original was neither str, bool, int, nor float """ assert value.isdigit() or value[0] == '-' and value[1:]....
python
def decode(value: str) -> Union[str, None, bool, int, float]: """ Decode encoded credential attribute value. :param value: numeric string to decode :return: decoded value, stringified if original was neither str, bool, int, nor float """ assert value.isdigit() or value[0] == '-' and value[1:]....
[ "def", "decode", "(", "value", ":", "str", ")", "->", "Union", "[", "str", ",", "None", ",", "bool", ",", "int", ",", "float", "]", ":", "assert", "value", ".", "isdigit", "(", ")", "or", "value", "[", "0", "]", "==", "'-'", "and", "value", "["...
Decode encoded credential attribute value. :param value: numeric string to decode :return: decoded value, stringified if original was neither str, bool, int, nor float
[ "Decode", "encoded", "credential", "attribute", "value", "." ]
0b1c17cca3bd178b6e6974af84dbac1dfce5cf45
https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/codec.py#L70-L96
train
palantir/typedjsonrpc
typedjsonrpc/parameter_checker.py
validate_params_match
def validate_params_match(method, parameters): """Validates that the given parameters are exactly the method's declared parameters. :param method: The method to be called :type method: function :param parameters: The parameters to use in the call :type parameters: dict[str, object] | list[object] ...
python
def validate_params_match(method, parameters): """Validates that the given parameters are exactly the method's declared parameters. :param method: The method to be called :type method: function :param parameters: The parameters to use in the call :type parameters: dict[str, object] | list[object] ...
[ "def", "validate_params_match", "(", "method", ",", "parameters", ")", ":", "argspec", "=", "inspect", ".", "getargspec", "(", "method", ")", "# pylint: disable=deprecated-method", "default_length", "=", "len", "(", "argspec", ".", "defaults", ")", "if", "argspec"...
Validates that the given parameters are exactly the method's declared parameters. :param method: The method to be called :type method: function :param parameters: The parameters to use in the call :type parameters: dict[str, object] | list[object]
[ "Validates", "that", "the", "given", "parameters", "are", "exactly", "the", "method", "s", "declared", "parameters", "." ]
274218fcd236ff9643506caa629029c9ba25a0fb
https://github.com/palantir/typedjsonrpc/blob/274218fcd236ff9643506caa629029c9ba25a0fb/typedjsonrpc/parameter_checker.py#L27-L55
train
palantir/typedjsonrpc
typedjsonrpc/parameter_checker.py
check_types
def check_types(parameters, parameter_types, strict_floats): """Checks that the given parameters have the correct types. :param parameters: List of (name, value) pairs of the given parameters :type parameters: dict[str, object] :param parameter_types: Parameter type by name. :type parameter_types: ...
python
def check_types(parameters, parameter_types, strict_floats): """Checks that the given parameters have the correct types. :param parameters: List of (name, value) pairs of the given parameters :type parameters: dict[str, object] :param parameter_types: Parameter type by name. :type parameter_types: ...
[ "def", "check_types", "(", "parameters", ",", "parameter_types", ",", "strict_floats", ")", ":", "for", "name", ",", "parameter_type", "in", "parameter_types", ".", "items", "(", ")", ":", "if", "name", "not", "in", "parameters", ":", "raise", "InvalidParamsEr...
Checks that the given parameters have the correct types. :param parameters: List of (name, value) pairs of the given parameters :type parameters: dict[str, object] :param parameter_types: Parameter type by name. :type parameter_types: dict[str, type] :param strict_floats: If False, treat integers a...
[ "Checks", "that", "the", "given", "parameters", "have", "the", "correct", "types", "." ]
274218fcd236ff9643506caa629029c9ba25a0fb
https://github.com/palantir/typedjsonrpc/blob/274218fcd236ff9643506caa629029c9ba25a0fb/typedjsonrpc/parameter_checker.py#L58-L73
train
palantir/typedjsonrpc
typedjsonrpc/parameter_checker.py
check_type_declaration
def check_type_declaration(parameter_names, parameter_types): """Checks that exactly the given parameter names have declared types. :param parameter_names: The names of the parameters in the method declaration :type parameter_names: list[str] :param parameter_types: Parameter type by name :type par...
python
def check_type_declaration(parameter_names, parameter_types): """Checks that exactly the given parameter names have declared types. :param parameter_names: The names of the parameters in the method declaration :type parameter_names: list[str] :param parameter_types: Parameter type by name :type par...
[ "def", "check_type_declaration", "(", "parameter_names", ",", "parameter_types", ")", ":", "if", "len", "(", "parameter_names", ")", "!=", "len", "(", "parameter_types", ")", ":", "raise", "Exception", "(", "\"Number of method parameters ({}) does not match number of \"",...
Checks that exactly the given parameter names have declared types. :param parameter_names: The names of the parameters in the method declaration :type parameter_names: list[str] :param parameter_types: Parameter type by name :type parameter_types: dict[str, type]
[ "Checks", "that", "exactly", "the", "given", "parameter", "names", "have", "declared", "types", "." ]
274218fcd236ff9643506caa629029c9ba25a0fb
https://github.com/palantir/typedjsonrpc/blob/274218fcd236ff9643506caa629029c9ba25a0fb/typedjsonrpc/parameter_checker.py#L76-L90
train
palantir/typedjsonrpc
typedjsonrpc/parameter_checker.py
check_return_type
def check_return_type(value, expected_type, strict_floats): """Checks that the given return value has the correct type. :param value: Value returned by the method :type value: object :param expected_type: Expected return type :type expected_type: type :param strict_floats: If False, treat integ...
python
def check_return_type(value, expected_type, strict_floats): """Checks that the given return value has the correct type. :param value: Value returned by the method :type value: object :param expected_type: Expected return type :type expected_type: type :param strict_floats: If False, treat integ...
[ "def", "check_return_type", "(", "value", ",", "expected_type", ",", "strict_floats", ")", ":", "if", "expected_type", "is", "None", ":", "if", "value", "is", "not", "None", ":", "raise", "InvalidReturnTypeError", "(", "\"Returned value is '{}' but None was expected\"...
Checks that the given return value has the correct type. :param value: Value returned by the method :type value: object :param expected_type: Expected return type :type expected_type: type :param strict_floats: If False, treat integers as floats :type strict_floats: bool
[ "Checks", "that", "the", "given", "return", "value", "has", "the", "correct", "type", "." ]
274218fcd236ff9643506caa629029c9ba25a0fb
https://github.com/palantir/typedjsonrpc/blob/274218fcd236ff9643506caa629029c9ba25a0fb/typedjsonrpc/parameter_checker.py#L93-L109
train
OpenTreeOfLife/peyotl
peyotl/phylesystem/helper.py
_make_phylesystem_cache_region
def _make_phylesystem_cache_region(**kwargs): """Only intended to be called by the Phylesystem singleton. """ global _CACHE_REGION_CONFIGURED, _REGION if _CACHE_REGION_CONFIGURED: return _REGION _CACHE_REGION_CONFIGURED = True try: # noinspection PyPackageRequirements fro...
python
def _make_phylesystem_cache_region(**kwargs): """Only intended to be called by the Phylesystem singleton. """ global _CACHE_REGION_CONFIGURED, _REGION if _CACHE_REGION_CONFIGURED: return _REGION _CACHE_REGION_CONFIGURED = True try: # noinspection PyPackageRequirements fro...
[ "def", "_make_phylesystem_cache_region", "(", "*", "*", "kwargs", ")", ":", "global", "_CACHE_REGION_CONFIGURED", ",", "_REGION", "if", "_CACHE_REGION_CONFIGURED", ":", "return", "_REGION", "_CACHE_REGION_CONFIGURED", "=", "True", "try", ":", "# noinspection PyPackageRequ...
Only intended to be called by the Phylesystem singleton.
[ "Only", "intended", "to", "be", "called", "by", "the", "Phylesystem", "singleton", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/phylesystem/helper.py#L125-L187
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.path_for_doc
def path_for_doc(self, doc_id): """Returns doc_dir and doc_filepath for doc_id. """ full_path = self.path_for_doc_fn(self.repo, doc_id) # _LOG.debug('>>>>>>>>>> GitActionBase.path_for_doc_fn: {}'.format(self.path_for_doc_fn)) # _LOG.debug('>>>>>>>>>> GitActionBase.path_for_doc re...
python
def path_for_doc(self, doc_id): """Returns doc_dir and doc_filepath for doc_id. """ full_path = self.path_for_doc_fn(self.repo, doc_id) # _LOG.debug('>>>>>>>>>> GitActionBase.path_for_doc_fn: {}'.format(self.path_for_doc_fn)) # _LOG.debug('>>>>>>>>>> GitActionBase.path_for_doc re...
[ "def", "path_for_doc", "(", "self", ",", "doc_id", ")", ":", "full_path", "=", "self", ".", "path_for_doc_fn", "(", "self", ".", "repo", ",", "doc_id", ")", "# _LOG.debug('>>>>>>>>>> GitActionBase.path_for_doc_fn: {}'.format(self.path_for_doc_fn))", "# _LOG.debug('>>>>>>>>>...
Returns doc_dir and doc_filepath for doc_id.
[ "Returns", "doc_dir", "and", "doc_filepath", "for", "doc_id", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L143-L149
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.current_branch
def current_branch(self): """Return the current branch name""" branch_name = git(self.gitdir, self.gitwd, "symbolic-ref", "HEAD") return branch_name.replace('refs/heads/', '').strip()
python
def current_branch(self): """Return the current branch name""" branch_name = git(self.gitdir, self.gitwd, "symbolic-ref", "HEAD") return branch_name.replace('refs/heads/', '').strip()
[ "def", "current_branch", "(", "self", ")", ":", "branch_name", "=", "git", "(", "self", ".", "gitdir", ",", "self", ".", "gitwd", ",", "\"symbolic-ref\"", ",", "\"HEAD\"", ")", "return", "branch_name", ".", "replace", "(", "'refs/heads/'", ",", "''", ")", ...
Return the current branch name
[ "Return", "the", "current", "branch", "name" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L169-L172
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.branch_exists
def branch_exists(self, branch): """Returns true or false depending on if a branch exists""" try: git(self.gitdir, self.gitwd, "rev-parse", branch) except sh.ErrorReturnCode: return False return True
python
def branch_exists(self, branch): """Returns true or false depending on if a branch exists""" try: git(self.gitdir, self.gitwd, "rev-parse", branch) except sh.ErrorReturnCode: return False return True
[ "def", "branch_exists", "(", "self", ",", "branch", ")", ":", "try", ":", "git", "(", "self", ".", "gitdir", ",", "self", ".", "gitwd", ",", "\"rev-parse\"", ",", "branch", ")", "except", "sh", ".", "ErrorReturnCode", ":", "return", "False", "return", ...
Returns true or false depending on if a branch exists
[ "Returns", "true", "or", "false", "depending", "on", "if", "a", "branch", "exists" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L174-L180
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.fetch
def fetch(self, remote='origin'): """fetch from a remote""" git(self.gitdir, "fetch", remote, _env=self.env())
python
def fetch(self, remote='origin'): """fetch from a remote""" git(self.gitdir, "fetch", remote, _env=self.env())
[ "def", "fetch", "(", "self", ",", "remote", "=", "'origin'", ")", ":", "git", "(", "self", ".", "gitdir", ",", "\"fetch\"", ",", "remote", ",", "_env", "=", "self", ".", "env", "(", ")", ")" ]
fetch from a remote
[ "fetch", "from", "a", "remote" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L204-L206
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.get_version_history_for_file
def get_version_history_for_file(self, filepath): """ Return a dict representation of this file's commit history This uses specially formatted git-log output for easy parsing, as described here: http://blog.lost-theory.org/post/how-to-parse-git-log-output/ For a full list of availab...
python
def get_version_history_for_file(self, filepath): """ Return a dict representation of this file's commit history This uses specially formatted git-log output for easy parsing, as described here: http://blog.lost-theory.org/post/how-to-parse-git-log-output/ For a full list of availab...
[ "def", "get_version_history_for_file", "(", "self", ",", "filepath", ")", ":", "# define the desired fields for logout output, matching the order in these lists!", "GIT_COMMIT_FIELDS", "=", "[", "'id'", ",", "'author_name'", ",", "'author_email'", ",", "'date'", ",", "'date_I...
Return a dict representation of this file's commit history This uses specially formatted git-log output for easy parsing, as described here: http://blog.lost-theory.org/post/how-to-parse-git-log-output/ For a full list of available fields, see: http://linux.die.net/man/1/git-log
[ "Return", "a", "dict", "representation", "of", "this", "file", "s", "commit", "history" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L235-L273
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase._add_and_commit
def _add_and_commit(self, doc_filepath, author, commit_msg): """Low level function used internally when you have an absolute filepath to add and commit""" try: git(self.gitdir, self.gitwd, "add", doc_filepath) git(self.gitdir, self.gitwd, "commit", author=author, message=commit_m...
python
def _add_and_commit(self, doc_filepath, author, commit_msg): """Low level function used internally when you have an absolute filepath to add and commit""" try: git(self.gitdir, self.gitwd, "add", doc_filepath) git(self.gitdir, self.gitwd, "commit", author=author, message=commit_m...
[ "def", "_add_and_commit", "(", "self", ",", "doc_filepath", ",", "author", ",", "commit_msg", ")", ":", "try", ":", "git", "(", "self", ".", "gitdir", ",", "self", ".", "gitwd", ",", "\"add\"", ",", "doc_filepath", ")", "git", "(", "self", ".", "gitdir...
Low level function used internally when you have an absolute filepath to add and commit
[ "Low", "level", "function", "used", "internally", "when", "you", "have", "an", "absolute", "filepath", "to", "add", "and", "commit" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L275-L288
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase._remove_document
def _remove_document(self, gh_user, doc_id, parent_sha, author, commit_msg=None): """Remove a document Remove a document on the given branch and attribute the commit to author. Returns the SHA of the commit on branch. """ # _LOG.debug("@@@@@@@@ GitActionBase._remove_document, doc...
python
def _remove_document(self, gh_user, doc_id, parent_sha, author, commit_msg=None): """Remove a document Remove a document on the given branch and attribute the commit to author. Returns the SHA of the commit on branch. """ # _LOG.debug("@@@@@@@@ GitActionBase._remove_document, doc...
[ "def", "_remove_document", "(", "self", ",", "gh_user", ",", "doc_id", ",", "parent_sha", ",", "author", ",", "commit_msg", "=", "None", ")", ":", "# _LOG.debug(\"@@@@@@@@ GitActionBase._remove_document, doc_id={}\".format(doc_id))", "doc_filepath", "=", "self", ".", "p...
Remove a document Remove a document on the given branch and attribute the commit to author. Returns the SHA of the commit on branch.
[ "Remove", "a", "document", "Remove", "a", "document", "on", "the", "given", "branch", "and", "attribute", "the", "commit", "to", "author", ".", "Returns", "the", "SHA", "of", "the", "commit", "on", "branch", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L429-L465
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.write_document
def write_document(self, gh_user, doc_id, file_content, branch, author, commit_msg=None): """Given a document id, temporary filename of content, branch and auth_info Deprecated but needed until we merge api local-dep to master... """ parent_sha = None fc = tempfile.NamedTempora...
python
def write_document(self, gh_user, doc_id, file_content, branch, author, commit_msg=None): """Given a document id, temporary filename of content, branch and auth_info Deprecated but needed until we merge api local-dep to master... """ parent_sha = None fc = tempfile.NamedTempora...
[ "def", "write_document", "(", "self", ",", "gh_user", ",", "doc_id", ",", "file_content", ",", "branch", ",", "author", ",", "commit_msg", "=", "None", ")", ":", "parent_sha", "=", "None", "fc", "=", "tempfile", ".", "NamedTemporaryFile", "(", ")", "# N.B....
Given a document id, temporary filename of content, branch and auth_info Deprecated but needed until we merge api local-dep to master...
[ "Given", "a", "document", "id", "temporary", "filename", "of", "content", "branch", "and", "auth_info" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L467-L516
train
OpenTreeOfLife/peyotl
peyotl/git_storage/git_action.py
GitActionBase.write_doc_from_tmpfile
def write_doc_from_tmpfile(self, doc_id, tmpfi, parent_sha, auth_info, commit_msg='', doctype_display_name="document"): """Giv...
python
def write_doc_from_tmpfile(self, doc_id, tmpfi, parent_sha, auth_info, commit_msg='', doctype_display_name="document"): """Giv...
[ "def", "write_doc_from_tmpfile", "(", "self", ",", "doc_id", ",", "tmpfi", ",", "parent_sha", ",", "auth_info", ",", "commit_msg", "=", "''", ",", "doctype_display_name", "=", "\"document\"", ")", ":", "gh_user", ",", "author", "=", "get_user_author", "(", "au...
Given a doc_id, temporary filename of content, branch and auth_info
[ "Given", "a", "doc_id", "temporary", "filename", "of", "content", "branch", "and", "auth_info" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/git_storage/git_action.py#L518-L559
train
OpenTreeOfLife/peyotl
peyotl/amendments/git_actions.py
TaxonomicAmendmentsGitAction.remove_amendment
def remove_amendment(self, first_arg, sec_arg, third_arg, fourth_arg=None, commit_msg=None): """Remove an amendment Given a amendment_id, branch and optionally an author, remove an amendment on the given branch and attribute the commit to author. Returns the SHA of the commit on ...
python
def remove_amendment(self, first_arg, sec_arg, third_arg, fourth_arg=None, commit_msg=None): """Remove an amendment Given a amendment_id, branch and optionally an author, remove an amendment on the given branch and attribute the commit to author. Returns the SHA of the commit on ...
[ "def", "remove_amendment", "(", "self", ",", "first_arg", ",", "sec_arg", ",", "third_arg", ",", "fourth_arg", "=", "None", ",", "commit_msg", "=", "None", ")", ":", "if", "fourth_arg", "is", "None", ":", "amendment_id", ",", "branch_name", ",", "author", ...
Remove an amendment Given a amendment_id, branch and optionally an author, remove an amendment on the given branch and attribute the commit to author. Returns the SHA of the commit on branch.
[ "Remove", "an", "amendment", "Given", "a", "amendment_id", "branch", "and", "optionally", "an", "author", "remove", "an", "amendment", "on", "the", "given", "branch", "and", "attribute", "the", "commit", "to", "author", ".", "Returns", "the", "SHA", "of", "t...
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/amendments/git_actions.py#L92-L107
train
inveniosoftware/invenio-communities
invenio_communities/models.py
InclusionRequest.create
def create(cls, community, record, user=None, expires_at=None, notify=True): """Create a record inclusion request to a community. :param community: Community object. :param record: Record API object. :param expires_at: Time after which the request expires and shouldn't ...
python
def create(cls, community, record, user=None, expires_at=None, notify=True): """Create a record inclusion request to a community. :param community: Community object. :param record: Record API object. :param expires_at: Time after which the request expires and shouldn't ...
[ "def", "create", "(", "cls", ",", "community", ",", "record", ",", "user", "=", "None", ",", "expires_at", "=", "None", ",", "notify", "=", "True", ")", ":", "if", "expires_at", "and", "expires_at", "<", "datetime", ".", "utcnow", "(", ")", ":", "rai...
Create a record inclusion request to a community. :param community: Community object. :param record: Record API object. :param expires_at: Time after which the request expires and shouldn't be resolved anymore.
[ "Create", "a", "record", "inclusion", "request", "to", "a", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L114-L152
train
inveniosoftware/invenio-communities
invenio_communities/models.py
InclusionRequest.get
def get(cls, community_id, record_uuid): """Get an inclusion request.""" return cls.query.filter_by( id_record=record_uuid, id_community=community_id ).one_or_none()
python
def get(cls, community_id, record_uuid): """Get an inclusion request.""" return cls.query.filter_by( id_record=record_uuid, id_community=community_id ).one_or_none()
[ "def", "get", "(", "cls", ",", "community_id", ",", "record_uuid", ")", ":", "return", "cls", ".", "query", ".", "filter_by", "(", "id_record", "=", "record_uuid", ",", "id_community", "=", "community_id", ")", ".", "one_or_none", "(", ")" ]
Get an inclusion request.
[ "Get", "an", "inclusion", "request", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L155-L159
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.filter_communities
def filter_communities(cls, p, so, with_deleted=False): """Search for communities. Helper function which takes from database only those communities which match search criteria. Uses parameter 'so' to set communities in the correct order. Parameter 'page' is introduced to restri...
python
def filter_communities(cls, p, so, with_deleted=False): """Search for communities. Helper function which takes from database only those communities which match search criteria. Uses parameter 'so' to set communities in the correct order. Parameter 'page' is introduced to restri...
[ "def", "filter_communities", "(", "cls", ",", "p", ",", "so", ",", "with_deleted", "=", "False", ")", ":", "query", "=", "cls", ".", "query", "if", "with_deleted", "else", "cls", ".", "query", ".", "filter", "(", "cls", ".", "deleted_at", ".", "is_", ...
Search for communities. Helper function which takes from database only those communities which match search criteria. Uses parameter 'so' to set communities in the correct order. Parameter 'page' is introduced to restrict results and return only slice of them for the current pa...
[ "Search", "for", "communities", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L257-L284
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.add_record
def add_record(self, record): """Add a record to the community. :param record: Record object. :type record: `invenio_records.api.Record` """ key = current_app.config['COMMUNITIES_RECORD_KEY'] record.setdefault(key, []) if self.has_record(record): cur...
python
def add_record(self, record): """Add a record to the community. :param record: Record object. :type record: `invenio_records.api.Record` """ key = current_app.config['COMMUNITIES_RECORD_KEY'] record.setdefault(key, []) if self.has_record(record): cur...
[ "def", "add_record", "(", "self", ",", "record", ")", ":", "key", "=", "current_app", ".", "config", "[", "'COMMUNITIES_RECORD_KEY'", "]", "record", ".", "setdefault", "(", "key", ",", "[", "]", ")", "if", "self", ".", "has_record", "(", "record", ")", ...
Add a record to the community. :param record: Record object. :type record: `invenio_records.api.Record`
[ "Add", "a", "record", "to", "the", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L286-L304
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.remove_record
def remove_record(self, record): """Remove an already accepted record from the community. :param record: Record object. :type record: `invenio_records.api.Record` """ if not self.has_record(record): current_app.logger.warning( 'Community removal: reco...
python
def remove_record(self, record): """Remove an already accepted record from the community. :param record: Record object. :type record: `invenio_records.api.Record` """ if not self.has_record(record): current_app.logger.warning( 'Community removal: reco...
[ "def", "remove_record", "(", "self", ",", "record", ")", ":", "if", "not", "self", ".", "has_record", "(", "record", ")", ":", "current_app", ".", "logger", ".", "warning", "(", "'Community removal: record {uuid} was not in community '", "'\"{comm}\"'", ".", "form...
Remove an already accepted record from the community. :param record: Record object. :type record: `invenio_records.api.Record`
[ "Remove", "an", "already", "accepted", "record", "from", "the", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L306-L322
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.accept_record
def accept_record(self, record): """Accept a record for inclusion in the community. :param record: Record object. """ with db.session.begin_nested(): req = InclusionRequest.get(self.id, record.id) if req is None: raise InclusionRequestMissingError...
python
def accept_record(self, record): """Accept a record for inclusion in the community. :param record: Record object. """ with db.session.begin_nested(): req = InclusionRequest.get(self.id, record.id) if req is None: raise InclusionRequestMissingError...
[ "def", "accept_record", "(", "self", ",", "record", ")", ":", "with", "db", ".", "session", ".", "begin_nested", "(", ")", ":", "req", "=", "InclusionRequest", ".", "get", "(", "self", ".", "id", ",", "record", ".", "id", ")", "if", "req", "is", "N...
Accept a record for inclusion in the community. :param record: Record object.
[ "Accept", "a", "record", "for", "inclusion", "in", "the", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L329-L341
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.reject_record
def reject_record(self, record): """Reject a record for inclusion in the community. :param record: Record object. """ with db.session.begin_nested(): req = InclusionRequest.get(self.id, record.id) if req is None: raise InclusionRequestMissingError...
python
def reject_record(self, record): """Reject a record for inclusion in the community. :param record: Record object. """ with db.session.begin_nested(): req = InclusionRequest.get(self.id, record.id) if req is None: raise InclusionRequestMissingError...
[ "def", "reject_record", "(", "self", ",", "record", ")", ":", "with", "db", ".", "session", ".", "begin_nested", "(", ")", ":", "req", "=", "InclusionRequest", ".", "get", "(", "self", ".", "id", ",", "record", ".", "id", ")", "if", "req", "is", "N...
Reject a record for inclusion in the community. :param record: Record object.
[ "Reject", "a", "record", "for", "inclusion", "in", "the", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L343-L353
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.delete
def delete(self): """Mark the community for deletion. :param delete_time: DateTime after which to delete the community. :type delete_time: datetime.datetime :raises: CommunitiesError """ if self.deleted_at is not None: raise CommunitiesError(community=self) ...
python
def delete(self): """Mark the community for deletion. :param delete_time: DateTime after which to delete the community. :type delete_time: datetime.datetime :raises: CommunitiesError """ if self.deleted_at is not None: raise CommunitiesError(community=self) ...
[ "def", "delete", "(", "self", ")", ":", "if", "self", ".", "deleted_at", "is", "not", "None", ":", "raise", "CommunitiesError", "(", "community", "=", "self", ")", "else", ":", "self", ".", "deleted_at", "=", "datetime", ".", "utcnow", "(", ")" ]
Mark the community for deletion. :param delete_time: DateTime after which to delete the community. :type delete_time: datetime.datetime :raises: CommunitiesError
[ "Mark", "the", "community", "for", "deletion", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L355-L365
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.logo_url
def logo_url(self): """Get URL to collection logo. :returns: Path to community logo. :rtype: str """ if self.logo_ext: return '/api/files/{bucket}/{key}'.format( bucket=current_app.config['COMMUNITIES_BUCKET_UUID'], key='{0}/logo.{1}'....
python
def logo_url(self): """Get URL to collection logo. :returns: Path to community logo. :rtype: str """ if self.logo_ext: return '/api/files/{bucket}/{key}'.format( bucket=current_app.config['COMMUNITIES_BUCKET_UUID'], key='{0}/logo.{1}'....
[ "def", "logo_url", "(", "self", ")", ":", "if", "self", ".", "logo_ext", ":", "return", "'/api/files/{bucket}/{key}'", ".", "format", "(", "bucket", "=", "current_app", ".", "config", "[", "'COMMUNITIES_BUCKET_UUID'", "]", ",", "key", "=", "'{0}/logo.{1}'", "....
Get URL to collection logo. :returns: Path to community logo. :rtype: str
[ "Get", "URL", "to", "collection", "logo", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L380-L391
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.oaiset
def oaiset(self): """Return the corresponding OAISet for given community. If OAIServer is not installed this property will return None. :returns: returns OAISet object corresponding to this community. :rtype: `invenio_oaiserver.models.OAISet` or None """ if current_app....
python
def oaiset(self): """Return the corresponding OAISet for given community. If OAIServer is not installed this property will return None. :returns: returns OAISet object corresponding to this community. :rtype: `invenio_oaiserver.models.OAISet` or None """ if current_app....
[ "def", "oaiset", "(", "self", ")", ":", "if", "current_app", ".", "config", "[", "'COMMUNITIES_OAI_ENABLED'", "]", ":", "from", "invenio_oaiserver", ".", "models", "import", "OAISet", "return", "OAISet", ".", "query", ".", "filter_by", "(", "spec", "=", "sel...
Return the corresponding OAISet for given community. If OAIServer is not installed this property will return None. :returns: returns OAISet object corresponding to this community. :rtype: `invenio_oaiserver.models.OAISet` or None
[ "Return", "the", "corresponding", "OAISet", "for", "given", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L421-L433
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.oaiset_url
def oaiset_url(self): """Return the OAISet URL for given community. :returns: URL of corresponding OAISet. :rtype: str """ return url_for( 'invenio_oaiserver.response', verb='ListRecords', metadataPrefix='oai_dc', set=self.oaiset_spec, _extern...
python
def oaiset_url(self): """Return the OAISet URL for given community. :returns: URL of corresponding OAISet. :rtype: str """ return url_for( 'invenio_oaiserver.response', verb='ListRecords', metadataPrefix='oai_dc', set=self.oaiset_spec, _extern...
[ "def", "oaiset_url", "(", "self", ")", ":", "return", "url_for", "(", "'invenio_oaiserver.response'", ",", "verb", "=", "'ListRecords'", ",", "metadataPrefix", "=", "'oai_dc'", ",", "set", "=", "self", ".", "oaiset_spec", ",", "_external", "=", "True", ")" ]
Return the OAISet URL for given community. :returns: URL of corresponding OAISet. :rtype: str
[ "Return", "the", "OAISet", "URL", "for", "given", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L436-L445
train
inveniosoftware/invenio-communities
invenio_communities/models.py
Community.version_id
def version_id(self): """Return the version of the community. :returns: hash which encodes the community id and its las update. :rtype: str """ return hashlib.sha1('{0}__{1}'.format( self.id, self.updated).encode('utf-8')).hexdigest()
python
def version_id(self): """Return the version of the community. :returns: hash which encodes the community id and its las update. :rtype: str """ return hashlib.sha1('{0}__{1}'.format( self.id, self.updated).encode('utf-8')).hexdigest()
[ "def", "version_id", "(", "self", ")", ":", "return", "hashlib", ".", "sha1", "(", "'{0}__{1}'", ".", "format", "(", "self", ".", "id", ",", "self", ".", "updated", ")", ".", "encode", "(", "'utf-8'", ")", ")", ".", "hexdigest", "(", ")" ]
Return the version of the community. :returns: hash which encodes the community id and its las update. :rtype: str
[ "Return", "the", "version", "of", "the", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L448-L455
train
inveniosoftware/invenio-communities
invenio_communities/models.py
FeaturedCommunity.get_featured_or_none
def get_featured_or_none(cls, start_date=None): """Get the latest featured community. :param start_date: Date after which the featuring starts :returns: Community object or None :rtype: `invenio_communities.models.Community` or None """ start_date = start_date or datetim...
python
def get_featured_or_none(cls, start_date=None): """Get the latest featured community. :param start_date: Date after which the featuring starts :returns: Community object or None :rtype: `invenio_communities.models.Community` or None """ start_date = start_date or datetim...
[ "def", "get_featured_or_none", "(", "cls", ",", "start_date", "=", "None", ")", ":", "start_date", "=", "start_date", "or", "datetime", ".", "utcnow", "(", ")", "comm", "=", "cls", ".", "query", ".", "filter", "(", "FeaturedCommunity", ".", "start_date", "...
Get the latest featured community. :param start_date: Date after which the featuring starts :returns: Community object or None :rtype: `invenio_communities.models.Community` or None
[ "Get", "the", "latest", "featured", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/models.py#L486-L500
train
ARMmbed/mbed-connector-api-python
mbed_connector_api/mbed_connector_api.py
connector.getConnectorVersion
def getConnectorVersion(self): """ GET the current Connector version. :returns: asyncResult object, populates error and result fields :rtype: asyncResult """ result = asyncResult() data = self._getURL("/",versioned=False) result.fill(data) if data.status_code == 200: result.error = False else: ...
python
def getConnectorVersion(self): """ GET the current Connector version. :returns: asyncResult object, populates error and result fields :rtype: asyncResult """ result = asyncResult() data = self._getURL("/",versioned=False) result.fill(data) if data.status_code == 200: result.error = False else: ...
[ "def", "getConnectorVersion", "(", "self", ")", ":", "result", "=", "asyncResult", "(", ")", "data", "=", "self", ".", "_getURL", "(", "\"/\"", ",", "versioned", "=", "False", ")", "result", ".", "fill", "(", "data", ")", "if", "data", ".", "status_cod...
GET the current Connector version. :returns: asyncResult object, populates error and result fields :rtype: asyncResult
[ "GET", "the", "current", "Connector", "version", "." ]
a5024a01dc67cc192c8bf7a70b251fcf0a3f279b
https://github.com/ARMmbed/mbed-connector-api-python/blob/a5024a01dc67cc192c8bf7a70b251fcf0a3f279b/mbed_connector_api/mbed_connector_api.py#L72-L87
train
ARMmbed/mbed-connector-api-python
mbed_connector_api/mbed_connector_api.py
connector.setHandler
def setHandler(self,handler,cbfn): ''' Register a handler for a particular notification type. These are the types of notifications that are acceptable. | 'async-responses' | 'registrations-expired' | 'de-registrations' | 'reg-updates' | 'registrations' | 'notifications' :param str handler: name...
python
def setHandler(self,handler,cbfn): ''' Register a handler for a particular notification type. These are the types of notifications that are acceptable. | 'async-responses' | 'registrations-expired' | 'de-registrations' | 'reg-updates' | 'registrations' | 'notifications' :param str handler: name...
[ "def", "setHandler", "(", "self", ",", "handler", ",", "cbfn", ")", ":", "if", "handler", "==", "\"async-responses\"", ":", "self", ".", "async_responses_callback", "=", "cbfn", "elif", "handler", "==", "\"registrations-expired\"", ":", "self", ".", "registratio...
Register a handler for a particular notification type. These are the types of notifications that are acceptable. | 'async-responses' | 'registrations-expired' | 'de-registrations' | 'reg-updates' | 'registrations' | 'notifications' :param str handler: name of the notification type :param fnptr cb...
[ "Register", "a", "handler", "for", "a", "particular", "notification", "type", ".", "These", "are", "the", "types", "of", "notifications", "that", "are", "acceptable", ".", "|", "async", "-", "responses", "|", "registrations", "-", "expired", "|", "de", "-", ...
a5024a01dc67cc192c8bf7a70b251fcf0a3f279b
https://github.com/ARMmbed/mbed-connector-api-python/blob/a5024a01dc67cc192c8bf7a70b251fcf0a3f279b/mbed_connector_api/mbed_connector_api.py#L554-L583
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_doc_parser.py
JSGDocParser.as_python
def as_python(self, infile, include_original_shex: bool=False): """ Return the python representation of the document """ self._context.resolve_circular_references() # add forwards for any circular entries body = '' for k in self._context.ordered_elements(): v = sel...
python
def as_python(self, infile, include_original_shex: bool=False): """ Return the python representation of the document """ self._context.resolve_circular_references() # add forwards for any circular entries body = '' for k in self._context.ordered_elements(): v = sel...
[ "def", "as_python", "(", "self", ",", "infile", ",", "include_original_shex", ":", "bool", "=", "False", ")", ":", "self", ".", "_context", ".", "resolve_circular_references", "(", ")", "# add forwards for any circular entries", "body", "=", "''", "for", "k", "i...
Return the python representation of the document
[ "Return", "the", "python", "representation", "of", "the", "document" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_doc_parser.py#L36-L59
train
emirozer/bowshock
bowshock/modis.py
__getDummyDateList
def __getDummyDateList(): """ Generate a dummy date list for testing without hitting the server """ D = [] for y in xrange(2001, 2010): for d in xrange(1, 365, 1): D.append('A%04d%03d' % (y, d)) return D
python
def __getDummyDateList(): """ Generate a dummy date list for testing without hitting the server """ D = [] for y in xrange(2001, 2010): for d in xrange(1, 365, 1): D.append('A%04d%03d' % (y, d)) return D
[ "def", "__getDummyDateList", "(", ")", ":", "D", "=", "[", "]", "for", "y", "in", "xrange", "(", "2001", ",", "2010", ")", ":", "for", "d", "in", "xrange", "(", "1", ",", "365", ",", "1", ")", ":", "D", ".", "append", "(", "'A%04d%03d'", "%", ...
Generate a dummy date list for testing without hitting the server
[ "Generate", "a", "dummy", "date", "list", "for", "testing", "without", "hitting", "the", "server" ]
9f5e053f1d54995b833b83616f37c67178c3e840
https://github.com/emirozer/bowshock/blob/9f5e053f1d54995b833b83616f37c67178c3e840/bowshock/modis.py#L92-L103
train
emirozer/bowshock
bowshock/modis.py
mkIntDate
def mkIntDate(s): """ Convert the webserver formatted dates to an integer format by stripping the leading char and casting """ n = s.__len__() d = int(s[-(n - 1):n]) return d
python
def mkIntDate(s): """ Convert the webserver formatted dates to an integer format by stripping the leading char and casting """ n = s.__len__() d = int(s[-(n - 1):n]) return d
[ "def", "mkIntDate", "(", "s", ")", ":", "n", "=", "s", ".", "__len__", "(", ")", "d", "=", "int", "(", "s", "[", "-", "(", "n", "-", "1", ")", ":", "n", "]", ")", "return", "d" ]
Convert the webserver formatted dates to an integer format by stripping the leading char and casting
[ "Convert", "the", "webserver", "formatted", "dates", "to", "an", "integer", "format", "by", "stripping", "the", "leading", "char", "and", "casting" ]
9f5e053f1d54995b833b83616f37c67178c3e840
https://github.com/emirozer/bowshock/blob/9f5e053f1d54995b833b83616f37c67178c3e840/bowshock/modis.py#L118-L127
train
CybOXProject/mixbox
mixbox/idgen.py
IDGenerator.create_id
def create_id(self, prefix="guid"): """Create an ID. Note that if `prefix` is not provided, it will be `guid`, even if the `method` is `METHOD_INT`. """ if self.method == IDGenerator.METHOD_UUID: id_ = str(uuid.uuid4()) elif self.method == IDGenerator.METHOD_...
python
def create_id(self, prefix="guid"): """Create an ID. Note that if `prefix` is not provided, it will be `guid`, even if the `method` is `METHOD_INT`. """ if self.method == IDGenerator.METHOD_UUID: id_ = str(uuid.uuid4()) elif self.method == IDGenerator.METHOD_...
[ "def", "create_id", "(", "self", ",", "prefix", "=", "\"guid\"", ")", ":", "if", "self", ".", "method", "==", "IDGenerator", ".", "METHOD_UUID", ":", "id_", "=", "str", "(", "uuid", ".", "uuid4", "(", ")", ")", "elif", "self", ".", "method", "==", ...
Create an ID. Note that if `prefix` is not provided, it will be `guid`, even if the `method` is `METHOD_INT`.
[ "Create", "an", "ID", "." ]
9097dae7a433f5b98c18171c4a5598f69a7d30af
https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/idgen.py#L61-L75
train
yamins81/tabular
tabular/spreadsheet.py
grayspec
def grayspec(k): """ List of gray-scale colors in HSV space as web hex triplets. For integer argument k, returns list of `k` gray-scale colors, increasingly light, linearly in the HSV color space, as web hex triplets. Technical dependency of :func:`tabular.spreadsheet.aggregate_in`. **Parame...
python
def grayspec(k): """ List of gray-scale colors in HSV space as web hex triplets. For integer argument k, returns list of `k` gray-scale colors, increasingly light, linearly in the HSV color space, as web hex triplets. Technical dependency of :func:`tabular.spreadsheet.aggregate_in`. **Parame...
[ "def", "grayspec", "(", "k", ")", ":", "ll", "=", ".5", "ul", "=", ".8", "delta", "=", "(", "ul", "-", "ll", ")", "/", "k", "return", "[", "GrayScale", "(", "t", ")", "for", "t", "in", "np", ".", "arange", "(", "ll", ",", "ul", ",", "delta"...
List of gray-scale colors in HSV space as web hex triplets. For integer argument k, returns list of `k` gray-scale colors, increasingly light, linearly in the HSV color space, as web hex triplets. Technical dependency of :func:`tabular.spreadsheet.aggregate_in`. **Parameters** **k** : ...
[ "List", "of", "gray", "-", "scale", "colors", "in", "HSV", "space", "as", "web", "hex", "triplets", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L477-L502
train
yamins81/tabular
tabular/spreadsheet.py
addrecords
def addrecords(X, new): """ Append one or more records to the end of a numpy recarray or ndarray . Can take a single record, void or tuple, or a list of records, voids or tuples. Implemented by the tabarray method :func:`tabular.tab.tabarray.addrecords`. **Parameters** **X*...
python
def addrecords(X, new): """ Append one or more records to the end of a numpy recarray or ndarray . Can take a single record, void or tuple, or a list of records, voids or tuples. Implemented by the tabarray method :func:`tabular.tab.tabarray.addrecords`. **Parameters** **X*...
[ "def", "addrecords", "(", "X", ",", "new", ")", ":", "if", "isinstance", "(", "new", ",", "np", ".", "record", ")", "or", "isinstance", "(", "new", ",", "np", ".", "void", ")", "or", "isinstance", "(", "new", ",", "tuple", ")", ":", "new", "=", ...
Append one or more records to the end of a numpy recarray or ndarray . Can take a single record, void or tuple, or a list of records, voids or tuples. Implemented by the tabarray method :func:`tabular.tab.tabarray.addrecords`. **Parameters** **X** : numpy ndarray with structured d...
[ "Append", "one", "or", "more", "records", "to", "the", "end", "of", "a", "numpy", "recarray", "or", "ndarray", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L704-L737
train
yamins81/tabular
tabular/spreadsheet.py
addcols
def addcols(X, cols, names=None): """ Add one or more columns to a numpy ndarray. Technical dependency of :func:`tabular.spreadsheet.aggregate_in`. Implemented by the tabarray method :func:`tabular.tab.tabarray.addcols`. **Parameters** **X** : numpy ndarray with structured dtyp...
python
def addcols(X, cols, names=None): """ Add one or more columns to a numpy ndarray. Technical dependency of :func:`tabular.spreadsheet.aggregate_in`. Implemented by the tabarray method :func:`tabular.tab.tabarray.addcols`. **Parameters** **X** : numpy ndarray with structured dtyp...
[ "def", "addcols", "(", "X", ",", "cols", ",", "names", "=", "None", ")", ":", "if", "isinstance", "(", "names", ",", "str", ")", ":", "names", "=", "[", "n", ".", "strip", "(", ")", "for", "n", "in", "names", ".", "split", "(", "','", ")", "]...
Add one or more columns to a numpy ndarray. Technical dependency of :func:`tabular.spreadsheet.aggregate_in`. Implemented by the tabarray method :func:`tabular.tab.tabarray.addcols`. **Parameters** **X** : numpy ndarray with structured dtype or recarray The recarra...
[ "Add", "one", "or", "more", "columns", "to", "a", "numpy", "ndarray", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L740-L803
train
yamins81/tabular
tabular/spreadsheet.py
deletecols
def deletecols(X, cols): """ Delete columns from a numpy ndarry or recarray. Can take a string giving a column name or comma-separated list of column names, or a list of string column names. Implemented by the tabarray method :func:`tabular.tab.tabarray.deletecols`. **Parameters** ...
python
def deletecols(X, cols): """ Delete columns from a numpy ndarry or recarray. Can take a string giving a column name or comma-separated list of column names, or a list of string column names. Implemented by the tabarray method :func:`tabular.tab.tabarray.deletecols`. **Parameters** ...
[ "def", "deletecols", "(", "X", ",", "cols", ")", ":", "if", "isinstance", "(", "cols", ",", "str", ")", ":", "cols", "=", "cols", ".", "split", "(", "','", ")", "retain", "=", "[", "n", "for", "n", "in", "X", ".", "dtype", ".", "names", "if", ...
Delete columns from a numpy ndarry or recarray. Can take a string giving a column name or comma-separated list of column names, or a list of string column names. Implemented by the tabarray method :func:`tabular.tab.tabarray.deletecols`. **Parameters** **X** : numpy recarray or nd...
[ "Delete", "columns", "from", "a", "numpy", "ndarry", "or", "recarray", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L806-L842
train
yamins81/tabular
tabular/spreadsheet.py
renamecol
def renamecol(X, old, new): """ Rename column of a numpy ndarray with structured dtype, in-place. Implemented by the tabarray method :func:`tabular.tab.tabarray.renamecol`. **Parameters** **X** : numpy ndarray with structured dtype The numpy array for which a co...
python
def renamecol(X, old, new): """ Rename column of a numpy ndarray with structured dtype, in-place. Implemented by the tabarray method :func:`tabular.tab.tabarray.renamecol`. **Parameters** **X** : numpy ndarray with structured dtype The numpy array for which a co...
[ "def", "renamecol", "(", "X", ",", "old", ",", "new", ")", ":", "NewNames", "=", "tuple", "(", "[", "n", "if", "n", "!=", "old", "else", "new", "for", "n", "in", "X", ".", "dtype", ".", "names", "]", ")", "X", ".", "dtype", ".", "names", "=",...
Rename column of a numpy ndarray with structured dtype, in-place. Implemented by the tabarray method :func:`tabular.tab.tabarray.renamecol`. **Parameters** **X** : numpy ndarray with structured dtype The numpy array for which a column is to be renamed. **ol...
[ "Rename", "column", "of", "a", "numpy", "ndarray", "with", "structured", "dtype", "in", "-", "place", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L845-L868
train
yamins81/tabular
tabular/spreadsheet.py
replace
def replace(X, old, new, strict=True, cols=None, rows=None): """ Replace value `old` with `new` everywhere it appears in-place. Implemented by the tabarray method :func:`tabular.tab.tabarray.replace`. **Parameters** **X** : numpy ndarray with structured dtype Nu...
python
def replace(X, old, new, strict=True, cols=None, rows=None): """ Replace value `old` with `new` everywhere it appears in-place. Implemented by the tabarray method :func:`tabular.tab.tabarray.replace`. **Parameters** **X** : numpy ndarray with structured dtype Nu...
[ "def", "replace", "(", "X", ",", "old", ",", "new", ",", "strict", "=", "True", ",", "cols", "=", "None", ",", "rows", "=", "None", ")", ":", "if", "cols", "==", "None", ":", "cols", "=", "X", ".", "dtype", ".", "names", "elif", "isinstance", "...
Replace value `old` with `new` everywhere it appears in-place. Implemented by the tabarray method :func:`tabular.tab.tabarray.replace`. **Parameters** **X** : numpy ndarray with structured dtype Numpy array for which in-place replacement of `old` with ...
[ "Replace", "value", "old", "with", "new", "everywhere", "it", "appears", "in", "-", "place", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L871-L964
train
yamins81/tabular
tabular/spreadsheet.py
rowstack
def rowstack(seq, mode='nulls', nullvals=None): ''' Vertically stack a sequence of numpy ndarrays with structured dtype Analog of numpy.vstack Implemented by the tabarray method :func:`tabular.tab.tabarray.rowstack` which uses :func:`tabular.tabarray.tab_rowstack`. **Parameters** ...
python
def rowstack(seq, mode='nulls', nullvals=None): ''' Vertically stack a sequence of numpy ndarrays with structured dtype Analog of numpy.vstack Implemented by the tabarray method :func:`tabular.tab.tabarray.rowstack` which uses :func:`tabular.tabarray.tab_rowstack`. **Parameters** ...
[ "def", "rowstack", "(", "seq", ",", "mode", "=", "'nulls'", ",", "nullvals", "=", "None", ")", ":", "if", "nullvals", "==", "None", ":", "nullvals", "=", "utils", ".", "DEFAULT_NULLVALUEFORMAT", "#newseq = [ss for ss in seq if len(ss) > 0]", "if", "len", "(", ...
Vertically stack a sequence of numpy ndarrays with structured dtype Analog of numpy.vstack Implemented by the tabarray method :func:`tabular.tab.tabarray.rowstack` which uses :func:`tabular.tabarray.tab_rowstack`. **Parameters** **seq** : sequence of numpy recarrays ...
[ "Vertically", "stack", "a", "sequence", "of", "numpy", "ndarrays", "with", "structured", "dtype" ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L967-L1044
train
yamins81/tabular
tabular/spreadsheet.py
colstack
def colstack(seq, mode='abort',returnnaming=False): """ Horizontally stack a sequence of numpy ndarrays with structured dtypes Analog of numpy.hstack for recarrays. Implemented by the tabarray method :func:`tabular.tab.tabarray.colstack` which uses :func:`tabular.tabarray.tab_colstack`. ...
python
def colstack(seq, mode='abort',returnnaming=False): """ Horizontally stack a sequence of numpy ndarrays with structured dtypes Analog of numpy.hstack for recarrays. Implemented by the tabarray method :func:`tabular.tab.tabarray.colstack` which uses :func:`tabular.tabarray.tab_colstack`. ...
[ "def", "colstack", "(", "seq", ",", "mode", "=", "'abort'", ",", "returnnaming", "=", "False", ")", ":", "assert", "mode", "in", "[", "'first'", ",", "'drop'", ",", "'abort'", ",", "'rename'", "]", ",", "'mode argument must take on value \"first\",\"drop\", \"re...
Horizontally stack a sequence of numpy ndarrays with structured dtypes Analog of numpy.hstack for recarrays. Implemented by the tabarray method :func:`tabular.tab.tabarray.colstack` which uses :func:`tabular.tabarray.tab_colstack`. **Parameters** **seq** : sequence of numpy ndarra...
[ "Horizontally", "stack", "a", "sequence", "of", "numpy", "ndarrays", "with", "structured", "dtypes" ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L1047-L1123
train
yamins81/tabular
tabular/spreadsheet.py
DEFAULT_RENAMER
def DEFAULT_RENAMER(L, Names=None): """ Renames overlapping column names of numpy ndarrays with structured dtypes Rename the columns by using a simple convention: * If `L` is a list, it will append the number in the list to the key associated with the array. * If `L` is a dictionary,...
python
def DEFAULT_RENAMER(L, Names=None): """ Renames overlapping column names of numpy ndarrays with structured dtypes Rename the columns by using a simple convention: * If `L` is a list, it will append the number in the list to the key associated with the array. * If `L` is a dictionary,...
[ "def", "DEFAULT_RENAMER", "(", "L", ",", "Names", "=", "None", ")", ":", "if", "isinstance", "(", "L", ",", "dict", ")", ":", "Names", "=", "L", ".", "keys", "(", ")", "LL", "=", "L", ".", "values", "(", ")", "else", ":", "if", "Names", "==", ...
Renames overlapping column names of numpy ndarrays with structured dtypes Rename the columns by using a simple convention: * If `L` is a list, it will append the number in the list to the key associated with the array. * If `L` is a dictionary, the algorithm will append the string r...
[ "Renames", "overlapping", "column", "names", "of", "numpy", "ndarrays", "with", "structured", "dtypes" ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/spreadsheet.py#L1520-L1571
train
emirozer/bowshock
bowshock/helioviewer.py
getjp2image
def getjp2image(date, sourceId=None, observatory=None, instrument=None, detector=None, measurement=None): ''' Helioviewer.org and JHelioviewer operate off of JPEG2000 formatted image data generated from science-quality FITS files. U...
python
def getjp2image(date, sourceId=None, observatory=None, instrument=None, detector=None, measurement=None): ''' Helioviewer.org and JHelioviewer operate off of JPEG2000 formatted image data generated from science-quality FITS files. U...
[ "def", "getjp2image", "(", "date", ",", "sourceId", "=", "None", ",", "observatory", "=", "None", ",", "instrument", "=", "None", ",", "detector", "=", "None", ",", "measurement", "=", "None", ")", ":", "base_url", "=", "'http://helioviewer.org/api/v1/getJP2Im...
Helioviewer.org and JHelioviewer operate off of JPEG2000 formatted image data generated from science-quality FITS files. Use the APIs below to interact directly with these intermediary JPEG2000 files. Download a JP2 image for the specified datasource that is the closest match in time to the `date` requested. ...
[ "Helioviewer", ".", "org", "and", "JHelioviewer", "operate", "off", "of", "JPEG2000", "formatted", "image", "data", "generated", "from", "science", "-", "quality", "FITS", "files", ".", "Use", "the", "APIs", "below", "to", "interact", "directly", "with", "thes...
9f5e053f1d54995b833b83616f37c67178c3e840
https://github.com/emirozer/bowshock/blob/9f5e053f1d54995b833b83616f37c67178c3e840/bowshock/helioviewer.py#L10-L85
train
hsolbrig/pyjsg
pyjsg/jsglib/loader.py
loads_loader
def loads_loader(load_module: types.ModuleType, pairs: Dict[str, str]) -> Optional[JSGValidateable]: """json loader objecthook :param load_module: Module that contains the various types :param pairs: key/value tuples (In our case, they are str/str) :return: """ cntxt = load_module._CONTEXT ...
python
def loads_loader(load_module: types.ModuleType, pairs: Dict[str, str]) -> Optional[JSGValidateable]: """json loader objecthook :param load_module: Module that contains the various types :param pairs: key/value tuples (In our case, they are str/str) :return: """ cntxt = load_module._CONTEXT ...
[ "def", "loads_loader", "(", "load_module", ":", "types", ".", "ModuleType", ",", "pairs", ":", "Dict", "[", "str", ",", "str", "]", ")", "->", "Optional", "[", "JSGValidateable", "]", ":", "cntxt", "=", "load_module", ".", "_CONTEXT", "# If the type element ...
json loader objecthook :param load_module: Module that contains the various types :param pairs: key/value tuples (In our case, they are str/str) :return:
[ "json", "loader", "objecthook" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/loader.py#L17-L54
train
hsolbrig/pyjsg
pyjsg/jsglib/loader.py
loads
def loads(s: str, load_module: types.ModuleType, **kwargs): """ Convert a JSON string into a JSGObject :param s: string representation of JSON document :param load_module: module that contains declarations for types :param kwargs: arguments see: json.load for details :return: JSGObject representing...
python
def loads(s: str, load_module: types.ModuleType, **kwargs): """ Convert a JSON string into a JSGObject :param s: string representation of JSON document :param load_module: module that contains declarations for types :param kwargs: arguments see: json.load for details :return: JSGObject representing...
[ "def", "loads", "(", "s", ":", "str", ",", "load_module", ":", "types", ".", "ModuleType", ",", "*", "*", "kwargs", ")", ":", "return", "json", ".", "loads", "(", "s", ",", "object_hook", "=", "lambda", "pairs", ":", "loads_loader", "(", "load_module",...
Convert a JSON string into a JSGObject :param s: string representation of JSON document :param load_module: module that contains declarations for types :param kwargs: arguments see: json.load for details :return: JSGObject representing the json string
[ "Convert", "a", "JSON", "string", "into", "a", "JSGObject" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/loader.py#L57-L65
train
hsolbrig/pyjsg
pyjsg/jsglib/loader.py
load
def load(fp: Union[TextIO, str], load_module: types.ModuleType, **kwargs): """ Convert a file name or file-like object containing stringified JSON into a JSGObject :param fp: file-like object to deserialize :param load_module: module that contains declarations for types :param kwargs: arguments see: js...
python
def load(fp: Union[TextIO, str], load_module: types.ModuleType, **kwargs): """ Convert a file name or file-like object containing stringified JSON into a JSGObject :param fp: file-like object to deserialize :param load_module: module that contains declarations for types :param kwargs: arguments see: js...
[ "def", "load", "(", "fp", ":", "Union", "[", "TextIO", ",", "str", "]", ",", "load_module", ":", "types", ".", "ModuleType", ",", "*", "*", "kwargs", ")", ":", "if", "isinstance", "(", "fp", ",", "str", ")", ":", "with", "open", "(", "fp", ")", ...
Convert a file name or file-like object containing stringified JSON into a JSGObject :param fp: file-like object to deserialize :param load_module: module that contains declarations for types :param kwargs: arguments see: json.load for details :return: JSGObject representing the json string
[ "Convert", "a", "file", "name", "or", "file", "-", "like", "object", "containing", "stringified", "JSON", "into", "a", "JSGObject" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/loader.py#L68-L80
train
hsolbrig/pyjsg
pyjsg/jsglib/loader.py
isinstance_
def isinstance_(x, A_tuple): """ native isinstance_ with the test for typing.Union overridden """ if is_union(A_tuple): return any(isinstance_(x, t) for t in A_tuple.__args__) elif getattr(A_tuple, '__origin__', None) is not None: return isinstance(x, A_tuple.__origin__) else: re...
python
def isinstance_(x, A_tuple): """ native isinstance_ with the test for typing.Union overridden """ if is_union(A_tuple): return any(isinstance_(x, t) for t in A_tuple.__args__) elif getattr(A_tuple, '__origin__', None) is not None: return isinstance(x, A_tuple.__origin__) else: re...
[ "def", "isinstance_", "(", "x", ",", "A_tuple", ")", ":", "if", "is_union", "(", "A_tuple", ")", ":", "return", "any", "(", "isinstance_", "(", "x", ",", "t", ")", "for", "t", "in", "A_tuple", ".", "__args__", ")", "elif", "getattr", "(", "A_tuple", ...
native isinstance_ with the test for typing.Union overridden
[ "native", "isinstance_", "with", "the", "test", "for", "typing", ".", "Union", "overridden" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/loader.py#L83-L90
train
hsolbrig/pyjsg
pyjsg/jsglib/loader.py
is_valid
def is_valid(obj: JSGValidateable, log: Optional[Union[TextIO, Logger]] = None) -> bool: """ Determine whether obj is valid :param obj: Object to validate :param log: Logger to record validation failures. If absent, no information is recorded """ return obj._is_valid(log)
python
def is_valid(obj: JSGValidateable, log: Optional[Union[TextIO, Logger]] = None) -> bool: """ Determine whether obj is valid :param obj: Object to validate :param log: Logger to record validation failures. If absent, no information is recorded """ return obj._is_valid(log)
[ "def", "is_valid", "(", "obj", ":", "JSGValidateable", ",", "log", ":", "Optional", "[", "Union", "[", "TextIO", ",", "Logger", "]", "]", "=", "None", ")", "->", "bool", ":", "return", "obj", ".", "_is_valid", "(", "log", ")" ]
Determine whether obj is valid :param obj: Object to validate :param log: Logger to record validation failures. If absent, no information is recorded
[ "Determine", "whether", "obj", "is", "valid" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/loader.py#L93-L99
train
cydrobolt/pifx
pifx/util.py
arg_tup_to_dict
def arg_tup_to_dict(argument_tuples): """Given a set of argument tuples, set their value in a data dictionary if not blank""" data = dict() for arg_name, arg_val in argument_tuples: if arg_val is not None: if arg_val is True: arg_val = 'true' elif arg_val is F...
python
def arg_tup_to_dict(argument_tuples): """Given a set of argument tuples, set their value in a data dictionary if not blank""" data = dict() for arg_name, arg_val in argument_tuples: if arg_val is not None: if arg_val is True: arg_val = 'true' elif arg_val is F...
[ "def", "arg_tup_to_dict", "(", "argument_tuples", ")", ":", "data", "=", "dict", "(", ")", "for", "arg_name", ",", "arg_val", "in", "argument_tuples", ":", "if", "arg_val", "is", "not", "None", ":", "if", "arg_val", "is", "True", ":", "arg_val", "=", "'t...
Given a set of argument tuples, set their value in a data dictionary if not blank
[ "Given", "a", "set", "of", "argument", "tuples", "set", "their", "value", "in", "a", "data", "dictionary", "if", "not", "blank" ]
c9de9c2695c3e6e72de4aa0de47b78fc13c457c3
https://github.com/cydrobolt/pifx/blob/c9de9c2695c3e6e72de4aa0de47b78fc13c457c3/pifx/util.py#L32-L43
train
cydrobolt/pifx
pifx/util.py
handle_error
def handle_error(response): """Raise appropriate exceptions if necessary.""" status_code = response.status_code if status_code not in A_OK_HTTP_CODES: error_explanation = A_ERROR_HTTP_CODES.get(status_code) raise_error = "{}: {}".format(status_code, error_explanation) raise Exceptio...
python
def handle_error(response): """Raise appropriate exceptions if necessary.""" status_code = response.status_code if status_code not in A_OK_HTTP_CODES: error_explanation = A_ERROR_HTTP_CODES.get(status_code) raise_error = "{}: {}".format(status_code, error_explanation) raise Exceptio...
[ "def", "handle_error", "(", "response", ")", ":", "status_code", "=", "response", ".", "status_code", "if", "status_code", "not", "in", "A_OK_HTTP_CODES", ":", "error_explanation", "=", "A_ERROR_HTTP_CODES", ".", "get", "(", "status_code", ")", "raise_error", "=",...
Raise appropriate exceptions if necessary.
[ "Raise", "appropriate", "exceptions", "if", "necessary", "." ]
c9de9c2695c3e6e72de4aa0de47b78fc13c457c3
https://github.com/cydrobolt/pifx/blob/c9de9c2695c3e6e72de4aa0de47b78fc13c457c3/pifx/util.py#L54-L63
train
PSPC-SPAC-buyandsell/von_agent
von_agent/agent/base.py
_BaseAgent.open
async def open(self) -> '_BaseAgent': """ Context manager entry; open wallet. For use when keeping agent open across multiple calls. :return: current object """ LOGGER.debug('_BaseAgent.open >>>') # Do not open pool independently: let relying party decide when ...
python
async def open(self) -> '_BaseAgent': """ Context manager entry; open wallet. For use when keeping agent open across multiple calls. :return: current object """ LOGGER.debug('_BaseAgent.open >>>') # Do not open pool independently: let relying party decide when ...
[ "async", "def", "open", "(", "self", ")", "->", "'_BaseAgent'", ":", "LOGGER", ".", "debug", "(", "'_BaseAgent.open >>>'", ")", "# Do not open pool independently: let relying party decide when to go on-line and off-line", "await", "self", ".", "wallet", ".", "open", "(", ...
Context manager entry; open wallet. For use when keeping agent open across multiple calls. :return: current object
[ "Context", "manager", "entry", ";", "open", "wallet", ".", "For", "use", "when", "keeping", "agent", "open", "across", "multiple", "calls", "." ]
0b1c17cca3bd178b6e6974af84dbac1dfce5cf45
https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/agent/base.py#L129-L143
train
PSPC-SPAC-buyandsell/von_agent
von_agent/agent/base.py
_BaseAgent._get_rev_reg_def
async def _get_rev_reg_def(self, rr_id: str) -> str: """ Get revocation registry definition from ledger by its identifier. Raise AbsentRevReg for no such revocation registry, logging any error condition and raising BadLedgerTxn on bad request. Retrieve the revocation registry de...
python
async def _get_rev_reg_def(self, rr_id: str) -> str: """ Get revocation registry definition from ledger by its identifier. Raise AbsentRevReg for no such revocation registry, logging any error condition and raising BadLedgerTxn on bad request. Retrieve the revocation registry de...
[ "async", "def", "_get_rev_reg_def", "(", "self", ",", "rr_id", ":", "str", ")", "->", "str", ":", "LOGGER", ".", "debug", "(", "'_BaseAgent._get_rev_reg_def >>> rr_id: %s'", ",", "rr_id", ")", "rv_json", "=", "json", ".", "dumps", "(", "{", "}", ")", "with...
Get revocation registry definition from ledger by its identifier. Raise AbsentRevReg for no such revocation registry, logging any error condition and raising BadLedgerTxn on bad request. Retrieve the revocation registry definition from the agent's revocation cache if it has it; cache it...
[ "Get", "revocation", "registry", "definition", "from", "ledger", "by", "its", "identifier", ".", "Raise", "AbsentRevReg", "for", "no", "such", "revocation", "registry", "logging", "any", "error", "condition", "and", "raising", "BadLedgerTxn", "on", "bad", "request...
0b1c17cca3bd178b6e6974af84dbac1dfce5cf45
https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/agent/base.py#L289-L329
train
PSPC-SPAC-buyandsell/von_agent
von_agent/agent/base.py
_BaseAgent.get_cred_def
async def get_cred_def(self, cd_id: str) -> str: """ Get credential definition from ledger by its identifier. Raise AbsentCredDef for no such credential definition, logging any error condition and raising BadLedgerTxn on bad request. Raise ClosedPool if cred def not in cache and pool is...
python
async def get_cred_def(self, cd_id: str) -> str: """ Get credential definition from ledger by its identifier. Raise AbsentCredDef for no such credential definition, logging any error condition and raising BadLedgerTxn on bad request. Raise ClosedPool if cred def not in cache and pool is...
[ "async", "def", "get_cred_def", "(", "self", ",", "cd_id", ":", "str", ")", "->", "str", ":", "LOGGER", ".", "debug", "(", "'_BaseAgent.get_cred_def >>> cd_id: %s'", ",", "cd_id", ")", "rv_json", "=", "json", ".", "dumps", "(", "{", "}", ")", "with", "CR...
Get credential definition from ledger by its identifier. Raise AbsentCredDef for no such credential definition, logging any error condition and raising BadLedgerTxn on bad request. Raise ClosedPool if cred def not in cache and pool is closed. Retrieve the credential definition from the agent's...
[ "Get", "credential", "definition", "from", "ledger", "by", "its", "identifier", "." ]
0b1c17cca3bd178b6e6974af84dbac1dfce5cf45
https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/agent/base.py#L331-L371
train
hsolbrig/pyjsg
pyjsg/jsglib/typing_patch_37.py
is_union
def is_union(etype) -> bool: """ Determine whether etype is a Union """ return getattr(etype, '__origin__', None) is not None and \ getattr(etype.__origin__, '_name', None) and\ etype.__origin__._name == 'Union'
python
def is_union(etype) -> bool: """ Determine whether etype is a Union """ return getattr(etype, '__origin__', None) is not None and \ getattr(etype.__origin__, '_name', None) and\ etype.__origin__._name == 'Union'
[ "def", "is_union", "(", "etype", ")", "->", "bool", ":", "return", "getattr", "(", "etype", ",", "'__origin__'", ",", "None", ")", "is", "not", "None", "and", "getattr", "(", "etype", ".", "__origin__", ",", "'_name'", ",", "None", ")", "and", "etype",...
Determine whether etype is a Union
[ "Determine", "whether", "etype", "is", "a", "Union" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/jsglib/typing_patch_37.py#L13-L17
train
CybOXProject/mixbox
mixbox/fields.py
unset
def unset(entity, *types): """Unset the TypedFields on the input `entity`. Args: entity: A mixbox.Entity object. *types: A variable-length list of TypedField subclasses. If not provided, defaults to TypedField. """ if not types: types = (TypedField,) fields = li...
python
def unset(entity, *types): """Unset the TypedFields on the input `entity`. Args: entity: A mixbox.Entity object. *types: A variable-length list of TypedField subclasses. If not provided, defaults to TypedField. """ if not types: types = (TypedField,) fields = li...
[ "def", "unset", "(", "entity", ",", "*", "types", ")", ":", "if", "not", "types", ":", "types", "=", "(", "TypedField", ",", ")", "fields", "=", "list", "(", "entity", ".", "_fields", ".", "keys", "(", ")", ")", "remove", "=", "(", "x", "for", ...
Unset the TypedFields on the input `entity`. Args: entity: A mixbox.Entity object. *types: A variable-length list of TypedField subclasses. If not provided, defaults to TypedField.
[ "Unset", "the", "TypedFields", "on", "the", "input", "entity", "." ]
9097dae7a433f5b98c18171c4a5598f69a7d30af
https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/fields.py#L17-L32
train
CybOXProject/mixbox
mixbox/fields.py
_matches
def _matches(field, params): """Return True if the input TypedField `field` contains instance attributes that match the input parameters. Args: field: A TypedField instance. params: A dictionary of TypedField instance attribute-to-value mappings. Returns: True if the input Type...
python
def _matches(field, params): """Return True if the input TypedField `field` contains instance attributes that match the input parameters. Args: field: A TypedField instance. params: A dictionary of TypedField instance attribute-to-value mappings. Returns: True if the input Type...
[ "def", "_matches", "(", "field", ",", "params", ")", ":", "fieldattrs", "=", "six", ".", "iteritems", "(", "params", ")", "return", "all", "(", "getattr", "(", "field", ",", "attr", ")", "==", "val", "for", "attr", ",", "val", "in", "fieldattrs", ")"...
Return True if the input TypedField `field` contains instance attributes that match the input parameters. Args: field: A TypedField instance. params: A dictionary of TypedField instance attribute-to-value mappings. Returns: True if the input TypedField matches the input parameters.
[ "Return", "True", "if", "the", "input", "TypedField", "field", "contains", "instance", "attributes", "that", "match", "the", "input", "parameters", "." ]
9097dae7a433f5b98c18171c4a5598f69a7d30af
https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/fields.py#L35-L47
train
CybOXProject/mixbox
mixbox/fields.py
iterfields
def iterfields(klass): """Iterate over the input class members and yield its TypedFields. Args: klass: A class (usually an Entity subclass). Yields: (class attribute name, TypedField instance) tuples. """ is_field = lambda x: isinstance(x, TypedField) for name, field in inspec...
python
def iterfields(klass): """Iterate over the input class members and yield its TypedFields. Args: klass: A class (usually an Entity subclass). Yields: (class attribute name, TypedField instance) tuples. """ is_field = lambda x: isinstance(x, TypedField) for name, field in inspec...
[ "def", "iterfields", "(", "klass", ")", ":", "is_field", "=", "lambda", "x", ":", "isinstance", "(", "x", ",", "TypedField", ")", "for", "name", ",", "field", "in", "inspect", ".", "getmembers", "(", "klass", ",", "predicate", "=", "is_field", ")", ":"...
Iterate over the input class members and yield its TypedFields. Args: klass: A class (usually an Entity subclass). Yields: (class attribute name, TypedField instance) tuples.
[ "Iterate", "over", "the", "input", "class", "members", "and", "yield", "its", "TypedFields", "." ]
9097dae7a433f5b98c18171c4a5598f69a7d30af
https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/fields.py#L50-L62
train
CybOXProject/mixbox
mixbox/fields.py
TypedField._clean
def _clean(self, value): """Validate and clean a candidate value for this field.""" if value is None: return None elif self.type_ is None: return value elif self.check_type(value): return value elif self.is_type_castable: # noqa re...
python
def _clean(self, value): """Validate and clean a candidate value for this field.""" if value is None: return None elif self.type_ is None: return value elif self.check_type(value): return value elif self.is_type_castable: # noqa re...
[ "def", "_clean", "(", "self", ",", "value", ")", ":", "if", "value", "is", "None", ":", "return", "None", "elif", "self", ".", "type_", "is", "None", ":", "return", "value", "elif", "self", ".", "check_type", "(", "value", ")", ":", "return", "value"...
Validate and clean a candidate value for this field.
[ "Validate", "and", "clean", "a", "candidate", "value", "for", "this", "field", "." ]
9097dae7a433f5b98c18171c4a5598f69a7d30af
https://github.com/CybOXProject/mixbox/blob/9097dae7a433f5b98c18171c4a5598f69a7d30af/mixbox/fields.py#L177-L190
train
OpenTreeOfLife/peyotl
peyotl/collections_store/git_actions.py
TreeCollectionsGitAction.remove_collection
def remove_collection(self, first_arg, sec_arg, third_arg, fourth_arg=None, commit_msg=None): """Remove a collection Given a collection_id, branch and optionally an author, remove a collection on the given branch and attribute the commit to author. Returns the SHA of the commit o...
python
def remove_collection(self, first_arg, sec_arg, third_arg, fourth_arg=None, commit_msg=None): """Remove a collection Given a collection_id, branch and optionally an author, remove a collection on the given branch and attribute the commit to author. Returns the SHA of the commit o...
[ "def", "remove_collection", "(", "self", ",", "first_arg", ",", "sec_arg", ",", "third_arg", ",", "fourth_arg", "=", "None", ",", "commit_msg", "=", "None", ")", ":", "if", "fourth_arg", "is", "None", ":", "collection_id", ",", "branch_name", ",", "author", ...
Remove a collection Given a collection_id, branch and optionally an author, remove a collection on the given branch and attribute the commit to author. Returns the SHA of the commit on branch.
[ "Remove", "a", "collection", "Given", "a", "collection_id", "branch", "and", "optionally", "an", "author", "remove", "a", "collection", "on", "the", "given", "branch", "and", "attribute", "the", "commit", "to", "author", ".", "Returns", "the", "SHA", "of", "...
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/collections_store/git_actions.py#L92-L107
train
PSPC-SPAC-buyandsell/von_agent
von_agent/agent/verifier.py
Verifier.load_cache
async def load_cache(self, archive: bool = False) -> int: """ Load caches and archive enough to go offline and be able to verify proof on content marked of interest in configuration. Return timestamp (epoch seconds) of cache load event, also used as subdirectory for cache archiv...
python
async def load_cache(self, archive: bool = False) -> int: """ Load caches and archive enough to go offline and be able to verify proof on content marked of interest in configuration. Return timestamp (epoch seconds) of cache load event, also used as subdirectory for cache archiv...
[ "async", "def", "load_cache", "(", "self", ",", "archive", ":", "bool", "=", "False", ")", "->", "int", ":", "LOGGER", ".", "debug", "(", "'Verifier.load_cache >>> archive: %s'", ",", "archive", ")", "rv", "=", "int", "(", "time", "(", ")", ")", "for", ...
Load caches and archive enough to go offline and be able to verify proof on content marked of interest in configuration. Return timestamp (epoch seconds) of cache load event, also used as subdirectory for cache archives. :param archive: whether to archive caches to disk :return...
[ "Load", "caches", "and", "archive", "enough", "to", "go", "offline", "and", "be", "able", "to", "verify", "proof", "on", "content", "marked", "of", "interest", "in", "configuration", "." ]
0b1c17cca3bd178b6e6974af84dbac1dfce5cf45
https://github.com/PSPC-SPAC-buyandsell/von_agent/blob/0b1c17cca3bd178b6e6974af84dbac1dfce5cf45/von_agent/agent/verifier.py#L165-L204
train
inveniosoftware/invenio-communities
invenio_communities/permissions.py
_Permission.can
def can(self): """Grant permission if owner or admin.""" return str(current_user.get_id()) == str(self.community.id_user) or \ DynamicPermission(ActionNeed('admin-access')).can()
python
def can(self): """Grant permission if owner or admin.""" return str(current_user.get_id()) == str(self.community.id_user) or \ DynamicPermission(ActionNeed('admin-access')).can()
[ "def", "can", "(", "self", ")", ":", "return", "str", "(", "current_user", ".", "get_id", "(", ")", ")", "==", "str", "(", "self", ".", "community", ".", "id_user", ")", "or", "DynamicPermission", "(", "ActionNeed", "(", "'admin-access'", ")", ")", "."...
Grant permission if owner or admin.
[ "Grant", "permission", "if", "owner", "or", "admin", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/permissions.py#L46-L49
train
yamins81/tabular
tabular/utils.py
listunion
def listunion(ListOfLists): """ Take the union of a list of lists. Take a Python list of Python lists:: [[l11,l12, ...], [l21,l22, ...], ... , [ln1, ln2, ...]] and return the aggregated list:: [l11,l12, ..., l21, l22 , ...] For a list of two lists, e.g. `[a, b]`, this is...
python
def listunion(ListOfLists): """ Take the union of a list of lists. Take a Python list of Python lists:: [[l11,l12, ...], [l21,l22, ...], ... , [ln1, ln2, ...]] and return the aggregated list:: [l11,l12, ..., l21, l22 , ...] For a list of two lists, e.g. `[a, b]`, this is...
[ "def", "listunion", "(", "ListOfLists", ")", ":", "u", "=", "[", "]", "for", "s", "in", "ListOfLists", ":", "if", "s", "!=", "None", ":", "u", ".", "extend", "(", "s", ")", "return", "u" ]
Take the union of a list of lists. Take a Python list of Python lists:: [[l11,l12, ...], [l21,l22, ...], ... , [ln1, ln2, ...]] and return the aggregated list:: [l11,l12, ..., l21, l22 , ...] For a list of two lists, e.g. `[a, b]`, this is like:: a.extend(b) **...
[ "Take", "the", "union", "of", "a", "list", "of", "lists", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/utils.py#L49-L83
train
yamins81/tabular
tabular/utils.py
DEFAULT_NULLVALUE
def DEFAULT_NULLVALUE(test): """ Returns a null value for each of various kinds of test values. **Parameters** **test** : bool, int, float or string Value to test. **Returns** **null** : element in `[False, 0, 0.0, '']` Null value c...
python
def DEFAULT_NULLVALUE(test): """ Returns a null value for each of various kinds of test values. **Parameters** **test** : bool, int, float or string Value to test. **Returns** **null** : element in `[False, 0, 0.0, '']` Null value c...
[ "def", "DEFAULT_NULLVALUE", "(", "test", ")", ":", "return", "False", "if", "isinstance", "(", "test", ",", "bool", ")", "else", "0", "if", "isinstance", "(", "test", ",", "int", ")", "else", "0.0", "if", "isinstance", "(", "test", ",", "float", ")", ...
Returns a null value for each of various kinds of test values. **Parameters** **test** : bool, int, float or string Value to test. **Returns** **null** : element in `[False, 0, 0.0, '']` Null value corresponding to the given test value: ...
[ "Returns", "a", "null", "value", "for", "each", "of", "various", "kinds", "of", "test", "values", "." ]
1caf091c8c395960a9ad7078f95158b533cc52dd
https://github.com/yamins81/tabular/blob/1caf091c8c395960a9ad7078f95158b533cc52dd/tabular/utils.py#L369-L394
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_objectexpr_parser.py
JSGObjectExpr.as_python
def as_python(self, name: str) -> str: """ Return the python representation of the class represented by this object """ if self._map_valuetype: return self.map_as_python(name) else: return self.obj_as_python(name)
python
def as_python(self, name: str) -> str: """ Return the python representation of the class represented by this object """ if self._map_valuetype: return self.map_as_python(name) else: return self.obj_as_python(name)
[ "def", "as_python", "(", "self", ",", "name", ":", "str", ")", "->", "str", ":", "if", "self", ".", "_map_valuetype", ":", "return", "self", ".", "map_as_python", "(", "name", ")", "else", ":", "return", "self", ".", "obj_as_python", "(", "name", ")" ]
Return the python representation of the class represented by this object
[ "Return", "the", "python", "representation", "of", "the", "class", "represented", "by", "this", "object" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_objectexpr_parser.py#L87-L92
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_objectexpr_parser.py
JSGObjectExpr.members_entries
def members_entries(self, all_are_optional: bool=False) -> List[Tuple[str, str]]: """ Return an ordered list of elements for the _members section :param all_are_optional: True means we're in a choice situation so everything is optional :return: """ rval = [] if self._mem...
python
def members_entries(self, all_are_optional: bool=False) -> List[Tuple[str, str]]: """ Return an ordered list of elements for the _members section :param all_are_optional: True means we're in a choice situation so everything is optional :return: """ rval = [] if self._mem...
[ "def", "members_entries", "(", "self", ",", "all_are_optional", ":", "bool", "=", "False", ")", "->", "List", "[", "Tuple", "[", "str", ",", "str", "]", "]", ":", "rval", "=", "[", "]", "if", "self", ".", "_members", ":", "for", "member", "in", "se...
Return an ordered list of elements for the _members section :param all_are_optional: True means we're in a choice situation so everything is optional :return:
[ "Return", "an", "ordered", "list", "of", "elements", "for", "the", "_members", "section" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_objectexpr_parser.py#L196-L211
train
OpenTreeOfLife/peyotl
peyotl/phylesystem/phylesystem_shard.py
_get_filtered_study_ids
def _get_filtered_study_ids(shard, include_aliases=False): """Optionally filters out aliases from standard doc-id list""" from peyotl.phylesystem.helper import DIGIT_PATTERN k = shard.get_doc_ids() if shard.has_aliases and (not include_aliases): x = [] for i in k: if DIGIT_PA...
python
def _get_filtered_study_ids(shard, include_aliases=False): """Optionally filters out aliases from standard doc-id list""" from peyotl.phylesystem.helper import DIGIT_PATTERN k = shard.get_doc_ids() if shard.has_aliases and (not include_aliases): x = [] for i in k: if DIGIT_PA...
[ "def", "_get_filtered_study_ids", "(", "shard", ",", "include_aliases", "=", "False", ")", ":", "from", "peyotl", ".", "phylesystem", ".", "helper", "import", "DIGIT_PATTERN", "k", "=", "shard", ".", "get_doc_ids", "(", ")", "if", "shard", ".", "has_aliases", ...
Optionally filters out aliases from standard doc-id list
[ "Optionally", "filters", "out", "aliases", "from", "standard", "doc", "-", "id", "list" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/phylesystem/phylesystem_shard.py#L18-L29
train
OpenTreeOfLife/peyotl
peyotl/phylesystem/phylesystem_shard.py
PhylesystemShard._determine_next_study_id
def _determine_next_study_id(self): """Return the numeric part of the newest study_id Checks out master branch as a side effect! """ if self._doc_counter_lock is None: self._doc_counter_lock = Lock() prefix = self._new_study_prefix lp = len(prefix) n ...
python
def _determine_next_study_id(self): """Return the numeric part of the newest study_id Checks out master branch as a side effect! """ if self._doc_counter_lock is None: self._doc_counter_lock = Lock() prefix = self._new_study_prefix lp = len(prefix) n ...
[ "def", "_determine_next_study_id", "(", "self", ")", ":", "if", "self", ".", "_doc_counter_lock", "is", "None", ":", "self", ".", "_doc_counter_lock", "=", "Lock", "(", ")", "prefix", "=", "self", ".", "_new_study_prefix", "lp", "=", "len", "(", "prefix", ...
Return the numeric part of the newest study_id Checks out master branch as a side effect!
[ "Return", "the", "numeric", "part", "of", "the", "newest", "study_id" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/phylesystem/phylesystem_shard.py#L246-L279
train
OpenTreeOfLife/peyotl
peyotl/phylesystem/phylesystem_shard.py
PhylesystemShard._advance_new_study_id
def _advance_new_study_id(self): """ ASSUMES the caller holds the _doc_counter_lock ! Returns the current numeric part of the next study ID, advances the counter to the next value, and stores that value in the file in case the server is restarted. """ c = self._next_study...
python
def _advance_new_study_id(self): """ ASSUMES the caller holds the _doc_counter_lock ! Returns the current numeric part of the next study ID, advances the counter to the next value, and stores that value in the file in case the server is restarted. """ c = self._next_study...
[ "def", "_advance_new_study_id", "(", "self", ")", ":", "c", "=", "self", ".", "_next_study_id", "self", ".", "_next_study_id", "=", "1", "+", "c", "content", "=", "u'{\"next_study_id\": %d}\\n'", "%", "self", ".", "_next_study_id", "# The content is JSON, but we han...
ASSUMES the caller holds the _doc_counter_lock ! Returns the current numeric part of the next study ID, advances the counter to the next value, and stores that value in the file in case the server is restarted.
[ "ASSUMES", "the", "caller", "holds", "the", "_doc_counter_lock", "!", "Returns", "the", "current", "numeric", "part", "of", "the", "next", "study", "ID", "advances", "the", "counter", "to", "the", "next", "value", "and", "stores", "that", "value", "in", "the...
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/phylesystem/phylesystem_shard.py#L281-L296
train
hsolbrig/pyjsg
pyjsg/parser_impl/parser_utils.py
flatten
def flatten(l: Iterable) -> List: """Return a list of all non-list items in l :param l: list to be flattened :return: """ rval = [] for e in l: if not isinstance(e, str) and isinstance(e, Iterable): if len(list(e)): rval += flatten(e) else: ...
python
def flatten(l: Iterable) -> List: """Return a list of all non-list items in l :param l: list to be flattened :return: """ rval = [] for e in l: if not isinstance(e, str) and isinstance(e, Iterable): if len(list(e)): rval += flatten(e) else: ...
[ "def", "flatten", "(", "l", ":", "Iterable", ")", "->", "List", ":", "rval", "=", "[", "]", "for", "e", "in", "l", ":", "if", "not", "isinstance", "(", "e", ",", "str", ")", "and", "isinstance", "(", "e", ",", "Iterable", ")", ":", "if", "len",...
Return a list of all non-list items in l :param l: list to be flattened :return:
[ "Return", "a", "list", "of", "all", "non", "-", "list", "items", "in", "l" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/parser_utils.py#L14-L27
train
hsolbrig/pyjsg
pyjsg/parser_impl/parser_utils.py
flatten_unique
def flatten_unique(l: Iterable) -> List: """ Return a list of UNIQUE non-list items in l """ rval = OrderedDict() for e in l: if not isinstance(e, str) and isinstance(e, Iterable): for ev in flatten_unique(e): rval[ev] = None else: rval[e] = None r...
python
def flatten_unique(l: Iterable) -> List: """ Return a list of UNIQUE non-list items in l """ rval = OrderedDict() for e in l: if not isinstance(e, str) and isinstance(e, Iterable): for ev in flatten_unique(e): rval[ev] = None else: rval[e] = None r...
[ "def", "flatten_unique", "(", "l", ":", "Iterable", ")", "->", "List", ":", "rval", "=", "OrderedDict", "(", ")", "for", "e", "in", "l", ":", "if", "not", "isinstance", "(", "e", ",", "str", ")", "and", "isinstance", "(", "e", ",", "Iterable", ")",...
Return a list of UNIQUE non-list items in l
[ "Return", "a", "list", "of", "UNIQUE", "non", "-", "list", "items", "in", "l" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/parser_utils.py#L30-L39
train
hsolbrig/pyjsg
pyjsg/parser_impl/parser_utils.py
as_tokens
def as_tokens(ctx: List[ParserRuleContext]) -> List[str]: """Return a stringified list of identifiers in ctx :param ctx: JSG parser item with a set of identifiers :return: """ return [as_token(e) for e in ctx]
python
def as_tokens(ctx: List[ParserRuleContext]) -> List[str]: """Return a stringified list of identifiers in ctx :param ctx: JSG parser item with a set of identifiers :return: """ return [as_token(e) for e in ctx]
[ "def", "as_tokens", "(", "ctx", ":", "List", "[", "ParserRuleContext", "]", ")", "->", "List", "[", "str", "]", ":", "return", "[", "as_token", "(", "e", ")", "for", "e", "in", "ctx", "]" ]
Return a stringified list of identifiers in ctx :param ctx: JSG parser item with a set of identifiers :return:
[ "Return", "a", "stringified", "list", "of", "identifiers", "in", "ctx" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/parser_utils.py#L85-L91
train
hsolbrig/pyjsg
pyjsg/parser_impl/parser_utils.py
is_valid_python
def is_valid_python(tkn: str) -> bool: """Determine whether tkn is a valid python identifier :param tkn: :return: """ try: root = ast.parse(tkn) except SyntaxError: return False return len(root.body) == 1 and isinstance(root.body[0], ast.Expr) and isinstance(root.body[0].val...
python
def is_valid_python(tkn: str) -> bool: """Determine whether tkn is a valid python identifier :param tkn: :return: """ try: root = ast.parse(tkn) except SyntaxError: return False return len(root.body) == 1 and isinstance(root.body[0], ast.Expr) and isinstance(root.body[0].val...
[ "def", "is_valid_python", "(", "tkn", ":", "str", ")", "->", "bool", ":", "try", ":", "root", "=", "ast", ".", "parse", "(", "tkn", ")", "except", "SyntaxError", ":", "return", "False", "return", "len", "(", "root", ".", "body", ")", "==", "1", "an...
Determine whether tkn is a valid python identifier :param tkn: :return:
[ "Determine", "whether", "tkn", "is", "a", "valid", "python", "identifier" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/parser_utils.py#L94-L104
train
OpenTreeOfLife/peyotl
peyotl/phylesystem/git_actions.py
PhylesystemGitAction.remove_study
def remove_study(self, first_arg, sec_arg, third_arg, fourth_arg=None, commit_msg=None): """Remove a study Given a study_id, branch and optionally an author, remove a study on the given branch and attribute the commit to author. Returns the SHA of the commit on branch. ""...
python
def remove_study(self, first_arg, sec_arg, third_arg, fourth_arg=None, commit_msg=None): """Remove a study Given a study_id, branch and optionally an author, remove a study on the given branch and attribute the commit to author. Returns the SHA of the commit on branch. ""...
[ "def", "remove_study", "(", "self", ",", "first_arg", ",", "sec_arg", ",", "third_arg", ",", "fourth_arg", "=", "None", ",", "commit_msg", "=", "None", ")", ":", "if", "fourth_arg", "is", "None", ":", "study_id", ",", "branch_name", ",", "author", "=", "...
Remove a study Given a study_id, branch and optionally an author, remove a study on the given branch and attribute the commit to author. Returns the SHA of the commit on branch.
[ "Remove", "a", "study", "Given", "a", "study_id", "branch", "and", "optionally", "an", "author", "remove", "a", "study", "on", "the", "given", "branch", "and", "attribute", "the", "commit", "to", "author", ".", "Returns", "the", "SHA", "of", "the", "commit...
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/phylesystem/git_actions.py#L108-L123
train
inveniosoftware/invenio-communities
invenio_communities/cli.py
init
def init(): """Initialize the communities file storage.""" try: initialize_communities_bucket() click.secho('Community init successful.', fg='green') except FilesException as e: click.secho(e.message, fg='red')
python
def init(): """Initialize the communities file storage.""" try: initialize_communities_bucket() click.secho('Community init successful.', fg='green') except FilesException as e: click.secho(e.message, fg='red')
[ "def", "init", "(", ")", ":", "try", ":", "initialize_communities_bucket", "(", ")", "click", ".", "secho", "(", "'Community init successful.'", ",", "fg", "=", "'green'", ")", "except", "FilesException", "as", "e", ":", "click", ".", "secho", "(", "e", "....
Initialize the communities file storage.
[ "Initialize", "the", "communities", "file", "storage", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/cli.py#L50-L56
train
inveniosoftware/invenio-communities
invenio_communities/cli.py
addlogo
def addlogo(community_id, logo): """Add logo to the community.""" # Create the bucket c = Community.get(community_id) if not c: click.secho('Community {0} does not exist.'.format(community_id), fg='red') return ext = save_and_validate_logo(logo, logo.name, c.id) ...
python
def addlogo(community_id, logo): """Add logo to the community.""" # Create the bucket c = Community.get(community_id) if not c: click.secho('Community {0} does not exist.'.format(community_id), fg='red') return ext = save_and_validate_logo(logo, logo.name, c.id) ...
[ "def", "addlogo", "(", "community_id", ",", "logo", ")", ":", "# Create the bucket", "c", "=", "Community", ".", "get", "(", "community_id", ")", "if", "not", "c", ":", "click", ".", "secho", "(", "'Community {0} does not exist.'", ".", "format", "(", "commu...
Add logo to the community.
[ "Add", "logo", "to", "the", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/cli.py#L63-L73
train
inveniosoftware/invenio-communities
invenio_communities/cli.py
request
def request(community_id, record_id, accept): """Request a record acceptance to a community.""" c = Community.get(community_id) assert c is not None record = Record.get_record(record_id) if accept: c.add_record(record) record.commit() else: InclusionRequest.create(communi...
python
def request(community_id, record_id, accept): """Request a record acceptance to a community.""" c = Community.get(community_id) assert c is not None record = Record.get_record(record_id) if accept: c.add_record(record) record.commit() else: InclusionRequest.create(communi...
[ "def", "request", "(", "community_id", ",", "record_id", ",", "accept", ")", ":", "c", "=", "Community", ".", "get", "(", "community_id", ")", "assert", "c", "is", "not", "None", "record", "=", "Record", ".", "get_record", "(", "record_id", ")", "if", ...
Request a record acceptance to a community.
[ "Request", "a", "record", "acceptance", "to", "a", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/cli.py#L81-L93
train
inveniosoftware/invenio-communities
invenio_communities/cli.py
remove
def remove(community_id, record_id): """Remove a record from community.""" c = Community.get(community_id) assert c is not None c.remove_record(record_id) db.session.commit() RecordIndexer().index_by_id(record_id)
python
def remove(community_id, record_id): """Remove a record from community.""" c = Community.get(community_id) assert c is not None c.remove_record(record_id) db.session.commit() RecordIndexer().index_by_id(record_id)
[ "def", "remove", "(", "community_id", ",", "record_id", ")", ":", "c", "=", "Community", ".", "get", "(", "community_id", ")", "assert", "c", "is", "not", "None", "c", ".", "remove_record", "(", "record_id", ")", "db", ".", "session", ".", "commit", "(...
Remove a record from community.
[ "Remove", "a", "record", "from", "community", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/cli.py#L100-L106
train
OpenTreeOfLife/peyotl
peyotl/__init__.py
gen_otu_dict
def gen_otu_dict(nex_obj, nexson_version=None): """Takes a NexSON object and returns a dict of otu_id -> otu_obj """ if nexson_version is None: nexson_version = detect_nexson_version(nex_obj) if _is_by_id_hbf(nexson_version): otus = nex_obj['nexml']['otusById'] if len(otus) >...
python
def gen_otu_dict(nex_obj, nexson_version=None): """Takes a NexSON object and returns a dict of otu_id -> otu_obj """ if nexson_version is None: nexson_version = detect_nexson_version(nex_obj) if _is_by_id_hbf(nexson_version): otus = nex_obj['nexml']['otusById'] if len(otus) >...
[ "def", "gen_otu_dict", "(", "nex_obj", ",", "nexson_version", "=", "None", ")", ":", "if", "nexson_version", "is", "None", ":", "nexson_version", "=", "detect_nexson_version", "(", "nex_obj", ")", "if", "_is_by_id_hbf", "(", "nexson_version", ")", ":", "otus", ...
Takes a NexSON object and returns a dict of otu_id -> otu_obj
[ "Takes", "a", "NexSON", "object", "and", "returns", "a", "dict", "of", "otu_id", "-", ">", "otu_obj" ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/__init__.py#L33-L53
train
color/django-country
django_country/views.py
set_country
def set_country(request): """ Sets the chosen country in the session or cookie. If `next' query param is present, it redirects to a given url. """ if request.method == 'POST': next = request.POST.get('next', request.GET.get('next')) if is_safe_url(url=next, host=request.get_host()):...
python
def set_country(request): """ Sets the chosen country in the session or cookie. If `next' query param is present, it redirects to a given url. """ if request.method == 'POST': next = request.POST.get('next', request.GET.get('next')) if is_safe_url(url=next, host=request.get_host()):...
[ "def", "set_country", "(", "request", ")", ":", "if", "request", ".", "method", "==", "'POST'", ":", "next", "=", "request", ".", "POST", ".", "get", "(", "'next'", ",", "request", ".", "GET", ".", "get", "(", "'next'", ")", ")", "if", "is_safe_url",...
Sets the chosen country in the session or cookie. If `next' query param is present, it redirects to a given url.
[ "Sets", "the", "chosen", "country", "in", "the", "session", "or", "cookie", "." ]
1d272a196d998e21bb8d407e2657b88211f35232
https://github.com/color/django-country/blob/1d272a196d998e21bb8d407e2657b88211f35232/django_country/views.py#L8-L34
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_doc_context.py
JSGDocContext.reference
def reference(self, tkn: str): """ Return the element that tkn represents""" return self.grammarelts[tkn] if tkn in self.grammarelts else UndefinedElement(tkn)
python
def reference(self, tkn: str): """ Return the element that tkn represents""" return self.grammarelts[tkn] if tkn in self.grammarelts else UndefinedElement(tkn)
[ "def", "reference", "(", "self", ",", "tkn", ":", "str", ")", ":", "return", "self", ".", "grammarelts", "[", "tkn", "]", "if", "tkn", "in", "self", ".", "grammarelts", "else", "UndefinedElement", "(", "tkn", ")" ]
Return the element that tkn represents
[ "Return", "the", "element", "that", "tkn", "represents" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_doc_context.py#L111-L113
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_doc_context.py
JSGDocContext.dependency_list
def dependency_list(self, tkn: str) -> List[str]: """Return a list all of the grammarelts that depend on tkn :param tkn: :return: """ if tkn not in self.dependency_map: self.dependency_map[tkn] = [tkn] # Force a circular reference self.dependency_...
python
def dependency_list(self, tkn: str) -> List[str]: """Return a list all of the grammarelts that depend on tkn :param tkn: :return: """ if tkn not in self.dependency_map: self.dependency_map[tkn] = [tkn] # Force a circular reference self.dependency_...
[ "def", "dependency_list", "(", "self", ",", "tkn", ":", "str", ")", "->", "List", "[", "str", "]", ":", "if", "tkn", "not", "in", "self", ".", "dependency_map", ":", "self", ".", "dependency_map", "[", "tkn", "]", "=", "[", "tkn", "]", "# Force a cir...
Return a list all of the grammarelts that depend on tkn :param tkn: :return:
[ "Return", "a", "list", "all", "of", "the", "grammarelts", "that", "depend", "on", "tkn" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_doc_context.py#L139-L148
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_doc_context.py
JSGDocContext.dependencies
def dependencies(self, tkn: str) -> Set[str]: """Return all the items that tkn depends on as a set :param tkn: :return: """ return set(self.dependency_list(tkn))
python
def dependencies(self, tkn: str) -> Set[str]: """Return all the items that tkn depends on as a set :param tkn: :return: """ return set(self.dependency_list(tkn))
[ "def", "dependencies", "(", "self", ",", "tkn", ":", "str", ")", "->", "Set", "[", "str", "]", ":", "return", "set", "(", "self", ".", "dependency_list", "(", "tkn", ")", ")" ]
Return all the items that tkn depends on as a set :param tkn: :return:
[ "Return", "all", "the", "items", "that", "tkn", "depends", "on", "as", "a", "set" ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_doc_context.py#L150-L156
train
hsolbrig/pyjsg
pyjsg/parser_impl/jsg_doc_context.py
JSGDocContext.undefined_entries
def undefined_entries(self) -> Set[str]: """ Return the set of tokens that are referenced but not defined. """ return as_set([[d for d in self.dependencies(k) if d not in self.grammarelts] for k in self.grammarelts.keys()])
python
def undefined_entries(self) -> Set[str]: """ Return the set of tokens that are referenced but not defined. """ return as_set([[d for d in self.dependencies(k) if d not in self.grammarelts] for k in self.grammarelts.keys()])
[ "def", "undefined_entries", "(", "self", ")", "->", "Set", "[", "str", "]", ":", "return", "as_set", "(", "[", "[", "d", "for", "d", "in", "self", ".", "dependencies", "(", "k", ")", "if", "d", "not", "in", "self", ".", "grammarelts", "]", "for", ...
Return the set of tokens that are referenced but not defined.
[ "Return", "the", "set", "of", "tokens", "that", "are", "referenced", "but", "not", "defined", "." ]
9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7
https://github.com/hsolbrig/pyjsg/blob/9b2b8fa8e3b8448abe70b09f804a79f0f31b32b7/pyjsg/parser_impl/jsg_doc_context.py#L158-L161
train
inveniosoftware/invenio-communities
invenio_communities/receivers.py
new_request
def new_request(sender, request=None, notify=True, **kwargs): """New request for inclusion.""" if current_app.config['COMMUNITIES_MAIL_ENABLED'] and notify: send_community_request_email(request)
python
def new_request(sender, request=None, notify=True, **kwargs): """New request for inclusion.""" if current_app.config['COMMUNITIES_MAIL_ENABLED'] and notify: send_community_request_email(request)
[ "def", "new_request", "(", "sender", ",", "request", "=", "None", ",", "notify", "=", "True", ",", "*", "*", "kwargs", ")", ":", "if", "current_app", ".", "config", "[", "'COMMUNITIES_MAIL_ENABLED'", "]", "and", "notify", ":", "send_community_request_email", ...
New request for inclusion.
[ "New", "request", "for", "inclusion", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/receivers.py#L36-L39
train
inveniosoftware/invenio-communities
invenio_communities/receivers.py
inject_provisional_community
def inject_provisional_community(sender, json=None, record=None, index=None, **kwargs): """Inject 'provisional_communities' key to ES index.""" if index and not index.startswith( current_app.config['COMMUNITIES_INDEX_PREFIX']): return json['provisional_c...
python
def inject_provisional_community(sender, json=None, record=None, index=None, **kwargs): """Inject 'provisional_communities' key to ES index.""" if index and not index.startswith( current_app.config['COMMUNITIES_INDEX_PREFIX']): return json['provisional_c...
[ "def", "inject_provisional_community", "(", "sender", ",", "json", "=", "None", ",", "record", "=", "None", ",", "index", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "index", "and", "not", "index", ".", "startswith", "(", "current_app", ".", ...
Inject 'provisional_communities' key to ES index.
[ "Inject", "provisional_communities", "key", "to", "ES", "index", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/receivers.py#L42-L51
train
OpenTreeOfLife/peyotl
peyotl/api/oti.py
_OTIWrapper.find_nodes
def find_nodes(self, query_dict=None, exact=False, verbose=False, **kwargs): """Query on node properties. See documentation for _OTIWrapper class.""" assert self.use_v1 return self._do_query('{p}/singlePropertySearchForTreeNodes'.format(p=self.query_prefix), query_d...
python
def find_nodes(self, query_dict=None, exact=False, verbose=False, **kwargs): """Query on node properties. See documentation for _OTIWrapper class.""" assert self.use_v1 return self._do_query('{p}/singlePropertySearchForTreeNodes'.format(p=self.query_prefix), query_d...
[ "def", "find_nodes", "(", "self", ",", "query_dict", "=", "None", ",", "exact", "=", "False", ",", "verbose", "=", "False", ",", "*", "*", "kwargs", ")", ":", "assert", "self", ".", "use_v1", "return", "self", ".", "_do_query", "(", "'{p}/singlePropertyS...
Query on node properties. See documentation for _OTIWrapper class.
[ "Query", "on", "node", "properties", ".", "See", "documentation", "for", "_OTIWrapper", "class", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/api/oti.py#L119-L127
train
OpenTreeOfLife/peyotl
peyotl/api/oti.py
_OTIWrapper.find_trees
def find_trees(self, query_dict=None, exact=False, verbose=False, wrap_response=False, **kwargs): """Query on tree properties. See documentation for _OTIWrapper class.""" if self.use_v1: uri = '{p}/singlePropertySearchForTrees'.format(p=self.query_prefix) else: uri = '{p}...
python
def find_trees(self, query_dict=None, exact=False, verbose=False, wrap_response=False, **kwargs): """Query on tree properties. See documentation for _OTIWrapper class.""" if self.use_v1: uri = '{p}/singlePropertySearchForTrees'.format(p=self.query_prefix) else: uri = '{p}...
[ "def", "find_trees", "(", "self", ",", "query_dict", "=", "None", ",", "exact", "=", "False", ",", "verbose", "=", "False", ",", "wrap_response", "=", "False", ",", "*", "*", "kwargs", ")", ":", "if", "self", ".", "use_v1", ":", "uri", "=", "'{p}/sin...
Query on tree properties. See documentation for _OTIWrapper class.
[ "Query", "on", "tree", "properties", ".", "See", "documentation", "for", "_OTIWrapper", "class", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/api/oti.py#L129-L143
train
OpenTreeOfLife/peyotl
peyotl/api/oti.py
_OTIWrapper.find_studies
def find_studies(self, query_dict=None, exact=False, verbose=False, **kwargs): """Query on study properties. See documentation for _OTIWrapper class.""" if self.use_v1: uri = '{p}/singlePropertySearchForStudies'.format(p=self.query_prefix) else: uri = '{p}/find_studies'.f...
python
def find_studies(self, query_dict=None, exact=False, verbose=False, **kwargs): """Query on study properties. See documentation for _OTIWrapper class.""" if self.use_v1: uri = '{p}/singlePropertySearchForStudies'.format(p=self.query_prefix) else: uri = '{p}/find_studies'.f...
[ "def", "find_studies", "(", "self", ",", "query_dict", "=", "None", ",", "exact", "=", "False", ",", "verbose", "=", "False", ",", "*", "*", "kwargs", ")", ":", "if", "self", ".", "use_v1", ":", "uri", "=", "'{p}/singlePropertySearchForStudies'", ".", "f...
Query on study properties. See documentation for _OTIWrapper class.
[ "Query", "on", "study", "properties", ".", "See", "documentation", "for", "_OTIWrapper", "class", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/api/oti.py#L145-L156
train
SpotlightData/preprocessing
setup.py
get_requirements
def get_requirements(): '''returns requirements array for package''' packages = [] with open("requirements.txt", "r") as req_doc: for package in req_doc: packages.append(package.replace("\n", "")) return packages
python
def get_requirements(): '''returns requirements array for package''' packages = [] with open("requirements.txt", "r") as req_doc: for package in req_doc: packages.append(package.replace("\n", "")) return packages
[ "def", "get_requirements", "(", ")", ":", "packages", "=", "[", "]", "with", "open", "(", "\"requirements.txt\"", ",", "\"r\"", ")", "as", "req_doc", ":", "for", "package", "in", "req_doc", ":", "packages", ".", "append", "(", "package", ".", "replace", ...
returns requirements array for package
[ "returns", "requirements", "array", "for", "package" ]
180c6472bc2642afbd7a1ece08d0b0d14968a708
https://github.com/SpotlightData/preprocessing/blob/180c6472bc2642afbd7a1ece08d0b0d14968a708/setup.py#L5-L11
train
OpenTreeOfLife/peyotl
peyotl/amendments/amendments_umbrella.py
TaxonomicAmendmentStore
def TaxonomicAmendmentStore(repos_dict=None, repos_par=None, with_caching=True, assumed_doc_version=None, git_ssh=None, pkey=None, git_action_class=Taxo...
python
def TaxonomicAmendmentStore(repos_dict=None, repos_par=None, with_caching=True, assumed_doc_version=None, git_ssh=None, pkey=None, git_action_class=Taxo...
[ "def", "TaxonomicAmendmentStore", "(", "repos_dict", "=", "None", ",", "repos_par", "=", "None", ",", "with_caching", "=", "True", ",", "assumed_doc_version", "=", "None", ",", "git_ssh", "=", "None", ",", "pkey", "=", "None", ",", "git_action_class", "=", "...
Factory function for a _TaxonomicAmendmentStore object. A wrapper around the _TaxonomicAmendmentStore class instantiation for the most common use case: a singleton _TaxonomicAmendmentStore. If you need distinct _TaxonomicAmendmentStore objects, you'll need to call that class directly.
[ "Factory", "function", "for", "a", "_TaxonomicAmendmentStore", "object", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/amendments/amendments_umbrella.py#L352-L379
train
inveniosoftware/invenio-communities
invenio_communities/tasks.py
delete_marked_communities
def delete_marked_communities(): """Delete communities after holdout time.""" # TODO: Delete the community ID from all records metadata first raise NotImplementedError() Community.query.filter_by( Community.delete_time > datetime.utcnow()).delete() db.session.commit()
python
def delete_marked_communities(): """Delete communities after holdout time.""" # TODO: Delete the community ID from all records metadata first raise NotImplementedError() Community.query.filter_by( Community.delete_time > datetime.utcnow()).delete() db.session.commit()
[ "def", "delete_marked_communities", "(", ")", ":", "# TODO: Delete the community ID from all records metadata first", "raise", "NotImplementedError", "(", ")", "Community", ".", "query", ".", "filter_by", "(", "Community", ".", "delete_time", ">", "datetime", ".", "utcnow...
Delete communities after holdout time.
[ "Delete", "communities", "after", "holdout", "time", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/tasks.py#L38-L44
train
inveniosoftware/invenio-communities
invenio_communities/tasks.py
delete_expired_requests
def delete_expired_requests(): """Delete expired inclusion requests.""" InclusionRequest.query.filter_by( InclusionRequest.expiry_date > datetime.utcnow()).delete() db.session.commit()
python
def delete_expired_requests(): """Delete expired inclusion requests.""" InclusionRequest.query.filter_by( InclusionRequest.expiry_date > datetime.utcnow()).delete() db.session.commit()
[ "def", "delete_expired_requests", "(", ")", ":", "InclusionRequest", ".", "query", ".", "filter_by", "(", "InclusionRequest", ".", "expiry_date", ">", "datetime", ".", "utcnow", "(", ")", ")", ".", "delete", "(", ")", "db", ".", "session", ".", "commit", "...
Delete expired inclusion requests.
[ "Delete", "expired", "inclusion", "requests", "." ]
5c4de6783724d276ae1b6dd13a399a9e22fadc7a
https://github.com/inveniosoftware/invenio-communities/blob/5c4de6783724d276ae1b6dd13a399a9e22fadc7a/invenio_communities/tasks.py#L48-L52
train
OpenTreeOfLife/peyotl
peyotl/nexson_syntax/__init__.py
create_content_spec
def create_content_spec(**kwargs): """Sugar. factory for a PhyloSchema object. Repackages the kwargs to kwargs for PhyloSchema so that our PhyloSchema.__init__ does not have to be soo rich """ format_str = kwargs.get('format', 'nexson') nexson_version = kwargs.get('nexson_version', 'native') ...
python
def create_content_spec(**kwargs): """Sugar. factory for a PhyloSchema object. Repackages the kwargs to kwargs for PhyloSchema so that our PhyloSchema.__init__ does not have to be soo rich """ format_str = kwargs.get('format', 'nexson') nexson_version = kwargs.get('nexson_version', 'native') ...
[ "def", "create_content_spec", "(", "*", "*", "kwargs", ")", ":", "format_str", "=", "kwargs", ".", "get", "(", "'format'", ",", "'nexson'", ")", "nexson_version", "=", "kwargs", ".", "get", "(", "'nexson_version'", ",", "'native'", ")", "otu_label", "=", "...
Sugar. factory for a PhyloSchema object. Repackages the kwargs to kwargs for PhyloSchema so that our PhyloSchema.__init__ does not have to be soo rich
[ "Sugar", ".", "factory", "for", "a", "PhyloSchema", "object", "." ]
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/__init__.py#L178-L205
train
OpenTreeOfLife/peyotl
peyotl/nexson_syntax/__init__.py
convert_nexson_format
def convert_nexson_format(blob, out_nexson_format, current_format=None, remove_old_structs=True, pristine_if_invalid=False, sort_arbitrary=False): """Take a dict form of NexSON and conve...
python
def convert_nexson_format(blob, out_nexson_format, current_format=None, remove_old_structs=True, pristine_if_invalid=False, sort_arbitrary=False): """Take a dict form of NexSON and conve...
[ "def", "convert_nexson_format", "(", "blob", ",", "out_nexson_format", ",", "current_format", "=", "None", ",", "remove_old_structs", "=", "True", ",", "pristine_if_invalid", "=", "False", ",", "sort_arbitrary", "=", "False", ")", ":", "if", "not", "current_format...
Take a dict form of NexSON and converts its datastructures to those needed to serialize as out_nexson_format. If current_format is not specified, it will be inferred. If `remove_old_structs` is False and different honeybadgerfish varieties are selected, the `blob` will be 'fat" containing both types...
[ "Take", "a", "dict", "form", "of", "NexSON", "and", "converts", "its", "datastructures", "to", "those", "needed", "to", "serialize", "as", "out_nexson_format", ".", "If", "current_format", "is", "not", "specified", "it", "will", "be", "inferred", ".", "If", ...
5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0
https://github.com/OpenTreeOfLife/peyotl/blob/5e4e52a0fdbd17f490aa644ad79fda6ea2eda7c0/peyotl/nexson_syntax/__init__.py#L646-L699
train