id
int32
0
252k
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
3,800
materialsvirtuallab/monty
monty/dev.py
install_excepthook
def install_excepthook(hook_type="color", **kwargs): """ This function replaces the original python traceback with an improved version from Ipython. Use `color` for colourful traceback formatting, `verbose` for Ka-Ping Yee's "cgitb.py" version kwargs are the keyword arguments passed to the construct...
python
def install_excepthook(hook_type="color", **kwargs): """ This function replaces the original python traceback with an improved version from Ipython. Use `color` for colourful traceback formatting, `verbose` for Ka-Ping Yee's "cgitb.py" version kwargs are the keyword arguments passed to the construct...
[ "def", "install_excepthook", "(", "hook_type", "=", "\"color\"", ",", "*", "*", "kwargs", ")", ":", "try", ":", "from", "IPython", ".", "core", "import", "ultratb", "except", "ImportError", ":", "import", "warnings", "warnings", ".", "warn", "(", "\"Cannot i...
This function replaces the original python traceback with an improved version from Ipython. Use `color` for colourful traceback formatting, `verbose` for Ka-Ping Yee's "cgitb.py" version kwargs are the keyword arguments passed to the constructor. See IPython.core.ultratb.py for more info. Return: ...
[ "This", "function", "replaces", "the", "original", "python", "traceback", "with", "an", "improved", "version", "from", "Ipython", ".", "Use", "color", "for", "colourful", "traceback", "formatting", "verbose", "for", "Ka", "-", "Ping", "Yee", "s", "cgitb", ".",...
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/dev.py#L198-L228
3,801
materialsvirtuallab/monty
monty/re.py
regrep
def regrep(filename, patterns, reverse=False, terminate_on_match=False, postprocess=str): """ A powerful regular expression version of grep. Args: filename (str): Filename to grep. patterns (dict): A dict of patterns, e.g., {"energy": "energy\(sigma->0\)\s+=\s+([\d\-\...
python
def regrep(filename, patterns, reverse=False, terminate_on_match=False, postprocess=str): """ A powerful regular expression version of grep. Args: filename (str): Filename to grep. patterns (dict): A dict of patterns, e.g., {"energy": "energy\(sigma->0\)\s+=\s+([\d\-\...
[ "def", "regrep", "(", "filename", ",", "patterns", ",", "reverse", "=", "False", ",", "terminate_on_match", "=", "False", ",", "postprocess", "=", "str", ")", ":", "compiled", "=", "{", "k", ":", "re", ".", "compile", "(", "v", ")", "for", "k", ",", ...
A powerful regular expression version of grep. Args: filename (str): Filename to grep. patterns (dict): A dict of patterns, e.g., {"energy": "energy\(sigma->0\)\s+=\s+([\d\-\.]+)"}. reverse (bool): Read files in reverse. Defaults to false. Useful for large files, esp...
[ "A", "powerful", "regular", "expression", "version", "of", "grep", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/re.py#L21-L62
3,802
materialsvirtuallab/monty
monty/design_patterns.py
cached_class
def cached_class(klass): """ Decorator to cache class instances by constructor arguments. This results in a class that behaves like a singleton for each set of constructor arguments, ensuring efficiency. Note that this should be used for *immutable classes only*. Having a cached mutable class ...
python
def cached_class(klass): """ Decorator to cache class instances by constructor arguments. This results in a class that behaves like a singleton for each set of constructor arguments, ensuring efficiency. Note that this should be used for *immutable classes only*. Having a cached mutable class ...
[ "def", "cached_class", "(", "klass", ")", ":", "cache", "=", "{", "}", "@", "wraps", "(", "klass", ",", "assigned", "=", "(", "\"__name__\"", ",", "\"__module__\"", ")", ",", "updated", "=", "(", ")", ")", "class", "_decorated", "(", "klass", ")", ":...
Decorator to cache class instances by constructor arguments. This results in a class that behaves like a singleton for each set of constructor arguments, ensuring efficiency. Note that this should be used for *immutable classes only*. Having a cached mutable class makes very little sense. For efficie...
[ "Decorator", "to", "cache", "class", "instances", "by", "constructor", "arguments", ".", "This", "results", "in", "a", "class", "that", "behaves", "like", "a", "singleton", "for", "each", "set", "of", "constructor", "arguments", "ensuring", "efficiency", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/design_patterns.py#L37-L94
3,803
materialsvirtuallab/monty
monty/operator.py
operator_from_str
def operator_from_str(op): """ Return the operator associated to the given string `op`. raises: `KeyError` if invalid string. >>> assert operator_from_str("==")(1, 1) and operator_from_str("+")(1,1) == 2 """ d = {"==": operator.eq, "!=": operator.ne, ">": operator.gt,...
python
def operator_from_str(op): """ Return the operator associated to the given string `op`. raises: `KeyError` if invalid string. >>> assert operator_from_str("==")(1, 1) and operator_from_str("+")(1,1) == 2 """ d = {"==": operator.eq, "!=": operator.ne, ">": operator.gt,...
[ "def", "operator_from_str", "(", "op", ")", ":", "d", "=", "{", "\"==\"", ":", "operator", ".", "eq", ",", "\"!=\"", ":", "operator", ".", "ne", ",", "\">\"", ":", "operator", ".", "gt", ",", "\">=\"", ":", "operator", ".", "ge", ",", "\"<\"", ":",...
Return the operator associated to the given string `op`. raises: `KeyError` if invalid string. >>> assert operator_from_str("==")(1, 1) and operator_from_str("+")(1,1) == 2
[ "Return", "the", "operator", "associated", "to", "the", "given", "string", "op", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/operator.py#L9-L36
3,804
materialsvirtuallab/monty
monty/subprocess.py
Command.run
def run(self, timeout=None, **kwargs): """ Run a command in a separated thread and wait timeout seconds. kwargs are keyword arguments passed to Popen. Return: self """ from subprocess import Popen, PIPE def target(**kw): try: # print(...
python
def run(self, timeout=None, **kwargs): """ Run a command in a separated thread and wait timeout seconds. kwargs are keyword arguments passed to Popen. Return: self """ from subprocess import Popen, PIPE def target(**kw): try: # print(...
[ "def", "run", "(", "self", ",", "timeout", "=", "None", ",", "*", "*", "kwargs", ")", ":", "from", "subprocess", "import", "Popen", ",", "PIPE", "def", "target", "(", "*", "*", "kw", ")", ":", "try", ":", "# print('Thread started')", "self", ".", "pr...
Run a command in a separated thread and wait timeout seconds. kwargs are keyword arguments passed to Popen. Return: self
[ "Run", "a", "command", "in", "a", "separated", "thread", "and", "wait", "timeout", "seconds", ".", "kwargs", "are", "keyword", "arguments", "passed", "to", "Popen", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/subprocess.py#L59-L99
3,805
materialsvirtuallab/monty
monty/string.py
marquee
def marquee(text="", width=78, mark='*'): """ Return the input string centered in a 'marquee'. Args: text (str): Input string width (int): Width of final output string. mark (str): Character used to fill string. :Examples: >>> marquee('A test', width=40) '*************...
python
def marquee(text="", width=78, mark='*'): """ Return the input string centered in a 'marquee'. Args: text (str): Input string width (int): Width of final output string. mark (str): Character used to fill string. :Examples: >>> marquee('A test', width=40) '*************...
[ "def", "marquee", "(", "text", "=", "\"\"", ",", "width", "=", "78", ",", "mark", "=", "'*'", ")", ":", "if", "not", "text", ":", "return", "(", "mark", "*", "width", ")", "[", ":", "width", "]", "nmark", "=", "(", "width", "-", "len", "(", "...
Return the input string centered in a 'marquee'. Args: text (str): Input string width (int): Width of final output string. mark (str): Character used to fill string. :Examples: >>> marquee('A test', width=40) '**************** A test ****************' >>> marquee('A test'...
[ "Return", "the", "input", "string", "centered", "in", "a", "marquee", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/string.py#L90-L118
3,806
materialsvirtuallab/monty
monty/string.py
boxed
def boxed(msg, ch="=", pad=5): """ Returns a string in a box Args: msg: Input string. ch: Character used to form the box. pad: Number of characters ch added before and after msg. >>> print(boxed("hello", ch="*", pad=2)) *********** ** hello ** *********** """ ...
python
def boxed(msg, ch="=", pad=5): """ Returns a string in a box Args: msg: Input string. ch: Character used to form the box. pad: Number of characters ch added before and after msg. >>> print(boxed("hello", ch="*", pad=2)) *********** ** hello ** *********** """ ...
[ "def", "boxed", "(", "msg", ",", "ch", "=", "\"=\"", ",", "pad", "=", "5", ")", ":", "if", "pad", ">", "0", ":", "msg", "=", "pad", "*", "ch", "+", "\" \"", "+", "msg", ".", "strip", "(", ")", "+", "\" \"", "+", "pad", "*", "ch", "return", ...
Returns a string in a box Args: msg: Input string. ch: Character used to form the box. pad: Number of characters ch added before and after msg. >>> print(boxed("hello", ch="*", pad=2)) *********** ** hello ** ***********
[ "Returns", "a", "string", "in", "a", "box" ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/string.py#L121-L141
3,807
materialsvirtuallab/monty
monty/string.py
indent
def indent(lines, amount, ch=' '): """Indent the lines in a string by padding each one with proper number of pad characters""" padding = amount * ch return padding + ('\n' + padding).join(lines.split('\n'))
python
def indent(lines, amount, ch=' '): """Indent the lines in a string by padding each one with proper number of pad characters""" padding = amount * ch return padding + ('\n' + padding).join(lines.split('\n'))
[ "def", "indent", "(", "lines", ",", "amount", ",", "ch", "=", "' '", ")", ":", "padding", "=", "amount", "*", "ch", "return", "padding", "+", "(", "'\\n'", "+", "padding", ")", ".", "join", "(", "lines", ".", "split", "(", "'\\n'", ")", ")" ]
Indent the lines in a string by padding each one with proper number of pad characters
[ "Indent", "the", "lines", "in", "a", "string", "by", "padding", "each", "one", "with", "proper", "number", "of", "pad", "characters" ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/string.py#L149-L152
3,808
materialsvirtuallab/monty
monty/functools.py
prof_main
def prof_main(main): """ Decorator for profiling main programs. Profiling is activated by prepending the command line options supported by the original main program with the keyword `prof`. Example: $ script.py arg --foo=1 becomes $ script.py prof arg --foo=1 The decorat...
python
def prof_main(main): """ Decorator for profiling main programs. Profiling is activated by prepending the command line options supported by the original main program with the keyword `prof`. Example: $ script.py arg --foo=1 becomes $ script.py prof arg --foo=1 The decorat...
[ "def", "prof_main", "(", "main", ")", ":", "@", "wraps", "(", "main", ")", "def", "wrapper", "(", "*", "args", ",", "*", "*", "kwargs", ")", ":", "import", "sys", "try", ":", "do_prof", "=", "sys", ".", "argv", "[", "1", "]", "==", "\"prof\"", ...
Decorator for profiling main programs. Profiling is activated by prepending the command line options supported by the original main program with the keyword `prof`. Example: $ script.py arg --foo=1 becomes $ script.py prof arg --foo=1 The decorated main accepts two new arguments...
[ "Decorator", "for", "profiling", "main", "programs", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/functools.py#L380-L429
3,809
materialsvirtuallab/monty
monty/functools.py
lazy_property.invalidate
def invalidate(cls, inst, name): """Invalidate a lazy attribute. This obviously violates the lazy contract. A subclass of lazy may however have a contract where invalidation is appropriate. """ inst_cls = inst.__class__ if not hasattr(inst, '__dict__'): rais...
python
def invalidate(cls, inst, name): """Invalidate a lazy attribute. This obviously violates the lazy contract. A subclass of lazy may however have a contract where invalidation is appropriate. """ inst_cls = inst.__class__ if not hasattr(inst, '__dict__'): rais...
[ "def", "invalidate", "(", "cls", ",", "inst", ",", "name", ")", ":", "inst_cls", "=", "inst", ".", "__class__", "if", "not", "hasattr", "(", "inst", ",", "'__dict__'", ")", ":", "raise", "AttributeError", "(", "\"'%s' object has no attribute '__dict__'\"", "%"...
Invalidate a lazy attribute. This obviously violates the lazy contract. A subclass of lazy may however have a contract where invalidation is appropriate.
[ "Invalidate", "a", "lazy", "attribute", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/functools.py#L257-L277
3,810
materialsvirtuallab/monty
monty/collections.py
as_set
def as_set(obj): """ Convert obj into a set, returns None if obj is None. >>> assert as_set(None) is None and as_set(1) == set([1]) and as_set(range(1,3)) == set([1, 2]) """ if obj is None or isinstance(obj, collections.Set): return obj if not isinstance(obj, collections.Iterable): ...
python
def as_set(obj): """ Convert obj into a set, returns None if obj is None. >>> assert as_set(None) is None and as_set(1) == set([1]) and as_set(range(1,3)) == set([1, 2]) """ if obj is None or isinstance(obj, collections.Set): return obj if not isinstance(obj, collections.Iterable): ...
[ "def", "as_set", "(", "obj", ")", ":", "if", "obj", "is", "None", "or", "isinstance", "(", "obj", ",", "collections", ".", "Set", ")", ":", "return", "obj", "if", "not", "isinstance", "(", "obj", ",", "collections", ".", "Iterable", ")", ":", "return...
Convert obj into a set, returns None if obj is None. >>> assert as_set(None) is None and as_set(1) == set([1]) and as_set(range(1,3)) == set([1, 2])
[ "Convert", "obj", "into", "a", "set", "returns", "None", "if", "obj", "is", "None", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/collections.py#L30-L42
3,811
materialsvirtuallab/monty
monty/logging.py
logged
def logged(level=logging.DEBUG): """ Useful logging decorator. If a method is logged, the beginning and end of the method call will be logged at a pre-specified level. Args: level: Level to log method at. Defaults to DEBUG. """ def wrap(f): _logger = logging.getLogger("{}.{}".fo...
python
def logged(level=logging.DEBUG): """ Useful logging decorator. If a method is logged, the beginning and end of the method call will be logged at a pre-specified level. Args: level: Level to log method at. Defaults to DEBUG. """ def wrap(f): _logger = logging.getLogger("{}.{}".fo...
[ "def", "logged", "(", "level", "=", "logging", ".", "DEBUG", ")", ":", "def", "wrap", "(", "f", ")", ":", "_logger", "=", "logging", ".", "getLogger", "(", "\"{}.{}\"", ".", "format", "(", "f", ".", "__module__", ",", "f", ".", "__name__", ")", ")"...
Useful logging decorator. If a method is logged, the beginning and end of the method call will be logged at a pre-specified level. Args: level: Level to log method at. Defaults to DEBUG.
[ "Useful", "logging", "decorator", ".", "If", "a", "method", "is", "logged", "the", "beginning", "and", "end", "of", "the", "method", "call", "will", "be", "logged", "at", "a", "pre", "-", "specified", "level", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/logging.py#L24-L44
3,812
materialsvirtuallab/monty
monty/logging.py
enable_logging
def enable_logging(main): """ This decorator is used to decorate main functions. It adds the initialization of the logger and an argument parser that allows one to select the loglevel. Useful if we are writing simple main functions that call libraries where the logging module is used Args: ...
python
def enable_logging(main): """ This decorator is used to decorate main functions. It adds the initialization of the logger and an argument parser that allows one to select the loglevel. Useful if we are writing simple main functions that call libraries where the logging module is used Args: ...
[ "def", "enable_logging", "(", "main", ")", ":", "@", "functools", ".", "wraps", "(", "main", ")", "def", "wrapper", "(", "*", "args", ",", "*", "*", "kwargs", ")", ":", "import", "argparse", "parser", "=", "argparse", ".", "ArgumentParser", "(", ")", ...
This decorator is used to decorate main functions. It adds the initialization of the logger and an argument parser that allows one to select the loglevel. Useful if we are writing simple main functions that call libraries where the logging module is used Args: main: main functio...
[ "This", "decorator", "is", "used", "to", "decorate", "main", "functions", ".", "It", "adds", "the", "initialization", "of", "the", "logger", "and", "an", "argument", "parser", "that", "allows", "one", "to", "select", "the", "loglevel", ".", "Useful", "if", ...
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/logging.py#L47-L83
3,813
materialsvirtuallab/monty
monty/os/path.py
which
def which(cmd): """ Returns full path to a executable. Args: cmd (str): Executable command to search for. Returns: (str) Full path to command. None if it is not found. Example:: full_path_to_python = which("python") """ def is_exe(fp): return os.path.isfil...
python
def which(cmd): """ Returns full path to a executable. Args: cmd (str): Executable command to search for. Returns: (str) Full path to command. None if it is not found. Example:: full_path_to_python = which("python") """ def is_exe(fp): return os.path.isfil...
[ "def", "which", "(", "cmd", ")", ":", "def", "is_exe", "(", "fp", ")", ":", "return", "os", ".", "path", ".", "isfile", "(", "fp", ")", "and", "os", ".", "access", "(", "fp", ",", "os", ".", "X_OK", ")", "fpath", ",", "fname", "=", "os", ".",...
Returns full path to a executable. Args: cmd (str): Executable command to search for. Returns: (str) Full path to command. None if it is not found. Example:: full_path_to_python = which("python")
[ "Returns", "full", "path", "to", "a", "executable", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/os/path.py#L15-L41
3,814
materialsvirtuallab/monty
monty/inspect.py
all_subclasses
def all_subclasses(cls): """ Given a class `cls`, this recursive function returns a list with all subclasses, subclasses of subclasses, and so on. """ subclasses = cls.__subclasses__() return subclasses + [g for s in subclasses for g in all_subclasses(s)]
python
def all_subclasses(cls): """ Given a class `cls`, this recursive function returns a list with all subclasses, subclasses of subclasses, and so on. """ subclasses = cls.__subclasses__() return subclasses + [g for s in subclasses for g in all_subclasses(s)]
[ "def", "all_subclasses", "(", "cls", ")", ":", "subclasses", "=", "cls", ".", "__subclasses__", "(", ")", "return", "subclasses", "+", "[", "g", "for", "s", "in", "subclasses", "for", "g", "in", "all_subclasses", "(", "s", ")", "]" ]
Given a class `cls`, this recursive function returns a list with all subclasses, subclasses of subclasses, and so on.
[ "Given", "a", "class", "cls", "this", "recursive", "function", "returns", "a", "list", "with", "all", "subclasses", "subclasses", "of", "subclasses", "and", "so", "on", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/inspect.py#L11-L17
3,815
materialsvirtuallab/monty
monty/inspect.py
find_top_pyfile
def find_top_pyfile(): """ This function inspects the Cpython frame to find the path of the script. """ import os frame = currentframe() while True: if frame.f_back is None: finfo = getframeinfo(frame) #print(getframeinfo(frame)) return os.path.abspath...
python
def find_top_pyfile(): """ This function inspects the Cpython frame to find the path of the script. """ import os frame = currentframe() while True: if frame.f_back is None: finfo = getframeinfo(frame) #print(getframeinfo(frame)) return os.path.abspath...
[ "def", "find_top_pyfile", "(", ")", ":", "import", "os", "frame", "=", "currentframe", "(", ")", "while", "True", ":", "if", "frame", ".", "f_back", "is", "None", ":", "finfo", "=", "getframeinfo", "(", "frame", ")", "#print(getframeinfo(frame))", "return", ...
This function inspects the Cpython frame to find the path of the script.
[ "This", "function", "inspects", "the", "Cpython", "frame", "to", "find", "the", "path", "of", "the", "script", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/inspect.py#L20-L32
3,816
materialsvirtuallab/monty
monty/pprint.py
pprint_table
def pprint_table(table, out=sys.stdout, rstrip=False): """ Prints out a table of data, padded for alignment Each row must have the same number of columns. Args: table: The table to print. A list of lists. out: Output stream (file-like object) rstrip: if True, trailing withespace...
python
def pprint_table(table, out=sys.stdout, rstrip=False): """ Prints out a table of data, padded for alignment Each row must have the same number of columns. Args: table: The table to print. A list of lists. out: Output stream (file-like object) rstrip: if True, trailing withespace...
[ "def", "pprint_table", "(", "table", ",", "out", "=", "sys", ".", "stdout", ",", "rstrip", "=", "False", ")", ":", "def", "max_width_col", "(", "table", ",", "col_idx", ")", ":", "\"\"\"\n Get the maximum width of the given column index\n \"\"\"", "ret...
Prints out a table of data, padded for alignment Each row must have the same number of columns. Args: table: The table to print. A list of lists. out: Output stream (file-like object) rstrip: if True, trailing withespaces are removed from the entries.
[ "Prints", "out", "a", "table", "of", "data", "padded", "for", "alignment", "Each", "row", "must", "have", "the", "same", "number", "of", "columns", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/pprint.py#L10-L42
3,817
materialsvirtuallab/monty
monty/fractions.py
gcd
def gcd(*numbers): """ Returns the greatest common divisor for a sequence of numbers. Args: \*numbers: Sequence of numbers. Returns: (int) Greatest common divisor of numbers. """ n = numbers[0] for i in numbers: n = pygcd(n, i) return n
python
def gcd(*numbers): """ Returns the greatest common divisor for a sequence of numbers. Args: \*numbers: Sequence of numbers. Returns: (int) Greatest common divisor of numbers. """ n = numbers[0] for i in numbers: n = pygcd(n, i) return n
[ "def", "gcd", "(", "*", "numbers", ")", ":", "n", "=", "numbers", "[", "0", "]", "for", "i", "in", "numbers", ":", "n", "=", "pygcd", "(", "n", ",", "i", ")", "return", "n" ]
Returns the greatest common divisor for a sequence of numbers. Args: \*numbers: Sequence of numbers. Returns: (int) Greatest common divisor of numbers.
[ "Returns", "the", "greatest", "common", "divisor", "for", "a", "sequence", "of", "numbers", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/fractions.py#L22-L35
3,818
materialsvirtuallab/monty
monty/fractions.py
lcm
def lcm(*numbers): """ Return lowest common multiple of a sequence of numbers. Args: \*numbers: Sequence of numbers. Returns: (int) Lowest common multiple of numbers. """ n = 1 for i in numbers: n = (i * n) // gcd(i, n) return n
python
def lcm(*numbers): """ Return lowest common multiple of a sequence of numbers. Args: \*numbers: Sequence of numbers. Returns: (int) Lowest common multiple of numbers. """ n = 1 for i in numbers: n = (i * n) // gcd(i, n) return n
[ "def", "lcm", "(", "*", "numbers", ")", ":", "n", "=", "1", "for", "i", "in", "numbers", ":", "n", "=", "(", "i", "*", "n", ")", "//", "gcd", "(", "i", ",", "n", ")", "return", "n" ]
Return lowest common multiple of a sequence of numbers. Args: \*numbers: Sequence of numbers. Returns: (int) Lowest common multiple of numbers.
[ "Return", "lowest", "common", "multiple", "of", "a", "sequence", "of", "numbers", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/fractions.py#L38-L51
3,819
materialsvirtuallab/monty
monty/fractions.py
gcd_float
def gcd_float(numbers, tol=1e-8): """ Returns the greatest common divisor for a sequence of numbers. Uses a numerical tolerance, so can be used on floats Args: numbers: Sequence of numbers. tol: Numerical tolerance Returns: (int) Greatest common divisor of numbers. """ ...
python
def gcd_float(numbers, tol=1e-8): """ Returns the greatest common divisor for a sequence of numbers. Uses a numerical tolerance, so can be used on floats Args: numbers: Sequence of numbers. tol: Numerical tolerance Returns: (int) Greatest common divisor of numbers. """ ...
[ "def", "gcd_float", "(", "numbers", ",", "tol", "=", "1e-8", ")", ":", "def", "pair_gcd_tol", "(", "a", ",", "b", ")", ":", "\"\"\"Calculate the Greatest Common Divisor of a and b.\n\n Unless b==0, the result will have the same sign as b (so that when\n b is divided...
Returns the greatest common divisor for a sequence of numbers. Uses a numerical tolerance, so can be used on floats Args: numbers: Sequence of numbers. tol: Numerical tolerance Returns: (int) Greatest common divisor of numbers.
[ "Returns", "the", "greatest", "common", "divisor", "for", "a", "sequence", "of", "numbers", ".", "Uses", "a", "numerical", "tolerance", "so", "can", "be", "used", "on", "floats" ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/fractions.py#L54-L80
3,820
materialsvirtuallab/monty
monty/itertools.py
chunks
def chunks(items, n): """ Yield successive n-sized chunks from a list-like object. >>> import pprint >>> pprint.pprint(list(chunks(range(1, 25), 10))) [(1, 2, 3, 4, 5, 6, 7, 8, 9, 10), (11, 12, 13, 14, 15, 16, 17, 18, 19, 20), (21, 22, 23, 24)] """ it = iter(items) chunk = tup...
python
def chunks(items, n): """ Yield successive n-sized chunks from a list-like object. >>> import pprint >>> pprint.pprint(list(chunks(range(1, 25), 10))) [(1, 2, 3, 4, 5, 6, 7, 8, 9, 10), (11, 12, 13, 14, 15, 16, 17, 18, 19, 20), (21, 22, 23, 24)] """ it = iter(items) chunk = tup...
[ "def", "chunks", "(", "items", ",", "n", ")", ":", "it", "=", "iter", "(", "items", ")", "chunk", "=", "tuple", "(", "itertools", ".", "islice", "(", "it", ",", "n", ")", ")", "while", "chunk", ":", "yield", "chunk", "chunk", "=", "tuple", "(", ...
Yield successive n-sized chunks from a list-like object. >>> import pprint >>> pprint.pprint(list(chunks(range(1, 25), 10))) [(1, 2, 3, 4, 5, 6, 7, 8, 9, 10), (11, 12, 13, 14, 15, 16, 17, 18, 19, 20), (21, 22, 23, 24)]
[ "Yield", "successive", "n", "-", "sized", "chunks", "from", "a", "list", "-", "like", "object", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/itertools.py#L7-L21
3,821
materialsvirtuallab/monty
monty/itertools.py
iterator_from_slice
def iterator_from_slice(s): """ Constructs an iterator given a slice object s. .. note:: The function returns an infinite iterator if s.stop is None """ import numpy as np start = s.start if s.start is not None else 0 step = s.step if s.step is not None else 1 if s.stop is Non...
python
def iterator_from_slice(s): """ Constructs an iterator given a slice object s. .. note:: The function returns an infinite iterator if s.stop is None """ import numpy as np start = s.start if s.start is not None else 0 step = s.step if s.step is not None else 1 if s.stop is Non...
[ "def", "iterator_from_slice", "(", "s", ")", ":", "import", "numpy", "as", "np", "start", "=", "s", ".", "start", "if", "s", ".", "start", "is", "not", "None", "else", "0", "step", "=", "s", ".", "step", "if", "s", ".", "step", "is", "not", "None...
Constructs an iterator given a slice object s. .. note:: The function returns an infinite iterator if s.stop is None
[ "Constructs", "an", "iterator", "given", "a", "slice", "object", "s", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/itertools.py#L24-L41
3,822
materialsvirtuallab/monty
monty/termcolor.py
colored_map
def colored_map(text, cmap): """ Return colorized text. cmap is a dict mapping tokens to color options. .. Example: colored_key("foo bar", {bar: "green"}) colored_key("foo bar", {bar: {"color": "green", "on_color": "on_red"}}) """ if not __ISON: return text for key, v in cmap.i...
python
def colored_map(text, cmap): """ Return colorized text. cmap is a dict mapping tokens to color options. .. Example: colored_key("foo bar", {bar: "green"}) colored_key("foo bar", {bar: {"color": "green", "on_color": "on_red"}}) """ if not __ISON: return text for key, v in cmap.i...
[ "def", "colored_map", "(", "text", ",", "cmap", ")", ":", "if", "not", "__ISON", ":", "return", "text", "for", "key", ",", "v", "in", "cmap", ".", "items", "(", ")", ":", "if", "isinstance", "(", "v", ",", "dict", ")", ":", "text", "=", "text", ...
Return colorized text. cmap is a dict mapping tokens to color options. .. Example: colored_key("foo bar", {bar: "green"}) colored_key("foo bar", {bar: {"color": "green", "on_color": "on_red"}})
[ "Return", "colorized", "text", ".", "cmap", "is", "a", "dict", "mapping", "tokens", "to", "color", "options", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/termcolor.py#L161-L176
3,823
materialsvirtuallab/monty
monty/termcolor.py
cprint_map
def cprint_map(text, cmap, **kwargs): """ Print colorize text. cmap is a dict mapping keys to color options. kwargs are passed to print function Example: cprint_map("Hello world", {"Hello": "red"}) """ try: print(colored_map(text, cmap), **kwargs) except TypeError: ...
python
def cprint_map(text, cmap, **kwargs): """ Print colorize text. cmap is a dict mapping keys to color options. kwargs are passed to print function Example: cprint_map("Hello world", {"Hello": "red"}) """ try: print(colored_map(text, cmap), **kwargs) except TypeError: ...
[ "def", "cprint_map", "(", "text", ",", "cmap", ",", "*", "*", "kwargs", ")", ":", "try", ":", "print", "(", "colored_map", "(", "text", ",", "cmap", ")", ",", "*", "*", "kwargs", ")", "except", "TypeError", ":", "# flush is not supported by py2.7", "kwar...
Print colorize text. cmap is a dict mapping keys to color options. kwargs are passed to print function Example: cprint_map("Hello world", {"Hello": "red"})
[ "Print", "colorize", "text", ".", "cmap", "is", "a", "dict", "mapping", "keys", "to", "color", "options", ".", "kwargs", "are", "passed", "to", "print", "function" ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/termcolor.py#L179-L193
3,824
materialsvirtuallab/monty
monty/json.py
MSONable.as_dict
def as_dict(self): """ A JSON serializable dict representation of an object. """ d = {"@module": self.__class__.__module__, "@class": self.__class__.__name__} try: parent_module = self.__class__.__module__.split('.')[0] module_version = impor...
python
def as_dict(self): """ A JSON serializable dict representation of an object. """ d = {"@module": self.__class__.__module__, "@class": self.__class__.__name__} try: parent_module = self.__class__.__module__.split('.')[0] module_version = impor...
[ "def", "as_dict", "(", "self", ")", ":", "d", "=", "{", "\"@module\"", ":", "self", ".", "__class__", ".", "__module__", ",", "\"@class\"", ":", "self", ".", "__class__", ".", "__name__", "}", "try", ":", "parent_module", "=", "self", ".", "__class__", ...
A JSON serializable dict representation of an object.
[ "A", "JSON", "serializable", "dict", "representation", "of", "an", "object", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/json.py#L74-L120
3,825
materialsvirtuallab/monty
monty/json.py
MontyDecoder.process_decoded
def process_decoded(self, d): """ Recursive method to support decoding dicts and lists containing pymatgen objects. """ if isinstance(d, dict): if "@module" in d and "@class" in d: modname = d["@module"] classname = d["@class"] ...
python
def process_decoded(self, d): """ Recursive method to support decoding dicts and lists containing pymatgen objects. """ if isinstance(d, dict): if "@module" in d and "@class" in d: modname = d["@module"] classname = d["@class"] ...
[ "def", "process_decoded", "(", "self", ",", "d", ")", ":", "if", "isinstance", "(", "d", ",", "dict", ")", ":", "if", "\"@module\"", "in", "d", "and", "\"@class\"", "in", "d", ":", "modname", "=", "d", "[", "\"@module\"", "]", "classname", "=", "d", ...
Recursive method to support decoding dicts and lists containing pymatgen objects.
[ "Recursive", "method", "to", "support", "decoding", "dicts", "and", "lists", "containing", "pymatgen", "objects", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/json.py#L210-L252
3,826
materialsvirtuallab/monty
monty/math.py
nCr
def nCr(n, r): """ Calculates nCr. Args: n (int): total number of items. r (int): items to choose Returns: nCr. """ f = math.factorial return int(f(n) / f(r) / f(n-r))
python
def nCr(n, r): """ Calculates nCr. Args: n (int): total number of items. r (int): items to choose Returns: nCr. """ f = math.factorial return int(f(n) / f(r) / f(n-r))
[ "def", "nCr", "(", "n", ",", "r", ")", ":", "f", "=", "math", ".", "factorial", "return", "int", "(", "f", "(", "n", ")", "/", "f", "(", "r", ")", "/", "f", "(", "n", "-", "r", ")", ")" ]
Calculates nCr. Args: n (int): total number of items. r (int): items to choose Returns: nCr.
[ "Calculates", "nCr", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/math.py#L20-L32
3,827
materialsvirtuallab/monty
monty/math.py
nPr
def nPr(n, r): """ Calculates nPr. Args: n (int): total number of items. r (int): items to permute Returns: nPr. """ f = math.factorial return int(f(n) / f(n-r))
python
def nPr(n, r): """ Calculates nPr. Args: n (int): total number of items. r (int): items to permute Returns: nPr. """ f = math.factorial return int(f(n) / f(n-r))
[ "def", "nPr", "(", "n", ",", "r", ")", ":", "f", "=", "math", ".", "factorial", "return", "int", "(", "f", "(", "n", ")", "/", "f", "(", "n", "-", "r", ")", ")" ]
Calculates nPr. Args: n (int): total number of items. r (int): items to permute Returns: nPr.
[ "Calculates", "nPr", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/math.py#L35-L47
3,828
materialsvirtuallab/monty
monty/shutil.py
copy_r
def copy_r(src, dst): """ Implements a recursive copy function similar to Unix's "cp -r" command. Surprisingly, python does not have a real equivalent. shutil.copytree only works if the destination directory is not present. Args: src (str): Source folder to copy. dst (str): Destinat...
python
def copy_r(src, dst): """ Implements a recursive copy function similar to Unix's "cp -r" command. Surprisingly, python does not have a real equivalent. shutil.copytree only works if the destination directory is not present. Args: src (str): Source folder to copy. dst (str): Destinat...
[ "def", "copy_r", "(", "src", ",", "dst", ")", ":", "abssrc", "=", "os", ".", "path", ".", "abspath", "(", "src", ")", "absdst", "=", "os", ".", "path", ".", "abspath", "(", "dst", ")", "try", ":", "os", ".", "makedirs", "(", "absdst", ")", "exc...
Implements a recursive copy function similar to Unix's "cp -r" command. Surprisingly, python does not have a real equivalent. shutil.copytree only works if the destination directory is not present. Args: src (str): Source folder to copy. dst (str): Destination folder.
[ "Implements", "a", "recursive", "copy", "function", "similar", "to", "Unix", "s", "cp", "-", "r", "command", ".", "Surprisingly", "python", "does", "not", "have", "a", "real", "equivalent", ".", "shutil", ".", "copytree", "only", "works", "if", "the", "des...
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L15-L40
3,829
materialsvirtuallab/monty
monty/shutil.py
gzip_dir
def gzip_dir(path, compresslevel=6): """ Gzips all files in a directory. Note that this is different from shutil.make_archive, which creates a tar archive. The aim of this method is to create gzipped files that can still be read using common Unix-style commands like zless or zcat. Args: ...
python
def gzip_dir(path, compresslevel=6): """ Gzips all files in a directory. Note that this is different from shutil.make_archive, which creates a tar archive. The aim of this method is to create gzipped files that can still be read using common Unix-style commands like zless or zcat. Args: ...
[ "def", "gzip_dir", "(", "path", ",", "compresslevel", "=", "6", ")", ":", "for", "f", "in", "os", ".", "listdir", "(", "path", ")", ":", "full_f", "=", "os", ".", "path", ".", "join", "(", "path", ",", "f", ")", "if", "not", "f", ".", "lower", ...
Gzips all files in a directory. Note that this is different from shutil.make_archive, which creates a tar archive. The aim of this method is to create gzipped files that can still be read using common Unix-style commands like zless or zcat. Args: path (str): Path to directory. compressl...
[ "Gzips", "all", "files", "in", "a", "directory", ".", "Note", "that", "this", "is", "different", "from", "shutil", ".", "make_archive", "which", "creates", "a", "tar", "archive", ".", "The", "aim", "of", "this", "method", "is", "to", "create", "gzipped", ...
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L43-L63
3,830
materialsvirtuallab/monty
monty/shutil.py
compress_file
def compress_file(filepath, compression="gz"): """ Compresses a file with the correct extension. Functions like standard Unix command line gzip and bzip2 in the sense that the original uncompressed files are not retained. Args: filepath (str): Path to file. compression (str): A comp...
python
def compress_file(filepath, compression="gz"): """ Compresses a file with the correct extension. Functions like standard Unix command line gzip and bzip2 in the sense that the original uncompressed files are not retained. Args: filepath (str): Path to file. compression (str): A comp...
[ "def", "compress_file", "(", "filepath", ",", "compression", "=", "\"gz\"", ")", ":", "if", "compression", "not", "in", "[", "\"gz\"", ",", "\"bz2\"", "]", ":", "raise", "ValueError", "(", "\"Supported compression formats are 'gz' and 'bz2'.\"", ")", "from", "mont...
Compresses a file with the correct extension. Functions like standard Unix command line gzip and bzip2 in the sense that the original uncompressed files are not retained. Args: filepath (str): Path to file. compression (str): A compression mode. Valid options are "gz" or "bz2". ...
[ "Compresses", "a", "file", "with", "the", "correct", "extension", ".", "Functions", "like", "standard", "Unix", "command", "line", "gzip", "and", "bzip2", "in", "the", "sense", "that", "the", "original", "uncompressed", "files", "are", "not", "retained", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L66-L84
3,831
materialsvirtuallab/monty
monty/shutil.py
compress_dir
def compress_dir(path, compression="gz"): """ Recursively compresses all files in a directory. Note that this compresses all files singly, i.e., it does not create a tar archive. For that, just use Python tarfile class. Args: path (str): Path to parent directory. compression (str): ...
python
def compress_dir(path, compression="gz"): """ Recursively compresses all files in a directory. Note that this compresses all files singly, i.e., it does not create a tar archive. For that, just use Python tarfile class. Args: path (str): Path to parent directory. compression (str): ...
[ "def", "compress_dir", "(", "path", ",", "compression", "=", "\"gz\"", ")", ":", "for", "parent", ",", "subdirs", ",", "files", "in", "os", ".", "walk", "(", "path", ")", ":", "for", "f", "in", "files", ":", "compress_file", "(", "os", ".", "path", ...
Recursively compresses all files in a directory. Note that this compresses all files singly, i.e., it does not create a tar archive. For that, just use Python tarfile class. Args: path (str): Path to parent directory. compression (str): A compression mode. Valid options are "gz" or ...
[ "Recursively", "compresses", "all", "files", "in", "a", "directory", ".", "Note", "that", "this", "compresses", "all", "files", "singly", "i", ".", "e", ".", "it", "does", "not", "create", "a", "tar", "archive", ".", "For", "that", "just", "use", "Python...
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L87-L100
3,832
materialsvirtuallab/monty
monty/shutil.py
decompress_file
def decompress_file(filepath): """ Decompresses a file with the correct extension. Automatically detects gz, bz2 or z extension. Args: filepath (str): Path to file. compression (str): A compression mode. Valid options are "gz" or "bz2". Defaults to "gz". """ toks = f...
python
def decompress_file(filepath): """ Decompresses a file with the correct extension. Automatically detects gz, bz2 or z extension. Args: filepath (str): Path to file. compression (str): A compression mode. Valid options are "gz" or "bz2". Defaults to "gz". """ toks = f...
[ "def", "decompress_file", "(", "filepath", ")", ":", "toks", "=", "filepath", ".", "split", "(", "\".\"", ")", "file_ext", "=", "toks", "[", "-", "1", "]", ".", "upper", "(", ")", "from", "monty", ".", "io", "import", "zopen", "if", "file_ext", "in",...
Decompresses a file with the correct extension. Automatically detects gz, bz2 or z extension. Args: filepath (str): Path to file. compression (str): A compression mode. Valid options are "gz" or "bz2". Defaults to "gz".
[ "Decompresses", "a", "file", "with", "the", "correct", "extension", ".", "Automatically", "detects", "gz", "bz2", "or", "z", "extension", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L103-L120
3,833
materialsvirtuallab/monty
monty/shutil.py
decompress_dir
def decompress_dir(path): """ Recursively decompresses all files in a directory. Args: path (str): Path to parent directory. """ for parent, subdirs, files in os.walk(path): for f in files: decompress_file(os.path.join(parent, f))
python
def decompress_dir(path): """ Recursively decompresses all files in a directory. Args: path (str): Path to parent directory. """ for parent, subdirs, files in os.walk(path): for f in files: decompress_file(os.path.join(parent, f))
[ "def", "decompress_dir", "(", "path", ")", ":", "for", "parent", ",", "subdirs", ",", "files", "in", "os", ".", "walk", "(", "path", ")", ":", "for", "f", "in", "files", ":", "decompress_file", "(", "os", ".", "path", ".", "join", "(", "parent", ",...
Recursively decompresses all files in a directory. Args: path (str): Path to parent directory.
[ "Recursively", "decompresses", "all", "files", "in", "a", "directory", "." ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L123-L132
3,834
materialsvirtuallab/monty
monty/shutil.py
remove
def remove(path, follow_symlink=False): """ Implements an remove function that will delete files, folder trees and symlink trees 1.) Remove a file 2.) Remove a symlink and follow into with a recursive rm if follow_symlink 3.) Remove directory with rmtree Args: path (str): path to remov...
python
def remove(path, follow_symlink=False): """ Implements an remove function that will delete files, folder trees and symlink trees 1.) Remove a file 2.) Remove a symlink and follow into with a recursive rm if follow_symlink 3.) Remove directory with rmtree Args: path (str): path to remov...
[ "def", "remove", "(", "path", ",", "follow_symlink", "=", "False", ")", ":", "if", "os", ".", "path", ".", "isfile", "(", "path", ")", ":", "os", ".", "remove", "(", "path", ")", "elif", "os", ".", "path", ".", "islink", "(", "path", ")", ":", ...
Implements an remove function that will delete files, folder trees and symlink trees 1.) Remove a file 2.) Remove a symlink and follow into with a recursive rm if follow_symlink 3.) Remove directory with rmtree Args: path (str): path to remove follow_symlink(bool): follow symlinks and ...
[ "Implements", "an", "remove", "function", "that", "will", "delete", "files", "folder", "trees", "and", "symlink", "trees" ]
d99d6f3c68372d83489d28ff515566c93cd569e2
https://github.com/materialsvirtuallab/monty/blob/d99d6f3c68372d83489d28ff515566c93cd569e2/monty/shutil.py#L135-L154
3,835
fair-research/bdbag
bdbag/bdbag_utils.py
compute_hashes
def compute_hashes(obj, hashes=frozenset(['md5'])): """ Digests input data read from file-like object fd or passed directly as bytes-like object. Compute hashes for multiple algorithms. Default is MD5. Returns a tuple of a hex-encoded digest string and a base64-encoded value suitable for an HTT...
python
def compute_hashes(obj, hashes=frozenset(['md5'])): """ Digests input data read from file-like object fd or passed directly as bytes-like object. Compute hashes for multiple algorithms. Default is MD5. Returns a tuple of a hex-encoded digest string and a base64-encoded value suitable for an HTT...
[ "def", "compute_hashes", "(", "obj", ",", "hashes", "=", "frozenset", "(", "[", "'md5'", "]", ")", ")", ":", "if", "not", "(", "hasattr", "(", "obj", ",", "'read'", ")", "or", "isinstance", "(", "obj", ",", "bytes", ")", ")", ":", "raise", "ValueEr...
Digests input data read from file-like object fd or passed directly as bytes-like object. Compute hashes for multiple algorithms. Default is MD5. Returns a tuple of a hex-encoded digest string and a base64-encoded value suitable for an HTTP header.
[ "Digests", "input", "data", "read", "from", "file", "-", "like", "object", "fd", "or", "passed", "directly", "as", "bytes", "-", "like", "object", ".", "Compute", "hashes", "for", "multiple", "algorithms", ".", "Default", "is", "MD5", ".", "Returns", "a", ...
795229d1fb77721d0a2d024b34645319d15502cf
https://github.com/fair-research/bdbag/blob/795229d1fb77721d0a2d024b34645319d15502cf/bdbag/bdbag_utils.py#L221-L258
3,836
fair-research/bdbag
bdbag/bdbag_utils.py
compute_file_hashes
def compute_file_hashes(file_path, hashes=frozenset(['md5'])): """ Digests data read from file denoted by file_path. """ if not os.path.exists(file_path): logging.warning("%s does not exist" % file_path) return else: logging.debug("Computing [%s] hashes for file [%s]" % ('...
python
def compute_file_hashes(file_path, hashes=frozenset(['md5'])): """ Digests data read from file denoted by file_path. """ if not os.path.exists(file_path): logging.warning("%s does not exist" % file_path) return else: logging.debug("Computing [%s] hashes for file [%s]" % ('...
[ "def", "compute_file_hashes", "(", "file_path", ",", "hashes", "=", "frozenset", "(", "[", "'md5'", "]", ")", ")", ":", "if", "not", "os", ".", "path", ".", "exists", "(", "file_path", ")", ":", "logging", ".", "warning", "(", "\"%s does not exist\"", "%...
Digests data read from file denoted by file_path.
[ "Digests", "data", "read", "from", "file", "denoted", "by", "file_path", "." ]
795229d1fb77721d0a2d024b34645319d15502cf
https://github.com/fair-research/bdbag/blob/795229d1fb77721d0a2d024b34645319d15502cf/bdbag/bdbag_utils.py#L261-L276
3,837
fair-research/bdbag
bdbag/bdbagit.py
BDBag.validate
def validate(self, processes=1, fast=False, completeness_only=False, callback=None): """Checks the structure and contents are valid. If you supply the parameter fast=True the Payload-Oxum (if present) will be used to check that the payload files are present and accounted for, instead of...
python
def validate(self, processes=1, fast=False, completeness_only=False, callback=None): """Checks the structure and contents are valid. If you supply the parameter fast=True the Payload-Oxum (if present) will be used to check that the payload files are present and accounted for, instead of...
[ "def", "validate", "(", "self", ",", "processes", "=", "1", ",", "fast", "=", "False", ",", "completeness_only", "=", "False", ",", "callback", "=", "None", ")", ":", "self", ".", "_validate_structure", "(", ")", "self", ".", "_validate_bagittxt", "(", "...
Checks the structure and contents are valid. If you supply the parameter fast=True the Payload-Oxum (if present) will be used to check that the payload files are present and accounted for, instead of re-calculating fixities and comparing them against the manifest. By default validate() ...
[ "Checks", "the", "structure", "and", "contents", "are", "valid", "." ]
795229d1fb77721d0a2d024b34645319d15502cf
https://github.com/fair-research/bdbag/blob/795229d1fb77721d0a2d024b34645319d15502cf/bdbag/bdbagit.py#L473-L489
3,838
fair-research/bdbag
bdbag/bdbagit.py
BDBag._validate_fetch
def _validate_fetch(self): """Validate the fetch.txt file Raises `BagError` for errors and otherwise returns no value """ for url, file_size, filename in self.fetch_entries(): # fetch_entries will raise a BagError for unsafe filenames # so at this point we will c...
python
def _validate_fetch(self): """Validate the fetch.txt file Raises `BagError` for errors and otherwise returns no value """ for url, file_size, filename in self.fetch_entries(): # fetch_entries will raise a BagError for unsafe filenames # so at this point we will c...
[ "def", "_validate_fetch", "(", "self", ")", ":", "for", "url", ",", "file_size", ",", "filename", "in", "self", ".", "fetch_entries", "(", ")", ":", "# fetch_entries will raise a BagError for unsafe filenames", "# so at this point we will check only that the URL is minimally"...
Validate the fetch.txt file Raises `BagError` for errors and otherwise returns no value
[ "Validate", "the", "fetch", ".", "txt", "file" ]
795229d1fb77721d0a2d024b34645319d15502cf
https://github.com/fair-research/bdbag/blob/795229d1fb77721d0a2d024b34645319d15502cf/bdbag/bdbagit.py#L491-L505
3,839
fair-research/bdbag
bdbag/bdbagit.py
BDBag._validate_completeness
def _validate_completeness(self): """ Verify that the actual file manifests match the files in the data directory """ errors = list() # First we'll make sure there's no mismatch between the filesystem # and the list of files in the manifest(s) only_in_manifests, ...
python
def _validate_completeness(self): """ Verify that the actual file manifests match the files in the data directory """ errors = list() # First we'll make sure there's no mismatch between the filesystem # and the list of files in the manifest(s) only_in_manifests, ...
[ "def", "_validate_completeness", "(", "self", ")", ":", "errors", "=", "list", "(", ")", "# First we'll make sure there's no mismatch between the filesystem", "# and the list of files in the manifest(s)", "only_in_manifests", ",", "only_on_fs", ",", "only_in_fetch", "=", "self"...
Verify that the actual file manifests match the files in the data directory
[ "Verify", "that", "the", "actual", "file", "manifests", "match", "the", "files", "in", "the", "data", "directory" ]
795229d1fb77721d0a2d024b34645319d15502cf
https://github.com/fair-research/bdbag/blob/795229d1fb77721d0a2d024b34645319d15502cf/bdbag/bdbagit.py#L523-L546
3,840
alertot/detectem
detectem/cli.py
get_detection_results
def get_detection_results(url, timeout, metadata=False, save_har=False): """ Return results from detector. This function prepares the environment loading the plugins, getting the response and passing it to the detector. In case of errors, it raises exceptions to be handled externally. """ plu...
python
def get_detection_results(url, timeout, metadata=False, save_har=False): """ Return results from detector. This function prepares the environment loading the plugins, getting the response and passing it to the detector. In case of errors, it raises exceptions to be handled externally. """ plu...
[ "def", "get_detection_results", "(", "url", ",", "timeout", ",", "metadata", "=", "False", ",", "save_har", "=", "False", ")", ":", "plugins", "=", "load_plugins", "(", ")", "if", "not", "plugins", ":", "raise", "NoPluginsError", "(", "'No plugins found'", "...
Return results from detector. This function prepares the environment loading the plugins, getting the response and passing it to the detector. In case of errors, it raises exceptions to be handled externally.
[ "Return", "results", "from", "detector", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/cli.py#L73-L106
3,841
alertot/detectem
detectem/cli.py
get_plugins
def get_plugins(metadata): """ Return the registered plugins. Load and return all registered plugins. """ plugins = load_plugins() if not plugins: raise NoPluginsError('No plugins found') results = [] for p in sorted(plugins.get_all(), key=attrgetter('name')): if metadata: ...
python
def get_plugins(metadata): """ Return the registered plugins. Load and return all registered plugins. """ plugins = load_plugins() if not plugins: raise NoPluginsError('No plugins found') results = [] for p in sorted(plugins.get_all(), key=attrgetter('name')): if metadata: ...
[ "def", "get_plugins", "(", "metadata", ")", ":", "plugins", "=", "load_plugins", "(", ")", "if", "not", "plugins", ":", "raise", "NoPluginsError", "(", "'No plugins found'", ")", "results", "=", "[", "]", "for", "p", "in", "sorted", "(", "plugins", ".", ...
Return the registered plugins. Load and return all registered plugins.
[ "Return", "the", "registered", "plugins", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/cli.py#L109-L128
3,842
alertot/detectem
detectem/utils.py
get_most_complete_pm
def get_most_complete_pm(pms): """ Return plugin match with longer version, if not available will return plugin match with ``presence=True`` """ if not pms: return None selected_version = None selected_presence = None for pm in pms: if pm.version: if not sel...
python
def get_most_complete_pm(pms): """ Return plugin match with longer version, if not available will return plugin match with ``presence=True`` """ if not pms: return None selected_version = None selected_presence = None for pm in pms: if pm.version: if not sel...
[ "def", "get_most_complete_pm", "(", "pms", ")", ":", "if", "not", "pms", ":", "return", "None", "selected_version", "=", "None", "selected_presence", "=", "None", "for", "pm", "in", "pms", ":", "if", "pm", ".", "version", ":", "if", "not", "selected_versio...
Return plugin match with longer version, if not available will return plugin match with ``presence=True``
[ "Return", "plugin", "match", "with", "longer", "version", "if", "not", "available", "will", "return", "plugin", "match", "with", "presence", "=", "True" ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/utils.py#L25-L45
3,843
alertot/detectem
detectem/utils.py
docker_container
def docker_container(): """ Start the Splash server on a Docker container. If the container doesn't exist, it is created and named 'splash-detectem'. """ if SETUP_SPLASH: dm = DockerManager() dm.start_container() try: requests.post(f'{SPLASH_URL}/_gc') except requests.e...
python
def docker_container(): """ Start the Splash server on a Docker container. If the container doesn't exist, it is created and named 'splash-detectem'. """ if SETUP_SPLASH: dm = DockerManager() dm.start_container() try: requests.post(f'{SPLASH_URL}/_gc') except requests.e...
[ "def", "docker_container", "(", ")", ":", "if", "SETUP_SPLASH", ":", "dm", "=", "DockerManager", "(", ")", "dm", ".", "start_container", "(", ")", "try", ":", "requests", ".", "post", "(", "f'{SPLASH_URL}/_gc'", ")", "except", "requests", ".", "exceptions", ...
Start the Splash server on a Docker container. If the container doesn't exist, it is created and named 'splash-detectem'.
[ "Start", "the", "Splash", "server", "on", "a", "Docker", "container", ".", "If", "the", "container", "doesn", "t", "exist", "it", "is", "created", "and", "named", "splash", "-", "detectem", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/utils.py#L126-L140
3,844
alertot/detectem
detectem/response.py
is_url_allowed
def is_url_allowed(url): """ Return ``True`` if ``url`` is not in ``blacklist``. :rtype: bool """ blacklist = [ r'\.ttf', r'\.woff', r'fonts\.googleapis\.com', r'\.png', r'\.jpe?g', r'\.gif', r'\.svg' ] for ft in blacklist: if re.search(ft, url): return Fal...
python
def is_url_allowed(url): """ Return ``True`` if ``url`` is not in ``blacklist``. :rtype: bool """ blacklist = [ r'\.ttf', r'\.woff', r'fonts\.googleapis\.com', r'\.png', r'\.jpe?g', r'\.gif', r'\.svg' ] for ft in blacklist: if re.search(ft, url): return Fal...
[ "def", "is_url_allowed", "(", "url", ")", ":", "blacklist", "=", "[", "r'\\.ttf'", ",", "r'\\.woff'", ",", "r'fonts\\.googleapis\\.com'", ",", "r'\\.png'", ",", "r'\\.jpe?g'", ",", "r'\\.gif'", ",", "r'\\.svg'", "]", "for", "ft", "in", "blacklist", ":", "if", ...
Return ``True`` if ``url`` is not in ``blacklist``. :rtype: bool
[ "Return", "True", "if", "url", "is", "not", "in", "blacklist", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L21-L36
3,845
alertot/detectem
detectem/response.py
is_valid_mimetype
def is_valid_mimetype(response): """ Return ``True`` if the mimetype is not blacklisted. :rtype: bool """ blacklist = [ 'image/', ] mimetype = response.get('mimeType') if not mimetype: return True for bw in blacklist: if bw in mimetype: return Fals...
python
def is_valid_mimetype(response): """ Return ``True`` if the mimetype is not blacklisted. :rtype: bool """ blacklist = [ 'image/', ] mimetype = response.get('mimeType') if not mimetype: return True for bw in blacklist: if bw in mimetype: return Fals...
[ "def", "is_valid_mimetype", "(", "response", ")", ":", "blacklist", "=", "[", "'image/'", ",", "]", "mimetype", "=", "response", ".", "get", "(", "'mimeType'", ")", "if", "not", "mimetype", ":", "return", "True", "for", "bw", "in", "blacklist", ":", "if"...
Return ``True`` if the mimetype is not blacklisted. :rtype: bool
[ "Return", "True", "if", "the", "mimetype", "is", "not", "blacklisted", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L39-L57
3,846
alertot/detectem
detectem/response.py
get_charset
def get_charset(response): """ Return charset from ``response`` or default charset. :rtype: str """ # Set default charset charset = DEFAULT_CHARSET m = re.findall(r';charset=(.*)', response.get('mimeType', '')) if m: charset = m[0] return charset
python
def get_charset(response): """ Return charset from ``response`` or default charset. :rtype: str """ # Set default charset charset = DEFAULT_CHARSET m = re.findall(r';charset=(.*)', response.get('mimeType', '')) if m: charset = m[0] return charset
[ "def", "get_charset", "(", "response", ")", ":", "# Set default charset", "charset", "=", "DEFAULT_CHARSET", "m", "=", "re", ".", "findall", "(", "r';charset=(.*)'", ",", "response", ".", "get", "(", "'mimeType'", ",", "''", ")", ")", "if", "m", ":", "char...
Return charset from ``response`` or default charset. :rtype: str
[ "Return", "charset", "from", "response", "or", "default", "charset", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L60-L73
3,847
alertot/detectem
detectem/response.py
create_lua_script
def create_lua_script(plugins): """ Return script template filled up with plugin javascript data. :rtype: str """ lua_template = pkg_resources.resource_string('detectem', 'script.lua') template = Template(lua_template.decode('utf-8')) javascript_data = to_javascript_data(plugins) return ...
python
def create_lua_script(plugins): """ Return script template filled up with plugin javascript data. :rtype: str """ lua_template = pkg_resources.resource_string('detectem', 'script.lua') template = Template(lua_template.decode('utf-8')) javascript_data = to_javascript_data(plugins) return ...
[ "def", "create_lua_script", "(", "plugins", ")", ":", "lua_template", "=", "pkg_resources", ".", "resource_string", "(", "'detectem'", ",", "'script.lua'", ")", "template", "=", "Template", "(", "lua_template", ".", "decode", "(", "'utf-8'", ")", ")", "javascrip...
Return script template filled up with plugin javascript data. :rtype: str
[ "Return", "script", "template", "filled", "up", "with", "plugin", "javascript", "data", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L76-L87
3,848
alertot/detectem
detectem/response.py
to_javascript_data
def to_javascript_data(plugins): """ Return a dictionary with all JavaScript matchers. Quotes are escaped. :rtype: dict """ def escape(v): return re.sub(r'"', r'\\"', v) def dom_matchers(p): dom_matchers = p.get_matchers('dom') escaped_dom_matchers = [] for d...
python
def to_javascript_data(plugins): """ Return a dictionary with all JavaScript matchers. Quotes are escaped. :rtype: dict """ def escape(v): return re.sub(r'"', r'\\"', v) def dom_matchers(p): dom_matchers = p.get_matchers('dom') escaped_dom_matchers = [] for d...
[ "def", "to_javascript_data", "(", "plugins", ")", ":", "def", "escape", "(", "v", ")", ":", "return", "re", ".", "sub", "(", "r'\"'", ",", "r'\\\\\"'", ",", "v", ")", "def", "dom_matchers", "(", "p", ")", ":", "dom_matchers", "=", "p", ".", "get_matc...
Return a dictionary with all JavaScript matchers. Quotes are escaped. :rtype: dict
[ "Return", "a", "dictionary", "with", "all", "JavaScript", "matchers", ".", "Quotes", "are", "escaped", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L90-L117
3,849
alertot/detectem
detectem/response.py
get_response
def get_response(url, plugins, timeout=SPLASH_TIMEOUT): """ Return response with HAR, inline scritps and software detected by JS matchers. :rtype: dict """ lua_script = create_lua_script(plugins) lua = urllib.parse.quote_plus(lua_script) page_url = f'{SPLASH_URL}/execute?url={url}&timeout=...
python
def get_response(url, plugins, timeout=SPLASH_TIMEOUT): """ Return response with HAR, inline scritps and software detected by JS matchers. :rtype: dict """ lua_script = create_lua_script(plugins) lua = urllib.parse.quote_plus(lua_script) page_url = f'{SPLASH_URL}/execute?url={url}&timeout=...
[ "def", "get_response", "(", "url", ",", "plugins", ",", "timeout", "=", "SPLASH_TIMEOUT", ")", ":", "lua_script", "=", "create_lua_script", "(", "plugins", ")", "lua", "=", "urllib", ".", "parse", ".", "quote_plus", "(", "lua_script", ")", "page_url", "=", ...
Return response with HAR, inline scritps and software detected by JS matchers. :rtype: dict
[ "Return", "response", "with", "HAR", "inline", "scritps", "and", "software", "detected", "by", "JS", "matchers", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L120-L157
3,850
alertot/detectem
detectem/response.py
get_valid_har
def get_valid_har(har_data): """ Return list of valid HAR entries. :rtype: list """ new_entries = [] entries = har_data.get('log', {}).get('entries', []) logger.debug('[+] Detected %(n)d entries in HAR', {'n': len(entries)}) for entry in entries: url = entry['request']['url'] ...
python
def get_valid_har(har_data): """ Return list of valid HAR entries. :rtype: list """ new_entries = [] entries = har_data.get('log', {}).get('entries', []) logger.debug('[+] Detected %(n)d entries in HAR', {'n': len(entries)}) for entry in entries: url = entry['request']['url'] ...
[ "def", "get_valid_har", "(", "har_data", ")", ":", "new_entries", "=", "[", "]", "entries", "=", "har_data", ".", "get", "(", "'log'", ",", "{", "}", ")", ".", "get", "(", "'entries'", ",", "[", "]", ")", "logger", ".", "debug", "(", "'[+] Detected %...
Return list of valid HAR entries. :rtype: list
[ "Return", "list", "of", "valid", "HAR", "entries", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/response.py#L194-L223
3,851
alertot/detectem
detectem/core.py
HarProcessor._script_to_har_entry
def _script_to_har_entry(cls, script, url): ''' Return entry for embed script ''' entry = { 'request': {'url': url}, 'response': {'url': url, 'content': {'text': script}} } cls._set_entry_type(entry, INLINE_SCRIPT_ENTRY) return entry
python
def _script_to_har_entry(cls, script, url): ''' Return entry for embed script ''' entry = { 'request': {'url': url}, 'response': {'url': url, 'content': {'text': script}} } cls._set_entry_type(entry, INLINE_SCRIPT_ENTRY) return entry
[ "def", "_script_to_har_entry", "(", "cls", ",", "script", ",", "url", ")", ":", "entry", "=", "{", "'request'", ":", "{", "'url'", ":", "url", "}", ",", "'response'", ":", "{", "'url'", ":", "url", ",", "'content'", ":", "{", "'text'", ":", "script",...
Return entry for embed script
[ "Return", "entry", "for", "embed", "script" ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/core.py#L56-L65
3,852
alertot/detectem
detectem/core.py
HarProcessor.mark_entries
def mark_entries(self, entries): ''' Mark one entry as main entry and the rest as resource entry. Main entry is the entry that contain response's body of the requested URL. ''' for entry in entries: self._set_entry_type(entry, RESOURCE_ENTRY) # If f...
python
def mark_entries(self, entries): ''' Mark one entry as main entry and the rest as resource entry. Main entry is the entry that contain response's body of the requested URL. ''' for entry in entries: self._set_entry_type(entry, RESOURCE_ENTRY) # If f...
[ "def", "mark_entries", "(", "self", ",", "entries", ")", ":", "for", "entry", "in", "entries", ":", "self", ".", "_set_entry_type", "(", "entry", ",", "RESOURCE_ENTRY", ")", "# If first entry doesn't have a redirect, set is as main entry", "main_entry", "=", "entries"...
Mark one entry as main entry and the rest as resource entry. Main entry is the entry that contain response's body of the requested URL.
[ "Mark", "one", "entry", "as", "main", "entry", "and", "the", "rest", "as", "resource", "entry", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/core.py#L67-L93
3,853
alertot/detectem
detectem/core.py
Detector.get_hints
def get_hints(self, plugin): ''' Return plugin hints from ``plugin``. ''' hints = [] for hint_name in getattr(plugin, 'hints', []): hint_plugin = self._plugins.get(hint_name) if hint_plugin: hint_result = Result( name=hint_plugin.name,...
python
def get_hints(self, plugin): ''' Return plugin hints from ``plugin``. ''' hints = [] for hint_name in getattr(plugin, 'hints', []): hint_plugin = self._plugins.get(hint_name) if hint_plugin: hint_result = Result( name=hint_plugin.name,...
[ "def", "get_hints", "(", "self", ",", "plugin", ")", ":", "hints", "=", "[", "]", "for", "hint_name", "in", "getattr", "(", "plugin", ",", "'hints'", ",", "[", "]", ")", ":", "hint_plugin", "=", "self", ".", "_plugins", ".", "get", "(", "hint_name", ...
Return plugin hints from ``plugin``.
[ "Return", "plugin", "hints", "from", "plugin", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/core.py#L121-L141
3,854
alertot/detectem
detectem/core.py
Detector.process_from_splash
def process_from_splash(self): ''' Add softwares found in the DOM ''' for software in self._softwares_from_splash: plugin = self._plugins.get(software['name']) # Determine if it's a version or presence result try: additional_data = {'version': softwar...
python
def process_from_splash(self): ''' Add softwares found in the DOM ''' for software in self._softwares_from_splash: plugin = self._plugins.get(software['name']) # Determine if it's a version or presence result try: additional_data = {'version': softwar...
[ "def", "process_from_splash", "(", "self", ")", ":", "for", "software", "in", "self", ".", "_softwares_from_splash", ":", "plugin", "=", "self", ".", "_plugins", ".", "get", "(", "software", "[", "'name'", "]", ")", "# Determine if it's a version or presence resul...
Add softwares found in the DOM
[ "Add", "softwares", "found", "in", "the", "DOM" ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/core.py#L143-L165
3,855
alertot/detectem
detectem/core.py
Detector.process_har
def process_har(self): """ Detect plugins present in the page. """ hints = [] version_plugins = self._plugins.with_version_matchers() generic_plugins = self._plugins.with_generic_matchers() for entry in self.har: for plugin in version_plugins: pm = s...
python
def process_har(self): """ Detect plugins present in the page. """ hints = [] version_plugins = self._plugins.with_version_matchers() generic_plugins = self._plugins.with_generic_matchers() for entry in self.har: for plugin in version_plugins: pm = s...
[ "def", "process_har", "(", "self", ")", ":", "hints", "=", "[", "]", "version_plugins", "=", "self", ".", "_plugins", ".", "with_version_matchers", "(", ")", "generic_plugins", "=", "self", ".", "_plugins", ".", "with_generic_matchers", "(", ")", "for", "ent...
Detect plugins present in the page.
[ "Detect", "plugins", "present", "in", "the", "page", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/core.py#L197-L273
3,856
alertot/detectem
detectem/core.py
Detector.get_results
def get_results(self, metadata=False): """ Return results of the analysis. """ results_data = [] self.process_har() self.process_from_splash() for rt in sorted(self._results.get_results()): rdict = {'name': rt.name} if rt.version: rdict['...
python
def get_results(self, metadata=False): """ Return results of the analysis. """ results_data = [] self.process_har() self.process_from_splash() for rt in sorted(self._results.get_results()): rdict = {'name': rt.name} if rt.version: rdict['...
[ "def", "get_results", "(", "self", ",", "metadata", "=", "False", ")", ":", "results_data", "=", "[", "]", "self", ".", "process_har", "(", ")", "self", ".", "process_from_splash", "(", ")", "for", "rt", "in", "sorted", "(", "self", ".", "_results", "....
Return results of the analysis.
[ "Return", "results", "of", "the", "analysis", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/core.py#L275-L295
3,857
alertot/detectem
detectem/plugin.py
load_plugins
def load_plugins(): """ Return the list of plugin instances. """ loader = _PluginLoader() for pkg in PLUGIN_PACKAGES: loader.load_plugins(pkg) return loader.plugins
python
def load_plugins(): """ Return the list of plugin instances. """ loader = _PluginLoader() for pkg in PLUGIN_PACKAGES: loader.load_plugins(pkg) return loader.plugins
[ "def", "load_plugins", "(", ")", ":", "loader", "=", "_PluginLoader", "(", ")", "for", "pkg", "in", "PLUGIN_PACKAGES", ":", "loader", ".", "load_plugins", "(", "pkg", ")", "return", "loader", ".", "plugins" ]
Return the list of plugin instances.
[ "Return", "the", "list", "of", "plugin", "instances", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/plugin.py#L158-L165
3,858
alertot/detectem
detectem/plugin.py
_PluginLoader._get_plugin_module_paths
def _get_plugin_module_paths(self, plugin_dir): ''' Return a list of every module in `plugin_dir`. ''' filepaths = [ fp for fp in glob.glob('{}/**/*.py'.format(plugin_dir), recursive=True) if not fp.endswith('__init__.py') ] rel_paths = [re.sub(plugin_dir.rstrip('...
python
def _get_plugin_module_paths(self, plugin_dir): ''' Return a list of every module in `plugin_dir`. ''' filepaths = [ fp for fp in glob.glob('{}/**/*.py'.format(plugin_dir), recursive=True) if not fp.endswith('__init__.py') ] rel_paths = [re.sub(plugin_dir.rstrip('...
[ "def", "_get_plugin_module_paths", "(", "self", ",", "plugin_dir", ")", ":", "filepaths", "=", "[", "fp", "for", "fp", "in", "glob", ".", "glob", "(", "'{}/**/*.py'", ".", "format", "(", "plugin_dir", ")", ",", "recursive", "=", "True", ")", "if", "not",...
Return a list of every module in `plugin_dir`.
[ "Return", "a", "list", "of", "every", "module", "in", "plugin_dir", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/plugin.py#L75-L84
3,859
alertot/detectem
detectem/plugin.py
_PluginLoader.load_plugins
def load_plugins(self, plugins_package): ''' Load plugins from `plugins_package` module. ''' try: # Resolve directory in the filesystem plugin_dir = find_spec(plugins_package).submodule_search_locations[0] except ImportError: logger.error( "Cou...
python
def load_plugins(self, plugins_package): ''' Load plugins from `plugins_package` module. ''' try: # Resolve directory in the filesystem plugin_dir = find_spec(plugins_package).submodule_search_locations[0] except ImportError: logger.error( "Cou...
[ "def", "load_plugins", "(", "self", ",", "plugins_package", ")", ":", "try", ":", "# Resolve directory in the filesystem", "plugin_dir", "=", "find_spec", "(", "plugins_package", ")", ".", "submodule_search_locations", "[", "0", "]", "except", "ImportError", ":", "l...
Load plugins from `plugins_package` module.
[ "Load", "plugins", "from", "plugins_package", "module", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/plugin.py#L125-L155
3,860
alertot/detectem
detectem/matchers.py
extract_named_group
def extract_named_group(text, named_group, matchers, return_presence=False): ''' Return ``named_group`` match from ``text`` reached by using a matcher from ``matchers``. It also supports matching without a ``named_group`` in a matcher, which sets ``presence=True``. ``presence`` is ...
python
def extract_named_group(text, named_group, matchers, return_presence=False): ''' Return ``named_group`` match from ``text`` reached by using a matcher from ``matchers``. It also supports matching without a ``named_group`` in a matcher, which sets ``presence=True``. ``presence`` is ...
[ "def", "extract_named_group", "(", "text", ",", "named_group", ",", "matchers", ",", "return_presence", "=", "False", ")", ":", "presence", "=", "False", "for", "matcher", "in", "matchers", ":", "if", "isinstance", "(", "matcher", ",", "str", ")", ":", "v"...
Return ``named_group`` match from ``text`` reached by using a matcher from ``matchers``. It also supports matching without a ``named_group`` in a matcher, which sets ``presence=True``. ``presence`` is only returned if ``return_presence=True``.
[ "Return", "named_group", "match", "from", "text", "reached", "by", "using", "a", "matcher", "from", "matchers", "." ]
b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1
https://github.com/alertot/detectem/blob/b1ecc3543b7c44ee76c4cac0d3896a7747bf86c1/detectem/matchers.py#L12-L48
3,861
jmcarp/robobrowser
robobrowser/browser.py
RoboState.parsed
def parsed(self): """Lazily parse response content, using HTML parser specified by the browser. """ return BeautifulSoup( self.response.content, features=self.browser.parser, )
python
def parsed(self): """Lazily parse response content, using HTML parser specified by the browser. """ return BeautifulSoup( self.response.content, features=self.browser.parser, )
[ "def", "parsed", "(", "self", ")", ":", "return", "BeautifulSoup", "(", "self", ".", "response", ".", "content", ",", "features", "=", "self", ".", "browser", ".", "parser", ",", ")" ]
Lazily parse response content, using HTML parser specified by the browser.
[ "Lazily", "parse", "response", "content", "using", "HTML", "parser", "specified", "by", "the", "browser", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L34-L41
3,862
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser._build_send_args
def _build_send_args(self, **kwargs): """Merge optional arguments with defaults. :param kwargs: Keyword arguments to `Session::send` """ out = {} out.update(self._default_send_args) out.update(kwargs) return out
python
def _build_send_args(self, **kwargs): """Merge optional arguments with defaults. :param kwargs: Keyword arguments to `Session::send` """ out = {} out.update(self._default_send_args) out.update(kwargs) return out
[ "def", "_build_send_args", "(", "self", ",", "*", "*", "kwargs", ")", ":", "out", "=", "{", "}", "out", ".", "update", "(", "self", ".", "_default_send_args", ")", "out", ".", "update", "(", "kwargs", ")", "return", "out" ]
Merge optional arguments with defaults. :param kwargs: Keyword arguments to `Session::send`
[ "Merge", "optional", "arguments", "with", "defaults", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L186-L195
3,863
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser.open
def open(self, url, method='get', **kwargs): """Open a URL. :param str url: URL to open :param str method: Optional method; defaults to `'get'` :param kwargs: Keyword arguments to `Session::request` """ response = self.session.request(method, url, **self._build_send_arg...
python
def open(self, url, method='get', **kwargs): """Open a URL. :param str url: URL to open :param str method: Optional method; defaults to `'get'` :param kwargs: Keyword arguments to `Session::request` """ response = self.session.request(method, url, **self._build_send_arg...
[ "def", "open", "(", "self", ",", "url", ",", "method", "=", "'get'", ",", "*", "*", "kwargs", ")", ":", "response", "=", "self", ".", "session", ".", "request", "(", "method", ",", "url", ",", "*", "*", "self", ".", "_build_send_args", "(", "*", ...
Open a URL. :param str url: URL to open :param str method: Optional method; defaults to `'get'` :param kwargs: Keyword arguments to `Session::request`
[ "Open", "a", "URL", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L197-L206
3,864
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser._update_state
def _update_state(self, response): """Update the state of the browser. Create a new state object, and append to or overwrite the browser's state history. :param requests.MockResponse: New response object """ # Clear trailing states self._states = self._states[:self._cur...
python
def _update_state(self, response): """Update the state of the browser. Create a new state object, and append to or overwrite the browser's state history. :param requests.MockResponse: New response object """ # Clear trailing states self._states = self._states[:self._cur...
[ "def", "_update_state", "(", "self", ",", "response", ")", ":", "# Clear trailing states", "self", ".", "_states", "=", "self", ".", "_states", "[", ":", "self", ".", "_cursor", "+", "1", "]", "# Append new state", "state", "=", "RoboState", "(", "self", "...
Update the state of the browser. Create a new state object, and append to or overwrite the browser's state history. :param requests.MockResponse: New response object
[ "Update", "the", "state", "of", "the", "browser", ".", "Create", "a", "new", "state", "object", "and", "append", "to", "or", "overwrite", "the", "browser", "s", "state", "history", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L208-L228
3,865
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser._traverse
def _traverse(self, n=1): """Traverse state history. Used by `back` and `forward` methods. :param int n: Cursor increment. Positive values move forward in the browser history; negative values move backward. """ if not self.history: raise exceptions.RoboError('No...
python
def _traverse(self, n=1): """Traverse state history. Used by `back` and `forward` methods. :param int n: Cursor increment. Positive values move forward in the browser history; negative values move backward. """ if not self.history: raise exceptions.RoboError('No...
[ "def", "_traverse", "(", "self", ",", "n", "=", "1", ")", ":", "if", "not", "self", ".", "history", ":", "raise", "exceptions", ".", "RoboError", "(", "'Not tracking history'", ")", "cursor", "=", "self", ".", "_cursor", "+", "n", "if", "cursor", ">=",...
Traverse state history. Used by `back` and `forward` methods. :param int n: Cursor increment. Positive values move forward in the browser history; negative values move backward.
[ "Traverse", "state", "history", ".", "Used", "by", "back", "and", "forward", "methods", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L230-L242
3,866
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser.get_link
def get_link(self, text=None, *args, **kwargs): """Find an anchor or button by containing text, as well as standard BeautifulSoup arguments. :param text: String or regex to be matched in link text :return: BeautifulSoup tag if found, else None """ return helpers.find( ...
python
def get_link(self, text=None, *args, **kwargs): """Find an anchor or button by containing text, as well as standard BeautifulSoup arguments. :param text: String or regex to be matched in link text :return: BeautifulSoup tag if found, else None """ return helpers.find( ...
[ "def", "get_link", "(", "self", ",", "text", "=", "None", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "return", "helpers", ".", "find", "(", "self", ".", "parsed", ",", "_link_ptn", ",", "text", "=", "text", ",", "*", "args", ",", "*", ...
Find an anchor or button by containing text, as well as standard BeautifulSoup arguments. :param text: String or regex to be matched in link text :return: BeautifulSoup tag if found, else None
[ "Find", "an", "anchor", "or", "button", "by", "containing", "text", "as", "well", "as", "standard", "BeautifulSoup", "arguments", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L260-L270
3,867
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser.get_links
def get_links(self, text=None, *args, **kwargs): """Find anchors or buttons by containing text, as well as standard BeautifulSoup arguments. :param text: String or regex to be matched in link text :return: List of BeautifulSoup tags """ return helpers.find_all( ...
python
def get_links(self, text=None, *args, **kwargs): """Find anchors or buttons by containing text, as well as standard BeautifulSoup arguments. :param text: String or regex to be matched in link text :return: List of BeautifulSoup tags """ return helpers.find_all( ...
[ "def", "get_links", "(", "self", ",", "text", "=", "None", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "return", "helpers", ".", "find_all", "(", "self", ".", "parsed", ",", "_link_ptn", ",", "text", "=", "text", ",", "*", "args", ",", "...
Find anchors or buttons by containing text, as well as standard BeautifulSoup arguments. :param text: String or regex to be matched in link text :return: List of BeautifulSoup tags
[ "Find", "anchors", "or", "buttons", "by", "containing", "text", "as", "well", "as", "standard", "BeautifulSoup", "arguments", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L272-L282
3,868
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser.get_form
def get_form(self, id=None, *args, **kwargs): """Find form by ID, as well as standard BeautifulSoup arguments. :param str id: Form ID :return: BeautifulSoup tag if found, else None """ if id: kwargs['id'] = id form = self.find(_form_ptn, *args, **kwargs) ...
python
def get_form(self, id=None, *args, **kwargs): """Find form by ID, as well as standard BeautifulSoup arguments. :param str id: Form ID :return: BeautifulSoup tag if found, else None """ if id: kwargs['id'] = id form = self.find(_form_ptn, *args, **kwargs) ...
[ "def", "get_form", "(", "self", ",", "id", "=", "None", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "id", ":", "kwargs", "[", "'id'", "]", "=", "id", "form", "=", "self", ".", "find", "(", "_form_ptn", ",", "*", "args", ",", "*...
Find form by ID, as well as standard BeautifulSoup arguments. :param str id: Form ID :return: BeautifulSoup tag if found, else None
[ "Find", "form", "by", "ID", "as", "well", "as", "standard", "BeautifulSoup", "arguments", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L284-L295
3,869
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser.follow_link
def follow_link(self, link, **kwargs): """Click a link. :param Tag link: Link to click :param kwargs: Keyword arguments to `Session::send` """ try: href = link['href'] except KeyError: raise exceptions.RoboError('Link element must have "href" ' ...
python
def follow_link(self, link, **kwargs): """Click a link. :param Tag link: Link to click :param kwargs: Keyword arguments to `Session::send` """ try: href = link['href'] except KeyError: raise exceptions.RoboError('Link element must have "href" ' ...
[ "def", "follow_link", "(", "self", ",", "link", ",", "*", "*", "kwargs", ")", ":", "try", ":", "href", "=", "link", "[", "'href'", "]", "except", "KeyError", ":", "raise", "exceptions", ".", "RoboError", "(", "'Link element must have \"href\" '", "'attribute...
Click a link. :param Tag link: Link to click :param kwargs: Keyword arguments to `Session::send`
[ "Click", "a", "link", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L311-L323
3,870
jmcarp/robobrowser
robobrowser/browser.py
RoboBrowser.submit_form
def submit_form(self, form, submit=None, **kwargs): """Submit a form. :param Form form: Filled-out form object :param Submit submit: Optional `Submit` to click, if form includes multiple submits :param kwargs: Keyword arguments to `Session::send` """ # Get H...
python
def submit_form(self, form, submit=None, **kwargs): """Submit a form. :param Form form: Filled-out form object :param Submit submit: Optional `Submit` to click, if form includes multiple submits :param kwargs: Keyword arguments to `Session::send` """ # Get H...
[ "def", "submit_form", "(", "self", ",", "form", ",", "submit", "=", "None", ",", "*", "*", "kwargs", ")", ":", "# Get HTTP verb", "method", "=", "form", ".", "method", ".", "upper", "(", ")", "# Send request", "url", "=", "self", ".", "_build_url", "("...
Submit a form. :param Form form: Filled-out form object :param Submit submit: Optional `Submit` to click, if form includes multiple submits :param kwargs: Keyword arguments to `Session::send`
[ "Submit", "a", "form", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/browser.py#L325-L346
3,871
jmcarp/robobrowser
robobrowser/helpers.py
find
def find(soup, name=None, attrs=None, recursive=True, text=None, **kwargs): """Modified find method; see `find_all`, above. """ tags = find_all( soup, name, attrs or {}, recursive, text, 1, **kwargs ) if tags: return tags[0]
python
def find(soup, name=None, attrs=None, recursive=True, text=None, **kwargs): """Modified find method; see `find_all`, above. """ tags = find_all( soup, name, attrs or {}, recursive, text, 1, **kwargs ) if tags: return tags[0]
[ "def", "find", "(", "soup", ",", "name", "=", "None", ",", "attrs", "=", "None", ",", "recursive", "=", "True", ",", "text", "=", "None", ",", "*", "*", "kwargs", ")", ":", "tags", "=", "find_all", "(", "soup", ",", "name", ",", "attrs", "or", ...
Modified find method; see `find_all`, above.
[ "Modified", "find", "method", ";", "see", "find_all", "above", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/helpers.py#L46-L54
3,872
jmcarp/robobrowser
robobrowser/forms/fields.py
Select._set_initial
def _set_initial(self, initial): """If no option is selected initially, select the first option. """ super(Select, self)._set_initial(initial) if not self._value and self.options: self.value = self.options[0]
python
def _set_initial(self, initial): """If no option is selected initially, select the first option. """ super(Select, self)._set_initial(initial) if not self._value and self.options: self.value = self.options[0]
[ "def", "_set_initial", "(", "self", ",", "initial", ")", ":", "super", "(", "Select", ",", "self", ")", ".", "_set_initial", "(", "initial", ")", "if", "not", "self", ".", "_value", "and", "self", ".", "options", ":", "self", ".", "value", "=", "self...
If no option is selected initially, select the first option.
[ "If", "no", "option", "is", "selected", "initially", "select", "the", "first", "option", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/fields.py#L209-L214
3,873
jmcarp/robobrowser
robobrowser/compat.py
encode_if_py2
def encode_if_py2(func): """If Python 2.x, return decorated function encoding unicode return value to UTF-8; else noop. """ if not PY2: return func def wrapped(*args, **kwargs): ret = func(*args, **kwargs) if not isinstance(ret, unicode): raise TypeError('Wrapped ...
python
def encode_if_py2(func): """If Python 2.x, return decorated function encoding unicode return value to UTF-8; else noop. """ if not PY2: return func def wrapped(*args, **kwargs): ret = func(*args, **kwargs) if not isinstance(ret, unicode): raise TypeError('Wrapped ...
[ "def", "encode_if_py2", "(", "func", ")", ":", "if", "not", "PY2", ":", "return", "func", "def", "wrapped", "(", "*", "args", ",", "*", "*", "kwargs", ")", ":", "ret", "=", "func", "(", "*", "args", ",", "*", "*", "kwargs", ")", "if", "not", "i...
If Python 2.x, return decorated function encoding unicode return value to UTF-8; else noop.
[ "If", "Python", "2", ".", "x", "return", "decorated", "function", "encoding", "unicode", "return", "value", "to", "UTF", "-", "8", ";", "else", "noop", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/compat.py#L35-L46
3,874
jmcarp/robobrowser
robobrowser/cache.py
RoboCache._reduce_age
def _reduce_age(self, now): """Reduce size of cache by date. :param datetime.datetime now: Current time """ if self.max_age: keys = [ key for key, value in iteritems(self.data) if now - value['date'] > self.max_age ] f...
python
def _reduce_age(self, now): """Reduce size of cache by date. :param datetime.datetime now: Current time """ if self.max_age: keys = [ key for key, value in iteritems(self.data) if now - value['date'] > self.max_age ] f...
[ "def", "_reduce_age", "(", "self", ",", "now", ")", ":", "if", "self", ".", "max_age", ":", "keys", "=", "[", "key", "for", "key", ",", "value", "in", "iteritems", "(", "self", ".", "data", ")", "if", "now", "-", "value", "[", "'date'", "]", ">",...
Reduce size of cache by date. :param datetime.datetime now: Current time
[ "Reduce", "size", "of", "cache", "by", "date", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/cache.py#L26-L38
3,875
jmcarp/robobrowser
robobrowser/cache.py
RoboCache._reduce_count
def _reduce_count(self): """Reduce size of cache by count. """ if self.max_count: while len(self.data) > self.max_count: self.data.popitem(last=False)
python
def _reduce_count(self): """Reduce size of cache by count. """ if self.max_count: while len(self.data) > self.max_count: self.data.popitem(last=False)
[ "def", "_reduce_count", "(", "self", ")", ":", "if", "self", ".", "max_count", ":", "while", "len", "(", "self", ".", "data", ")", ">", "self", ".", "max_count", ":", "self", ".", "data", ".", "popitem", "(", "last", "=", "False", ")" ]
Reduce size of cache by count.
[ "Reduce", "size", "of", "cache", "by", "count", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/cache.py#L40-L46
3,876
jmcarp/robobrowser
robobrowser/cache.py
RoboCache.store
def store(self, response): """Store response in cache, skipping if code is forbidden. :param requests.Response response: HTTP response """ if response.status_code not in CACHE_CODES: return now = datetime.datetime.now() self.data[response.url] = { ...
python
def store(self, response): """Store response in cache, skipping if code is forbidden. :param requests.Response response: HTTP response """ if response.status_code not in CACHE_CODES: return now = datetime.datetime.now() self.data[response.url] = { ...
[ "def", "store", "(", "self", ",", "response", ")", ":", "if", "response", ".", "status_code", "not", "in", "CACHE_CODES", ":", "return", "now", "=", "datetime", ".", "datetime", ".", "now", "(", ")", "self", ".", "data", "[", "response", ".", "url", ...
Store response in cache, skipping if code is forbidden. :param requests.Response response: HTTP response
[ "Store", "response", "in", "cache", "skipping", "if", "code", "is", "forbidden", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/cache.py#L48-L63
3,877
jmcarp/robobrowser
robobrowser/cache.py
RoboCache.retrieve
def retrieve(self, request): """Look up request in cache, skipping if verb is forbidden. :param requests.Request request: HTTP request """ if request.method not in CACHE_VERBS: return try: response = self.data[request.url]['response'] logger....
python
def retrieve(self, request): """Look up request in cache, skipping if verb is forbidden. :param requests.Request request: HTTP request """ if request.method not in CACHE_VERBS: return try: response = self.data[request.url]['response'] logger....
[ "def", "retrieve", "(", "self", ",", "request", ")", ":", "if", "request", ".", "method", "not", "in", "CACHE_VERBS", ":", "return", "try", ":", "response", "=", "self", ".", "data", "[", "request", ".", "url", "]", "[", "'response'", "]", "logger", ...
Look up request in cache, skipping if verb is forbidden. :param requests.Request request: HTTP request
[ "Look", "up", "request", "in", "cache", "skipping", "if", "verb", "is", "forbidden", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/cache.py#L65-L78
3,878
jmcarp/robobrowser
robobrowser/forms/form.py
_group_flat_tags
def _group_flat_tags(tag, tags): """Extract tags sharing the same name as the provided tag. Used to collect options for radio and checkbox inputs. :param Tag tag: BeautifulSoup tag :param list tags: List of tags :return: List of matching tags """ grouped = [tag] name = tag.get('name', ...
python
def _group_flat_tags(tag, tags): """Extract tags sharing the same name as the provided tag. Used to collect options for radio and checkbox inputs. :param Tag tag: BeautifulSoup tag :param list tags: List of tags :return: List of matching tags """ grouped = [tag] name = tag.get('name', ...
[ "def", "_group_flat_tags", "(", "tag", ",", "tags", ")", ":", "grouped", "=", "[", "tag", "]", "name", "=", "tag", ".", "get", "(", "'name'", ",", "''", ")", ".", "lower", "(", ")", "while", "tags", "and", "tags", "[", "0", "]", ".", "get", "("...
Extract tags sharing the same name as the provided tag. Used to collect options for radio and checkbox inputs. :param Tag tag: BeautifulSoup tag :param list tags: List of tags :return: List of matching tags
[ "Extract", "tags", "sharing", "the", "same", "name", "as", "the", "provided", "tag", ".", "Used", "to", "collect", "options", "for", "radio", "and", "checkbox", "inputs", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/form.py#L23-L36
3,879
jmcarp/robobrowser
robobrowser/forms/form.py
_parse_fields
def _parse_fields(parsed): """Parse form fields from HTML. :param BeautifulSoup parsed: Parsed HTML :return OrderedDict: Collection of field objects """ # Note: Call this `out` to avoid name conflict with `fields` module out = [] # Prepare field tags tags = parsed.find_all(_tag_ptn) ...
python
def _parse_fields(parsed): """Parse form fields from HTML. :param BeautifulSoup parsed: Parsed HTML :return OrderedDict: Collection of field objects """ # Note: Call this `out` to avoid name conflict with `fields` module out = [] # Prepare field tags tags = parsed.find_all(_tag_ptn) ...
[ "def", "_parse_fields", "(", "parsed", ")", ":", "# Note: Call this `out` to avoid name conflict with `fields` module", "out", "=", "[", "]", "# Prepare field tags", "tags", "=", "parsed", ".", "find_all", "(", "_tag_ptn", ")", "for", "tag", "in", "tags", ":", "help...
Parse form fields from HTML. :param BeautifulSoup parsed: Parsed HTML :return OrderedDict: Collection of field objects
[ "Parse", "form", "fields", "from", "HTML", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/form.py#L64-L88
3,880
jmcarp/robobrowser
robobrowser/forms/form.py
Payload.add
def add(self, data, key=None): """Add field values to container. :param dict data: Serialized values for field :param str key: Optional key; if not provided, values will be added to `self.payload`. """ sink = self.options[key] if key is not None else self.data ...
python
def add(self, data, key=None): """Add field values to container. :param dict data: Serialized values for field :param str key: Optional key; if not provided, values will be added to `self.payload`. """ sink = self.options[key] if key is not None else self.data ...
[ "def", "add", "(", "self", ",", "data", ",", "key", "=", "None", ")", ":", "sink", "=", "self", ".", "options", "[", "key", "]", "if", "key", "is", "not", "None", "else", "self", ".", "data", "for", "key", ",", "value", "in", "iteritems", "(", ...
Add field values to container. :param dict data: Serialized values for field :param str key: Optional key; if not provided, values will be added to `self.payload`.
[ "Add", "field", "values", "to", "container", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/form.py#L122-L132
3,881
jmcarp/robobrowser
robobrowser/forms/form.py
Payload.to_requests
def to_requests(self, method='get'): """Export to Requests format. :param str method: Request method :return: Dict of keyword arguments formatted for `requests.request` """ out = {} data_key = 'params' if method.lower() == 'get' else 'data' out[data_key] = self....
python
def to_requests(self, method='get'): """Export to Requests format. :param str method: Request method :return: Dict of keyword arguments formatted for `requests.request` """ out = {} data_key = 'params' if method.lower() == 'get' else 'data' out[data_key] = self....
[ "def", "to_requests", "(", "self", ",", "method", "=", "'get'", ")", ":", "out", "=", "{", "}", "data_key", "=", "'params'", "if", "method", ".", "lower", "(", ")", "==", "'get'", "else", "'data'", "out", "[", "data_key", "]", "=", "self", ".", "da...
Export to Requests format. :param str method: Request method :return: Dict of keyword arguments formatted for `requests.request`
[ "Export", "to", "Requests", "format", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/form.py#L134-L148
3,882
jmcarp/robobrowser
robobrowser/forms/form.py
Form.add_field
def add_field(self, field): """Add a field. :param field: Field to add :raise: ValueError if `field` is not an instance of `BaseField`. """ if not isinstance(field, fields.BaseField): raise ValueError('Argument "field" must be an instance of ' ...
python
def add_field(self, field): """Add a field. :param field: Field to add :raise: ValueError if `field` is not an instance of `BaseField`. """ if not isinstance(field, fields.BaseField): raise ValueError('Argument "field" must be an instance of ' ...
[ "def", "add_field", "(", "self", ",", "field", ")", ":", "if", "not", "isinstance", "(", "field", ",", "fields", ".", "BaseField", ")", ":", "raise", "ValueError", "(", "'Argument \"field\" must be an instance of '", "'BaseField'", ")", "self", ".", "fields", ...
Add a field. :param field: Field to add :raise: ValueError if `field` is not an instance of `BaseField`.
[ "Add", "a", "field", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/form.py#L178-L188
3,883
jmcarp/robobrowser
robobrowser/forms/form.py
Form.serialize
def serialize(self, submit=None): """Serialize each form field to a Payload container. :param Submit submit: Optional `Submit` to click, if form includes multiple submits :return: Payload instance """ include_fields = prepare_fields(self.fields, self.submit_fields, ...
python
def serialize(self, submit=None): """Serialize each form field to a Payload container. :param Submit submit: Optional `Submit` to click, if form includes multiple submits :return: Payload instance """ include_fields = prepare_fields(self.fields, self.submit_fields, ...
[ "def", "serialize", "(", "self", ",", "submit", "=", "None", ")", ":", "include_fields", "=", "prepare_fields", "(", "self", ".", "fields", ",", "self", ".", "submit_fields", ",", "submit", ")", "return", "Payload", ".", "from_fields", "(", "include_fields",...
Serialize each form field to a Payload container. :param Submit submit: Optional `Submit` to click, if form includes multiple submits :return: Payload instance
[ "Serialize", "each", "form", "field", "to", "a", "Payload", "container", "." ]
4284c11d00ae1397983e269aa180e5cf7ee5f4cf
https://github.com/jmcarp/robobrowser/blob/4284c11d00ae1397983e269aa180e5cf7ee5f4cf/robobrowser/forms/form.py#L218-L227
3,884
paxosglobal/subconscious
subconscious/model.py
RedisModel.save
async def save(self, db): """Save the object to Redis. """ kwargs = {} for col in self._auto_columns: if not self.has_real_data(col.name): kwargs[col.name] = await col.auto_generate(db, self) self.__dict__.update(kwargs) # we have to delete th...
python
async def save(self, db): """Save the object to Redis. """ kwargs = {} for col in self._auto_columns: if not self.has_real_data(col.name): kwargs[col.name] = await col.auto_generate(db, self) self.__dict__.update(kwargs) # we have to delete th...
[ "async", "def", "save", "(", "self", ",", "db", ")", ":", "kwargs", "=", "{", "}", "for", "col", "in", "self", ".", "_auto_columns", ":", "if", "not", "self", ".", "has_real_data", "(", "col", ".", "name", ")", ":", "kwargs", "[", "col", ".", "na...
Save the object to Redis.
[ "Save", "the", "object", "to", "Redis", "." ]
bc4feabde574462ff59009b32181d12867f0aa3d
https://github.com/paxosglobal/subconscious/blob/bc4feabde574462ff59009b32181d12867f0aa3d/subconscious/model.py#L204-L221
3,885
pahaz/sshtunnel
sshtunnel.py
check_address
def check_address(address): """ Check if the format of the address is correct Arguments: address (tuple): (``str``, ``int``) representing an IP address and port, respectively .. note:: alternatively a local ``address`` can be a ``str`` when worki...
python
def check_address(address): """ Check if the format of the address is correct Arguments: address (tuple): (``str``, ``int``) representing an IP address and port, respectively .. note:: alternatively a local ``address`` can be a ``str`` when worki...
[ "def", "check_address", "(", "address", ")", ":", "if", "isinstance", "(", "address", ",", "tuple", ")", ":", "check_host", "(", "address", "[", "0", "]", ")", "check_port", "(", "address", "[", "1", "]", ")", "elif", "isinstance", "(", "address", ",",...
Check if the format of the address is correct Arguments: address (tuple): (``str``, ``int``) representing an IP address and port, respectively .. note:: alternatively a local ``address`` can be a ``str`` when working with UNIX domain sock...
[ "Check", "if", "the", "format", "of", "the", "address", "is", "correct" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L88-L119
3,886
pahaz/sshtunnel
sshtunnel.py
check_addresses
def check_addresses(address_list, is_remote=False): """ Check if the format of the addresses is correct Arguments: address_list (list[tuple]): Sequence of (``str``, ``int``) pairs, each representing an IP address and port respectively .. note:: w...
python
def check_addresses(address_list, is_remote=False): """ Check if the format of the addresses is correct Arguments: address_list (list[tuple]): Sequence of (``str``, ``int``) pairs, each representing an IP address and port respectively .. note:: w...
[ "def", "check_addresses", "(", "address_list", ",", "is_remote", "=", "False", ")", ":", "assert", "all", "(", "isinstance", "(", "x", ",", "(", "tuple", ",", "string_types", ")", ")", "for", "x", "in", "address_list", ")", "if", "(", "is_remote", "and",...
Check if the format of the addresses is correct Arguments: address_list (list[tuple]): Sequence of (``str``, ``int``) pairs, each representing an IP address and port respectively .. note:: when supported by the platform, one or more of the elements in ...
[ "Check", "if", "the", "format", "of", "the", "addresses", "is", "correct" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L122-L154
3,887
pahaz/sshtunnel
sshtunnel.py
create_logger
def create_logger(logger=None, loglevel=None, capture_warnings=True, add_paramiko_handler=True): """ Attach or create a new logger and add a console handler if not present Arguments: logger (Optional[logging.Logger]): :class:`loggin...
python
def create_logger(logger=None, loglevel=None, capture_warnings=True, add_paramiko_handler=True): """ Attach or create a new logger and add a console handler if not present Arguments: logger (Optional[logging.Logger]): :class:`loggin...
[ "def", "create_logger", "(", "logger", "=", "None", ",", "loglevel", "=", "None", ",", "capture_warnings", "=", "True", ",", "add_paramiko_handler", "=", "True", ")", ":", "logger", "=", "logger", "or", "logging", ".", "getLogger", "(", "'{0}.SSHTunnelForwarde...
Attach or create a new logger and add a console handler if not present Arguments: logger (Optional[logging.Logger]): :class:`logging.Logger` instance; a new one is created if this argument is empty loglevel (Optional[str or int]): :class:`logging.Logger`'s leve...
[ "Attach", "or", "create", "a", "new", "logger", "and", "add", "a", "console", "handler", "if", "not", "present" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L157-L213
3,888
pahaz/sshtunnel
sshtunnel.py
_add_handler
def _add_handler(logger, handler=None, loglevel=None): """ Add a handler to an existing logging.Logger object """ handler.setLevel(loglevel or DEFAULT_LOGLEVEL) if handler.level <= logging.DEBUG: _fmt = '%(asctime)s| %(levelname)-4.3s|%(threadName)10.9s/' \ '%(lineno)04d@%(mod...
python
def _add_handler(logger, handler=None, loglevel=None): """ Add a handler to an existing logging.Logger object """ handler.setLevel(loglevel or DEFAULT_LOGLEVEL) if handler.level <= logging.DEBUG: _fmt = '%(asctime)s| %(levelname)-4.3s|%(threadName)10.9s/' \ '%(lineno)04d@%(mod...
[ "def", "_add_handler", "(", "logger", ",", "handler", "=", "None", ",", "loglevel", "=", "None", ")", ":", "handler", ".", "setLevel", "(", "loglevel", "or", "DEFAULT_LOGLEVEL", ")", "if", "handler", ".", "level", "<=", "logging", ".", "DEBUG", ":", "_fm...
Add a handler to an existing logging.Logger object
[ "Add", "a", "handler", "to", "an", "existing", "logging", ".", "Logger", "object" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L216-L229
3,889
pahaz/sshtunnel
sshtunnel.py
_check_paramiko_handlers
def _check_paramiko_handlers(logger=None): """ Add a console handler for paramiko.transport's logger if not present """ paramiko_logger = logging.getLogger('paramiko.transport') if not paramiko_logger.handlers: if logger: paramiko_logger.handlers = logger.handlers else: ...
python
def _check_paramiko_handlers(logger=None): """ Add a console handler for paramiko.transport's logger if not present """ paramiko_logger = logging.getLogger('paramiko.transport') if not paramiko_logger.handlers: if logger: paramiko_logger.handlers = logger.handlers else: ...
[ "def", "_check_paramiko_handlers", "(", "logger", "=", "None", ")", ":", "paramiko_logger", "=", "logging", ".", "getLogger", "(", "'paramiko.transport'", ")", "if", "not", "paramiko_logger", ".", "handlers", ":", "if", "logger", ":", "paramiko_logger", ".", "ha...
Add a console handler for paramiko.transport's logger if not present
[ "Add", "a", "console", "handler", "for", "paramiko", ".", "transport", "s", "logger", "if", "not", "present" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L232-L246
3,890
pahaz/sshtunnel
sshtunnel.py
_remove_none_values
def _remove_none_values(dictionary): """ Remove dictionary keys whose value is None """ return list(map(dictionary.pop, [i for i in dictionary if dictionary[i] is None]))
python
def _remove_none_values(dictionary): """ Remove dictionary keys whose value is None """ return list(map(dictionary.pop, [i for i in dictionary if dictionary[i] is None]))
[ "def", "_remove_none_values", "(", "dictionary", ")", ":", "return", "list", "(", "map", "(", "dictionary", ".", "pop", ",", "[", "i", "for", "i", "in", "dictionary", "if", "dictionary", "[", "i", "]", "is", "None", "]", ")", ")" ]
Remove dictionary keys whose value is None
[ "Remove", "dictionary", "keys", "whose", "value", "is", "None" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L263-L266
3,891
pahaz/sshtunnel
sshtunnel.py
_cli_main
def _cli_main(args=None): """ Pass input arguments to open_tunnel Mandatory: ssh_address, -R (remote bind address list) Optional: -U (username) we may gather it from SSH_CONFIG_FILE or current username -p (server_port), defaults to 22 -P (password) -L (local_bind_ad...
python
def _cli_main(args=None): """ Pass input arguments to open_tunnel Mandatory: ssh_address, -R (remote bind address list) Optional: -U (username) we may gather it from SSH_CONFIG_FILE or current username -p (server_port), defaults to 22 -P (password) -L (local_bind_ad...
[ "def", "_cli_main", "(", "args", "=", "None", ")", ":", "arguments", "=", "_parse_arguments", "(", "args", ")", "# Remove all \"None\" input values", "_remove_none_values", "(", "arguments", ")", "verbosity", "=", "min", "(", "arguments", ".", "pop", "(", "'verb...
Pass input arguments to open_tunnel Mandatory: ssh_address, -R (remote bind address list) Optional: -U (username) we may gather it from SSH_CONFIG_FILE or current username -p (server_port), defaults to 22 -P (password) -L (local_bind_address), default to 0.0.0.0:22 ...
[ "Pass", "input", "arguments", "to", "open_tunnel" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L1811-L1849
3,892
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder._make_ssh_forward_handler_class
def _make_ssh_forward_handler_class(self, remote_address_): """ Make SSH Handler class """ class Handler(_ForwardHandler): remote_address = remote_address_ ssh_transport = self._transport logger = self.logger return Handler
python
def _make_ssh_forward_handler_class(self, remote_address_): """ Make SSH Handler class """ class Handler(_ForwardHandler): remote_address = remote_address_ ssh_transport = self._transport logger = self.logger return Handler
[ "def", "_make_ssh_forward_handler_class", "(", "self", ",", "remote_address_", ")", ":", "class", "Handler", "(", "_ForwardHandler", ")", ":", "remote_address", "=", "remote_address_", "ssh_transport", "=", "self", ".", "_transport", "logger", "=", "self", ".", "l...
Make SSH Handler class
[ "Make", "SSH", "Handler", "class" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L756-L764
3,893
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder._make_ssh_forward_server
def _make_ssh_forward_server(self, remote_address, local_bind_address): """ Make SSH forward proxy Server class """ _Handler = self._make_ssh_forward_handler_class(remote_address) try: if isinstance(local_bind_address, string_types): forward_maker_clas...
python
def _make_ssh_forward_server(self, remote_address, local_bind_address): """ Make SSH forward proxy Server class """ _Handler = self._make_ssh_forward_handler_class(remote_address) try: if isinstance(local_bind_address, string_types): forward_maker_clas...
[ "def", "_make_ssh_forward_server", "(", "self", ",", "remote_address", ",", "local_bind_address", ")", ":", "_Handler", "=", "self", ".", "_make_ssh_forward_handler_class", "(", "remote_address", ")", "try", ":", "if", "isinstance", "(", "local_bind_address", ",", "...
Make SSH forward proxy Server class
[ "Make", "SSH", "forward", "proxy", "Server", "class" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L773-L810
3,894
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder.get_agent_keys
def get_agent_keys(logger=None): """ Load public keys from any available SSH agent Arguments: logger (Optional[logging.Logger]) Return: list """ paramiko_agent = paramiko.Agent() agent_keys = paramiko_agent.get_keys() if logger: ...
python
def get_agent_keys(logger=None): """ Load public keys from any available SSH agent Arguments: logger (Optional[logging.Logger]) Return: list """ paramiko_agent = paramiko.Agent() agent_keys = paramiko_agent.get_keys() if logger: ...
[ "def", "get_agent_keys", "(", "logger", "=", "None", ")", ":", "paramiko_agent", "=", "paramiko", ".", "Agent", "(", ")", "agent_keys", "=", "paramiko_agent", ".", "get_keys", "(", ")", "if", "logger", ":", "logger", ".", "info", "(", "'{0} keys loaded from ...
Load public keys from any available SSH agent Arguments: logger (Optional[logging.Logger]) Return: list
[ "Load", "public", "keys", "from", "any", "available", "SSH", "agent" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L981-L994
3,895
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder.get_keys
def get_keys(logger=None, host_pkey_directories=None, allow_agent=False): """ Load public keys from any available SSH agent or local .ssh directory. Arguments: logger (Optional[logging.Logger]) host_pkey_directories (Optional[list[str]]): List of...
python
def get_keys(logger=None, host_pkey_directories=None, allow_agent=False): """ Load public keys from any available SSH agent or local .ssh directory. Arguments: logger (Optional[logging.Logger]) host_pkey_directories (Optional[list[str]]): List of...
[ "def", "get_keys", "(", "logger", "=", "None", ",", "host_pkey_directories", "=", "None", ",", "allow_agent", "=", "False", ")", ":", "keys", "=", "SSHTunnelForwarder", ".", "get_agent_keys", "(", "logger", "=", "logger", ")", "if", "allow_agent", "else", "[...
Load public keys from any available SSH agent or local .ssh directory. Arguments: logger (Optional[logging.Logger]) host_pkey_directories (Optional[list[str]]): List of local directories where host SSH pkeys in the format "id_*" are searched. For...
[ "Load", "public", "keys", "from", "any", "available", "SSH", "agent", "or", "local", ".", "ssh", "directory", "." ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L997-L1045
3,896
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder._get_transport
def _get_transport(self): """ Return the SSH transport to the remote gateway """ if self.ssh_proxy: if isinstance(self.ssh_proxy, paramiko.proxy.ProxyCommand): proxy_repr = repr(self.ssh_proxy.cmd[1]) else: proxy_repr = repr(self.ssh_proxy) ...
python
def _get_transport(self): """ Return the SSH transport to the remote gateway """ if self.ssh_proxy: if isinstance(self.ssh_proxy, paramiko.proxy.ProxyCommand): proxy_repr = repr(self.ssh_proxy.cmd[1]) else: proxy_repr = repr(self.ssh_proxy) ...
[ "def", "_get_transport", "(", "self", ")", ":", "if", "self", ".", "ssh_proxy", ":", "if", "isinstance", "(", "self", ".", "ssh_proxy", ",", "paramiko", ".", "proxy", ".", "ProxyCommand", ")", ":", "proxy_repr", "=", "repr", "(", "self", ".", "ssh_proxy"...
Return the SSH transport to the remote gateway
[ "Return", "the", "SSH", "transport", "to", "the", "remote", "gateway" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L1105-L1124
3,897
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder._create_tunnels
def _create_tunnels(self): """ Create SSH tunnels on top of a transport to the remote gateway """ if not self.is_active: try: self._connect_to_gateway() except socket.gaierror: # raised by paramiko.Transport msg = 'Could not resolv...
python
def _create_tunnels(self): """ Create SSH tunnels on top of a transport to the remote gateway """ if not self.is_active: try: self._connect_to_gateway() except socket.gaierror: # raised by paramiko.Transport msg = 'Could not resolv...
[ "def", "_create_tunnels", "(", "self", ")", ":", "if", "not", "self", ".", "is_active", ":", "try", ":", "self", ".", "_connect_to_gateway", "(", ")", "except", "socket", ".", "gaierror", ":", "# raised by paramiko.Transport", "msg", "=", "'Could not resolve IP ...
Create SSH tunnels on top of a transport to the remote gateway
[ "Create", "SSH", "tunnels", "on", "top", "of", "a", "transport", "to", "the", "remote", "gateway" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L1126-L1148
3,898
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder._process_deprecated
def _process_deprecated(attrib, deprecated_attrib, kwargs): """ Processes optional deprecate arguments """ if deprecated_attrib not in DEPRECATIONS: raise ValueError('{0} not included in deprecations list' .format(deprecated_attrib)) if de...
python
def _process_deprecated(attrib, deprecated_attrib, kwargs): """ Processes optional deprecate arguments """ if deprecated_attrib not in DEPRECATIONS: raise ValueError('{0} not included in deprecations list' .format(deprecated_attrib)) if de...
[ "def", "_process_deprecated", "(", "attrib", ",", "deprecated_attrib", ",", "kwargs", ")", ":", "if", "deprecated_attrib", "not", "in", "DEPRECATIONS", ":", "raise", "ValueError", "(", "'{0} not included in deprecations list'", ".", "format", "(", "deprecated_attrib", ...
Processes optional deprecate arguments
[ "Processes", "optional", "deprecate", "arguments" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L1176-L1195
3,899
pahaz/sshtunnel
sshtunnel.py
SSHTunnelForwarder.read_private_key_file
def read_private_key_file(pkey_file, pkey_password=None, key_type=None, logger=None): """ Get SSH Public key from a private key file, given an optional password Arguments: pkey_file (str): ...
python
def read_private_key_file(pkey_file, pkey_password=None, key_type=None, logger=None): """ Get SSH Public key from a private key file, given an optional password Arguments: pkey_file (str): ...
[ "def", "read_private_key_file", "(", "pkey_file", ",", "pkey_password", "=", "None", ",", "key_type", "=", "None", ",", "logger", "=", "None", ")", ":", "ssh_pkey", "=", "None", "for", "pkey_class", "in", "(", "key_type", ",", ")", "if", "key_type", "else"...
Get SSH Public key from a private key file, given an optional password Arguments: pkey_file (str): File containing a private key (RSA, DSS or ECDSA) Keyword Arguments: pkey_password (Optional[str]): Password to decrypt the private key ...
[ "Get", "SSH", "Public", "key", "from", "a", "private", "key", "file", "given", "an", "optional", "password" ]
66a923e4c6c8e41b8348420523fbf5ddfd53176c
https://github.com/pahaz/sshtunnel/blob/66a923e4c6c8e41b8348420523fbf5ddfd53176c/sshtunnel.py#L1198-L1241