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
yeraydiazdiaz/lunr.py
lunr/query.py
Query.term
def term(self, term, **kwargs): """Adds a term to the current query, creating a Clause and adds it to the list of clauses making up this Query. The term is not tokenized and used "as is". Any conversion to token or token-like strings should be performed before calling this method. ...
python
def term(self, term, **kwargs): """Adds a term to the current query, creating a Clause and adds it to the list of clauses making up this Query. The term is not tokenized and used "as is". Any conversion to token or token-like strings should be performed before calling this method. ...
[ "def", "term", "(", "self", ",", "term", ",", "*", "*", "kwargs", ")", ":", "if", "isinstance", "(", "term", ",", "(", "list", ",", "tuple", ")", ")", ":", "for", "t", "in", "term", ":", "self", ".", "term", "(", "t", ",", "*", "*", "kwargs",...
Adds a term to the current query, creating a Clause and adds it to the list of clauses making up this Query. The term is not tokenized and used "as is". Any conversion to token or token-like strings should be performed before calling this method. For example: query.term(lun...
[ "Adds", "a", "term", "to", "the", "current", "query", "creating", "a", "Clause", "and", "adds", "it", "to", "the", "list", "of", "clauses", "making", "up", "this", "Query", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/query.py#L76-L96
train
yeraydiazdiaz/lunr.py
lunr/query.py
Query.is_negated
def is_negated(self): """A negated query is one in which every clause has a presence of prohibited. These queries require some special processing to return the expected results. """ return all( clause.presence == QueryPresence.PROHIBITED for clause in self.clauses ...
python
def is_negated(self): """A negated query is one in which every clause has a presence of prohibited. These queries require some special processing to return the expected results. """ return all( clause.presence == QueryPresence.PROHIBITED for clause in self.clauses ...
[ "def", "is_negated", "(", "self", ")", ":", "return", "all", "(", "clause", ".", "presence", "==", "QueryPresence", ".", "PROHIBITED", "for", "clause", "in", "self", ".", "clauses", ")" ]
A negated query is one in which every clause has a presence of prohibited. These queries require some special processing to return the expected results.
[ "A", "negated", "query", "is", "one", "in", "which", "every", "clause", "has", "a", "presence", "of", "prohibited", ".", "These", "queries", "require", "some", "special", "processing", "to", "return", "the", "expected", "results", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/query.py#L98-L105
train
philippWassibauer/templated-emails
templated_emails/utils.py
send_templated_email
def send_templated_email(recipients, template_path, context=None, from_email=settings.DEFAULT_FROM_EMAIL, fail_silently=False, extra_headers=None): """ recipients can be either a list of emails or a list of users, if it is users the system will change to the l...
python
def send_templated_email(recipients, template_path, context=None, from_email=settings.DEFAULT_FROM_EMAIL, fail_silently=False, extra_headers=None): """ recipients can be either a list of emails or a list of users, if it is users the system will change to the l...
[ "def", "send_templated_email", "(", "recipients", ",", "template_path", ",", "context", "=", "None", ",", "from_email", "=", "settings", ".", "DEFAULT_FROM_EMAIL", ",", "fail_silently", "=", "False", ",", "extra_headers", "=", "None", ")", ":", "recipient_pks", ...
recipients can be either a list of emails or a list of users, if it is users the system will change to the language that the user has set as theyr mother toungue
[ "recipients", "can", "be", "either", "a", "list", "of", "emails", "or", "a", "list", "of", "users", "if", "it", "is", "users", "the", "system", "will", "change", "to", "the", "language", "that", "the", "user", "has", "set", "as", "theyr", "mother", "to...
9f011ba84b67f2e0f088dae2b0b072c377c6d183
https://github.com/philippWassibauer/templated-emails/blob/9f011ba84b67f2e0f088dae2b0b072c377c6d183/templated_emails/utils.py#L47-L61
train
wroberts/fsed
fsed/ahocorasick.py
remove_duplicates
def remove_duplicates(seq): ''' Removes duplicate boundary token characters from the given character iterable. Arguments: - `seq`: ''' last_boundary = False for char in seq: if char == '\x00': if not last_boundary: last_boundary = True ...
python
def remove_duplicates(seq): ''' Removes duplicate boundary token characters from the given character iterable. Arguments: - `seq`: ''' last_boundary = False for char in seq: if char == '\x00': if not last_boundary: last_boundary = True ...
[ "def", "remove_duplicates", "(", "seq", ")", ":", "last_boundary", "=", "False", "for", "char", "in", "seq", ":", "if", "char", "==", "'\\x00'", ":", "if", "not", "last_boundary", ":", "last_boundary", "=", "True", "yield", "char", "else", ":", "last_bound...
Removes duplicate boundary token characters from the given character iterable. Arguments: - `seq`:
[ "Removes", "duplicate", "boundary", "token", "characters", "from", "the", "given", "character", "iterable", "." ]
c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2
https://github.com/wroberts/fsed/blob/c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2/fsed/ahocorasick.py#L455-L471
train
wroberts/fsed
fsed/ahocorasick.py
Trie.pretty_print_str
def pretty_print_str(self): ''' Create a string to pretty-print this trie to standard output. ''' retval = '' # dfs todo = [self.root] while todo: current = todo.pop() for char in reversed(sorted(current.keys())): todo.appen...
python
def pretty_print_str(self): ''' Create a string to pretty-print this trie to standard output. ''' retval = '' # dfs todo = [self.root] while todo: current = todo.pop() for char in reversed(sorted(current.keys())): todo.appen...
[ "def", "pretty_print_str", "(", "self", ")", ":", "retval", "=", "''", "# dfs", "todo", "=", "[", "self", ".", "root", "]", "while", "todo", ":", "current", "=", "todo", ".", "pop", "(", ")", "for", "char", "in", "reversed", "(", "sorted", "(", "cu...
Create a string to pretty-print this trie to standard output.
[ "Create", "a", "string", "to", "pretty", "-", "print", "this", "trie", "to", "standard", "output", "." ]
c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2
https://github.com/wroberts/fsed/blob/c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2/fsed/ahocorasick.py#L147-L160
train
wroberts/fsed
fsed/ahocorasick.py
AhoCorasickTrie._reset_suffix_links
def _reset_suffix_links(self): ''' Reset all suffix links in all nodes in this trie. ''' self._suffix_links_set = False for current, _parent in self.dfs(): current.suffix = None current.dict_suffix = None current.longest_prefix = None
python
def _reset_suffix_links(self): ''' Reset all suffix links in all nodes in this trie. ''' self._suffix_links_set = False for current, _parent in self.dfs(): current.suffix = None current.dict_suffix = None current.longest_prefix = None
[ "def", "_reset_suffix_links", "(", "self", ")", ":", "self", ".", "_suffix_links_set", "=", "False", "for", "current", ",", "_parent", "in", "self", ".", "dfs", "(", ")", ":", "current", ".", "suffix", "=", "None", "current", ".", "dict_suffix", "=", "No...
Reset all suffix links in all nodes in this trie.
[ "Reset", "all", "suffix", "links", "in", "all", "nodes", "in", "this", "trie", "." ]
c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2
https://github.com/wroberts/fsed/blob/c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2/fsed/ahocorasick.py#L185-L193
train
wroberts/fsed
fsed/ahocorasick.py
AhoCorasickTrie._set_suffix_links
def _set_suffix_links(self): ''' Sets all suffix links in all nodes in this trie. ''' self._suffix_links_set = True for current, parent in self.bfs(): # skip the root node if parent is None: continue current.longest_prefix = par...
python
def _set_suffix_links(self): ''' Sets all suffix links in all nodes in this trie. ''' self._suffix_links_set = True for current, parent in self.bfs(): # skip the root node if parent is None: continue current.longest_prefix = par...
[ "def", "_set_suffix_links", "(", "self", ")", ":", "self", ".", "_suffix_links_set", "=", "True", "for", "current", ",", "parent", "in", "self", ".", "bfs", "(", ")", ":", "# skip the root node", "if", "parent", "is", "None", ":", "continue", "current", "....
Sets all suffix links in all nodes in this trie.
[ "Sets", "all", "suffix", "links", "in", "all", "nodes", "in", "this", "trie", "." ]
c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2
https://github.com/wroberts/fsed/blob/c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2/fsed/ahocorasick.py#L195-L228
train
wroberts/fsed
fsed/ahocorasick.py
AhoCorasickTrie.greedy_replace
def greedy_replace(self, seq): ''' Greedily matches strings in ``seq``, and replaces them with their node values. Arguments: - `seq`: an iterable of characters to perform search-and-replace on ''' if not self._suffix_links_set: self._set_suffix_links(...
python
def greedy_replace(self, seq): ''' Greedily matches strings in ``seq``, and replaces them with their node values. Arguments: - `seq`: an iterable of characters to perform search-and-replace on ''' if not self._suffix_links_set: self._set_suffix_links(...
[ "def", "greedy_replace", "(", "self", ",", "seq", ")", ":", "if", "not", "self", ".", "_suffix_links_set", ":", "self", ".", "_set_suffix_links", "(", ")", "# start at the root", "current", "=", "self", ".", "root", "buffered", "=", "''", "outstr", "=", "'...
Greedily matches strings in ``seq``, and replaces them with their node values. Arguments: - `seq`: an iterable of characters to perform search-and-replace on
[ "Greedily", "matches", "strings", "in", "seq", "and", "replaces", "them", "with", "their", "node", "values", "." ]
c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2
https://github.com/wroberts/fsed/blob/c0c1c5e0ea3a413ef679fdf71635f7f2e5d79ca2/fsed/ahocorasick.py#L340-L395
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
_write_mo
def _write_mo(mo): """ Method to return string representation of a managed object. """ # from UcsBase import UcsUtils classNotFound = False if (UcsUtils.FindClassIdInMoMetaIgnoreCase(mo.classId) == None): classNotFound = True tabsize = 8 outstr = "\n" if classNotFound: outstr += "Managed Object\t\t\t:\t" + ...
python
def _write_mo(mo): """ Method to return string representation of a managed object. """ # from UcsBase import UcsUtils classNotFound = False if (UcsUtils.FindClassIdInMoMetaIgnoreCase(mo.classId) == None): classNotFound = True tabsize = 8 outstr = "\n" if classNotFound: outstr += "Managed Object\t\t\t:\t" + ...
[ "def", "_write_mo", "(", "mo", ")", ":", "# from UcsBase import UcsUtils", "classNotFound", "=", "False", "if", "(", "UcsUtils", ".", "FindClassIdInMoMetaIgnoreCase", "(", "mo", ".", "classId", ")", "==", "None", ")", ":", "classNotFound", "=", "True", "tabsize"...
Method to return string representation of a managed object.
[ "Method", "to", "return", "string", "representation", "of", "a", "managed", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L932-L968
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
WriteObject
def WriteObject(moList): """ Writes the managed object on the terminal in form of key value pairs. """ from Ucs import Dn from UcsHandle import UcsMoDiff tabsize = 8 if (isinstance(moList, _GenericMO) == True): print str(moList) elif (isinstance(moList, ExternalMethod) == True): if (hasattr(moList, "OutConfi...
python
def WriteObject(moList): """ Writes the managed object on the terminal in form of key value pairs. """ from Ucs import Dn from UcsHandle import UcsMoDiff tabsize = 8 if (isinstance(moList, _GenericMO) == True): print str(moList) elif (isinstance(moList, ExternalMethod) == True): if (hasattr(moList, "OutConfi...
[ "def", "WriteObject", "(", "moList", ")", ":", "from", "Ucs", "import", "Dn", "from", "UcsHandle", "import", "UcsMoDiff", "tabsize", "=", "8", "if", "(", "isinstance", "(", "moList", ",", "_GenericMO", ")", "==", "True", ")", ":", "print", "str", "(", ...
Writes the managed object on the terminal in form of key value pairs.
[ "Writes", "the", "managed", "object", "on", "the", "terminal", "in", "form", "of", "key", "value", "pairs", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L978-L1005
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsBase.childWriteXml
def childWriteXml(self, w, option): """Method writes the xml representation for the object.""" ch = [] for c in self.child: ch.append(c.WriteXml(w, option)) return ch
python
def childWriteXml(self, w, option): """Method writes the xml representation for the object.""" ch = [] for c in self.child: ch.append(c.WriteXml(w, option)) return ch
[ "def", "childWriteXml", "(", "self", ",", "w", ",", "option", ")", ":", "ch", "=", "[", "]", "for", "c", "in", "self", ".", "child", ":", "ch", ".", "append", "(", "c", ".", "WriteXml", "(", "w", ",", "option", ")", ")", "return", "ch" ]
Method writes the xml representation for the object.
[ "Method", "writes", "the", "xml", "representation", "for", "the", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L68-L73
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ManagedObject.setattr
def setattr(self, key, value): """ This method sets attribute of a Managed Object. """ if (UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId) != None): if (key in _ManagedObjectMeta[self.classId]): propMeta = UcsUtils.GetUcsPropertyMeta(self.classId, key) if (propMeta.ValidatePropertyValue(value) == F...
python
def setattr(self, key, value): """ This method sets attribute of a Managed Object. """ if (UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId) != None): if (key in _ManagedObjectMeta[self.classId]): propMeta = UcsUtils.GetUcsPropertyMeta(self.classId, key) if (propMeta.ValidatePropertyValue(value) == F...
[ "def", "setattr", "(", "self", ",", "key", ",", "value", ")", ":", "if", "(", "UcsUtils", ".", "FindClassIdInMoMetaIgnoreCase", "(", "self", ".", "classId", ")", "!=", "None", ")", ":", "if", "(", "key", "in", "_ManagedObjectMeta", "[", "self", ".", "c...
This method sets attribute of a Managed Object.
[ "This", "method", "sets", "attribute", "of", "a", "Managed", "Object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L200-L218
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ManagedObject.getattr
def getattr(self, key): """ This method gets attribute value of a Managed Object. """ if ((key == "classId") and (self.__dict__.has_key(key))): return self.__dict__[key] if UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId): if self.__dict__.has_key(key): if key in _ManagedObjectMeta[self.classId]: ...
python
def getattr(self, key): """ This method gets attribute value of a Managed Object. """ if ((key == "classId") and (self.__dict__.has_key(key))): return self.__dict__[key] if UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId): if self.__dict__.has_key(key): if key in _ManagedObjectMeta[self.classId]: ...
[ "def", "getattr", "(", "self", ",", "key", ")", ":", "if", "(", "(", "key", "==", "\"classId\"", ")", "and", "(", "self", ".", "__dict__", ".", "has_key", "(", "key", ")", ")", ")", ":", "return", "self", ".", "__dict__", "[", "key", "]", "if", ...
This method gets attribute value of a Managed Object.
[ "This", "method", "gets", "attribute", "value", "of", "a", "Managed", "Object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L230-L256
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ManagedObject.MarkDirty
def MarkDirty(self): """ This method marks the managed object dirty. """ if ((UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId) == None) and (not self.IsDirty())): self.dirtyMask = ManagedObject.DUMMYDIRTY else: self.dirtyMask = self.propMoMeta.mask
python
def MarkDirty(self): """ This method marks the managed object dirty. """ if ((UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId) == None) and (not self.IsDirty())): self.dirtyMask = ManagedObject.DUMMYDIRTY else: self.dirtyMask = self.propMoMeta.mask
[ "def", "MarkDirty", "(", "self", ")", ":", "if", "(", "(", "UcsUtils", ".", "FindClassIdInMoMetaIgnoreCase", "(", "self", ".", "classId", ")", "==", "None", ")", "and", "(", "not", "self", ".", "IsDirty", "(", ")", ")", ")", ":", "self", ".", "dirtyM...
This method marks the managed object dirty.
[ "This", "method", "marks", "the", "managed", "object", "dirty", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L266-L271
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ManagedObject.MakeRn
def MakeRn(self): """ This method returns the Rn for a managed object. """ rnPattern = self.propMoMeta.rn for prop in re.findall("\[([^\]]*)\]", rnPattern): if prop in UcsUtils.GetUcsPropertyMetaAttributeList(self.classId): if (self.getattr(prop) != None): rnPattern = re.sub('\[%s\]' % prop, '%s' % se...
python
def MakeRn(self): """ This method returns the Rn for a managed object. """ rnPattern = self.propMoMeta.rn for prop in re.findall("\[([^\]]*)\]", rnPattern): if prop in UcsUtils.GetUcsPropertyMetaAttributeList(self.classId): if (self.getattr(prop) != None): rnPattern = re.sub('\[%s\]' % prop, '%s' % se...
[ "def", "MakeRn", "(", "self", ")", ":", "rnPattern", "=", "self", ".", "propMoMeta", ".", "rn", "for", "prop", "in", "re", ".", "findall", "(", "\"\\[([^\\]]*)\\]\"", ",", "rnPattern", ")", ":", "if", "prop", "in", "UcsUtils", ".", "GetUcsPropertyMetaAttri...
This method returns the Rn for a managed object.
[ "This", "method", "returns", "the", "Rn", "for", "a", "managed", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L277-L291
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ManagedObject.LoadFromXml
def LoadFromXml(self, node, handle): """ Method updates the object from the xml representation of the managed object. """ self.SetHandle(handle) if node.hasAttributes(): # attributes = node._get_attributes() # attCount = attributes._get_length() attributes = node.attributes attCount = len(attributes) ...
python
def LoadFromXml(self, node, handle): """ Method updates the object from the xml representation of the managed object. """ self.SetHandle(handle) if node.hasAttributes(): # attributes = node._get_attributes() # attCount = attributes._get_length() attributes = node.attributes attCount = len(attributes) ...
[ "def", "LoadFromXml", "(", "self", ",", "node", ",", "handle", ")", ":", "self", ".", "SetHandle", "(", "handle", ")", "if", "node", ".", "hasAttributes", "(", ")", ":", "# attributes = node._get_attributes()", "# attCount = attributes._get_length()", "attributes", ...
Method updates the object from the xml representation of the managed object.
[ "Method", "updates", "the", "object", "from", "the", "xml", "representation", "of", "the", "managed", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L319-L362
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ExternalMethod.setattr
def setattr(self, key, value): """ This method sets the attribute of external method object. """ if key in _MethodFactoryMeta[self.classId]: self.__dict__[key] = value elif key == 'errorCode': self.errorCode = value elif key == 'errorDescr': self.errorDescr = value elif key == 'invocationResult': ...
python
def setattr(self, key, value): """ This method sets the attribute of external method object. """ if key in _MethodFactoryMeta[self.classId]: self.__dict__[key] = value elif key == 'errorCode': self.errorCode = value elif key == 'errorDescr': self.errorDescr = value elif key == 'invocationResult': ...
[ "def", "setattr", "(", "self", ",", "key", ",", "value", ")", ":", "if", "key", "in", "_MethodFactoryMeta", "[", "self", ".", "classId", "]", ":", "self", ".", "__dict__", "[", "key", "]", "=", "value", "elif", "key", "==", "'errorCode'", ":", "self"...
This method sets the attribute of external method object.
[ "This", "method", "sets", "the", "attribute", "of", "external", "method", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L406-L421
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ExternalMethod.getattr
def getattr(self, key): """ This method gets the attribute value of external method object. """ if key in _MethodFactoryMeta[self.classId]: """ property exists """ return self.__dict__[key] else: """ property does not exist """ return None
python
def getattr(self, key): """ This method gets the attribute value of external method object. """ if key in _MethodFactoryMeta[self.classId]: """ property exists """ return self.__dict__[key] else: """ property does not exist """ return None
[ "def", "getattr", "(", "self", ",", "key", ")", ":", "if", "key", "in", "_MethodFactoryMeta", "[", "self", ".", "classId", "]", ":", "\"\"\" property exists \"\"\"", "return", "self", ".", "__dict__", "[", "key", "]", "else", ":", "\"\"\" property does not exi...
This method gets the attribute value of external method object.
[ "This", "method", "gets", "the", "attribute", "value", "of", "external", "method", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L423-L430
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
ExternalMethod.getErrorResponse
def getErrorResponse(self, errorCode, errorDescr): """ This methods sets error attributes of an external method object. """ self.errorCode = errorCode self.errorDescr = errorDescr self.response = "yes" return self
python
def getErrorResponse(self, errorCode, errorDescr): """ This methods sets error attributes of an external method object. """ self.errorCode = errorCode self.errorDescr = errorDescr self.response = "yes" return self
[ "def", "getErrorResponse", "(", "self", ",", "errorCode", ",", "errorDescr", ")", ":", "self", ".", "errorCode", "=", "errorCode", "self", ".", "errorDescr", "=", "errorDescr", "self", ".", "response", "=", "\"yes\"", "return", "self" ]
This methods sets error attributes of an external method object.
[ "This", "methods", "sets", "error", "attributes", "of", "an", "external", "method", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L432-L437
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.GetUcsPropertyMeta
def GetUcsPropertyMeta(classId, key): """ Methods returns the property meta of the provided key for the given classId. """ if classId in _ManagedObjectMeta: if key in _ManagedObjectMeta[classId]: return _ManagedObjectMeta[classId][key] return None
python
def GetUcsPropertyMeta(classId, key): """ Methods returns the property meta of the provided key for the given classId. """ if classId in _ManagedObjectMeta: if key in _ManagedObjectMeta[classId]: return _ManagedObjectMeta[classId][key] return None
[ "def", "GetUcsPropertyMeta", "(", "classId", ",", "key", ")", ":", "if", "classId", "in", "_ManagedObjectMeta", ":", "if", "key", "in", "_ManagedObjectMeta", "[", "classId", "]", ":", "return", "_ManagedObjectMeta", "[", "classId", "]", "[", "key", "]", "ret...
Methods returns the property meta of the provided key for the given classId.
[ "Methods", "returns", "the", "property", "meta", "of", "the", "provided", "key", "for", "the", "given", "classId", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L518-L523
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.GetUcsMethodMeta
def GetUcsMethodMeta(classId, key): """ Methods returns the method meta of the ExternalMethod. """ if classId in _MethodFactoryMeta: if key in _MethodFactoryMeta[classId]: return _MethodFactoryMeta[classId][key] return None
python
def GetUcsMethodMeta(classId, key): """ Methods returns the method meta of the ExternalMethod. """ if classId in _MethodFactoryMeta: if key in _MethodFactoryMeta[classId]: return _MethodFactoryMeta[classId][key] return None
[ "def", "GetUcsMethodMeta", "(", "classId", ",", "key", ")", ":", "if", "classId", "in", "_MethodFactoryMeta", ":", "if", "key", "in", "_MethodFactoryMeta", "[", "classId", "]", ":", "return", "_MethodFactoryMeta", "[", "classId", "]", "[", "key", "]", "retur...
Methods returns the method meta of the ExternalMethod.
[ "Methods", "returns", "the", "method", "meta", "of", "the", "ExternalMethod", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L526-L531
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.GetUcsPropertyMetaAttributeList
def GetUcsPropertyMetaAttributeList(classId): """ Methods returns the class meta. """ if classId in _ManagedObjectMeta: attrList = _ManagedObjectMeta[classId].keys() attrList.remove("Meta") return attrList if classId in _MethodFactoryMeta: attrList = _MethodFactoryMeta[classId].keys() attrList.remo...
python
def GetUcsPropertyMetaAttributeList(classId): """ Methods returns the class meta. """ if classId in _ManagedObjectMeta: attrList = _ManagedObjectMeta[classId].keys() attrList.remove("Meta") return attrList if classId in _MethodFactoryMeta: attrList = _MethodFactoryMeta[classId].keys() attrList.remo...
[ "def", "GetUcsPropertyMetaAttributeList", "(", "classId", ")", ":", "if", "classId", "in", "_ManagedObjectMeta", ":", "attrList", "=", "_ManagedObjectMeta", "[", "classId", "]", ".", "keys", "(", ")", "attrList", ".", "remove", "(", "\"Meta\"", ")", "return", ...
Methods returns the class meta.
[ "Methods", "returns", "the", "class", "meta", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L534-L558
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.IsPropertyInMetaIgnoreCase
def IsPropertyInMetaIgnoreCase(classId, key): """ Methods returns the property meta of the provided key for the given classId. Given key is case insensitive. """ if classId in _ManagedObjectMeta: for prop in _ManagedObjectMeta[classId]: if (prop.lower() == key.lower()): return _ManagedObjectMeta[classId...
python
def IsPropertyInMetaIgnoreCase(classId, key): """ Methods returns the property meta of the provided key for the given classId. Given key is case insensitive. """ if classId in _ManagedObjectMeta: for prop in _ManagedObjectMeta[classId]: if (prop.lower() == key.lower()): return _ManagedObjectMeta[classId...
[ "def", "IsPropertyInMetaIgnoreCase", "(", "classId", ",", "key", ")", ":", "if", "classId", "in", "_ManagedObjectMeta", ":", "for", "prop", "in", "_ManagedObjectMeta", "[", "classId", "]", ":", "if", "(", "prop", ".", "lower", "(", ")", "==", "key", ".", ...
Methods returns the property meta of the provided key for the given classId. Given key is case insensitive.
[ "Methods", "returns", "the", "property", "meta", "of", "the", "provided", "key", "for", "the", "given", "classId", ".", "Given", "key", "is", "case", "insensitive", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L561-L571
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.CheckRegistryKey
def CheckRegistryKey(javaKey): """ Method checks for the java in the registry entries. """ from _winreg import ConnectRegistry, HKEY_LOCAL_MACHINE, OpenKey, QueryValueEx path = None try: aReg = ConnectRegistry(None, HKEY_LOCAL_MACHINE) rk = OpenKey(aReg, javaKey) for i in range(1024): currentVersi...
python
def CheckRegistryKey(javaKey): """ Method checks for the java in the registry entries. """ from _winreg import ConnectRegistry, HKEY_LOCAL_MACHINE, OpenKey, QueryValueEx path = None try: aReg = ConnectRegistry(None, HKEY_LOCAL_MACHINE) rk = OpenKey(aReg, javaKey) for i in range(1024): currentVersi...
[ "def", "CheckRegistryKey", "(", "javaKey", ")", ":", "from", "_winreg", "import", "ConnectRegistry", ",", "HKEY_LOCAL_MACHINE", ",", "OpenKey", ",", "QueryValueEx", "path", "=", "None", "try", ":", "aReg", "=", "ConnectRegistry", "(", "None", ",", "HKEY_LOCAL_MA...
Method checks for the java in the registry entries.
[ "Method", "checks", "for", "the", "java", "in", "the", "registry", "entries", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L654-L672
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.GetJavaInstallationPath
def GetJavaInstallationPath(): """ Method returns the java installation path in the windows or Linux environment. """ import os, platform # Get JavaPath for Ubuntu # if os.name == "posix": if platform.system() == "Linux": path = os.environ.get('JAVA_HOME') if not path: raise UcsValidationException(...
python
def GetJavaInstallationPath(): """ Method returns the java installation path in the windows or Linux environment. """ import os, platform # Get JavaPath for Ubuntu # if os.name == "posix": if platform.system() == "Linux": path = os.environ.get('JAVA_HOME') if not path: raise UcsValidationException(...
[ "def", "GetJavaInstallationPath", "(", ")", ":", "import", "os", ",", "platform", "# Get JavaPath for Ubuntu", "# if os.name == \"posix\":", "if", "platform", ".", "system", "(", ")", "==", "\"Linux\"", ":", "path", "=", "os", ".", "environ", ".", "get", "(", ...
Method returns the java installation path in the windows or Linux environment.
[ "Method", "returns", "the", "java", "installation", "path", "in", "the", "windows", "or", "Linux", "environment", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L675-L718
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.DownloadFile
def DownloadFile(hUcs, source, destination): """ Method provides the functionality to download file from the UCS. This method is used in BackupUcs and GetTechSupport to download the files from the Ucs. """ import urllib2 from sys import stdout from time import sleep httpAddress = "%s/%s" % (hUcs.Uri(),...
python
def DownloadFile(hUcs, source, destination): """ Method provides the functionality to download file from the UCS. This method is used in BackupUcs and GetTechSupport to download the files from the Ucs. """ import urllib2 from sys import stdout from time import sleep httpAddress = "%s/%s" % (hUcs.Uri(),...
[ "def", "DownloadFile", "(", "hUcs", ",", "source", ",", "destination", ")", ":", "import", "urllib2", "from", "sys", "import", "stdout", "from", "time", "import", "sleep", "httpAddress", "=", "\"%s/%s\"", "%", "(", "hUcs", ".", "Uri", "(", ")", ",", "sou...
Method provides the functionality to download file from the UCS. This method is used in BackupUcs and GetTechSupport to download the files from the Ucs.
[ "Method", "provides", "the", "functionality", "to", "download", "file", "from", "the", "UCS", ".", "This", "method", "is", "used", "in", "BackupUcs", "and", "GetTechSupport", "to", "download", "the", "files", "from", "the", "Ucs", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L721-L757
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.GetSyncMoConfigFilePath
def GetSyncMoConfigFilePath(): """ Method returs the path of SyncMoConfig.xml file. """ return os.path.join(os.path.join(os.path.dirname(__file__), "resources"), "SyncMoConfig.xml")
python
def GetSyncMoConfigFilePath(): """ Method returs the path of SyncMoConfig.xml file. """ return os.path.join(os.path.join(os.path.dirname(__file__), "resources"), "SyncMoConfig.xml")
[ "def", "GetSyncMoConfigFilePath", "(", ")", ":", "return", "os", ".", "path", ".", "join", "(", "os", ".", "path", ".", "join", "(", "os", ".", "path", ".", "dirname", "(", "__file__", ")", ",", "\"resources\"", ")", ",", "\"SyncMoConfig.xml\"", ")" ]
Method returs the path of SyncMoConfig.xml file.
[ "Method", "returs", "the", "path", "of", "SyncMoConfig", ".", "xml", "file", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L760-L762
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.GetSyncMoConfig
def GetSyncMoConfig(ConfigDoc): """ Internal support method for SyncManagedObject. """ moConfigMap = {} configList = ConfigDoc.getElementsByTagName("mo") for moConfigNode in configList: classId = None noun = None version = None actionVersion = None action = None ignoreReason = None status ...
python
def GetSyncMoConfig(ConfigDoc): """ Internal support method for SyncManagedObject. """ moConfigMap = {} configList = ConfigDoc.getElementsByTagName("mo") for moConfigNode in configList: classId = None noun = None version = None actionVersion = None action = None ignoreReason = None status ...
[ "def", "GetSyncMoConfig", "(", "ConfigDoc", ")", ":", "moConfigMap", "=", "{", "}", "configList", "=", "ConfigDoc", ".", "getElementsByTagName", "(", "\"mo\"", ")", "for", "moConfigNode", "in", "configList", ":", "classId", "=", "None", "noun", "=", "None", ...
Internal support method for SyncManagedObject.
[ "Internal", "support", "method", "for", "SyncManagedObject", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L765-L819
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.Expandkey
def Expandkey(key, clen): """ Internal method supporting encryption and decryption functionality. """ import sha from string import join from array import array blocks = (clen + 19) / 20 xkey = [] seed = key for i in xrange(blocks): seed = sha.new(key + seed).digest() xkey.append(seed) j = join...
python
def Expandkey(key, clen): """ Internal method supporting encryption and decryption functionality. """ import sha from string import join from array import array blocks = (clen + 19) / 20 xkey = [] seed = key for i in xrange(blocks): seed = sha.new(key + seed).digest() xkey.append(seed) j = join...
[ "def", "Expandkey", "(", "key", ",", "clen", ")", ":", "import", "sha", "from", "string", "import", "join", "from", "array", "import", "array", "blocks", "=", "(", "clen", "+", "19", ")", "/", "20", "xkey", "=", "[", "]", "seed", "=", "key", "for",...
Internal method supporting encryption and decryption functionality.
[ "Internal", "method", "supporting", "encryption", "and", "decryption", "functionality", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L829-L842
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.EncryptPassword
def EncryptPassword(password, key): """ Encrypts the password using the given key. """ from time import time from array import array import hmac import sha import os import base64 H = UcsUtils.GetShaHash uhash = H(','.join(str(x) for x in [`time()`, `os.getpid()`, `len(password)`, password, key]))[:...
python
def EncryptPassword(password, key): """ Encrypts the password using the given key. """ from time import time from array import array import hmac import sha import os import base64 H = UcsUtils.GetShaHash uhash = H(','.join(str(x) for x in [`time()`, `os.getpid()`, `len(password)`, password, key]))[:...
[ "def", "EncryptPassword", "(", "password", ",", "key", ")", ":", "from", "time", "import", "time", "from", "array", "import", "array", "import", "hmac", "import", "sha", "import", "os", "import", "base64", "H", "=", "UcsUtils", ".", "GetShaHash", "uhash", ...
Encrypts the password using the given key.
[ "Encrypts", "the", "password", "using", "the", "given", "key", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L845-L872
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
UcsUtils.DecryptPassword
def DecryptPassword(cipher, key): """ Decrypts the password using the given key with which the password was encrypted first. """ import base64 import hmac import sha from array import array H = UcsUtils.GetShaHash cipher = cipher + "\n" cipher = base64.decodestring(cipher) n = len(cipher) - 16 - 8 ...
python
def DecryptPassword(cipher, key): """ Decrypts the password using the given key with which the password was encrypted first. """ import base64 import hmac import sha from array import array H = UcsUtils.GetShaHash cipher = cipher + "\n" cipher = base64.decodestring(cipher) n = len(cipher) - 16 - 8 ...
[ "def", "DecryptPassword", "(", "cipher", ",", "key", ")", ":", "import", "base64", "import", "hmac", "import", "sha", "from", "array", "import", "array", "H", "=", "UcsUtils", ".", "GetShaHash", "cipher", "=", "cipher", "+", "\"\\n\"", "cipher", "=", "base...
Decrypts the password using the given key with which the password was encrypted first.
[ "Decrypts", "the", "password", "using", "the", "given", "key", "with", "which", "the", "password", "was", "encrypted", "first", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L875-L902
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
_GenericMO.LoadFromXml
def LoadFromXml(self, node): """ Method updates the object from the xml. """ import os self.classId = node.localName metaClassId = UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId) if metaClassId: self.classId = metaClassId if node.hasAttribute(NamingPropertyId.DN): self.dn = node.getAttribute(N...
python
def LoadFromXml(self, node): """ Method updates the object from the xml. """ import os self.classId = node.localName metaClassId = UcsUtils.FindClassIdInMoMetaIgnoreCase(self.classId) if metaClassId: self.classId = metaClassId if node.hasAttribute(NamingPropertyId.DN): self.dn = node.getAttribute(N...
[ "def", "LoadFromXml", "(", "self", ",", "node", ")", ":", "import", "os", "self", ".", "classId", "=", "node", ".", "localName", "metaClassId", "=", "UcsUtils", ".", "FindClassIdInMoMetaIgnoreCase", "(", "self", ".", "classId", ")", "if", "metaClassId", ":",...
Method updates the object from the xml.
[ "Method", "updates", "the", "object", "from", "the", "xml", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L1061-L1092
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
_GenericMO.WriteXml
def WriteXml(self, w, option, elementName=None): """ Method writes the xml representation of the generic managed object. """ if elementName == None: x = w.createElement(self.classId) else: x = w.createElement(elementName) for prop in self.__dict__['properties']: x.setAttribute(UcsUtils.WordL(prop), se...
python
def WriteXml(self, w, option, elementName=None): """ Method writes the xml representation of the generic managed object. """ if elementName == None: x = w.createElement(self.classId) else: x = w.createElement(elementName) for prop in self.__dict__['properties']: x.setAttribute(UcsUtils.WordL(prop), se...
[ "def", "WriteXml", "(", "self", ",", "w", ",", "option", ",", "elementName", "=", "None", ")", ":", "if", "elementName", "==", "None", ":", "x", "=", "w", ".", "createElement", "(", "self", ".", "classId", ")", "else", ":", "x", "=", "w", ".", "c...
Method writes the xml representation of the generic managed object.
[ "Method", "writes", "the", "xml", "representation", "of", "the", "generic", "managed", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L1094-L1107
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
_GenericMO.ToManagedObject
def ToManagedObject(self): """ Method creates and returns an object of ManagedObject class using the classId and information from the Generic managed object. """ from Ucs import ClassFactory cln = UcsUtils.WordU(self.classId) mo = ClassFactory(cln) if mo and (isinstance(mo, ManagedObject) == True): ...
python
def ToManagedObject(self): """ Method creates and returns an object of ManagedObject class using the classId and information from the Generic managed object. """ from Ucs import ClassFactory cln = UcsUtils.WordU(self.classId) mo = ClassFactory(cln) if mo and (isinstance(mo, ManagedObject) == True): ...
[ "def", "ToManagedObject", "(", "self", ")", ":", "from", "Ucs", "import", "ClassFactory", "cln", "=", "UcsUtils", ".", "WordU", "(", "self", ".", "classId", ")", "mo", "=", "ClassFactory", "(", "cln", ")", "if", "mo", "and", "(", "isinstance", "(", "mo...
Method creates and returns an object of ManagedObject class using the classId and information from the Generic managed object.
[ "Method", "creates", "and", "returns", "an", "object", "of", "ManagedObject", "class", "using", "the", "classId", "and", "information", "from", "the", "Generic", "managed", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L1109-L1133
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
_GenericMO.FromManagedObject
def FromManagedObject(self): """ Method creates and returns an object of _GenericMO class using the classId and other information from the managed object. """ import os if (isinstance(self.mo, ManagedObject) == True): self.classId = self.mo.classId if self.mo.getattr('Dn'): self.dn = self.mo.get...
python
def FromManagedObject(self): """ Method creates and returns an object of _GenericMO class using the classId and other information from the managed object. """ import os if (isinstance(self.mo, ManagedObject) == True): self.classId = self.mo.classId if self.mo.getattr('Dn'): self.dn = self.mo.get...
[ "def", "FromManagedObject", "(", "self", ")", ":", "import", "os", "if", "(", "isinstance", "(", "self", ".", "mo", ",", "ManagedObject", ")", "==", "True", ")", ":", "self", ".", "classId", "=", "self", ".", "mo", ".", "classId", "if", "self", ".", ...
Method creates and returns an object of _GenericMO class using the classId and other information from the managed object.
[ "Method", "creates", "and", "returns", "an", "object", "of", "_GenericMO", "class", "using", "the", "classId", "and", "other", "information", "from", "the", "managed", "object", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L1135-L1162
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/UcsBase.py
_GenericMO.GetChildClassId
def GetChildClassId(self, classId): """ Method extracts and returns the child object list same as the given classId """ childList = [] for ch in self.child: if ch.classId.lower() == classId.lower(): childList.append(ch) return childList
python
def GetChildClassId(self, classId): """ Method extracts and returns the child object list same as the given classId """ childList = [] for ch in self.child: if ch.classId.lower() == classId.lower(): childList.append(ch) return childList
[ "def", "GetChildClassId", "(", "self", ",", "classId", ")", ":", "childList", "=", "[", "]", "for", "ch", "in", "self", ".", "child", ":", "if", "ch", ".", "classId", ".", "lower", "(", ")", "==", "classId", ".", "lower", "(", ")", ":", "childList"...
Method extracts and returns the child object list same as the given classId
[ "Method", "extracts", "and", "returns", "the", "child", "object", "list", "same", "as", "the", "given", "classId" ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/UcsBase.py#L1180-L1188
train
tehmaze/natural
natural/date.py
_total_seconds
def _total_seconds(t): ''' Takes a `datetime.timedelta` object and returns the delta in seconds. >>> _total_seconds(datetime.timedelta(23, 42, 123456)) 1987242 >>> _total_seconds(datetime.timedelta(23, 42, 654321)) 1987243 ''' return sum([ int(t.days * 86400 + t.seconds), ...
python
def _total_seconds(t): ''' Takes a `datetime.timedelta` object and returns the delta in seconds. >>> _total_seconds(datetime.timedelta(23, 42, 123456)) 1987242 >>> _total_seconds(datetime.timedelta(23, 42, 654321)) 1987243 ''' return sum([ int(t.days * 86400 + t.seconds), ...
[ "def", "_total_seconds", "(", "t", ")", ":", "return", "sum", "(", "[", "int", "(", "t", ".", "days", "*", "86400", "+", "t", ".", "seconds", ")", ",", "int", "(", "round", "(", "t", ".", "microseconds", "/", "1000000.0", ")", ")", "]", ")" ]
Takes a `datetime.timedelta` object and returns the delta in seconds. >>> _total_seconds(datetime.timedelta(23, 42, 123456)) 1987242 >>> _total_seconds(datetime.timedelta(23, 42, 654321)) 1987243
[ "Takes", "a", "datetime", ".", "timedelta", "object", "and", "returns", "the", "delta", "in", "seconds", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/date.py#L41-L53
train
tehmaze/natural
natural/date.py
day
def day(t, now=None, format='%B %d'): ''' Date delta compared to ``t``. You can override ``now`` to specify what date to compare to. You can override the date format by supplying a ``format`` parameter. :param t: timestamp, :class:`datetime.date` or :class:`datetime.datetime` object ...
python
def day(t, now=None, format='%B %d'): ''' Date delta compared to ``t``. You can override ``now`` to specify what date to compare to. You can override the date format by supplying a ``format`` parameter. :param t: timestamp, :class:`datetime.date` or :class:`datetime.datetime` object ...
[ "def", "day", "(", "t", ",", "now", "=", "None", ",", "format", "=", "'%B %d'", ")", ":", "t1", "=", "_to_date", "(", "t", ")", "t2", "=", "_to_date", "(", "now", "or", "datetime", ".", "datetime", ".", "now", "(", ")", ")", "diff", "=", "t1", ...
Date delta compared to ``t``. You can override ``now`` to specify what date to compare to. You can override the date format by supplying a ``format`` parameter. :param t: timestamp, :class:`datetime.date` or :class:`datetime.datetime` object :param now: default ``None``, optionally a :cl...
[ "Date", "delta", "compared", "to", "t", ".", "You", "can", "override", "now", "to", "specify", "what", "date", "to", "compare", "to", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/date.py#L266-L310
train
tehmaze/natural
natural/date.py
duration
def duration(t, now=None, precision=1, pad=', ', words=None, justnow=datetime.timedelta(seconds=10)): ''' Time delta compared to ``t``. You can override ``now`` to specify what time to compare to. :param t: timestamp, :class:`datetime.date` or :class:`datetime.datetime` objec...
python
def duration(t, now=None, precision=1, pad=', ', words=None, justnow=datetime.timedelta(seconds=10)): ''' Time delta compared to ``t``. You can override ``now`` to specify what time to compare to. :param t: timestamp, :class:`datetime.date` or :class:`datetime.datetime` objec...
[ "def", "duration", "(", "t", ",", "now", "=", "None", ",", "precision", "=", "1", ",", "pad", "=", "', '", ",", "words", "=", "None", ",", "justnow", "=", "datetime", ".", "timedelta", "(", "seconds", "=", "10", ")", ")", ":", "if", "words", "is"...
Time delta compared to ``t``. You can override ``now`` to specify what time to compare to. :param t: timestamp, :class:`datetime.date` or :class:`datetime.datetime` object :param now: default ``None``, optionally a :class:`datetime.datetime` object :param precision: defaul...
[ "Time", "delta", "compared", "to", "t", ".", "You", "can", "override", "now", "to", "specify", "what", "time", "to", "compare", "to", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/date.py#L313-L391
train
yeraydiazdiaz/lunr.py
lunr/index.py
Index.search
def search(self, query_string): """Performs a search against the index using lunr query syntax. Results will be returned sorted by their score, the most relevant results will be returned first. For more programmatic querying use `lunr.Index.query`. Args: query_stri...
python
def search(self, query_string): """Performs a search against the index using lunr query syntax. Results will be returned sorted by their score, the most relevant results will be returned first. For more programmatic querying use `lunr.Index.query`. Args: query_stri...
[ "def", "search", "(", "self", ",", "query_string", ")", ":", "query", "=", "self", ".", "create_query", "(", ")", "# TODO: should QueryParser be a method of query? should it return one?", "parser", "=", "QueryParser", "(", "query_string", ",", "query", ")", "parser", ...
Performs a search against the index using lunr query syntax. Results will be returned sorted by their score, the most relevant results will be returned first. For more programmatic querying use `lunr.Index.query`. Args: query_string (str): A string to parse into a Query. ...
[ "Performs", "a", "search", "against", "the", "index", "using", "lunr", "query", "syntax", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/index.py#L47-L65
train
yeraydiazdiaz/lunr.py
lunr/index.py
Index.create_query
def create_query(self, fields=None): """Convenience method to create a Query with the Index's fields. Args: fields (iterable, optional): The fields to include in the Query, defaults to the Index's `all_fields`. Returns: Query: With the specified fields o...
python
def create_query(self, fields=None): """Convenience method to create a Query with the Index's fields. Args: fields (iterable, optional): The fields to include in the Query, defaults to the Index's `all_fields`. Returns: Query: With the specified fields o...
[ "def", "create_query", "(", "self", ",", "fields", "=", "None", ")", ":", "if", "fields", "is", "None", ":", "return", "Query", "(", "self", ".", "fields", ")", "non_contained_fields", "=", "set", "(", "fields", ")", "-", "set", "(", "self", ".", "fi...
Convenience method to create a Query with the Index's fields. Args: fields (iterable, optional): The fields to include in the Query, defaults to the Index's `all_fields`. Returns: Query: With the specified fields or all the fields in the Index.
[ "Convenience", "method", "to", "create", "a", "Query", "with", "the", "Index", "s", "fields", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/index.py#L67-L86
train
yeraydiazdiaz/lunr.py
lunr/index.py
Index.load
def load(cls, serialized_index): """Load a serialized index""" from lunr import __TARGET_JS_VERSION__ if isinstance(serialized_index, basestring): serialized_index = json.loads(serialized_index) if serialized_index["version"] != __TARGET_JS_VERSION__: logger.war...
python
def load(cls, serialized_index): """Load a serialized index""" from lunr import __TARGET_JS_VERSION__ if isinstance(serialized_index, basestring): serialized_index = json.loads(serialized_index) if serialized_index["version"] != __TARGET_JS_VERSION__: logger.war...
[ "def", "load", "(", "cls", ",", "serialized_index", ")", ":", "from", "lunr", "import", "__TARGET_JS_VERSION__", "if", "isinstance", "(", "serialized_index", ",", "basestring", ")", ":", "serialized_index", "=", "json", ".", "loads", "(", "serialized_index", ")"...
Load a serialized index
[ "Load", "a", "serialized", "index" ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/index.py#L340-L372
train
CyberInt/celstash
celstash.py
configure
def configure(logstash_host=None, logstash_port=None, logdir=None): '''Configuration settings.''' if not (logstash_host or logstash_port or logdir): raise ValueError('you must specify at least one parameter') config.logstash.host = logstash_host or config.logstash.host config.logstash.port = l...
python
def configure(logstash_host=None, logstash_port=None, logdir=None): '''Configuration settings.''' if not (logstash_host or logstash_port or logdir): raise ValueError('you must specify at least one parameter') config.logstash.host = logstash_host or config.logstash.host config.logstash.port = l...
[ "def", "configure", "(", "logstash_host", "=", "None", ",", "logstash_port", "=", "None", ",", "logdir", "=", "None", ")", ":", "if", "not", "(", "logstash_host", "or", "logstash_port", "or", "logdir", ")", ":", "raise", "ValueError", "(", "'you must specify...
Configuration settings.
[ "Configuration", "settings", "." ]
d22f2787e5a95a723bffd0a4c2ea3bb269a16c8e
https://github.com/CyberInt/celstash/blob/d22f2787e5a95a723bffd0a4c2ea3bb269a16c8e/celstash.py#L51-L61
train
CyberInt/celstash
celstash.py
new_logger
def new_logger(name): '''Return new logger which will log both to logstash and to file in JSON format. Log files are stored in <logdir>/name.json ''' log = get_task_logger(name) handler = logstash.LogstashHandler( config.logstash.host, config.logstash.port) log.addHandler(handler)...
python
def new_logger(name): '''Return new logger which will log both to logstash and to file in JSON format. Log files are stored in <logdir>/name.json ''' log = get_task_logger(name) handler = logstash.LogstashHandler( config.logstash.host, config.logstash.port) log.addHandler(handler)...
[ "def", "new_logger", "(", "name", ")", ":", "log", "=", "get_task_logger", "(", "name", ")", "handler", "=", "logstash", ".", "LogstashHandler", "(", "config", ".", "logstash", ".", "host", ",", "config", ".", "logstash", ".", "port", ")", "log", ".", ...
Return new logger which will log both to logstash and to file in JSON format. Log files are stored in <logdir>/name.json
[ "Return", "new", "logger", "which", "will", "log", "both", "to", "logstash", "and", "to", "file", "in", "JSON", "format", "." ]
d22f2787e5a95a723bffd0a4c2ea3bb269a16c8e
https://github.com/CyberInt/celstash/blob/d22f2787e5a95a723bffd0a4c2ea3bb269a16c8e/celstash.py#L69-L91
train
JensRantil/rewind
rewind/server/main.py
_zmq_socket_context
def _zmq_socket_context(context, socket_type, bind_endpoints): """A ZeroMQ socket context that both constructs a socket and closes it.""" socket = context.socket(socket_type) try: for endpoint in bind_endpoints: try: socket.bind(endpoint) except Exception: ...
python
def _zmq_socket_context(context, socket_type, bind_endpoints): """A ZeroMQ socket context that both constructs a socket and closes it.""" socket = context.socket(socket_type) try: for endpoint in bind_endpoints: try: socket.bind(endpoint) except Exception: ...
[ "def", "_zmq_socket_context", "(", "context", ",", "socket_type", ",", "bind_endpoints", ")", ":", "socket", "=", "context", ".", "socket", "(", "socket_type", ")", "try", ":", "for", "endpoint", "in", "bind_endpoints", ":", "try", ":", "socket", ".", "bind"...
A ZeroMQ socket context that both constructs a socket and closes it.
[ "A", "ZeroMQ", "socket", "context", "that", "both", "constructs", "a", "socket", "and", "closes", "it", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L229-L241
train
JensRantil/rewind
rewind/server/main.py
_get_with_fallback
def _get_with_fallback(config, section, option, fallback): """Get a configuration value, using fallback for missing values. Parameters: config -- the configparser to try to extract the option value from. section -- the section to extract value from. option -- the name of the option to extract ...
python
def _get_with_fallback(config, section, option, fallback): """Get a configuration value, using fallback for missing values. Parameters: config -- the configparser to try to extract the option value from. section -- the section to extract value from. option -- the name of the option to extract ...
[ "def", "_get_with_fallback", "(", "config", ",", "section", ",", "option", ",", "fallback", ")", ":", "exists", "=", "(", "config", ".", "has_section", "(", "section", ")", "and", "config", ".", "has_option", "(", "section", ",", "option", ")", ")", "if"...
Get a configuration value, using fallback for missing values. Parameters: config -- the configparser to try to extract the option value from. section -- the section to extract value from. option -- the name of the option to extract value from. fallback -- fallback value to return if no value w...
[ "Get", "a", "configuration", "value", "using", "fallback", "for", "missing", "values", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L244-L262
train
JensRantil/rewind
rewind/server/main.py
run
def run(options, exit_codeword=None): """Actually execute the program. Calling this method can be done from tests to simulate executing the application from command line. Parameters: options -- `optionparser` from config file. exit_codeword -- an optional exit_message that will shut down...
python
def run(options, exit_codeword=None): """Actually execute the program. Calling this method can be done from tests to simulate executing the application from command line. Parameters: options -- `optionparser` from config file. exit_codeword -- an optional exit_message that will shut down...
[ "def", "run", "(", "options", ",", "exit_codeword", "=", "None", ")", ":", "QUERY_ENDP_OPT", "=", "'query-bind-endpoint'", "STREAM_ENDP_OPT", "=", "'streaming-bind-endpoint'", "ZMQ_NTHREADS", "=", "\"zmq-nthreads\"", "if", "not", "options", ".", "has_section", "(", ...
Actually execute the program. Calling this method can be done from tests to simulate executing the application from command line. Parameters: options -- `optionparser` from config file. exit_codeword -- an optional exit_message that will shut down Rewind. Used for testin...
[ "Actually", "execute", "the", "program", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L265-L330
train
JensRantil/rewind
rewind/server/main.py
main
def main(argv=None): """Entry point for Rewind. Parses input and calls run() for the real work. Parameters: argv -- sys.argv arguments. Can be set for testing purposes. returns -- the proposed exit code for the program. """ parser = argparse.ArgumentParser( description='Event ...
python
def main(argv=None): """Entry point for Rewind. Parses input and calls run() for the real work. Parameters: argv -- sys.argv arguments. Can be set for testing purposes. returns -- the proposed exit code for the program. """ parser = argparse.ArgumentParser( description='Event ...
[ "def", "main", "(", "argv", "=", "None", ")", ":", "parser", "=", "argparse", ".", "ArgumentParser", "(", "description", "=", "'Event storage and event proxy.'", ",", "usage", "=", "'%(prog)s <configfile>'", ")", "parser", ".", "add_argument", "(", "'--exit-codewo...
Entry point for Rewind. Parses input and calls run() for the real work. Parameters: argv -- sys.argv arguments. Can be set for testing purposes. returns -- the proposed exit code for the program.
[ "Entry", "point", "for", "Rewind", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L333-L361
train
JensRantil/rewind
rewind/server/main.py
_IdGenerator.generate
def generate(self): """Generate a new string and return it.""" key = self._propose_new_key() while self.key_exists(key): _logger.warning('Previous candidate was used.' ' Regenerating another...') key = self._propose_new_key() return key
python
def generate(self): """Generate a new string and return it.""" key = self._propose_new_key() while self.key_exists(key): _logger.warning('Previous candidate was used.' ' Regenerating another...') key = self._propose_new_key() return key
[ "def", "generate", "(", "self", ")", ":", "key", "=", "self", ".", "_propose_new_key", "(", ")", "while", "self", ".", "key_exists", "(", "key", ")", ":", "_logger", ".", "warning", "(", "'Previous candidate was used.'", "' Regenerating another...'", ")", "key...
Generate a new string and return it.
[ "Generate", "a", "new", "string", "and", "return", "it", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L55-L62
train
JensRantil/rewind
rewind/server/main.py
_RewindRunner._handle_one_message
def _handle_one_message(self): """Handle one single incoming message on any socket. This is the inner loop of the main application loop. Returns True if further messages should be received, False otherwise (it should quit, that is). It is crucial that this class function alway...
python
def _handle_one_message(self): """Handle one single incoming message on any socket. This is the inner loop of the main application loop. Returns True if further messages should be received, False otherwise (it should quit, that is). It is crucial that this class function alway...
[ "def", "_handle_one_message", "(", "self", ")", ":", "result", "=", "True", "requesttype", "=", "self", ".", "query_socket", ".", "recv", "(", ")", "if", "requesttype", "==", "b\"PUBLISH\"", ":", "self", ".", "_handle_incoming_event", "(", ")", "elif", "requ...
Handle one single incoming message on any socket. This is the inner loop of the main application loop. Returns True if further messages should be received, False otherwise (it should quit, that is). It is crucial that this class function always respond with a query_socket.sent...
[ "Handle", "one", "single", "incoming", "message", "on", "any", "socket", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L98-L129
train
JensRantil/rewind
rewind/server/main.py
_RewindRunner._handle_unknown_command
def _handle_unknown_command(self): """Handle an unknown RES command. The function makes sure to recv all message parts and respond with an error. """ while self.query_socket.getsockopt(zmq.RCVMORE): # Making sure we 'empty' enveloped message. Otherwise, we can't ...
python
def _handle_unknown_command(self): """Handle an unknown RES command. The function makes sure to recv all message parts and respond with an error. """ while self.query_socket.getsockopt(zmq.RCVMORE): # Making sure we 'empty' enveloped message. Otherwise, we can't ...
[ "def", "_handle_unknown_command", "(", "self", ")", ":", "while", "self", ".", "query_socket", ".", "getsockopt", "(", "zmq", ".", "RCVMORE", ")", ":", "# Making sure we 'empty' enveloped message. Otherwise, we can't", "# respond.", "self", ".", "query_socket", ".", "...
Handle an unknown RES command. The function makes sure to recv all message parts and respond with an error.
[ "Handle", "an", "unknown", "RES", "command", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L131-L142
train
JensRantil/rewind
rewind/server/main.py
_RewindRunner._handle_event_query
def _handle_event_query(self): """Handle an incoming event query.""" assert self.query_socket.getsockopt(zmq.RCVMORE) fro = self.query_socket.recv().decode() assert self.query_socket.getsockopt(zmq.RCVMORE) to = self.query_socket.recv().decode() assert not self.query_sock...
python
def _handle_event_query(self): """Handle an incoming event query.""" assert self.query_socket.getsockopt(zmq.RCVMORE) fro = self.query_socket.recv().decode() assert self.query_socket.getsockopt(zmq.RCVMORE) to = self.query_socket.recv().decode() assert not self.query_sock...
[ "def", "_handle_event_query", "(", "self", ")", ":", "assert", "self", ".", "query_socket", ".", "getsockopt", "(", "zmq", ".", "RCVMORE", ")", "fro", "=", "self", ".", "query_socket", ".", "recv", "(", ")", ".", "decode", "(", ")", "assert", "self", "...
Handle an incoming event query.
[ "Handle", "an", "incoming", "event", "query", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L144-L183
train
JensRantil/rewind
rewind/server/main.py
_RewindRunner._handle_incoming_event
def _handle_incoming_event(self): """Handle an incoming event. Returns True if further messages should be received, False otherwise (it should quit, that is). TODO: Move the content of this function into `_handle_one_message`. This class function does not simply handle incoming...
python
def _handle_incoming_event(self): """Handle an incoming event. Returns True if further messages should be received, False otherwise (it should quit, that is). TODO: Move the content of this function into `_handle_one_message`. This class function does not simply handle incoming...
[ "def", "_handle_incoming_event", "(", "self", ")", ":", "eventstr", "=", "self", ".", "query_socket", ".", "recv", "(", ")", "newid", "=", "self", ".", "id_generator", ".", "generate", "(", ")", "# Make sure newid is not part of our request vocabulary", "assert", ...
Handle an incoming event. Returns True if further messages should be received, False otherwise (it should quit, that is). TODO: Move the content of this function into `_handle_one_message`. This class function does not simply handle incoming events.
[ "Handle", "an", "incoming", "event", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/main.py#L185-L215
train
yeraydiazdiaz/lunr.py
lunr/idf.py
idf
def idf(posting, document_count): """A function to calculate the inverse document frequency for a posting. This is shared between the builder and the index. """ documents_with_term = 0 for field_name in posting: if field_name == "_index": continue documents_with_term += l...
python
def idf(posting, document_count): """A function to calculate the inverse document frequency for a posting. This is shared between the builder and the index. """ documents_with_term = 0 for field_name in posting: if field_name == "_index": continue documents_with_term += l...
[ "def", "idf", "(", "posting", ",", "document_count", ")", ":", "documents_with_term", "=", "0", "for", "field_name", "in", "posting", ":", "if", "field_name", "==", "\"_index\"", ":", "continue", "documents_with_term", "+=", "len", "(", "posting", "[", "field_...
A function to calculate the inverse document frequency for a posting. This is shared between the builder and the index.
[ "A", "function", "to", "calculate", "the", "inverse", "document", "frequency", "for", "a", "posting", ".", "This", "is", "shared", "between", "the", "builder", "and", "the", "index", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/idf.py#L6-L17
train
JensRantil/rewind
rewind/server/config.py
check_config_options
def check_config_options(_class, required_options, optional_options, options): """Helper method to check options. Arguments: _class -- the original class that takes received the options. required_options -- the options that are required. If they are not present, a Conf...
python
def check_config_options(_class, required_options, optional_options, options): """Helper method to check options. Arguments: _class -- the original class that takes received the options. required_options -- the options that are required. If they are not present, a Conf...
[ "def", "check_config_options", "(", "_class", ",", "required_options", ",", "optional_options", ",", "options", ")", ":", "for", "opt", "in", "required_options", ":", "if", "opt", "not", "in", "options", ":", "msg", "=", "\"Required option missing: {0}\"", "raise"...
Helper method to check options. Arguments: _class -- the original class that takes received the options. required_options -- the options that are required. If they are not present, a ConfigurationError is raised. Given as a tuple. optional_optio...
[ "Helper", "method", "to", "check", "options", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/config.py#L123-L148
train
tehmaze/natural
natural/file.py
accessed
def accessed(filename): ''' Retrieve how long ago a file has been accessed. :param filename: name of the file >>> print accessed(__file__) # doctest: +SKIP just now ''' if isinstance(filename, file): filename = filename.name return duration(os.stat(filename)[stat.ST_ATI...
python
def accessed(filename): ''' Retrieve how long ago a file has been accessed. :param filename: name of the file >>> print accessed(__file__) # doctest: +SKIP just now ''' if isinstance(filename, file): filename = filename.name return duration(os.stat(filename)[stat.ST_ATI...
[ "def", "accessed", "(", "filename", ")", ":", "if", "isinstance", "(", "filename", ",", "file", ")", ":", "filename", "=", "filename", ".", "name", "return", "duration", "(", "os", ".", "stat", "(", "filename", ")", "[", "stat", ".", "ST_ATIME", "]", ...
Retrieve how long ago a file has been accessed. :param filename: name of the file >>> print accessed(__file__) # doctest: +SKIP just now
[ "Retrieve", "how", "long", "ago", "a", "file", "has", "been", "accessed", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/file.py#L7-L19
train
tehmaze/natural
natural/file.py
created
def created(filename): ''' Retrieve how long ago a file has been created. :param filename: name of the file >>> print created('/') # doctest: +SKIP 8 weeks ago ''' if isinstance(filename, file): filename = filename.name return duration(os.stat(filename)[stat.ST_CTI...
python
def created(filename): ''' Retrieve how long ago a file has been created. :param filename: name of the file >>> print created('/') # doctest: +SKIP 8 weeks ago ''' if isinstance(filename, file): filename = filename.name return duration(os.stat(filename)[stat.ST_CTI...
[ "def", "created", "(", "filename", ")", ":", "if", "isinstance", "(", "filename", ",", "file", ")", ":", "filename", "=", "filename", ".", "name", "return", "duration", "(", "os", ".", "stat", "(", "filename", ")", "[", "stat", ".", "ST_CTIME", "]", ...
Retrieve how long ago a file has been created. :param filename: name of the file >>> print created('/') # doctest: +SKIP 8 weeks ago
[ "Retrieve", "how", "long", "ago", "a", "file", "has", "been", "created", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/file.py#L22-L34
train
tehmaze/natural
natural/file.py
modified
def modified(filename): ''' Retrieve how long ago a file has been modified. :param filename: name of the file >>> print modified('/') # doctest: +SKIP 3 days ago ''' if isinstance(filename, file): filename = filename.name return duration(os.stat(filename)[stat.ST_M...
python
def modified(filename): ''' Retrieve how long ago a file has been modified. :param filename: name of the file >>> print modified('/') # doctest: +SKIP 3 days ago ''' if isinstance(filename, file): filename = filename.name return duration(os.stat(filename)[stat.ST_M...
[ "def", "modified", "(", "filename", ")", ":", "if", "isinstance", "(", "filename", ",", "file", ")", ":", "filename", "=", "filename", ".", "name", "return", "duration", "(", "os", ".", "stat", "(", "filename", ")", "[", "stat", ".", "ST_MTIME", "]", ...
Retrieve how long ago a file has been modified. :param filename: name of the file >>> print modified('/') # doctest: +SKIP 3 days ago
[ "Retrieve", "how", "long", "ago", "a", "file", "has", "been", "modified", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/file.py#L37-L49
train
tehmaze/natural
natural/file.py
size
def size(filename, format='decimal'): ''' Retrieve the size of a file. :param filename: name of the file >>> size('/etc/mime.types') # doctest: +SKIP 23.70 kB ''' if isinstance(filename, file): filename = filename.name return filesize(os.stat(filename)[stat.ST_SIZE], ...
python
def size(filename, format='decimal'): ''' Retrieve the size of a file. :param filename: name of the file >>> size('/etc/mime.types') # doctest: +SKIP 23.70 kB ''' if isinstance(filename, file): filename = filename.name return filesize(os.stat(filename)[stat.ST_SIZE], ...
[ "def", "size", "(", "filename", ",", "format", "=", "'decimal'", ")", ":", "if", "isinstance", "(", "filename", ",", "file", ")", ":", "filename", "=", "filename", ".", "name", "return", "filesize", "(", "os", ".", "stat", "(", "filename", ")", "[", ...
Retrieve the size of a file. :param filename: name of the file >>> size('/etc/mime.types') # doctest: +SKIP 23.70 kB
[ "Retrieve", "the", "size", "of", "a", "file", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/file.py#L52-L65
train
mapeveri/django-endless-pagination-vue
endless_pagination/templatetags/endless.py
show_more
def show_more(context, label=None, loading=settings.LOADING): """Show the link to get the next page in a Twitter-like pagination. Usage:: {% show_more %} Alternatively you can override the label passed to the default template:: {% show_more "even more" %} You can override the loadin...
python
def show_more(context, label=None, loading=settings.LOADING): """Show the link to get the next page in a Twitter-like pagination. Usage:: {% show_more %} Alternatively you can override the label passed to the default template:: {% show_more "even more" %} You can override the loadin...
[ "def", "show_more", "(", "context", ",", "label", "=", "None", ",", "loading", "=", "settings", ".", "LOADING", ")", ":", "# This template tag could raise a PaginationError: you have to call", "# *paginate* or *lazy_paginate* before including the showmore template.", "data", "=...
Show the link to get the next page in a Twitter-like pagination. Usage:: {% show_more %} Alternatively you can override the label passed to the default template:: {% show_more "even more" %} You can override the loading text too:: {% show_more "even more" "working" %} Must...
[ "Show", "the", "link", "to", "get", "the", "next", "page", "in", "a", "Twitter", "-", "like", "pagination", "." ]
3faa79a51b11d7ae0bd431abf8c38ecaf9180704
https://github.com/mapeveri/django-endless-pagination-vue/blob/3faa79a51b11d7ae0bd431abf8c38ecaf9180704/endless_pagination/templatetags/endless.py#L327-L366
train
mapeveri/django-endless-pagination-vue
endless_pagination/templatetags/endless.py
show_more_table
def show_more_table(context, label=None, loading=settings.LOADING): """Show the link to get the next page in a Twitter-like pagination in a template for table. Usage:: {% show_more_table %} Alternatively you can override the label passed to the default template:: {% show_more_table ...
python
def show_more_table(context, label=None, loading=settings.LOADING): """Show the link to get the next page in a Twitter-like pagination in a template for table. Usage:: {% show_more_table %} Alternatively you can override the label passed to the default template:: {% show_more_table ...
[ "def", "show_more_table", "(", "context", ",", "label", "=", "None", ",", "loading", "=", "settings", ".", "LOADING", ")", ":", "# This template tag could raise a PaginationError: you have to call", "# *paginate* or *lazy_paginate* before including the showmore template.", "retur...
Show the link to get the next page in a Twitter-like pagination in a template for table. Usage:: {% show_more_table %} Alternatively you can override the label passed to the default template:: {% show_more_table "even more" %} You can override the loading text too:: {% show...
[ "Show", "the", "link", "to", "get", "the", "next", "page", "in", "a", "Twitter", "-", "like", "pagination", "in", "a", "template", "for", "table", "." ]
3faa79a51b11d7ae0bd431abf8c38ecaf9180704
https://github.com/mapeveri/django-endless-pagination-vue/blob/3faa79a51b11d7ae0bd431abf8c38ecaf9180704/endless_pagination/templatetags/endless.py#L370-L391
train
yeraydiazdiaz/lunr.py
lunr/languages/trimmer.py
generate_trimmer
def generate_trimmer(word_characters): """Returns a trimmer function from a string of word characters. TODO: lunr-languages ships with lists of word characters for each language I haven't found an equivalent in Python, we may need to copy it. """ start_re = r"^[^{}]+".format(word_characters) en...
python
def generate_trimmer(word_characters): """Returns a trimmer function from a string of word characters. TODO: lunr-languages ships with lists of word characters for each language I haven't found an equivalent in Python, we may need to copy it. """ start_re = r"^[^{}]+".format(word_characters) en...
[ "def", "generate_trimmer", "(", "word_characters", ")", ":", "start_re", "=", "r\"^[^{}]+\"", ".", "format", "(", "word_characters", ")", "end_re", "=", "r\"[^{}]+$\"", ".", "format", "(", "word_characters", ")", "def", "trimmer", "(", "token", ",", "i", "=", ...
Returns a trimmer function from a string of word characters. TODO: lunr-languages ships with lists of word characters for each language I haven't found an equivalent in Python, we may need to copy it.
[ "Returns", "a", "trimmer", "function", "from", "a", "string", "of", "word", "characters", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/languages/trimmer.py#L6-L23
train
kevin-brown/drf-json-api
rest_framework_json_api/utils.py
camelcase
def camelcase(string): '''Return a string in lowerCamelCase Examples: "people" -> "people" "profile images" -> "profileImages" ''' out = slug(string).replace('-', ' ').title().replace(' ', '') return out[0].lower() + out[1:]
python
def camelcase(string): '''Return a string in lowerCamelCase Examples: "people" -> "people" "profile images" -> "profileImages" ''' out = slug(string).replace('-', ' ').title().replace(' ', '') return out[0].lower() + out[1:]
[ "def", "camelcase", "(", "string", ")", ":", "out", "=", "slug", "(", "string", ")", ".", "replace", "(", "'-'", ",", "' '", ")", ".", "title", "(", ")", ".", "replace", "(", "' '", ",", "''", ")", "return", "out", "[", "0", "]", ".", "lower", ...
Return a string in lowerCamelCase Examples: "people" -> "people" "profile images" -> "profileImages"
[ "Return", "a", "string", "in", "lowerCamelCase" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/utils.py#L69-L77
train
yeraydiazdiaz/lunr.py
lunr/vector.py
Vector.position_for_index
def position_for_index(self, index): """Calculates the position within the vector to insert a given index. This is used internally by insert and upsert. If there are duplicate indexes then the position is returned as if the value for that index were to be updated, but it is the callers ...
python
def position_for_index(self, index): """Calculates the position within the vector to insert a given index. This is used internally by insert and upsert. If there are duplicate indexes then the position is returned as if the value for that index were to be updated, but it is the callers ...
[ "def", "position_for_index", "(", "self", ",", "index", ")", ":", "if", "not", "self", ".", "elements", ":", "return", "0", "start", "=", "0", "end", "=", "int", "(", "len", "(", "self", ".", "elements", ")", "/", "2", ")", "slice_length", "=", "en...
Calculates the position within the vector to insert a given index. This is used internally by insert and upsert. If there are duplicate indexes then the position is returned as if the value for that index were to be updated, but it is the callers responsibility to check whether there is...
[ "Calculates", "the", "position", "within", "the", "vector", "to", "insert", "a", "given", "index", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/vector.py#L37-L71
train
yeraydiazdiaz/lunr.py
lunr/vector.py
Vector.insert
def insert(self, insert_index, val): """Inserts an element at an index within the vector. Does not allow duplicates, will throw an error if there is already an entry for this index. """ def prevent_duplicates(index, val): raise BaseLunrException("Duplicate index") ...
python
def insert(self, insert_index, val): """Inserts an element at an index within the vector. Does not allow duplicates, will throw an error if there is already an entry for this index. """ def prevent_duplicates(index, val): raise BaseLunrException("Duplicate index") ...
[ "def", "insert", "(", "self", ",", "insert_index", ",", "val", ")", ":", "def", "prevent_duplicates", "(", "index", ",", "val", ")", ":", "raise", "BaseLunrException", "(", "\"Duplicate index\"", ")", "self", ".", "upsert", "(", "insert_index", ",", "val", ...
Inserts an element at an index within the vector. Does not allow duplicates, will throw an error if there is already an entry for this index.
[ "Inserts", "an", "element", "at", "an", "index", "within", "the", "vector", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/vector.py#L73-L83
train
yeraydiazdiaz/lunr.py
lunr/vector.py
Vector.upsert
def upsert(self, insert_index, val, fn=None): """Inserts or updates an existing index within the vector. Args: - insert_index (int): The index at which the element should be inserted. - val (int|float): The value to be inserted into the vector. - fn (...
python
def upsert(self, insert_index, val, fn=None): """Inserts or updates an existing index within the vector. Args: - insert_index (int): The index at which the element should be inserted. - val (int|float): The value to be inserted into the vector. - fn (...
[ "def", "upsert", "(", "self", ",", "insert_index", ",", "val", ",", "fn", "=", "None", ")", ":", "fn", "=", "fn", "or", "(", "lambda", "current", ",", "passed", ":", "passed", ")", "self", ".", "_magnitude", "=", "0", "position", "=", "self", ".", ...
Inserts or updates an existing index within the vector. Args: - insert_index (int): The index at which the element should be inserted. - val (int|float): The value to be inserted into the vector. - fn (callable, optional): An optional callable taking two ...
[ "Inserts", "or", "updates", "an", "existing", "index", "within", "the", "vector", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/vector.py#L85-L103
train
yeraydiazdiaz/lunr.py
lunr/vector.py
Vector.to_list
def to_list(self): """Converts the vector to an array of the elements within the vector""" output = [] for i in range(1, len(self.elements), 2): output.append(self.elements[i]) return output
python
def to_list(self): """Converts the vector to an array of the elements within the vector""" output = [] for i in range(1, len(self.elements), 2): output.append(self.elements[i]) return output
[ "def", "to_list", "(", "self", ")", ":", "output", "=", "[", "]", "for", "i", "in", "range", "(", "1", ",", "len", "(", "self", ".", "elements", ")", ",", "2", ")", ":", "output", ".", "append", "(", "self", ".", "elements", "[", "i", "]", ")...
Converts the vector to an array of the elements within the vector
[ "Converts", "the", "vector", "to", "an", "array", "of", "the", "elements", "within", "the", "vector" ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/vector.py#L105-L110
train
yeraydiazdiaz/lunr.py
lunr/vector.py
Vector.dot
def dot(self, other): """Calculates the dot product of this vector and another vector.""" dot_product = 0 a = self.elements b = other.elements a_len = len(a) b_len = len(b) i = j = 0 while i < a_len and j < b_len: a_val = a[i] b_va...
python
def dot(self, other): """Calculates the dot product of this vector and another vector.""" dot_product = 0 a = self.elements b = other.elements a_len = len(a) b_len = len(b) i = j = 0 while i < a_len and j < b_len: a_val = a[i] b_va...
[ "def", "dot", "(", "self", ",", "other", ")", ":", "dot_product", "=", "0", "a", "=", "self", ".", "elements", "b", "=", "other", ".", "elements", "a_len", "=", "len", "(", "a", ")", "b_len", "=", "len", "(", "b", ")", "i", "=", "j", "=", "0"...
Calculates the dot product of this vector and another vector.
[ "Calculates", "the", "dot", "product", "of", "this", "vector", "and", "another", "vector", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/vector.py#L129-L150
train
yeraydiazdiaz/lunr.py
lunr/vector.py
Vector.similarity
def similarity(self, other): """Calculates the cosine similarity between this vector and another vector.""" if self.magnitude == 0 or other.magnitude == 0: return 0 return self.dot(other) / self.magnitude
python
def similarity(self, other): """Calculates the cosine similarity between this vector and another vector.""" if self.magnitude == 0 or other.magnitude == 0: return 0 return self.dot(other) / self.magnitude
[ "def", "similarity", "(", "self", ",", "other", ")", ":", "if", "self", ".", "magnitude", "==", "0", "or", "other", ".", "magnitude", "==", "0", ":", "return", "0", "return", "self", ".", "dot", "(", "other", ")", "/", "self", ".", "magnitude" ]
Calculates the cosine similarity between this vector and another vector.
[ "Calculates", "the", "cosine", "similarity", "between", "this", "vector", "and", "another", "vector", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/vector.py#L152-L158
train
tehmaze/natural
natural/bank.py
bban_base10
def bban_base10(number): ''' Printable Basic Bank Account Number in base-10. :param number: string >>> bban_base10('01234567') '45670123' >>> bban_base10('ABCD') '10111213' ''' number = bban_compact(number) number = number[4:] + number[:4] return ''.join([str(IBAN_ALPHABET....
python
def bban_base10(number): ''' Printable Basic Bank Account Number in base-10. :param number: string >>> bban_base10('01234567') '45670123' >>> bban_base10('ABCD') '10111213' ''' number = bban_compact(number) number = number[4:] + number[:4] return ''.join([str(IBAN_ALPHABET....
[ "def", "bban_base10", "(", "number", ")", ":", "number", "=", "bban_compact", "(", "number", ")", "number", "=", "number", "[", "4", ":", "]", "+", "number", "[", ":", "4", "]", "return", "''", ".", "join", "(", "[", "str", "(", "IBAN_ALPHABET", "....
Printable Basic Bank Account Number in base-10. :param number: string >>> bban_base10('01234567') '45670123' >>> bban_base10('ABCD') '10111213'
[ "Printable", "Basic", "Bank", "Account", "Number", "in", "base", "-", "10", "." ]
d7a1fc9de712f9bcf68884a80826a7977df356fb
https://github.com/tehmaze/natural/blob/d7a1fc9de712f9bcf68884a80826a7977df356fb/natural/bank.py#L21-L34
train
jaraco/jaraco.mongodb
jaraco/mongodb/uri.py
_add_scheme
def _add_scheme(): """ urllib.parse doesn't support the mongodb scheme, but it's easy to make it so. """ lists = [ urllib.parse.uses_relative, urllib.parse.uses_netloc, urllib.parse.uses_query, ] for l in lists: l.append('mongodb')
python
def _add_scheme(): """ urllib.parse doesn't support the mongodb scheme, but it's easy to make it so. """ lists = [ urllib.parse.uses_relative, urllib.parse.uses_netloc, urllib.parse.uses_query, ] for l in lists: l.append('mongodb')
[ "def", "_add_scheme", "(", ")", ":", "lists", "=", "[", "urllib", ".", "parse", ".", "uses_relative", ",", "urllib", ".", "parse", ".", "uses_netloc", ",", "urllib", ".", "parse", ".", "uses_query", ",", "]", "for", "l", "in", "lists", ":", "l", ".",...
urllib.parse doesn't support the mongodb scheme, but it's easy to make it so.
[ "urllib", ".", "parse", "doesn", "t", "support", "the", "mongodb", "scheme", "but", "it", "s", "easy", "to", "make", "it", "so", "." ]
280f17894941f4babf2e97db033dbb1fd2b9f705
https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/uri.py#L7-L18
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder.field
def field(self, field_name, boost=1, extractor=None): """Adds a field to the list of document fields that will be indexed. Every document being indexed should have this field. None values for this field in indexed documents will not cause errors but will limit the chance of that documen...
python
def field(self, field_name, boost=1, extractor=None): """Adds a field to the list of document fields that will be indexed. Every document being indexed should have this field. None values for this field in indexed documents will not cause errors but will limit the chance of that documen...
[ "def", "field", "(", "self", ",", "field_name", ",", "boost", "=", "1", ",", "extractor", "=", "None", ")", ":", "if", "\"/\"", "in", "field_name", ":", "raise", "ValueError", "(", "\"Field {} contains illegal character `/`\"", ")", "self", ".", "_fields", "...
Adds a field to the list of document fields that will be indexed. Every document being indexed should have this field. None values for this field in indexed documents will not cause errors but will limit the chance of that document being retrieved by searches. All fields should be adde...
[ "Adds", "a", "field", "to", "the", "list", "of", "document", "fields", "that", "will", "be", "indexed", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L69-L98
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder.b
def b(self, number): """A parameter to tune the amount of field length normalisation that is applied when calculating relevance scores. A value of 0 will completely disable any normalisation and a value of 1 will fully normalise field lengths. The default is 0.75. Values of b wi...
python
def b(self, number): """A parameter to tune the amount of field length normalisation that is applied when calculating relevance scores. A value of 0 will completely disable any normalisation and a value of 1 will fully normalise field lengths. The default is 0.75. Values of b wi...
[ "def", "b", "(", "self", ",", "number", ")", ":", "if", "number", "<", "0", ":", "self", ".", "_b", "=", "0", "elif", "number", ">", "1", ":", "self", ".", "_b", "=", "1", "else", ":", "self", ".", "_b", "=", "number" ]
A parameter to tune the amount of field length normalisation that is applied when calculating relevance scores. A value of 0 will completely disable any normalisation and a value of 1 will fully normalise field lengths. The default is 0.75. Values of b will be clamped to the range 0 - 1...
[ "A", "parameter", "to", "tune", "the", "amount", "of", "field", "length", "normalisation", "that", "is", "applied", "when", "calculating", "relevance", "scores", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L100-L113
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder.add
def add(self, doc, attributes=None): """Adds a document to the index. Before adding documents to the index it should have been fully setup, with the document ref and all fields to index already having been specified. The document must have a field name as specified by the ref (...
python
def add(self, doc, attributes=None): """Adds a document to the index. Before adding documents to the index it should have been fully setup, with the document ref and all fields to index already having been specified. The document must have a field name as specified by the ref (...
[ "def", "add", "(", "self", ",", "doc", ",", "attributes", "=", "None", ")", ":", "doc_ref", "=", "str", "(", "doc", "[", "self", ".", "_ref", "]", ")", "self", ".", "_documents", "[", "doc_ref", "]", "=", "attributes", "or", "{", "}", "self", "."...
Adds a document to the index. Before adding documents to the index it should have been fully setup, with the document ref and all fields to index already having been specified. The document must have a field name as specified by the ref (by default this is 'id') and it should h...
[ "Adds", "a", "document", "to", "the", "index", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L125-L179
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder.build
def build(self): """Builds the index, creating an instance of `lunr.Index`. This completes the indexing process and should only be called once all documents have been added to the index. """ self._calculate_average_field_lengths() self._create_field_vectors() sel...
python
def build(self): """Builds the index, creating an instance of `lunr.Index`. This completes the indexing process and should only be called once all documents have been added to the index. """ self._calculate_average_field_lengths() self._create_field_vectors() sel...
[ "def", "build", "(", "self", ")", ":", "self", ".", "_calculate_average_field_lengths", "(", ")", "self", ".", "_create_field_vectors", "(", ")", "self", ".", "_create_token_set", "(", ")", "return", "Index", "(", "inverted_index", "=", "self", ".", "inverted_...
Builds the index, creating an instance of `lunr.Index`. This completes the indexing process and should only be called once all documents have been added to the index.
[ "Builds", "the", "index", "creating", "an", "instance", "of", "lunr", ".", "Index", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L181-L197
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder._create_token_set
def _create_token_set(self): """Creates a token set of all tokens in the index using `lunr.TokenSet` """ self.token_set = TokenSet.from_list(sorted(list(self.inverted_index.keys())))
python
def _create_token_set(self): """Creates a token set of all tokens in the index using `lunr.TokenSet` """ self.token_set = TokenSet.from_list(sorted(list(self.inverted_index.keys())))
[ "def", "_create_token_set", "(", "self", ")", ":", "self", ".", "token_set", "=", "TokenSet", ".", "from_list", "(", "sorted", "(", "list", "(", "self", ".", "inverted_index", ".", "keys", "(", ")", ")", ")", ")" ]
Creates a token set of all tokens in the index using `lunr.TokenSet`
[ "Creates", "a", "token", "set", "of", "all", "tokens", "in", "the", "index", "using", "lunr", ".", "TokenSet" ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L199-L202
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder._calculate_average_field_lengths
def _calculate_average_field_lengths(self): """Calculates the average document length for this index""" accumulator = defaultdict(int) documents_with_field = defaultdict(int) for field_ref, length in self.field_lengths.items(): _field_ref = FieldRef.from_string(field_ref) ...
python
def _calculate_average_field_lengths(self): """Calculates the average document length for this index""" accumulator = defaultdict(int) documents_with_field = defaultdict(int) for field_ref, length in self.field_lengths.items(): _field_ref = FieldRef.from_string(field_ref) ...
[ "def", "_calculate_average_field_lengths", "(", "self", ")", ":", "accumulator", "=", "defaultdict", "(", "int", ")", "documents_with_field", "=", "defaultdict", "(", "int", ")", "for", "field_ref", ",", "length", "in", "self", ".", "field_lengths", ".", "items"...
Calculates the average document length for this index
[ "Calculates", "the", "average", "document", "length", "for", "this", "index" ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L204-L219
train
yeraydiazdiaz/lunr.py
lunr/builder.py
Builder._create_field_vectors
def _create_field_vectors(self): """Builds a vector space model of every document using lunr.Vector.""" field_vectors = {} term_idf_cache = {} for field_ref, term_frequencies in self.field_term_frequencies.items(): _field_ref = FieldRef.from_string(field_ref) fie...
python
def _create_field_vectors(self): """Builds a vector space model of every document using lunr.Vector.""" field_vectors = {} term_idf_cache = {} for field_ref, term_frequencies in self.field_term_frequencies.items(): _field_ref = FieldRef.from_string(field_ref) fie...
[ "def", "_create_field_vectors", "(", "self", ")", ":", "field_vectors", "=", "{", "}", "term_idf_cache", "=", "{", "}", "for", "field_ref", ",", "term_frequencies", "in", "self", ".", "field_term_frequencies", ".", "items", "(", ")", ":", "_field_ref", "=", ...
Builds a vector space model of every document using lunr.Vector.
[ "Builds", "a", "vector", "space", "model", "of", "every", "document", "using", "lunr", ".", "Vector", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/builder.py#L221-L265
train
jaraco/jaraco.mongodb
jaraco/mongodb/sampling.py
estimate
def estimate(coll, filter={}, sample=1): """ Estimate the number of documents in the collection matching the filter. Sample may be a fixed number of documents to sample or a percentage of the total collection size. >>> coll = getfixture('bulky_collection') >>> estimate(coll) 100 >>...
python
def estimate(coll, filter={}, sample=1): """ Estimate the number of documents in the collection matching the filter. Sample may be a fixed number of documents to sample or a percentage of the total collection size. >>> coll = getfixture('bulky_collection') >>> estimate(coll) 100 >>...
[ "def", "estimate", "(", "coll", ",", "filter", "=", "{", "}", ",", "sample", "=", "1", ")", ":", "total", "=", "coll", ".", "estimated_document_count", "(", ")", "if", "not", "filter", "and", "sample", "==", "1", ":", "return", "total", "if", "sample...
Estimate the number of documents in the collection matching the filter. Sample may be a fixed number of documents to sample or a percentage of the total collection size. >>> coll = getfixture('bulky_collection') >>> estimate(coll) 100 >>> query = {"val": {"$gte": 50}} >>> val = estimat...
[ "Estimate", "the", "number", "of", "documents", "in", "the", "collection", "matching", "the", "filter", "." ]
280f17894941f4babf2e97db033dbb1fd2b9f705
https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/sampling.py#L6-L40
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.render
def render(self, data, accepted_media_type=None, renderer_context=None): """Convert native data to JSON API Tries each of the methods in `wrappers`, using the first successful one, or raises `WrapperNotApplicable`. """ wrapper = None success = False for wrapper...
python
def render(self, data, accepted_media_type=None, renderer_context=None): """Convert native data to JSON API Tries each of the methods in `wrappers`, using the first successful one, or raises `WrapperNotApplicable`. """ wrapper = None success = False for wrapper...
[ "def", "render", "(", "self", ",", "data", ",", "accepted_media_type", "=", "None", ",", "renderer_context", "=", "None", ")", ":", "wrapper", "=", "None", "success", "=", "False", "for", "wrapper_name", "in", "self", ".", "wrappers", ":", "wrapper_method", ...
Convert native data to JSON API Tries each of the methods in `wrappers`, using the first successful one, or raises `WrapperNotApplicable`.
[ "Convert", "native", "data", "to", "JSON", "API" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L47-L77
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_parser_error
def wrap_parser_error(self, data, renderer_context): """ Convert parser errors to the JSON API Error format Parser errors have a status code of 400, like field errors, but have the same native format as generic errors. Also, the detail message is often specific to the input, so...
python
def wrap_parser_error(self, data, renderer_context): """ Convert parser errors to the JSON API Error format Parser errors have a status code of 400, like field errors, but have the same native format as generic errors. Also, the detail message is often specific to the input, so...
[ "def", "wrap_parser_error", "(", "self", ",", "data", ",", "renderer_context", ")", ":", "response", "=", "renderer_context", ".", "get", "(", "\"response\"", ",", "None", ")", "status_code", "=", "response", "and", "response", ".", "status_code", "if", "statu...
Convert parser errors to the JSON API Error format Parser errors have a status code of 400, like field errors, but have the same native format as generic errors. Also, the detail message is often specific to the input, so the error is listed as a 'detail' rather than a 'title'.
[ "Convert", "parser", "errors", "to", "the", "JSON", "API", "Error", "format" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L91-L119
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_field_error
def wrap_field_error(self, data, renderer_context): """ Convert field error native data to the JSON API Error format See the note about the JSON API Error format on `wrap_error`. The native format for field errors is a dictionary where the keys are field names (or 'non_field_er...
python
def wrap_field_error(self, data, renderer_context): """ Convert field error native data to the JSON API Error format See the note about the JSON API Error format on `wrap_error`. The native format for field errors is a dictionary where the keys are field names (or 'non_field_er...
[ "def", "wrap_field_error", "(", "self", ",", "data", ",", "renderer_context", ")", ":", "response", "=", "renderer_context", ".", "get", "(", "\"response\"", ",", "None", ")", "status_code", "=", "response", "and", "response", ".", "status_code", "if", "status...
Convert field error native data to the JSON API Error format See the note about the JSON API Error format on `wrap_error`. The native format for field errors is a dictionary where the keys are field names (or 'non_field_errors' for additional errors) and the values are a list of error ...
[ "Convert", "field", "error", "native", "data", "to", "the", "JSON", "API", "Error", "format" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L121-L169
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_generic_error
def wrap_generic_error(self, data, renderer_context): """ Convert generic error native data using the JSON API Error format See the note about the JSON API Error format on `wrap_error`. The native format for errors that are not bad requests, such as authentication issues or mis...
python
def wrap_generic_error(self, data, renderer_context): """ Convert generic error native data using the JSON API Error format See the note about the JSON API Error format on `wrap_error`. The native format for errors that are not bad requests, such as authentication issues or mis...
[ "def", "wrap_generic_error", "(", "self", ",", "data", ",", "renderer_context", ")", ":", "response", "=", "renderer_context", ".", "get", "(", "\"response\"", ",", "None", ")", "status_code", "=", "response", "and", "response", ".", "status_code", "is_error", ...
Convert generic error native data using the JSON API Error format See the note about the JSON API Error format on `wrap_error`. The native format for errors that are not bad requests, such as authentication issues or missing content, is a dictionary with a 'detail' key and a string val...
[ "Convert", "generic", "error", "native", "data", "using", "the", "JSON", "API", "Error", "format" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L171-L204
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_error
def wrap_error( self, data, renderer_context, keys_are_fields, issue_is_title): """Convert error native data to the JSON API Error format JSON API has a different format for errors, but Django REST Framework doesn't have a separate rendering path for errors. This results in ...
python
def wrap_error( self, data, renderer_context, keys_are_fields, issue_is_title): """Convert error native data to the JSON API Error format JSON API has a different format for errors, but Django REST Framework doesn't have a separate rendering path for errors. This results in ...
[ "def", "wrap_error", "(", "self", ",", "data", ",", "renderer_context", ",", "keys_are_fields", ",", "issue_is_title", ")", ":", "response", "=", "renderer_context", ".", "get", "(", "\"response\"", ",", "None", ")", "status_code", "=", "str", "(", "response",...
Convert error native data to the JSON API Error format JSON API has a different format for errors, but Django REST Framework doesn't have a separate rendering path for errors. This results in some guesswork to determine if data is an error, what kind, and how to handle it. As ...
[ "Convert", "error", "native", "data", "to", "the", "JSON", "API", "Error", "format" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L206-L247
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_options
def wrap_options(self, data, renderer_context): '''Wrap OPTIONS data as JSON API meta value''' request = renderer_context.get("request", None) method = request and getattr(request, 'method') if method != 'OPTIONS': raise WrapperNotApplicable("Request method must be OPTIONS") ...
python
def wrap_options(self, data, renderer_context): '''Wrap OPTIONS data as JSON API meta value''' request = renderer_context.get("request", None) method = request and getattr(request, 'method') if method != 'OPTIONS': raise WrapperNotApplicable("Request method must be OPTIONS") ...
[ "def", "wrap_options", "(", "self", ",", "data", ",", "renderer_context", ")", ":", "request", "=", "renderer_context", ".", "get", "(", "\"request\"", ",", "None", ")", "method", "=", "request", "and", "getattr", "(", "request", ",", "'method'", ")", "if"...
Wrap OPTIONS data as JSON API meta value
[ "Wrap", "OPTIONS", "data", "as", "JSON", "API", "meta", "value" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L249-L258
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_paginated
def wrap_paginated(self, data, renderer_context): """Convert paginated data to JSON API with meta""" pagination_keys = ['count', 'next', 'previous', 'results'] for key in pagination_keys: if not (data and key in data): raise WrapperNotApplicable('Not paginated result...
python
def wrap_paginated(self, data, renderer_context): """Convert paginated data to JSON API with meta""" pagination_keys = ['count', 'next', 'previous', 'results'] for key in pagination_keys: if not (data and key in data): raise WrapperNotApplicable('Not paginated result...
[ "def", "wrap_paginated", "(", "self", ",", "data", ",", "renderer_context", ")", ":", "pagination_keys", "=", "[", "'count'", ",", "'next'", ",", "'previous'", ",", "'results'", "]", "for", "key", "in", "pagination_keys", ":", "if", "not", "(", "data", "an...
Convert paginated data to JSON API with meta
[ "Convert", "paginated", "data", "to", "JSON", "API", "with", "meta" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L260-L298
train
kevin-brown/drf-json-api
rest_framework_json_api/renderers.py
JsonApiMixin.wrap_default
def wrap_default(self, data, renderer_context): """Convert native data to a JSON API resource collection This wrapper expects a standard DRF data object (a dict-like object with a `fields` dict-like attribute), or a list of such data objects. """ wrapper = self.dict_cla...
python
def wrap_default(self, data, renderer_context): """Convert native data to a JSON API resource collection This wrapper expects a standard DRF data object (a dict-like object with a `fields` dict-like attribute), or a list of such data objects. """ wrapper = self.dict_cla...
[ "def", "wrap_default", "(", "self", ",", "data", ",", "renderer_context", ")", ":", "wrapper", "=", "self", ".", "dict_class", "(", ")", "view", "=", "renderer_context", ".", "get", "(", "\"view\"", ",", "None", ")", "request", "=", "renderer_context", "."...
Convert native data to a JSON API resource collection This wrapper expects a standard DRF data object (a dict-like object with a `fields` dict-like attribute), or a list of such data objects.
[ "Convert", "native", "data", "to", "a", "JSON", "API", "resource", "collection" ]
664643bd02c0d92eadbd1f8c9d8507adf0538df6
https://github.com/kevin-brown/drf-json-api/blob/664643bd02c0d92eadbd1f8c9d8507adf0538df6/rest_framework_json_api/renderers.py#L300-L355
train
jaraco/jaraco.mongodb
jaraco/mongodb/sessions.py
Session.acquire_lock
def acquire_lock(self): """ Acquire the lock. Blocks indefinitely until lock is available unless `lock_timeout` was supplied. If the lock_timeout elapses, raises LockTimeout. """ # first ensure that a record exists for this session id try: self.collection.insert_one(dict(_id=self.id)) except pymongo....
python
def acquire_lock(self): """ Acquire the lock. Blocks indefinitely until lock is available unless `lock_timeout` was supplied. If the lock_timeout elapses, raises LockTimeout. """ # first ensure that a record exists for this session id try: self.collection.insert_one(dict(_id=self.id)) except pymongo....
[ "def", "acquire_lock", "(", "self", ")", ":", "# first ensure that a record exists for this session id", "try", ":", "self", ".", "collection", ".", "insert_one", "(", "dict", "(", "_id", "=", "self", ".", "id", ")", ")", "except", "pymongo", ".", "errors", "....
Acquire the lock. Blocks indefinitely until lock is available unless `lock_timeout` was supplied. If the lock_timeout elapses, raises LockTimeout.
[ "Acquire", "the", "lock", ".", "Blocks", "indefinitely", "until", "lock", "is", "available", "unless", "lock_timeout", "was", "supplied", ".", "If", "the", "lock_timeout", "elapses", "raises", "LockTimeout", "." ]
280f17894941f4babf2e97db033dbb1fd2b9f705
https://github.com/jaraco/jaraco.mongodb/blob/280f17894941f4babf2e97db033dbb1fd2b9f705/jaraco/mongodb/sessions.py#L172-L198
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/utils/management.py
BootDeviceHelper.set_boot_device
def set_boot_device(self, device, persistent=False): """Set the boot device for the node. Set the boot device to use on next reboot of the node. :param device: the boot device, one of :mod:`ironic.common.boot_devices`. :param persistent: Boolean value. True if th...
python
def set_boot_device(self, device, persistent=False): """Set the boot device for the node. Set the boot device to use on next reboot of the node. :param device: the boot device, one of :mod:`ironic.common.boot_devices`. :param persistent: Boolean value. True if th...
[ "def", "set_boot_device", "(", "self", ",", "device", ",", "persistent", "=", "False", ")", ":", "operation", "=", "\"set_boot_device\"", "try", ":", "self", ".", "sp_manager", ".", "create_boot_policy", "(", ")", "self", ".", "sp_manager", ".", "set_boot_devi...
Set the boot device for the node. Set the boot device to use on next reboot of the node. :param device: the boot device, one of :mod:`ironic.common.boot_devices`. :param persistent: Boolean value. True if the boot device will persist to all future boots, ...
[ "Set", "the", "boot", "device", "for", "the", "node", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/management.py#L39-L57
train
CiscoUcs/UcsPythonSDK
src/UcsSdk/utils/management.py
BootDeviceHelper.get_boot_device
def get_boot_device(self): """Get the current boot device for the node. Provides the current boot device of the node. Be aware that not all drivers support this. :raises: InvalidParameterValue if any connection parameters are incorrect. :raises: ...
python
def get_boot_device(self): """Get the current boot device for the node. Provides the current boot device of the node. Be aware that not all drivers support this. :raises: InvalidParameterValue if any connection parameters are incorrect. :raises: ...
[ "def", "get_boot_device", "(", "self", ")", ":", "operation", "=", "'get_boot_device'", "try", ":", "boot_device", "=", "self", ".", "sp_manager", ".", "get_boot_device", "(", ")", "return", "boot_device", "except", "UcsException", "as", "ex", ":", "print", "(...
Get the current boot device for the node. Provides the current boot device of the node. Be aware that not all drivers support this. :raises: InvalidParameterValue if any connection parameters are incorrect. :raises: MissingParameterValue if a required pa...
[ "Get", "the", "current", "boot", "device", "for", "the", "node", "." ]
bf6b07d6abeacb922c92b198352eda4eb9e4629b
https://github.com/CiscoUcs/UcsPythonSDK/blob/bf6b07d6abeacb922c92b198352eda4eb9e4629b/src/UcsSdk/utils/management.py#L59-L81
train
yeraydiazdiaz/lunr.py
lunr/__main__.py
lunr
def lunr(ref, fields, documents, languages=None): """A convenience function to configure and construct a lunr.Index. Args: ref (str): The key in the documents to be used a the reference. fields (list): A list of strings defining fields in the documents to index. Optionally a list of...
python
def lunr(ref, fields, documents, languages=None): """A convenience function to configure and construct a lunr.Index. Args: ref (str): The key in the documents to be used a the reference. fields (list): A list of strings defining fields in the documents to index. Optionally a list of...
[ "def", "lunr", "(", "ref", ",", "fields", ",", "documents", ",", "languages", "=", "None", ")", ":", "if", "languages", "is", "not", "None", "and", "lang", ".", "LANGUAGE_SUPPORT", ":", "if", "isinstance", "(", "languages", ",", "basestring", ")", ":", ...
A convenience function to configure and construct a lunr.Index. Args: ref (str): The key in the documents to be used a the reference. fields (list): A list of strings defining fields in the documents to index. Optionally a list of dictionaries with three keys: `field_name` d...
[ "A", "convenience", "function", "to", "configure", "and", "construct", "a", "lunr", ".", "Index", "." ]
28ec3f6d4888295eed730211ee9617aa488d6ba3
https://github.com/yeraydiazdiaz/lunr.py/blob/28ec3f6d4888295eed730211ee9617aa488d6ba3/lunr/__main__.py#L13-L65
train
JensRantil/rewind
rewind/server/eventstores.py
SQLiteEventStore.from_config
def from_config(_config, **options): """Instantiate an SQLite event store from config. Parameters: _config -- the configuration file options read from file(s). Not used. **options -- various options given to the specific event store. Shall not...
python
def from_config(_config, **options): """Instantiate an SQLite event store from config. Parameters: _config -- the configuration file options read from file(s). Not used. **options -- various options given to the specific event store. Shall not...
[ "def", "from_config", "(", "_config", ",", "*", "*", "options", ")", ":", "expected_args", "=", "(", "'path'", ",", ")", "rconfig", ".", "check_config_options", "(", "\"SQLiteEventStore\"", ",", "expected_args", ",", "tuple", "(", ")", ",", "options", ")", ...
Instantiate an SQLite event store from config. Parameters: _config -- the configuration file options read from file(s). Not used. **options -- various options given to the specific event store. Shall not be used with this event store. Warning will be ...
[ "Instantiate", "an", "SQLite", "event", "store", "from", "config", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L407-L424
train
JensRantil/rewind
rewind/server/eventstores.py
SQLiteEventStore.key_exists
def key_exists(self, key): """Check whether a key exists in the event store. Returns True if it does, False otherwise. """ assert isinstance(key, str) cursor = self.conn.cursor() with contextlib.closing(cursor): cursor.execute('SELECT COUNT(*) FROM events WH...
python
def key_exists(self, key): """Check whether a key exists in the event store. Returns True if it does, False otherwise. """ assert isinstance(key, str) cursor = self.conn.cursor() with contextlib.closing(cursor): cursor.execute('SELECT COUNT(*) FROM events WH...
[ "def", "key_exists", "(", "self", ",", "key", ")", ":", "assert", "isinstance", "(", "key", ",", "str", ")", "cursor", "=", "self", ".", "conn", ".", "cursor", "(", ")", "with", "contextlib", ".", "closing", "(", "cursor", ")", ":", "cursor", ".", ...
Check whether a key exists in the event store. Returns True if it does, False otherwise.
[ "Check", "whether", "a", "key", "exists", "in", "the", "event", "store", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L483-L500
train
JensRantil/rewind
rewind/server/eventstores.py
SQLiteEventStore.count
def count(self): """Return the number of events in the db.""" cursor = self.conn.cursor() with contextlib.closing(cursor): cursor.execute('SELECT COUNT(*) FROM events') res = cursor.fetchone() return res[0]
python
def count(self): """Return the number of events in the db.""" cursor = self.conn.cursor() with contextlib.closing(cursor): cursor.execute('SELECT COUNT(*) FROM events') res = cursor.fetchone() return res[0]
[ "def", "count", "(", "self", ")", ":", "cursor", "=", "self", ".", "conn", ".", "cursor", "(", ")", "with", "contextlib", ".", "closing", "(", "cursor", ")", ":", "cursor", ".", "execute", "(", "'SELECT COUNT(*) FROM events'", ")", "res", "=", "cursor", ...
Return the number of events in the db.
[ "Return", "the", "number", "of", "events", "in", "the", "db", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L502-L508
train
JensRantil/rewind
rewind/server/eventstores.py
SQLiteEventStore.close
def close(self): """Close the event store. Important to close to not have any file descriptor leakages. """ if self.conn: self.conn.close() self.conn = None fname = os.path.basename(self._path) checksum_persister = _get_checksum_persister(self._...
python
def close(self): """Close the event store. Important to close to not have any file descriptor leakages. """ if self.conn: self.conn.close() self.conn = None fname = os.path.basename(self._path) checksum_persister = _get_checksum_persister(self._...
[ "def", "close", "(", "self", ")", ":", "if", "self", ".", "conn", ":", "self", ".", "conn", ".", "close", "(", ")", "self", ".", "conn", "=", "None", "fname", "=", "os", ".", "path", ".", "basename", "(", "self", ".", "_path", ")", "checksum_pers...
Close the event store. Important to close to not have any file descriptor leakages.
[ "Close", "the", "event", "store", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L510-L524
train
JensRantil/rewind
rewind/server/eventstores.py
LogEventStore.from_config
def from_config(config, **options): """Instantiate an `LogEventStore` from config. Parameters: _config -- the configuration file options read from file(s). **options -- various options given to the specific event store. Shall not be used with this event store. Wa...
python
def from_config(config, **options): """Instantiate an `LogEventStore` from config. Parameters: _config -- the configuration file options read from file(s). **options -- various options given to the specific event store. Shall not be used with this event store. Wa...
[ "def", "from_config", "(", "config", ",", "*", "*", "options", ")", ":", "expected_args", "=", "(", "'path'", ",", ")", "rconfig", ".", "check_config_options", "(", "\"LogEventStore\"", ",", "expected_args", ",", "tuple", "(", ")", ",", "options", ")", "re...
Instantiate an `LogEventStore` from config. Parameters: _config -- the configuration file options read from file(s). **options -- various options given to the specific event store. Shall not be used with this event store. Warning will be logged for e...
[ "Instantiate", "an", "LogEventStore", "from", "config", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L549-L565
train
JensRantil/rewind
rewind/server/eventstores.py
LogEventStore.key_exists
def key_exists(self, key): """Check if key has previously been added to this store. This function makes a linear search through the log file and is very slow. Returns True if the event has previously been added, False otherwise. """ assert isinstance(key, str) ...
python
def key_exists(self, key): """Check if key has previously been added to this store. This function makes a linear search through the log file and is very slow. Returns True if the event has previously been added, False otherwise. """ assert isinstance(key, str) ...
[ "def", "key_exists", "(", "self", ",", "key", ")", ":", "assert", "isinstance", "(", "key", ",", "str", ")", "self", ".", "_close", "(", ")", "try", ":", "return", "self", ".", "_unsafe_key_exists", "(", "key", ")", "finally", ":", "self", ".", "_ope...
Check if key has previously been added to this store. This function makes a linear search through the log file and is very slow. Returns True if the event has previously been added, False otherwise.
[ "Check", "if", "key", "has", "previously", "been", "added", "to", "this", "store", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L656-L670
train
JensRantil/rewind
rewind/server/eventstores.py
LogEventStore.close
def close(self): """Persist a checksum and close the file.""" fname = os.path.basename(self._path) checksum_persister = _get_checksum_persister(self._path) with contextlib.closing(checksum_persister): checksum_persister[fname] = self._hasher.hexdigest() self._close()
python
def close(self): """Persist a checksum and close the file.""" fname = os.path.basename(self._path) checksum_persister = _get_checksum_persister(self._path) with contextlib.closing(checksum_persister): checksum_persister[fname] = self._hasher.hexdigest() self._close()
[ "def", "close", "(", "self", ")", ":", "fname", "=", "os", ".", "path", ".", "basename", "(", "self", ".", "_path", ")", "checksum_persister", "=", "_get_checksum_persister", "(", "self", ".", "_path", ")", "with", "contextlib", ".", "closing", "(", "che...
Persist a checksum and close the file.
[ "Persist", "a", "checksum", "and", "close", "the", "file", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L672-L679
train
JensRantil/rewind
rewind/server/eventstores.py
RotatedEventStore.from_config
def from_config(config, **options): """Instantiate an `RotatedEventStore` from config. Parameters: _config -- the configuration file options read from file(s). **options -- various options given to the specific event store. Shall not be used with this event store...
python
def from_config(config, **options): """Instantiate an `RotatedEventStore` from config. Parameters: _config -- the configuration file options read from file(s). **options -- various options given to the specific event store. Shall not be used with this event store...
[ "def", "from_config", "(", "config", ",", "*", "*", "options", ")", ":", "expected_args", "=", "(", "'prefix'", ",", "'realclass'", ")", "for", "arg", "in", "expected_args", ":", "if", "arg", "not", "in", "options", ":", "msg", "=", "\"Required option miss...
Instantiate an `RotatedEventStore` from config. Parameters: _config -- the configuration file options read from file(s). **options -- various options given to the specific event store. Shall not be used with this event store. Warning will be logged f...
[ "Instantiate", "an", "RotatedEventStore", "from", "config", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L711-L740
train
JensRantil/rewind
rewind/server/eventstores.py
RotatedEventStore._construct_filename
def _construct_filename(self, batchno): """Construct a filename for a database. Parameters: batchno -- batch number for the rotated database. Returns the constructed path as a string. """ return os.path.join(self.dirpath, "{0}.{1}".format(se...
python
def _construct_filename(self, batchno): """Construct a filename for a database. Parameters: batchno -- batch number for the rotated database. Returns the constructed path as a string. """ return os.path.join(self.dirpath, "{0}.{1}".format(se...
[ "def", "_construct_filename", "(", "self", ",", "batchno", ")", ":", "return", "os", ".", "path", ".", "join", "(", "self", ".", "dirpath", ",", "\"{0}.{1}\"", ".", "format", "(", "self", ".", "prefix", ",", "batchno", ")", ")" ]
Construct a filename for a database. Parameters: batchno -- batch number for the rotated database. Returns the constructed path as a string.
[ "Construct", "a", "filename", "for", "a", "database", "." ]
7f645d20186c1db55cfe53a0310c9fd6292f91ea
https://github.com/JensRantil/rewind/blob/7f645d20186c1db55cfe53a0310c9fd6292f91ea/rewind/server/eventstores.py#L773-L783
train