partition
stringclasses
3 values
func_name
stringlengths
1
134
docstring
stringlengths
1
46.9k
path
stringlengths
4
223
original_string
stringlengths
75
104k
code
stringlengths
75
104k
docstring_tokens
listlengths
1
1.97k
repo
stringlengths
7
55
language
stringclasses
1 value
url
stringlengths
87
315
code_tokens
listlengths
19
28.4k
sha
stringlengths
40
40
valid
Jwt.encode
Create a token based on the data held in the class. :return: A new token :rtype: str
simplejwt/jwt.py
def encode(self) -> str: """ Create a token based on the data held in the class. :return: A new token :rtype: str """ payload = {} payload.update(self.registered_claims) payload.update(self.payload) return encode(self.secret, payload, self.alg, se...
def encode(self) -> str: """ Create a token based on the data held in the class. :return: A new token :rtype: str """ payload = {} payload.update(self.registered_claims) payload.update(self.payload) return encode(self.secret, payload, self.alg, se...
[ "Create", "a", "token", "based", "on", "the", "data", "held", "in", "the", "class", "." ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/jwt.py#L301-L311
[ "def", "encode", "(", "self", ")", "->", "str", ":", "payload", "=", "{", "}", "payload", ".", "update", "(", "self", ".", "registered_claims", ")", "payload", ".", "update", "(", "self", ".", "payload", ")", "return", "encode", "(", "self", ".", "se...
0828eaace0846918d2d202f5a60167a003e88b71
valid
Jwt.decode
Decodes the given token into an instance of `Jwt`. :param secret: The secret used to decode the token. Must match the secret used when creating the token. :type secret: Union[str, bytes] :param token: The token to decode. :type token: Union[str, bytes] :param alg: Th...
simplejwt/jwt.py
def decode(secret: Union[str, bytes], token: Union[str, bytes], alg: str = default_alg) -> 'Jwt': """ Decodes the given token into an instance of `Jwt`. :param secret: The secret used to decode the token. Must match the secret used when creating the token. :ty...
def decode(secret: Union[str, bytes], token: Union[str, bytes], alg: str = default_alg) -> 'Jwt': """ Decodes the given token into an instance of `Jwt`. :param secret: The secret used to decode the token. Must match the secret used when creating the token. :ty...
[ "Decodes", "the", "given", "token", "into", "an", "instance", "of", "Jwt", "." ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/jwt.py#L314-L331
[ "def", "decode", "(", "secret", ":", "Union", "[", "str", ",", "bytes", "]", ",", "token", ":", "Union", "[", "str", ",", "bytes", "]", ",", "alg", ":", "str", "=", "default_alg", ")", "->", "'Jwt'", ":", "header", ",", "payload", "=", "decode", ...
0828eaace0846918d2d202f5a60167a003e88b71
valid
Jwt.compare
Compare against another `Jwt`. :param jwt: The token to compare against. :type jwt: Jwt :param compare_dates: Should the comparision take dates into account? :type compare_dates: bool :return: Are the two Jwt's the same? :rtype: bool
simplejwt/jwt.py
def compare(self, jwt: 'Jwt', compare_dates: bool = False) -> bool: """ Compare against another `Jwt`. :param jwt: The token to compare against. :type jwt: Jwt :param compare_dates: Should the comparision take dates into account? :type compare_dates: bool :return...
def compare(self, jwt: 'Jwt', compare_dates: bool = False) -> bool: """ Compare against another `Jwt`. :param jwt: The token to compare against. :type jwt: Jwt :param compare_dates: Should the comparision take dates into account? :type compare_dates: bool :return...
[ "Compare", "against", "another", "Jwt", "." ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/jwt.py#L333-L362
[ "def", "compare", "(", "self", ",", "jwt", ":", "'Jwt'", ",", "compare_dates", ":", "bool", "=", "False", ")", "->", "bool", ":", "if", "self", ".", "secret", "!=", "jwt", ".", "secret", ":", "return", "False", "if", "self", ".", "payload", "!=", "...
0828eaace0846918d2d202f5a60167a003e88b71
valid
UploadView.get
Download a file.
xmpp_http_upload/views.py
def get(self, request, hash, filename): """Download a file.""" if _ws_download is True: return HttpResponseForbidden() upload = Upload.objects.uploaded().get(hash=hash, name=filename) return FileResponse(upload.file, content_type=upload.type)
def get(self, request, hash, filename): """Download a file.""" if _ws_download is True: return HttpResponseForbidden() upload = Upload.objects.uploaded().get(hash=hash, name=filename) return FileResponse(upload.file, content_type=upload.type)
[ "Download", "a", "file", "." ]
mathiasertl/django-xmpp-http-upload
python
https://github.com/mathiasertl/django-xmpp-http-upload/blob/819cb8794647c4609bb4cb7855e2ad4bd51b9ea1/xmpp_http_upload/views.py#L175-L181
[ "def", "get", "(", "self", ",", "request", ",", "hash", ",", "filename", ")", ":", "if", "_ws_download", "is", "True", ":", "return", "HttpResponseForbidden", "(", ")", "upload", "=", "Upload", ".", "objects", ".", "uploaded", "(", ")", ".", "get", "("...
819cb8794647c4609bb4cb7855e2ad4bd51b9ea1
valid
b64_encode
:param data: Data the encode. :type data: bytes :return: Base 64 encoded data with padding removed. :rtype: bytes
simplejwt/util.py
def b64_encode(data: bytes) -> bytes: """ :param data: Data the encode. :type data: bytes :return: Base 64 encoded data with padding removed. :rtype: bytes """ encoded = urlsafe_b64encode(data) return encoded.replace(b'=', b'')
def b64_encode(data: bytes) -> bytes: """ :param data: Data the encode. :type data: bytes :return: Base 64 encoded data with padding removed. :rtype: bytes """ encoded = urlsafe_b64encode(data) return encoded.replace(b'=', b'')
[ ":", "param", "data", ":", "Data", "the", "encode", ".", ":", "type", "data", ":", "bytes", ":", "return", ":", "Base", "64", "encoded", "data", "with", "padding", "removed", ".", ":", "rtype", ":", "bytes" ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/util.py#L5-L13
[ "def", "b64_encode", "(", "data", ":", "bytes", ")", "->", "bytes", ":", "encoded", "=", "urlsafe_b64encode", "(", "data", ")", "return", "encoded", ".", "replace", "(", "b'='", ",", "b''", ")" ]
0828eaace0846918d2d202f5a60167a003e88b71
valid
b64_decode
:param data: Base 64 encoded data to decode. :type data: bytes :return: Base 64 decoded data. :rtype: bytes
simplejwt/util.py
def b64_decode(data: bytes) -> bytes: """ :param data: Base 64 encoded data to decode. :type data: bytes :return: Base 64 decoded data. :rtype: bytes """ missing_padding = len(data) % 4 if missing_padding != 0: data += b'=' * (4 - missing_padding) return urlsafe_b64decode(dat...
def b64_decode(data: bytes) -> bytes: """ :param data: Base 64 encoded data to decode. :type data: bytes :return: Base 64 decoded data. :rtype: bytes """ missing_padding = len(data) % 4 if missing_padding != 0: data += b'=' * (4 - missing_padding) return urlsafe_b64decode(dat...
[ ":", "param", "data", ":", "Base", "64", "encoded", "data", "to", "decode", ".", ":", "type", "data", ":", "bytes", ":", "return", ":", "Base", "64", "decoded", "data", ".", ":", "rtype", ":", "bytes" ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/util.py#L16-L26
[ "def", "b64_decode", "(", "data", ":", "bytes", ")", "->", "bytes", ":", "missing_padding", "=", "len", "(", "data", ")", "%", "4", "if", "missing_padding", "!=", "0", ":", "data", "+=", "b'='", "*", "(", "4", "-", "missing_padding", ")", "return", "...
0828eaace0846918d2d202f5a60167a003e88b71
valid
to_bytes
:param data: Data to convert to bytes. :type data: Union[str, bytes] :return: `data` encoded to UTF8. :rtype: bytes
simplejwt/util.py
def to_bytes(data: Union[str, bytes]) -> bytes: """ :param data: Data to convert to bytes. :type data: Union[str, bytes] :return: `data` encoded to UTF8. :rtype: bytes """ if isinstance(data, bytes): return data return data.encode('utf-8')
def to_bytes(data: Union[str, bytes]) -> bytes: """ :param data: Data to convert to bytes. :type data: Union[str, bytes] :return: `data` encoded to UTF8. :rtype: bytes """ if isinstance(data, bytes): return data return data.encode('utf-8')
[ ":", "param", "data", ":", "Data", "to", "convert", "to", "bytes", ".", ":", "type", "data", ":", "Union", "[", "str", "bytes", "]", ":", "return", ":", "data", "encoded", "to", "UTF8", ".", ":", "rtype", ":", "bytes" ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/util.py#L29-L38
[ "def", "to_bytes", "(", "data", ":", "Union", "[", "str", ",", "bytes", "]", ")", "->", "bytes", ":", "if", "isinstance", "(", "data", ",", "bytes", ")", ":", "return", "data", "return", "data", ".", "encode", "(", "'utf-8'", ")" ]
0828eaace0846918d2d202f5a60167a003e88b71
valid
from_bytes
:param data: A UTF8 byte string. :type data: Union[str, bytes] :return: `data` decoded from UTF8. :rtype: str
simplejwt/util.py
def from_bytes(data: Union[str, bytes]) -> str: """ :param data: A UTF8 byte string. :type data: Union[str, bytes] :return: `data` decoded from UTF8. :rtype: str """ if isinstance(data, str): return data return str(data, 'utf-8')
def from_bytes(data: Union[str, bytes]) -> str: """ :param data: A UTF8 byte string. :type data: Union[str, bytes] :return: `data` decoded from UTF8. :rtype: str """ if isinstance(data, str): return data return str(data, 'utf-8')
[ ":", "param", "data", ":", "A", "UTF8", "byte", "string", ".", ":", "type", "data", ":", "Union", "[", "str", "bytes", "]", ":", "return", ":", "data", "decoded", "from", "UTF8", ".", ":", "rtype", ":", "str" ]
jmwri/simplejwt
python
https://github.com/jmwri/simplejwt/blob/0828eaace0846918d2d202f5a60167a003e88b71/simplejwt/util.py#L41-L50
[ "def", "from_bytes", "(", "data", ":", "Union", "[", "str", ",", "bytes", "]", ")", "->", "str", ":", "if", "isinstance", "(", "data", ",", "str", ")", ":", "return", "data", "return", "str", "(", "data", ",", "'utf-8'", ")" ]
0828eaace0846918d2d202f5a60167a003e88b71
valid
camelize_classname
Produce a 'camelized' class name, e.g.
pfamserver/models.py
def camelize_classname(base, tablename, table): "Produce a 'camelized' class name, e.g. " "'words_and_underscores' -> 'WordsAndUnderscores'" return str(tablename[0].upper() + re.sub(r'_([a-z])', lambda m: m.group(1).upper(), tablename[1:]))
def camelize_classname(base, tablename, table): "Produce a 'camelized' class name, e.g. " "'words_and_underscores' -> 'WordsAndUnderscores'" return str(tablename[0].upper() + re.sub(r'_([a-z])', lambda m: m.group(1).upper(), tablename[1:]))
[ "Produce", "a", "camelized", "class", "name", "e", ".", "g", "." ]
ecolell/pfamserver
python
https://github.com/ecolell/pfamserver/blob/048d321831864ba4ef0f33f020c0239131589ece/pfamserver/models.py#L30-L35
[ "def", "camelize_classname", "(", "base", ",", "tablename", ",", "table", ")", ":", "\"'words_and_underscores' -> 'WordsAndUnderscores'\"", "return", "str", "(", "tablename", "[", "0", "]", ".", "upper", "(", ")", "+", "re", ".", "sub", "(", "r'_([a-z])'", ","...
048d321831864ba4ef0f33f020c0239131589ece
valid
pluralize_collection
Produce an 'uncamelized', 'pluralized' class name, e.g.
pfamserver/models.py
def pluralize_collection(base, local_cls, referred_cls, constraint): "Produce an 'uncamelized', 'pluralized' class name, e.g. " "'SomeTerm' -> 'some_terms'" referred_name = referred_cls.__name__ uncamelized = re.sub(r'[A-Z]', lambda m: "_%s" % m.group(0).lower(), ...
def pluralize_collection(base, local_cls, referred_cls, constraint): "Produce an 'uncamelized', 'pluralized' class name, e.g. " "'SomeTerm' -> 'some_terms'" referred_name = referred_cls.__name__ uncamelized = re.sub(r'[A-Z]', lambda m: "_%s" % m.group(0).lower(), ...
[ "Produce", "an", "uncamelized", "pluralized", "class", "name", "e", ".", "g", "." ]
ecolell/pfamserver
python
https://github.com/ecolell/pfamserver/blob/048d321831864ba4ef0f33f020c0239131589ece/pfamserver/models.py#L38-L46
[ "def", "pluralize_collection", "(", "base", ",", "local_cls", ",", "referred_cls", ",", "constraint", ")", ":", "\"'SomeTerm' -> 'some_terms'\"", "referred_name", "=", "referred_cls", ".", "__name__", "uncamelized", "=", "re", ".", "sub", "(", "r'[A-Z]'", ",", "la...
048d321831864ba4ef0f33f020c0239131589ece
valid
is_compressed_json_file
Test a file is a valid json file. - *.json: uncompressed, utf-8 encode json file - *.js: uncompressed, utf-8 encode json file - *.gz: compressed, utf-8 encode json file
superjson/_superjson.py
def is_compressed_json_file(abspath): """Test a file is a valid json file. - *.json: uncompressed, utf-8 encode json file - *.js: uncompressed, utf-8 encode json file - *.gz: compressed, utf-8 encode json file """ abspath = abspath.lower() fname, ext = os.path.splitext(abspath) if ext i...
def is_compressed_json_file(abspath): """Test a file is a valid json file. - *.json: uncompressed, utf-8 encode json file - *.js: uncompressed, utf-8 encode json file - *.gz: compressed, utf-8 encode json file """ abspath = abspath.lower() fname, ext = os.path.splitext(abspath) if ext i...
[ "Test", "a", "file", "is", "a", "valid", "json", "file", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/_superjson.py#L131-L149
[ "def", "is_compressed_json_file", "(", "abspath", ")", ":", "abspath", "=", "abspath", ".", "lower", "(", ")", "fname", ",", "ext", "=", "os", ".", "path", ".", "splitext", "(", "abspath", ")", "if", "ext", "in", "[", "\".json\"", ",", "\".js\"", "]", ...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
SupportBuiltInDataType.dump_set
``set`` dumper.
superjson/_superjson.py
def dump_set(self, obj, class_name=set_class_name): """ ``set`` dumper. """ return {"$" + class_name: [self._json_convert(item) for item in obj]}
def dump_set(self, obj, class_name=set_class_name): """ ``set`` dumper. """ return {"$" + class_name: [self._json_convert(item) for item in obj]}
[ "set", "dumper", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/_superjson.py#L452-L456
[ "def", "dump_set", "(", "self", ",", "obj", ",", "class_name", "=", "set_class_name", ")", ":", "return", "{", "\"$\"", "+", "class_name", ":", "[", "self", ".", "_json_convert", "(", "item", ")", "for", "item", "in", "obj", "]", "}" ]
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
SupportBuiltInDataType.dump_deque
``collections.deque`` dumper.
superjson/_superjson.py
def dump_deque(self, obj, class_name="collections.deque"): """ ``collections.deque`` dumper. """ return {"$" + class_name: [self._json_convert(item) for item in obj]}
def dump_deque(self, obj, class_name="collections.deque"): """ ``collections.deque`` dumper. """ return {"$" + class_name: [self._json_convert(item) for item in obj]}
[ "collections", ".", "deque", "dumper", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/_superjson.py#L464-L468
[ "def", "dump_deque", "(", "self", ",", "obj", ",", "class_name", "=", "\"collections.deque\"", ")", ":", "return", "{", "\"$\"", "+", "class_name", ":", "[", "self", ".", "_json_convert", "(", "item", ")", "for", "item", "in", "obj", "]", "}" ]
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
SupportBuiltInDataType.dump_OrderedDict
``collections.OrderedDict`` dumper.
superjson/_superjson.py
def dump_OrderedDict(self, obj, class_name="collections.OrderedDict"): """ ``collections.OrderedDict`` dumper. """ return { "$" + class_name: [ (key, self._json_convert(value)) for key, value in iteritems(obj) ] }
def dump_OrderedDict(self, obj, class_name="collections.OrderedDict"): """ ``collections.OrderedDict`` dumper. """ return { "$" + class_name: [ (key, self._json_convert(value)) for key, value in iteritems(obj) ] }
[ "collections", ".", "OrderedDict", "dumper", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/_superjson.py#L476-L484
[ "def", "dump_OrderedDict", "(", "self", ",", "obj", ",", "class_name", "=", "\"collections.OrderedDict\"", ")", ":", "return", "{", "\"$\"", "+", "class_name", ":", "[", "(", "key", ",", "self", ".", "_json_convert", "(", "value", ")", ")", "for", "key", ...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
SupportNumpyArray.dump_nparray
``numpy.ndarray`` dumper.
superjson/_superjson.py
def dump_nparray(self, obj, class_name=numpy_ndarray_class_name): """ ``numpy.ndarray`` dumper. """ return {"$" + class_name: self._json_convert(obj.tolist())}
def dump_nparray(self, obj, class_name=numpy_ndarray_class_name): """ ``numpy.ndarray`` dumper. """ return {"$" + class_name: self._json_convert(obj.tolist())}
[ "numpy", ".", "ndarray", "dumper", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/_superjson.py#L497-L501
[ "def", "dump_nparray", "(", "self", ",", "obj", ",", "class_name", "=", "numpy_ndarray_class_name", ")", ":", "return", "{", "\"$\"", "+", "class_name", ":", "self", ".", "_json_convert", "(", "obj", ".", "tolist", "(", ")", ")", "}" ]
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
_invalidates_cache
Decorator for rruleset methods which may invalidate the cached length.
superjson/pkg/dateutil/rrule.py
def _invalidates_cache(f): """ Decorator for rruleset methods which may invalidate the cached length. """ def inner_func(self, *args, **kwargs): rv = f(self, *args, **kwargs) self._invalidate_cache() return rv return inner_func
def _invalidates_cache(f): """ Decorator for rruleset methods which may invalidate the cached length. """ def inner_func(self, *args, **kwargs): rv = f(self, *args, **kwargs) self._invalidate_cache() return rv return inner_func
[ "Decorator", "for", "rruleset", "methods", "which", "may", "invalidate", "the", "cached", "length", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L82-L93
[ "def", "_invalidates_cache", "(", "f", ")", ":", "def", "inner_func", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "rv", "=", "f", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", "self", ".", "_invalidate_cache", ...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
rrulebase.before
Returns the last recurrence before the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned.
superjson/pkg/dateutil/rrule.py
def before(self, dt, inc=False): """ Returns the last recurrence before the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned. """ if self._cache_complete: gen = self...
def before(self, dt, inc=False): """ Returns the last recurrence before the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned. """ if self._cache_complete: gen = self...
[ "Returns", "the", "last", "recurrence", "before", "the", "given", "datetime", "instance", ".", "The", "inc", "keyword", "defines", "what", "happens", "if", "dt", "is", "an", "occurrence", ".", "With", "inc", "=", "True", "if", "dt", "itself", "is", "an", ...
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L193-L212
[ "def", "before", "(", "self", ",", "dt", ",", "inc", "=", "False", ")", ":", "if", "self", ".", "_cache_complete", ":", "gen", "=", "self", ".", "_cache", "else", ":", "gen", "=", "self", "last", "=", "None", "if", "inc", ":", "for", "i", "in", ...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
rrulebase.after
Returns the first recurrence after the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned.
superjson/pkg/dateutil/rrule.py
def after(self, dt, inc=False): """ Returns the first recurrence after the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned. """ if self._cache_complete: gen = self...
def after(self, dt, inc=False): """ Returns the first recurrence after the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned. """ if self._cache_complete: gen = self...
[ "Returns", "the", "first", "recurrence", "after", "the", "given", "datetime", "instance", ".", "The", "inc", "keyword", "defines", "what", "happens", "if", "dt", "is", "an", "occurrence", ".", "With", "inc", "=", "True", "if", "dt", "itself", "is", "an", ...
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L214-L230
[ "def", "after", "(", "self", ",", "dt", ",", "inc", "=", "False", ")", ":", "if", "self", ".", "_cache_complete", ":", "gen", "=", "self", ".", "_cache", "else", ":", "gen", "=", "self", "if", "inc", ":", "for", "i", "in", "gen", ":", "if", "i"...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
rrulebase.xafter
Generator which yields up to `count` recurrences after the given datetime instance, equivalent to `after`. :param dt: The datetime at which to start generating recurrences. :param count: The maximum number of recurrences to generate. If `None` (default), dat...
superjson/pkg/dateutil/rrule.py
def xafter(self, dt, count=None, inc=False): """ Generator which yields up to `count` recurrences after the given datetime instance, equivalent to `after`. :param dt: The datetime at which to start generating recurrences. :param count: The maximum number...
def xafter(self, dt, count=None, inc=False): """ Generator which yields up to `count` recurrences after the given datetime instance, equivalent to `after`. :param dt: The datetime at which to start generating recurrences. :param count: The maximum number...
[ "Generator", "which", "yields", "up", "to", "count", "recurrences", "after", "the", "given", "datetime", "instance", "equivalent", "to", "after", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L232-L271
[ "def", "xafter", "(", "self", ",", "dt", ",", "count", "=", "None", ",", "inc", "=", "False", ")", ":", "if", "self", ".", "_cache_complete", ":", "gen", "=", "self", ".", "_cache", "else", ":", "gen", "=", "self", "# Select the comparison function", "...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
rrule.replace
Return new rrule with same attributes except for those attributes given new values by whichever keyword arguments are specified.
superjson/pkg/dateutil/rrule.py
def replace(self, **kwargs): """Return new rrule with same attributes except for those attributes given new values by whichever keyword arguments are specified.""" new_kwargs = {"interval": self._interval, "count": self._count, "dtstart": self._dtst...
def replace(self, **kwargs): """Return new rrule with same attributes except for those attributes given new values by whichever keyword arguments are specified.""" new_kwargs = {"interval": self._interval, "count": self._count, "dtstart": self._dtst...
[ "Return", "new", "rrule", "with", "same", "attributes", "except", "for", "those", "attributes", "given", "new", "values", "by", "whichever", "keyword", "arguments", "are", "specified", "." ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L742-L754
[ "def", "replace", "(", "self", ",", "*", "*", "kwargs", ")", ":", "new_kwargs", "=", "{", "\"interval\"", ":", "self", ".", "_interval", ",", "\"count\"", ":", "self", ".", "_count", ",", "\"dtstart\"", ":", "self", ".", "_dtstart", ",", "\"freq\"", ":...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
rrule.__construct_byset
If a `BYXXX` sequence is passed to the constructor at the same level as `FREQ` (e.g. `FREQ=HOURLY,BYHOUR={2,4,7},INTERVAL=3`), there are some specifications which cannot be reached given some starting conditions. This occurs whenever the interval is not coprime with the base of a given ...
superjson/pkg/dateutil/rrule.py
def __construct_byset(self, start, byxxx, base): """ If a `BYXXX` sequence is passed to the constructor at the same level as `FREQ` (e.g. `FREQ=HOURLY,BYHOUR={2,4,7},INTERVAL=3`), there are some specifications which cannot be reached given some starting conditions. This occurs w...
def __construct_byset(self, start, byxxx, base): """ If a `BYXXX` sequence is passed to the constructor at the same level as `FREQ` (e.g. `FREQ=HOURLY,BYHOUR={2,4,7},INTERVAL=3`), there are some specifications which cannot be reached given some starting conditions. This occurs w...
[ "If", "a", "BYXXX", "sequence", "is", "passed", "to", "the", "constructor", "at", "the", "same", "level", "as", "FREQ", "(", "e", ".", "g", ".", "FREQ", "=", "HOURLY", "BYHOUR", "=", "{", "2", "4", "7", "}", "INTERVAL", "=", "3", ")", "there", "a...
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L1013-L1058
[ "def", "__construct_byset", "(", "self", ",", "start", ",", "byxxx", ",", "base", ")", ":", "cset", "=", "set", "(", ")", "# Support a single byxxx value.", "if", "isinstance", "(", "byxxx", ",", "integer_types", ")", ":", "byxxx", "=", "(", "byxxx", ",", ...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
rrule.__mod_distance
Calculates the next value in a sequence where the `FREQ` parameter is specified along with a `BYXXX` parameter at the same "level" (e.g. `HOURLY` specified with `BYHOUR`). :param value: The old value of the component. :param byxxx: The `BYXXX` set, which should h...
superjson/pkg/dateutil/rrule.py
def __mod_distance(self, value, byxxx, base): """ Calculates the next value in a sequence where the `FREQ` parameter is specified along with a `BYXXX` parameter at the same "level" (e.g. `HOURLY` specified with `BYHOUR`). :param value: The old value of the component....
def __mod_distance(self, value, byxxx, base): """ Calculates the next value in a sequence where the `FREQ` parameter is specified along with a `BYXXX` parameter at the same "level" (e.g. `HOURLY` specified with `BYHOUR`). :param value: The old value of the component....
[ "Calculates", "the", "next", "value", "in", "a", "sequence", "where", "the", "FREQ", "parameter", "is", "specified", "along", "with", "a", "BYXXX", "parameter", "at", "the", "same", "level", "(", "e", ".", "g", ".", "HOURLY", "specified", "with", "BYHOUR",...
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L1060-L1090
[ "def", "__mod_distance", "(", "self", ",", "value", ",", "byxxx", ",", "base", ")", ":", "accumulator", "=", "0", "for", "ii", "in", "range", "(", "1", ",", "base", "+", "1", ")", ":", "# Using divmod() over % to account for negative intervals", "div", ",", ...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
_rrulestr._handle_BYWEEKDAY
Two ways to specify this: +1MO or MO(+1)
superjson/pkg/dateutil/rrule.py
def _handle_BYWEEKDAY(self, rrkwargs, name, value, **kwargs): """ Two ways to specify this: +1MO or MO(+1) """ l = [] for wday in value.split(','): if '(' in wday: # If it's of the form TH(+1), etc. splt = wday.split('(') ...
def _handle_BYWEEKDAY(self, rrkwargs, name, value, **kwargs): """ Two ways to specify this: +1MO or MO(+1) """ l = [] for wday in value.split(','): if '(' in wday: # If it's of the form TH(+1), etc. splt = wday.split('(') ...
[ "Two", "ways", "to", "specify", "this", ":", "+", "1MO", "or", "MO", "(", "+", "1", ")" ]
MacHu-GWU/superjson-project
python
https://github.com/MacHu-GWU/superjson-project/blob/782ca4b2edbd4b4018b8cedee42eeae7c921b917/superjson/pkg/dateutil/rrule.py#L1445-L1469
[ "def", "_handle_BYWEEKDAY", "(", "self", ",", "rrkwargs", ",", "name", ",", "value", ",", "*", "*", "kwargs", ")", ":", "l", "=", "[", "]", "for", "wday", "in", "value", ".", "split", "(", "','", ")", ":", "if", "'('", "in", "wday", ":", "# If it...
782ca4b2edbd4b4018b8cedee42eeae7c921b917
valid
get_data_for_root
This is the only API function of the projectfile module. It parses the Projectfiles from the given path and assembles the flattened command data structure. Returned data: { 'min-version': (1, 0, 0), 'description': 'Optional main description.', 'commands': { 'command_1...
projects/projectfile/__init__.py
def get_data_for_root(project_root): """This is the only API function of the projectfile module. It parses the Projectfiles from the given path and assembles the flattened command data structure. Returned data: { 'min-version': (1, 0, 0), 'description': 'Optional main description.', ...
def get_data_for_root(project_root): """This is the only API function of the projectfile module. It parses the Projectfiles from the given path and assembles the flattened command data structure. Returned data: { 'min-version': (1, 0, 0), 'description': 'Optional main description.', ...
[ "This", "is", "the", "only", "API", "function", "of", "the", "projectfile", "module", ".", "It", "parses", "the", "Projectfiles", "from", "the", "given", "path", "and", "assembles", "the", "flattened", "command", "data", "structure", ".", "Returned", "data", ...
tiborsimon/projects
python
https://github.com/tiborsimon/projects/blob/44d1caf2bab001a2b0bf33c40d7669ae1206f534/projects/projectfile/__init__.py#L49-L87
[ "def", "get_data_for_root", "(", "project_root", ")", ":", "raw_nodes", "=", "file_handler", ".", "get_node_list", "(", "project_root", ")", "command_tree", "=", "command_processor", ".", "generate_command_tree", "(", "raw_nodes", ")", "command_processor", ".", "flatt...
44d1caf2bab001a2b0bf33c40d7669ae1206f534
valid
run_get_percentage
Calculate what percentage a given number is of another, e.g. 50 is 50% of 100.
commands.py
def run_get_percentage(): """ Calculate what percentage a given number is of another, e.g. 50 is 50% of 100. """ description = run_get_percentage.__doc__ parser = argparse.ArgumentParser( prog='get_percentage', description=description, epilog="Example use: get_percentage ...
def run_get_percentage(): """ Calculate what percentage a given number is of another, e.g. 50 is 50% of 100. """ description = run_get_percentage.__doc__ parser = argparse.ArgumentParser( prog='get_percentage', description=description, epilog="Example use: get_percentage ...
[ "Calculate", "what", "percentage", "a", "given", "number", "is", "of", "another", "e", ".", "g", ".", "50", "is", "50%", "of", "100", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/commands.py#L25-L44
[ "def", "run_get_percentage", "(", ")", ":", "description", "=", "run_get_percentage", ".", "__doc__", "parser", "=", "argparse", ".", "ArgumentParser", "(", "prog", "=", "'get_percentage'", ",", "description", "=", "description", ",", "epilog", "=", "\"Example use...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
run_excel_to_html
Run the excel_to_html function from the command-line. Args: -p path to file -s name of the sheet to convert -css classes to apply -m attempt to combine merged cells -c caption for accessibility -su summary for accessibility -d details for accessibility ...
commands.py
def run_excel_to_html(): """ Run the excel_to_html function from the command-line. Args: -p path to file -s name of the sheet to convert -css classes to apply -m attempt to combine merged cells -c caption for accessibility -su summary for accessibility ...
def run_excel_to_html(): """ Run the excel_to_html function from the command-line. Args: -p path to file -s name of the sheet to convert -css classes to apply -m attempt to combine merged cells -c caption for accessibility -su summary for accessibility ...
[ "Run", "the", "excel_to_html", "function", "from", "the", "command", "-", "line", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/commands.py#L47-L117
[ "def", "run_excel_to_html", "(", ")", ":", "# Capture commandline arguments. prog='' argument must", "# match the command name in setup.py entry_points", "parser", "=", "argparse", ".", "ArgumentParser", "(", "prog", "=", "'excel_to_html'", ")", "parser", ".", "add_argument", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
ConvertPHP.get_built_in
Gets the return string for a language that's supported by python. Used in cases when python provides support for the conversion. Args: language: string the langage to return for. level: integer, the indentation level. data: python data structure being converted...
convert_php/convert_php.py
def get_built_in(self, language, level, data): """ Gets the return string for a language that's supported by python. Used in cases when python provides support for the conversion. Args: language: string the langage to return for. level: integer, the indentat...
def get_built_in(self, language, level, data): """ Gets the return string for a language that's supported by python. Used in cases when python provides support for the conversion. Args: language: string the langage to return for. level: integer, the indentat...
[ "Gets", "the", "return", "string", "for", "a", "language", "that", "s", "supported", "by", "python", ".", "Used", "in", "cases", "when", "python", "provides", "support", "for", "the", "conversion", ".", "Args", ":", "language", ":", "string", "the", "langa...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/convert_php/convert_php.py#L73-L94
[ "def", "get_built_in", "(", "self", ",", "language", ",", "level", ",", "data", ")", ":", "# Language is python", "pp", "=", "pprint", ".", "PrettyPrinter", "(", "indent", "=", "level", ")", "lookup", "=", "{", "'python'", ":", "pp", ".", "pformat", "(",...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
ConvertPHP.get_inner_template
Gets the requested template for the given language. Args: language: string, the language of the template to look for. template_type: string, 'iterable' or 'singular'. An iterable template is needed when the value is an iterable and needs more unpacking, e.g. li...
convert_php/convert_php.py
def get_inner_template(self, language, template_type, indentation, key, val): """ Gets the requested template for the given language. Args: language: string, the language of the template to look for. template_type: string, 'iterable' or 'singular'. An itera...
def get_inner_template(self, language, template_type, indentation, key, val): """ Gets the requested template for the given language. Args: language: string, the language of the template to look for. template_type: string, 'iterable' or 'singular'. An itera...
[ "Gets", "the", "requested", "template", "for", "the", "given", "language", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/convert_php/convert_php.py#L96-L129
[ "def", "get_inner_template", "(", "self", ",", "language", ",", "template_type", ",", "indentation", ",", "key", ",", "val", ")", ":", "#Language specific inner templates", "inner_templates", "=", "{", "'php'", ":", "{", "'iterable'", ":", "'%s%s => array \\n%s( \\n...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
ConvertPHP.translate_array
Unserializes a serialized php array and prints it to the console as a data structure in the specified language. Used to translate or convert a php array into a data structure in another language. Currently supports, PHP, Python, Javascript, and JSON. Args: string: ...
convert_php/convert_php.py
def translate_array(self, string, language, level=3, retdata=False): """Unserializes a serialized php array and prints it to the console as a data structure in the specified language. Used to translate or convert a php array into a data structure in another language. Currently supports,...
def translate_array(self, string, language, level=3, retdata=False): """Unserializes a serialized php array and prints it to the console as a data structure in the specified language. Used to translate or convert a php array into a data structure in another language. Currently supports,...
[ "Unserializes", "a", "serialized", "php", "array", "and", "prints", "it", "to", "the", "console", "as", "a", "data", "structure", "in", "the", "specified", "language", ".", "Used", "to", "translate", "or", "convert", "a", "php", "array", "into", "a", "data...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/convert_php/convert_php.py#L166-L260
[ "def", "translate_array", "(", "self", ",", "string", ",", "language", ",", "level", "=", "3", ",", "retdata", "=", "False", ")", ":", "language", "=", "language", ".", "lower", "(", ")", "assert", "self", ".", "is_built_in", "(", "language", ")", "or"...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
PCA.pc
e.g. 1000 x 2 U[:, :npc] * d[:npc], to plot etc.
pca_so.py
def pc( self ): """ e.g. 1000 x 2 U[:, :npc] * d[:npc], to plot etc. """ n = self.npc return self.U[:, :n] * self.d[:n]
def pc( self ): """ e.g. 1000 x 2 U[:, :npc] * d[:npc], to plot etc. """ n = self.npc return self.U[:, :n] * self.d[:n]
[ "e", ".", "g", ".", "1000", "x", "2", "U", "[", ":", ":", "npc", "]", "*", "d", "[", ":", "npc", "]", "to", "plot", "etc", "." ]
hobson/pug
python
https://github.com/hobson/pug/blob/f183e2b29e0b3efa425a9b75cfe001b28a279acc/pca_so.py#L81-L84
[ "def", "pc", "(", "self", ")", ":", "n", "=", "self", ".", "npc", "return", "self", ".", "U", "[", ":", ",", ":", "n", "]", "*", "self", ".", "d", "[", ":", "n", "]" ]
f183e2b29e0b3efa425a9b75cfe001b28a279acc
valid
get
Only API function for the config module. :return: {dict} loaded validated configuration.
projects/config.py
def get(): """ Only API function for the config module. :return: {dict} loaded validated configuration. """ config = {} try: config = _load_config() except IOError: try: _create_default_config() config = _load_config() except IOError as e: ...
def get(): """ Only API function for the config module. :return: {dict} loaded validated configuration. """ config = {} try: config = _load_config() except IOError: try: _create_default_config() config = _load_config() except IOError as e: ...
[ "Only", "API", "function", "for", "the", "config", "module", "." ]
tiborsimon/projects
python
https://github.com/tiborsimon/projects/blob/44d1caf2bab001a2b0bf33c40d7669ae1206f534/projects/config.py#L41-L71
[ "def", "get", "(", ")", ":", "config", "=", "{", "}", "try", ":", "config", "=", "_load_config", "(", ")", "except", "IOError", ":", "try", ":", "_create_default_config", "(", ")", "config", "=", "_load_config", "(", ")", "except", "IOError", "as", "e"...
44d1caf2bab001a2b0bf33c40d7669ae1206f534
valid
_validate
Config validation Raises: KeyError on missing mandatory key SyntaxError on invalid key ValueError on invalid value for key :param config: {dict} config to validate :return: None
projects/config.py
def _validate(config): """ Config validation Raises: KeyError on missing mandatory key SyntaxError on invalid key ValueError on invalid value for key :param config: {dict} config to validate :return: None """ for mandatory_key in _mandatory_keys: i...
def _validate(config): """ Config validation Raises: KeyError on missing mandatory key SyntaxError on invalid key ValueError on invalid value for key :param config: {dict} config to validate :return: None """ for mandatory_key in _mandatory_keys: i...
[ "Config", "validation", "Raises", ":", "KeyError", "on", "missing", "mandatory", "key", "SyntaxError", "on", "invalid", "key", "ValueError", "on", "invalid", "value", "for", "key", ":", "param", "config", ":", "{", "dict", "}", "config", "to", "validate", ":...
tiborsimon/projects
python
https://github.com/tiborsimon/projects/blob/44d1caf2bab001a2b0bf33c40d7669ae1206f534/projects/config.py#L117-L133
[ "def", "_validate", "(", "config", ")", ":", "for", "mandatory_key", "in", "_mandatory_keys", ":", "if", "mandatory_key", "not", "in", "config", ":", "raise", "KeyError", "(", "mandatory_key", ")", "for", "key", "in", "config", ".", "keys", "(", ")", ":", ...
44d1caf2bab001a2b0bf33c40d7669ae1206f534
valid
_create_default_config
Writes the full default configuration to the appropriate place. Raises: IOError - on unsuccesful file write :return: None
projects/config.py
def _create_default_config(): """ Writes the full default configuration to the appropriate place. Raises: IOError - on unsuccesful file write :return: None """ config_path = _get_config_path() with open(config_path, 'w+') as f: yaml.dump(_default_config, f, default_flow_style=Fa...
def _create_default_config(): """ Writes the full default configuration to the appropriate place. Raises: IOError - on unsuccesful file write :return: None """ config_path = _get_config_path() with open(config_path, 'w+') as f: yaml.dump(_default_config, f, default_flow_style=Fa...
[ "Writes", "the", "full", "default", "configuration", "to", "the", "appropriate", "place", ".", "Raises", ":", "IOError", "-", "on", "unsuccesful", "file", "write", ":", "return", ":", "None" ]
tiborsimon/projects
python
https://github.com/tiborsimon/projects/blob/44d1caf2bab001a2b0bf33c40d7669ae1206f534/projects/config.py#L136-L144
[ "def", "_create_default_config", "(", ")", ":", "config_path", "=", "_get_config_path", "(", ")", "with", "open", "(", "config_path", ",", "'w+'", ")", "as", "f", ":", "yaml", ".", "dump", "(", "_default_config", ",", "f", ",", "default_flow_style", "=", "...
44d1caf2bab001a2b0bf33c40d7669ae1206f534
valid
reusable
Create a reusable class from a generator function Parameters ---------- func: GeneratorCallable[T_yield, T_send, T_return] the function to wrap Note ---- * the callable must have an inspectable signature * If bound to a class, the new reusable generator is callable as a method. ...
gentools/core.py
def reusable(func): """Create a reusable class from a generator function Parameters ---------- func: GeneratorCallable[T_yield, T_send, T_return] the function to wrap Note ---- * the callable must have an inspectable signature * If bound to a class, the new reusable generator i...
def reusable(func): """Create a reusable class from a generator function Parameters ---------- func: GeneratorCallable[T_yield, T_send, T_return] the function to wrap Note ---- * the callable must have an inspectable signature * If bound to a class, the new reusable generator i...
[ "Create", "a", "reusable", "class", "from", "a", "generator", "function" ]
ariebovenberg/gentools
python
https://github.com/ariebovenberg/gentools/blob/4a1f9f928c7f8b4752b69168858e83b4b23d6bcb/gentools/core.py#L152-L186
[ "def", "reusable", "(", "func", ")", ":", "sig", "=", "signature", "(", "func", ")", "origin", "=", "func", "while", "hasattr", "(", "origin", ",", "'__wrapped__'", ")", ":", "origin", "=", "origin", ".", "__wrapped__", "return", "type", "(", "origin", ...
4a1f9f928c7f8b4752b69168858e83b4b23d6bcb
valid
sendreturn
Send an item into a generator expecting a final return value Parameters ---------- gen: ~typing.Generator[T_yield, T_send, T_return] the generator to send the value to value: T_send the value to send Raises ------ RuntimeError if the generator did not return as expe...
gentools/core.py
def sendreturn(gen, value): """Send an item into a generator expecting a final return value Parameters ---------- gen: ~typing.Generator[T_yield, T_send, T_return] the generator to send the value to value: T_send the value to send Raises ------ RuntimeError if t...
def sendreturn(gen, value): """Send an item into a generator expecting a final return value Parameters ---------- gen: ~typing.Generator[T_yield, T_send, T_return] the generator to send the value to value: T_send the value to send Raises ------ RuntimeError if t...
[ "Send", "an", "item", "into", "a", "generator", "expecting", "a", "final", "return", "value" ]
ariebovenberg/gentools
python
https://github.com/ariebovenberg/gentools/blob/4a1f9f928c7f8b4752b69168858e83b4b23d6bcb/gentools/core.py#L297-L322
[ "def", "sendreturn", "(", "gen", ",", "value", ")", ":", "try", ":", "gen", ".", "send", "(", "value", ")", "except", "StopIteration", "as", "e", ":", "return", "stopiter_value", "(", "e", ")", "else", ":", "raise", "RuntimeError", "(", "'generator did n...
4a1f9f928c7f8b4752b69168858e83b4b23d6bcb
valid
imap_send
Apply a function to all ``send`` values of a generator Parameters ---------- func: ~typing.Callable[[T_send], T_mapped] the function to apply gen: Generable[T_yield, T_mapped, T_return] the generator iterable. Returns ------- ~typing.Generator[T_yield, T_send, T_return] ...
gentools/core.py
def imap_send(func, gen): """Apply a function to all ``send`` values of a generator Parameters ---------- func: ~typing.Callable[[T_send], T_mapped] the function to apply gen: Generable[T_yield, T_mapped, T_return] the generator iterable. Returns ------- ~typing.Generat...
def imap_send(func, gen): """Apply a function to all ``send`` values of a generator Parameters ---------- func: ~typing.Callable[[T_send], T_mapped] the function to apply gen: Generable[T_yield, T_mapped, T_return] the generator iterable. Returns ------- ~typing.Generat...
[ "Apply", "a", "function", "to", "all", "send", "values", "of", "a", "generator" ]
ariebovenberg/gentools
python
https://github.com/ariebovenberg/gentools/blob/4a1f9f928c7f8b4752b69168858e83b4b23d6bcb/gentools/core.py#L351-L372
[ "def", "imap_send", "(", "func", ",", "gen", ")", ":", "gen", "=", "iter", "(", "gen", ")", "assert", "_is_just_started", "(", "gen", ")", "yielder", "=", "yield_from", "(", "gen", ")", "for", "item", "in", "yielder", ":", "with", "yielder", ":", "yi...
4a1f9f928c7f8b4752b69168858e83b4b23d6bcb
valid
irelay
Create a new generator by relaying yield/send interactions through another generator Parameters ---------- gen: Generable[T_yield, T_send, T_return] the original generator thru: ~typing.Callable[[T_yield], ~typing.Generator] the generator callable through which each interaction is r...
gentools/core.py
def irelay(gen, thru): """Create a new generator by relaying yield/send interactions through another generator Parameters ---------- gen: Generable[T_yield, T_send, T_return] the original generator thru: ~typing.Callable[[T_yield], ~typing.Generator] the generator callable throu...
def irelay(gen, thru): """Create a new generator by relaying yield/send interactions through another generator Parameters ---------- gen: Generable[T_yield, T_send, T_return] the original generator thru: ~typing.Callable[[T_yield], ~typing.Generator] the generator callable throu...
[ "Create", "a", "new", "generator", "by", "relaying", "yield", "/", "send", "interactions", "through", "another", "generator" ]
ariebovenberg/gentools
python
https://github.com/ariebovenberg/gentools/blob/4a1f9f928c7f8b4752b69168858e83b4b23d6bcb/gentools/core.py#L400-L431
[ "def", "irelay", "(", "gen", ",", "thru", ")", ":", "gen", "=", "iter", "(", "gen", ")", "assert", "_is_just_started", "(", "gen", ")", "yielder", "=", "yield_from", "(", "gen", ")", "for", "item", "in", "yielder", ":", "with", "yielder", ":", "subge...
4a1f9f928c7f8b4752b69168858e83b4b23d6bcb
valid
_data_integrity_check
Checks if all command dependencies refers to and existing command. If not, a ProjectfileError will be raised with the problematic dependency and it's command. :param data: parsed raw data set. :return: None
projects/projectfile/parser/__init__.py
def _data_integrity_check(data): """Checks if all command dependencies refers to and existing command. If not, a ProjectfileError will be raised with the problematic dependency and it's command. :param data: parsed raw data set. :return: None """ deps = [] for command in data['comma...
def _data_integrity_check(data): """Checks if all command dependencies refers to and existing command. If not, a ProjectfileError will be raised with the problematic dependency and it's command. :param data: parsed raw data set. :return: None """ deps = [] for command in data['comma...
[ "Checks", "if", "all", "command", "dependencies", "refers", "to", "and", "existing", "command", ".", "If", "not", "a", "ProjectfileError", "will", "be", "raised", "with", "the", "problematic", "dependency", "and", "it", "s", "command", ".", ":", "param", "da...
tiborsimon/projects
python
https://github.com/tiborsimon/projects/blob/44d1caf2bab001a2b0bf33c40d7669ae1206f534/projects/projectfile/parser/__init__.py#L43-L62
[ "def", "_data_integrity_check", "(", "data", ")", ":", "deps", "=", "[", "]", "for", "command", "in", "data", "[", "'commands'", "]", ":", "if", "'dependencies'", "in", "data", "[", "'commands'", "]", "[", "command", "]", ":", "for", "d", "in", "data",...
44d1caf2bab001a2b0bf33c40d7669ae1206f534
valid
_link_rels
Populate any database related fields (ForeignKeyField, OneToOneField) that have `_get`ters to populate them with
pug/decorators.py
def _link_rels(obj, fields=None, save=False, overwrite=False): """Populate any database related fields (ForeignKeyField, OneToOneField) that have `_get`ters to populate them with""" if not fields: meta = obj._meta fields = [f.name for f in meta.fields if hasattr(f, 'do_related_class') and not f....
def _link_rels(obj, fields=None, save=False, overwrite=False): """Populate any database related fields (ForeignKeyField, OneToOneField) that have `_get`ters to populate them with""" if not fields: meta = obj._meta fields = [f.name for f in meta.fields if hasattr(f, 'do_related_class') and not f....
[ "Populate", "any", "database", "related", "fields", "(", "ForeignKeyField", "OneToOneField", ")", "that", "have", "_get", "ters", "to", "populate", "them", "with" ]
hobson/pug
python
https://github.com/hobson/pug/blob/f183e2b29e0b3efa425a9b75cfe001b28a279acc/pug/decorators.py#L238-L252
[ "def", "_link_rels", "(", "obj", ",", "fields", "=", "None", ",", "save", "=", "False", ",", "overwrite", "=", "False", ")", ":", "if", "not", "fields", ":", "meta", "=", "obj", ".", "_meta", "fields", "=", "[", "f", ".", "name", "for", "f", "in"...
f183e2b29e0b3efa425a9b75cfe001b28a279acc
valid
_update
Update/populate any database fields that have `_get`ters to populate them with, regardless of whether they are data fields or related fields
pug/decorators.py
def _update(obj, fields=None, save=False, overwrite=False): """Update/populate any database fields that have `_get`ters to populate them with, regardless of whether they are data fields or related fields""" if not fields: meta = obj._meta fields = [f.name for f in meta.fields if not f.primary_ke...
def _update(obj, fields=None, save=False, overwrite=False): """Update/populate any database fields that have `_get`ters to populate them with, regardless of whether they are data fields or related fields""" if not fields: meta = obj._meta fields = [f.name for f in meta.fields if not f.primary_ke...
[ "Update", "/", "populate", "any", "database", "fields", "that", "have", "_get", "ters", "to", "populate", "them", "with", "regardless", "of", "whether", "they", "are", "data", "fields", "or", "related", "fields" ]
hobson/pug
python
https://github.com/hobson/pug/blob/f183e2b29e0b3efa425a9b75cfe001b28a279acc/pug/decorators.py#L270-L290
[ "def", "_update", "(", "obj", ",", "fields", "=", "None", ",", "save", "=", "False", ",", "overwrite", "=", "False", ")", ":", "if", "not", "fields", ":", "meta", "=", "obj", ".", "_meta", "fields", "=", "[", "f", ".", "name", "for", "f", "in", ...
f183e2b29e0b3efa425a9b75cfe001b28a279acc
valid
bug_info
Prints the traceback and invokes the ipython debugger on any exception Only invokes ipydb if you are outside ipython or python interactive session. So scripts must be called from OS shell in order for exceptions to ipy-shell-out. Dependencies: Needs `pip install ipdb` Arguments: exc_type ...
pug/debug.py
def bug_info(exc_type, exc_value, exc_trace): """Prints the traceback and invokes the ipython debugger on any exception Only invokes ipydb if you are outside ipython or python interactive session. So scripts must be called from OS shell in order for exceptions to ipy-shell-out. Dependencies: Nee...
def bug_info(exc_type, exc_value, exc_trace): """Prints the traceback and invokes the ipython debugger on any exception Only invokes ipydb if you are outside ipython or python interactive session. So scripts must be called from OS shell in order for exceptions to ipy-shell-out. Dependencies: Nee...
[ "Prints", "the", "traceback", "and", "invokes", "the", "ipython", "debugger", "on", "any", "exception" ]
hobson/pug
python
https://github.com/hobson/pug/blob/f183e2b29e0b3efa425a9b75cfe001b28a279acc/pug/debug.py#L24-L66
[ "def", "bug_info", "(", "exc_type", ",", "exc_value", ",", "exc_trace", ")", ":", "if", "hasattr", "(", "sys", ",", "'ps1'", ")", "or", "not", "sys", ".", "stderr", ".", "isatty", "(", ")", ":", "# We are in interactive mode or don't have a tty-like device, so w...
f183e2b29e0b3efa425a9b75cfe001b28a279acc
valid
copy_web_file_to_local
Copies a file from its location on the web to a designated place on the local machine. Args: file_path: Complete url of the file to copy, string (e.g. http://fool.com/input.css). target_path: Path and name of file on the local machine, string. (e.g. /directory/output.css) Returns: ...
file_parsing/file_parsing.py
def copy_web_file_to_local(file_path, target_path): """Copies a file from its location on the web to a designated place on the local machine. Args: file_path: Complete url of the file to copy, string (e.g. http://fool.com/input.css). target_path: Path and name of file on the local machine...
def copy_web_file_to_local(file_path, target_path): """Copies a file from its location on the web to a designated place on the local machine. Args: file_path: Complete url of the file to copy, string (e.g. http://fool.com/input.css). target_path: Path and name of file on the local machine...
[ "Copies", "a", "file", "from", "its", "location", "on", "the", "web", "to", "a", "designated", "place", "on", "the", "local", "machine", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L39-L55
[ "def", "copy_web_file_to_local", "(", "file_path", ",", "target_path", ")", ":", "response", "=", "urllib", ".", "request", ".", "urlopen", "(", "file_path", ")", "f", "=", "open", "(", "target_path", ",", "'w'", ")", "f", ".", "write", "(", "response", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
get_line_count
Counts the number of lines in a file. Args: fname: string, name of the file. Returns: integer, the number of lines in the file.
file_parsing/file_parsing.py
def get_line_count(fname): """Counts the number of lines in a file. Args: fname: string, name of the file. Returns: integer, the number of lines in the file. """ i = 0 with open(fname) as f: for i, l in enumerate(f): pass return i + 1
def get_line_count(fname): """Counts the number of lines in a file. Args: fname: string, name of the file. Returns: integer, the number of lines in the file. """ i = 0 with open(fname) as f: for i, l in enumerate(f): pass return i + 1
[ "Counts", "the", "number", "of", "lines", "in", "a", "file", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L57-L71
[ "def", "get_line_count", "(", "fname", ")", ":", "i", "=", "0", "with", "open", "(", "fname", ")", "as", "f", ":", "for", "i", ",", "l", "in", "enumerate", "(", "f", ")", ":", "pass", "return", "i", "+", "1" ]
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
indent_css
Indentes css that has not been indented and saves it to a new file. A new file is created if the output destination does not already exist. Args: f: string, path to file. output: string, path/name of the output file (e.g. /directory/output.css). print type(response.read()) Returns: ...
file_parsing/file_parsing.py
def indent_css(f, output): """Indentes css that has not been indented and saves it to a new file. A new file is created if the output destination does not already exist. Args: f: string, path to file. output: string, path/name of the output file (e.g. /directory/output.css). print type...
def indent_css(f, output): """Indentes css that has not been indented and saves it to a new file. A new file is created if the output destination does not already exist. Args: f: string, path to file. output: string, path/name of the output file (e.g. /directory/output.css). print type...
[ "Indentes", "css", "that", "has", "not", "been", "indented", "and", "saves", "it", "to", "a", "new", "file", ".", "A", "new", "file", "is", "created", "if", "the", "output", "destination", "does", "not", "already", "exist", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L73-L97
[ "def", "indent_css", "(", "f", ",", "output", ")", ":", "line_count", "=", "get_line_count", "(", "f", ")", "f", "=", "open", "(", "f", ",", "'r+'", ")", "output", "=", "open", "(", "output", ",", "'r+'", ")", "for", "line", "in", "range", "(", "...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
add_newlines
Adds line breaks after every occurance of a given character in a file. Args: f: string, path to input file. output: string, path to output file. Returns: None.
file_parsing/file_parsing.py
def add_newlines(f, output, char): """Adds line breaks after every occurance of a given character in a file. Args: f: string, path to input file. output: string, path to output file. Returns: None. """ line_count = get_line_count(f) f = open(f, 'r+') output = open(...
def add_newlines(f, output, char): """Adds line breaks after every occurance of a given character in a file. Args: f: string, path to input file. output: string, path to output file. Returns: None. """ line_count = get_line_count(f) f = open(f, 'r+') output = open(...
[ "Adds", "line", "breaks", "after", "every", "occurance", "of", "a", "given", "character", "in", "a", "file", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L99-L116
[ "def", "add_newlines", "(", "f", ",", "output", ",", "char", ")", ":", "line_count", "=", "get_line_count", "(", "f", ")", "f", "=", "open", "(", "f", ",", "'r+'", ")", "output", "=", "open", "(", "output", ",", "'r+'", ")", "for", "line", "in", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
add_whitespace_before
Adds a space before a character if there's isn't one already. Args: char: string, character that needs a space before it. input_file: string, path to file to parse. output_file: string, path to destination file. Returns: None.
file_parsing/file_parsing.py
def add_whitespace_before(char, input_file, output_file): """Adds a space before a character if there's isn't one already. Args: char: string, character that needs a space before it. input_file: string, path to file to parse. output_file: string, path to destination file. ...
def add_whitespace_before(char, input_file, output_file): """Adds a space before a character if there's isn't one already. Args: char: string, character that needs a space before it. input_file: string, path to file to parse. output_file: string, path to destination file. ...
[ "Adds", "a", "space", "before", "a", "character", "if", "there", "s", "isn", "t", "one", "already", ".", "Args", ":", "char", ":", "string", "character", "that", "needs", "a", "space", "before", "it", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L118-L140
[ "def", "add_whitespace_before", "(", "char", ",", "input_file", ",", "output_file", ")", ":", "line_count", "=", "get_line_count", "(", "input_file", ")", "input_file", "=", "open", "(", "input_file", ",", "'r'", ")", "output_file", "=", "open", "(", "output_f...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
reformat_css
Reformats poorly written css. This function does not validate or fix errors in the code. It only gives code the proper indentation. Args: input_file: string, path to the input file. output_file: string, path to where the reformatted css should be saved. If the target file doesn't exis...
file_parsing/file_parsing.py
def reformat_css(input_file, output_file): """Reformats poorly written css. This function does not validate or fix errors in the code. It only gives code the proper indentation. Args: input_file: string, path to the input file. output_file: string, path to where the reformatted css should...
def reformat_css(input_file, output_file): """Reformats poorly written css. This function does not validate or fix errors in the code. It only gives code the proper indentation. Args: input_file: string, path to the input file. output_file: string, path to where the reformatted css should...
[ "Reformats", "poorly", "written", "css", ".", "This", "function", "does", "not", "validate", "or", "fix", "errors", "in", "the", "code", ".", "It", "only", "gives", "code", "the", "proper", "indentation", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L142-L188
[ "def", "reformat_css", "(", "input_file", ",", "output_file", ")", ":", "# Number of lines in the file.", "line_count", "=", "get_line_count", "(", "input_file", ")", "# Open source and target files.", "f", "=", "open", "(", "input_file", ",", "'r+'", ")", "output", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
is_int
Checks if a string is an integer. If the string value is an integer return True, otherwise return False. Args: string: a string to test. Returns: boolean
file_parsing/file_parsing.py
def is_int(string): """ Checks if a string is an integer. If the string value is an integer return True, otherwise return False. Args: string: a string to test. Returns: boolean """ try: a = float(string) b = int(a) except ValueError: retur...
def is_int(string): """ Checks if a string is an integer. If the string value is an integer return True, otherwise return False. Args: string: a string to test. Returns: boolean """ try: a = float(string) b = int(a) except ValueError: retur...
[ "Checks", "if", "a", "string", "is", "an", "integer", ".", "If", "the", "string", "value", "is", "an", "integer", "return", "True", "otherwise", "return", "False", ".", "Args", ":", "string", ":", "a", "string", "to", "test", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L249-L266
[ "def", "is_int", "(", "string", ")", ":", "try", ":", "a", "=", "float", "(", "string", ")", "b", "=", "int", "(", "a", ")", "except", "ValueError", ":", "return", "False", "else", ":", "return", "a", "==", "b" ]
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
total_hours
Totals the hours for a given projct. Takes a list of input files for which to total the hours. Each input file represents a project. There are only multiple files for the same project when the duration was more than a year. A typical entry in an input file might look like this: 8/24/14 9:30...
file_parsing/file_parsing.py
def total_hours(input_files): """ Totals the hours for a given projct. Takes a list of input files for which to total the hours. Each input file represents a project. There are only multiple files for the same project when the duration was more than a year. A typical entry in an input file might l...
def total_hours(input_files): """ Totals the hours for a given projct. Takes a list of input files for which to total the hours. Each input file represents a project. There are only multiple files for the same project when the duration was more than a year. A typical entry in an input file might l...
[ "Totals", "the", "hours", "for", "a", "given", "projct", ".", "Takes", "a", "list", "of", "input", "files", "for", "which", "to", "total", "the", "hours", ".", "Each", "input", "file", "represents", "a", "project", ".", "There", "are", "only", "multiple"...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L269-L299
[ "def", "total_hours", "(", "input_files", ")", ":", "hours", "=", "0", "# Look for singular and plural forms of the word", "# and allow typos.", "allow", "=", "set", "(", "[", "'hours'", ",", "'hour'", ",", "'huors'", ",", "'huor'", "]", ")", "for", "input_file", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
clean_strings
Take a list of strings and clear whitespace on each one. If a value in the list is not a string pass it through untouched. Args: iterable: mixed list Returns: mixed list
file_parsing/file_parsing.py
def clean_strings(iterable): """ Take a list of strings and clear whitespace on each one. If a value in the list is not a string pass it through untouched. Args: iterable: mixed list Returns: mixed list """ retval = [] for val in iterable: try: ...
def clean_strings(iterable): """ Take a list of strings and clear whitespace on each one. If a value in the list is not a string pass it through untouched. Args: iterable: mixed list Returns: mixed list """ retval = [] for val in iterable: try: ...
[ "Take", "a", "list", "of", "strings", "and", "clear", "whitespace", "on", "each", "one", ".", "If", "a", "value", "in", "the", "list", "is", "not", "a", "string", "pass", "it", "through", "untouched", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L302-L320
[ "def", "clean_strings", "(", "iterable", ")", ":", "retval", "=", "[", "]", "for", "val", "in", "iterable", ":", "try", ":", "retval", ".", "append", "(", "val", ".", "strip", "(", ")", ")", "except", "(", "AttributeError", ")", ":", "retval", ".", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
excel_to_html
Convert an excel spreadsheet to an html table. This function supports the conversion of merged cells. It can be used in code or run from the command-line. If passed the correct arguments it can generate fully accessible html. Args: path: string, path to the spreadsheet. sheetname...
file_parsing/file_parsing.py
def excel_to_html(path, sheetname='Sheet1', css_classes='', \ caption='', details=[], row_headers=False, merge=False): """ Convert an excel spreadsheet to an html table. This function supports the conversion of merged cells. It can be used in code or run from the command-line. If passed the co...
def excel_to_html(path, sheetname='Sheet1', css_classes='', \ caption='', details=[], row_headers=False, merge=False): """ Convert an excel spreadsheet to an html table. This function supports the conversion of merged cells. It can be used in code or run from the command-line. If passed the co...
[ "Convert", "an", "excel", "spreadsheet", "to", "an", "html", "table", ".", "This", "function", "supports", "the", "conversion", "of", "merged", "cells", ".", "It", "can", "be", "used", "in", "code", "or", "run", "from", "the", "command", "-", "line", "."...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/file_parsing/file_parsing.py#L340-L732
[ "def", "excel_to_html", "(", "path", ",", "sheetname", "=", "'Sheet1'", ",", "css_classes", "=", "''", ",", "caption", "=", "''", ",", "details", "=", "[", "]", ",", "row_headers", "=", "False", ",", "merge", "=", "False", ")", ":", "def", "get_data_on...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
future_value
Calculates the future value of money invested at an anual interest rate, x times per year, for a given number of years. Args: present_value: int or float, the current value of the money (principal). annual_rate: float 0 to 1 e.g., .5 = 50%), the interest rate paid out. periods_per_yea...
simple_math/simple_math.py
def future_value(present_value, annual_rate, periods_per_year, years): """ Calculates the future value of money invested at an anual interest rate, x times per year, for a given number of years. Args: present_value: int or float, the current value of the money (principal). annual_rate:...
def future_value(present_value, annual_rate, periods_per_year, years): """ Calculates the future value of money invested at an anual interest rate, x times per year, for a given number of years. Args: present_value: int or float, the current value of the money (principal). annual_rate:...
[ "Calculates", "the", "future", "value", "of", "money", "invested", "at", "an", "anual", "interest", "rate", "x", "times", "per", "year", "for", "a", "given", "number", "of", "years", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L146-L172
[ "def", "future_value", "(", "present_value", ",", "annual_rate", ",", "periods_per_year", ",", "years", ")", ":", "# The nominal interest rate per period (rate) is how much interest you earn during a", "# particular length of time, before accounting for compounding. This is typically", "...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
triangle_area
Uses Heron's formula to find the area of a triangle based on the coordinates of three points. Args: point1: list or tuple, the x y coordinate of point one. point2: list or tuple, the x y coordinate of point two. point3: list or tuple, the x y coordinate of point three. Returns: ...
simple_math/simple_math.py
def triangle_area(point1, point2, point3): """ Uses Heron's formula to find the area of a triangle based on the coordinates of three points. Args: point1: list or tuple, the x y coordinate of point one. point2: list or tuple, the x y coordinate of point two. point3: list or tu...
def triangle_area(point1, point2, point3): """ Uses Heron's formula to find the area of a triangle based on the coordinates of three points. Args: point1: list or tuple, the x y coordinate of point one. point2: list or tuple, the x y coordinate of point two. point3: list or tu...
[ "Uses", "Heron", "s", "formula", "to", "find", "the", "area", "of", "a", "triangle", "based", "on", "the", "coordinates", "of", "three", "points", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L190-L218
[ "def", "triangle_area", "(", "point1", ",", "point2", ",", "point3", ")", ":", "\"\"\"Lengths of the three sides of the triangle\"\"\"", "a", "=", "point_distance", "(", "point1", ",", "point2", ")", "b", "=", "point_distance", "(", "point1", ",", "point3", ")", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
regular_polygon_area
Calculates the area of a regular polygon (with sides of equal length). Args: number_of_sides: Integer, the number of sides of the polygon length_of_sides: Integer or floating point number, the length of the sides Returns: The area of a regular polygon as an integer or floating point n...
simple_math/simple_math.py
def regular_polygon_area(number_of_sides, length_of_sides): """ Calculates the area of a regular polygon (with sides of equal length). Args: number_of_sides: Integer, the number of sides of the polygon length_of_sides: Integer or floating point number, the length of the sides Returns:...
def regular_polygon_area(number_of_sides, length_of_sides): """ Calculates the area of a regular polygon (with sides of equal length). Args: number_of_sides: Integer, the number of sides of the polygon length_of_sides: Integer or floating point number, the length of the sides Returns:...
[ "Calculates", "the", "area", "of", "a", "regular", "polygon", "(", "with", "sides", "of", "equal", "length", ")", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L241-L258
[ "def", "regular_polygon_area", "(", "number_of_sides", ",", "length_of_sides", ")", ":", "return", "(", "0.25", "*", "number_of_sides", "*", "length_of_sides", "**", "2", ")", "/", "math", ".", "tan", "(", "math", ".", "pi", "/", "number_of_sides", ")" ]
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
median
Calculates the median of a list of integers or floating point numbers. Args: data: A list of integers or floating point numbers Returns: Sorts the list numerically and returns the middle number if the list has an odd number of items. If the list contains an even number of items the me...
simple_math/simple_math.py
def median(data): """ Calculates the median of a list of integers or floating point numbers. Args: data: A list of integers or floating point numbers Returns: Sorts the list numerically and returns the middle number if the list has an odd number of items. If the list contains ...
def median(data): """ Calculates the median of a list of integers or floating point numbers. Args: data: A list of integers or floating point numbers Returns: Sorts the list numerically and returns the middle number if the list has an odd number of items. If the list contains ...
[ "Calculates", "the", "median", "of", "a", "list", "of", "integers", "or", "floating", "point", "numbers", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L261-L281
[ "def", "median", "(", "data", ")", ":", "ordered", "=", "sorted", "(", "data", ")", "length", "=", "len", "(", "ordered", ")", "if", "length", "%", "2", "==", "0", ":", "return", "(", "ordered", "[", "math", ".", "floor", "(", "length", "/", "2",...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
average
Calculates the average or mean of a list of numbers Args: numbers: a list of integers or floating point numbers. numtype: string, 'decimal' or 'float'; the type of number to return. Returns: The average (mean) of the numbers as a floating point number or a Decimal object. ...
simple_math/simple_math.py
def average(numbers, numtype='float'): """ Calculates the average or mean of a list of numbers Args: numbers: a list of integers or floating point numbers. numtype: string, 'decimal' or 'float'; the type of number to return. Returns: The average (mean) of the numbers as a floa...
def average(numbers, numtype='float'): """ Calculates the average or mean of a list of numbers Args: numbers: a list of integers or floating point numbers. numtype: string, 'decimal' or 'float'; the type of number to return. Returns: The average (mean) of the numbers as a floa...
[ "Calculates", "the", "average", "or", "mean", "of", "a", "list", "of", "numbers" ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L284-L303
[ "def", "average", "(", "numbers", ",", "numtype", "=", "'float'", ")", ":", "if", "type", "==", "'decimal'", ":", "return", "Decimal", "(", "sum", "(", "numbers", ")", ")", "/", "len", "(", "numbers", ")", "else", ":", "return", "float", "(", "sum", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
variance
Calculates the population or sample variance of a list of numbers. A large number means the results are all over the place, while a small number means the results are comparatively close to the average. Args: numbers: a list of integers or floating point numbers to compare. type: string, ...
simple_math/simple_math.py
def variance(numbers, type='population'): """ Calculates the population or sample variance of a list of numbers. A large number means the results are all over the place, while a small number means the results are comparatively close to the average. Args: numbers: a list of integers or floa...
def variance(numbers, type='population'): """ Calculates the population or sample variance of a list of numbers. A large number means the results are all over the place, while a small number means the results are comparatively close to the average. Args: numbers: a list of integers or floa...
[ "Calculates", "the", "population", "or", "sample", "variance", "of", "a", "list", "of", "numbers", ".", "A", "large", "number", "means", "the", "results", "are", "all", "over", "the", "place", "while", "a", "small", "number", "means", "the", "results", "ar...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L306-L332
[ "def", "variance", "(", "numbers", ",", "type", "=", "'population'", ")", ":", "mean", "=", "average", "(", "numbers", ")", "variance", "=", "0", "for", "number", "in", "numbers", ":", "variance", "+=", "(", "mean", "-", "number", ")", "**", "2", "if...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
get_percentage
Finds the percentage of one number over another. Args: a: The number that is a percent, int or float. b: The base number that a is a percent of, int or float. i: Optional boolean integer. True if the user wants the result returned as a whole number. Assumes False. r: Opti...
simple_math/simple_math.py
def get_percentage(a, b, i=False, r=False): """ Finds the percentage of one number over another. Args: a: The number that is a percent, int or float. b: The base number that a is a percent of, int or float. i: Optional boolean integer. True if the user wants the result returned as...
def get_percentage(a, b, i=False, r=False): """ Finds the percentage of one number over another. Args: a: The number that is a percent, int or float. b: The base number that a is a percent of, int or float. i: Optional boolean integer. True if the user wants the result returned as...
[ "Finds", "the", "percentage", "of", "one", "number", "over", "another", "." ]
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L348-L385
[ "def", "get_percentage", "(", "a", ",", "b", ",", "i", "=", "False", ",", "r", "=", "False", ")", ":", "# Round to the second decimal", "if", "i", "is", "False", "and", "r", "is", "True", ":", "percentage", "=", "round", "(", "100.0", "*", "(", "floa...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
take_home_pay
Calculate net take-home pay including employer retirement savings match using the formula laid out by Mr. Money Mustache: http://www.mrmoneymustache.com/2015/01/26/calculating-net-worth/ Args: gross_pay: float or int, gross monthly pay. employer_match: float or int, the 401(k) match from y...
simple_math/simple_math.py
def take_home_pay(gross_pay, employer_match, taxes_and_fees, numtype='float'): """ Calculate net take-home pay including employer retirement savings match using the formula laid out by Mr. Money Mustache: http://www.mrmoneymustache.com/2015/01/26/calculating-net-worth/ Args: gross_pay: floa...
def take_home_pay(gross_pay, employer_match, taxes_and_fees, numtype='float'): """ Calculate net take-home pay including employer retirement savings match using the formula laid out by Mr. Money Mustache: http://www.mrmoneymustache.com/2015/01/26/calculating-net-worth/ Args: gross_pay: floa...
[ "Calculate", "net", "take", "-", "home", "pay", "including", "employer", "retirement", "savings", "match", "using", "the", "formula", "laid", "out", "by", "Mr", ".", "Money", "Mustache", ":", "http", ":", "//", "www", ".", "mrmoneymustache", ".", "com", "/...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L432-L455
[ "def", "take_home_pay", "(", "gross_pay", ",", "employer_match", ",", "taxes_and_fees", ",", "numtype", "=", "'float'", ")", ":", "if", "numtype", "==", "'decimal'", ":", "return", "(", "Decimal", "(", "gross_pay", ")", "+", "Decimal", "(", "employer_match", ...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
savings_rate
Calculate net take-home pay including employer retirement savings match using the formula laid out by Mr. Money Mustache: http://www.mrmoneymustache.com/2015/01/26/calculating-net-worth/ Args: take_home_pay: float or int, monthly take-home pay spending: float or int, monthly spending ...
simple_math/simple_math.py
def savings_rate(take_home_pay, spending, numtype='float'): """ Calculate net take-home pay including employer retirement savings match using the formula laid out by Mr. Money Mustache: http://www.mrmoneymustache.com/2015/01/26/calculating-net-worth/ Args: take_home_pay: float or int, month...
def savings_rate(take_home_pay, spending, numtype='float'): """ Calculate net take-home pay including employer retirement savings match using the formula laid out by Mr. Money Mustache: http://www.mrmoneymustache.com/2015/01/26/calculating-net-worth/ Args: take_home_pay: float or int, month...
[ "Calculate", "net", "take", "-", "home", "pay", "including", "employer", "retirement", "savings", "match", "using", "the", "formula", "laid", "out", "by", "Mr", ".", "Money", "Mustache", ":", "http", ":", "//", "www", ".", "mrmoneymustache", ".", "com", "/...
bbusenius/Diablo-Python
python
https://github.com/bbusenius/Diablo-Python/blob/646ac5a6f1c79cf9b928a4e2a7979988698b6c82/simple_math/simple_math.py#L458-L489
[ "def", "savings_rate", "(", "take_home_pay", ",", "spending", ",", "numtype", "=", "'float'", ")", ":", "if", "numtype", "==", "'decimal'", ":", "try", ":", "return", "(", "(", "Decimal", "(", "take_home_pay", ")", "-", "Decimal", "(", "spending", ")", "...
646ac5a6f1c79cf9b928a4e2a7979988698b6c82
valid
get_variable
Read __version__ or other properties from a python file without importing it from gist.github.com/technonik/406623 but with added keyward kwarg
pug/setup_util.py
def get_variable(relpath, keyword='__version__'): """Read __version__ or other properties from a python file without importing it from gist.github.com/technonik/406623 but with added keyward kwarg """ for line in open(os.path.join(os.path.dirname(__file__), relpath), encoding='cp437'): if keyw...
def get_variable(relpath, keyword='__version__'): """Read __version__ or other properties from a python file without importing it from gist.github.com/technonik/406623 but with added keyward kwarg """ for line in open(os.path.join(os.path.dirname(__file__), relpath), encoding='cp437'): if keyw...
[ "Read", "__version__", "or", "other", "properties", "from", "a", "python", "file", "without", "importing", "it", "from", "gist", ".", "github", ".", "com", "/", "technonik", "/", "406623", "but", "with", "added", "keyward", "kwarg" ]
hobson/pug
python
https://github.com/hobson/pug/blob/f183e2b29e0b3efa425a9b75cfe001b28a279acc/pug/setup_util.py#L16-L25
[ "def", "get_variable", "(", "relpath", ",", "keyword", "=", "'__version__'", ")", ":", "for", "line", "in", "open", "(", "os", ".", "path", ".", "join", "(", "os", ".", "path", ".", "dirname", "(", "__file__", ")", ",", "relpath", ")", ",", "encoding...
f183e2b29e0b3efa425a9b75cfe001b28a279acc
valid
DateTimeUtils.datetime_str_to_timestamp
'2018-01-01 00:00:00' (str) --> 1514736000 :param str datetime_str: datetime string :return: unix timestamp (int) or None :rtype: int or None
eggit/egg_time.py
def datetime_str_to_timestamp(datetime_str): ''' '2018-01-01 00:00:00' (str) --> 1514736000 :param str datetime_str: datetime string :return: unix timestamp (int) or None :rtype: int or None ''' try: dtf = DTFormat() struct_time = time.st...
def datetime_str_to_timestamp(datetime_str): ''' '2018-01-01 00:00:00' (str) --> 1514736000 :param str datetime_str: datetime string :return: unix timestamp (int) or None :rtype: int or None ''' try: dtf = DTFormat() struct_time = time.st...
[ "2018", "-", "01", "-", "01", "00", ":", "00", ":", "00", "(", "str", ")", "--", ">", "1514736000" ]
MyJoiT/eggit
python
https://github.com/MyJoiT/eggit/blob/1e20910264ee2fd72c6783f0817572e16ea87bd0/eggit/egg_time.py#L28-L42
[ "def", "datetime_str_to_timestamp", "(", "datetime_str", ")", ":", "try", ":", "dtf", "=", "DTFormat", "(", ")", "struct_time", "=", "time", ".", "strptime", "(", "datetime_str", ",", "dtf", ".", "datetime_format", ")", "return", "time", ".", "mktime", "(", ...
1e20910264ee2fd72c6783f0817572e16ea87bd0
valid
DateTimeUtils.get_datetime_string
Get datetime string from datetime object :param datetime datetime_obj: datetime object :return: datetime string :rtype: str
eggit/egg_time.py
def get_datetime_string(datetime_obj): ''' Get datetime string from datetime object :param datetime datetime_obj: datetime object :return: datetime string :rtype: str ''' if isinstance(datetime_obj, datetime): dft = DTFormat() return date...
def get_datetime_string(datetime_obj): ''' Get datetime string from datetime object :param datetime datetime_obj: datetime object :return: datetime string :rtype: str ''' if isinstance(datetime_obj, datetime): dft = DTFormat() return date...
[ "Get", "datetime", "string", "from", "datetime", "object" ]
MyJoiT/eggit
python
https://github.com/MyJoiT/eggit/blob/1e20910264ee2fd72c6783f0817572e16ea87bd0/eggit/egg_time.py#L64-L77
[ "def", "get_datetime_string", "(", "datetime_obj", ")", ":", "if", "isinstance", "(", "datetime_obj", ",", "datetime", ")", ":", "dft", "=", "DTFormat", "(", ")", "return", "datetime_obj", ".", "strftime", "(", "dft", ".", "datetime_format", ")", "return", "...
1e20910264ee2fd72c6783f0817572e16ea87bd0
valid
DateTimeUtils.timestamp_to_datetime
1514736000 --> datetime object :param int timestamp: unix timestamp (int) :return: datetime object or None :rtype: datetime or None
eggit/egg_time.py
def timestamp_to_datetime(timestamp): ''' 1514736000 --> datetime object :param int timestamp: unix timestamp (int) :return: datetime object or None :rtype: datetime or None ''' if isinstance(timestamp, (int, float, str)): try: timest...
def timestamp_to_datetime(timestamp): ''' 1514736000 --> datetime object :param int timestamp: unix timestamp (int) :return: datetime object or None :rtype: datetime or None ''' if isinstance(timestamp, (int, float, str)): try: timest...
[ "1514736000", "--", ">", "datetime", "object" ]
MyJoiT/eggit
python
https://github.com/MyJoiT/eggit/blob/1e20910264ee2fd72c6783f0817572e16ea87bd0/eggit/egg_time.py#L92-L119
[ "def", "timestamp_to_datetime", "(", "timestamp", ")", ":", "if", "isinstance", "(", "timestamp", ",", "(", "int", ",", "float", ",", "str", ")", ")", ":", "try", ":", "timestamp", "=", "float", "(", "timestamp", ")", "if", "timestamp", ".", "is_integer"...
1e20910264ee2fd72c6783f0817572e16ea87bd0
valid
attr
attr pipe can extract attribute value of object. :param prev: The previous iterator of pipe. :type prev: Pipe :param attr_name: The name of attribute :type attr_name: str :returns: generator
cmdlet/cmds.py
def attr(prev, attr_name): """attr pipe can extract attribute value of object. :param prev: The previous iterator of pipe. :type prev: Pipe :param attr_name: The name of attribute :type attr_name: str :returns: generator """ for obj in prev: if hasattr(obj, attr_name): ...
def attr(prev, attr_name): """attr pipe can extract attribute value of object. :param prev: The previous iterator of pipe. :type prev: Pipe :param attr_name: The name of attribute :type attr_name: str :returns: generator """ for obj in prev: if hasattr(obj, attr_name): ...
[ "attr", "pipe", "can", "extract", "attribute", "value", "of", "object", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L93-L104
[ "def", "attr", "(", "prev", ",", "attr_name", ")", ":", "for", "obj", "in", "prev", ":", "if", "hasattr", "(", "obj", ",", "attr_name", ")", ":", "yield", "getattr", "(", "obj", ",", "attr_name", ")" ]
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
attrs
attrs pipe can extract attribute values of object. If attr_names is a list and its item is not a valid attribute of prev's object. It will be excluded from yielded dict. :param prev: The previous iterator of pipe. :type prev: Pipe :param attr_names: The list of attribute names :type attr_names...
cmdlet/cmds.py
def attrs(prev, attr_names): """attrs pipe can extract attribute values of object. If attr_names is a list and its item is not a valid attribute of prev's object. It will be excluded from yielded dict. :param prev: The previous iterator of pipe. :type prev: Pipe :param attr_names: The list of ...
def attrs(prev, attr_names): """attrs pipe can extract attribute values of object. If attr_names is a list and its item is not a valid attribute of prev's object. It will be excluded from yielded dict. :param prev: The previous iterator of pipe. :type prev: Pipe :param attr_names: The list of ...
[ "attrs", "pipe", "can", "extract", "attribute", "values", "of", "object", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L108-L125
[ "def", "attrs", "(", "prev", ",", "attr_names", ")", ":", "for", "obj", "in", "prev", ":", "attr_values", "=", "[", "]", "for", "name", "in", "attr_names", ":", "if", "hasattr", "(", "obj", ",", "name", ")", ":", "attr_values", ".", "append", "(", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
attrdict
attrdict pipe can extract attribute values of object into a dict. The argument attr_names can be a list or a dict. If attr_names is a list and its item is not a valid attribute of prev's object. It will be excluded from yielded dict. If attr_names is dict and the key doesn't exist in prev's object. ...
cmdlet/cmds.py
def attrdict(prev, attr_names): """attrdict pipe can extract attribute values of object into a dict. The argument attr_names can be a list or a dict. If attr_names is a list and its item is not a valid attribute of prev's object. It will be excluded from yielded dict. If attr_names is dict and th...
def attrdict(prev, attr_names): """attrdict pipe can extract attribute values of object into a dict. The argument attr_names can be a list or a dict. If attr_names is a list and its item is not a valid attribute of prev's object. It will be excluded from yielded dict. If attr_names is dict and th...
[ "attrdict", "pipe", "can", "extract", "attribute", "values", "of", "object", "into", "a", "dict", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L129-L161
[ "def", "attrdict", "(", "prev", ",", "attr_names", ")", ":", "if", "isinstance", "(", "attr_names", ",", "dict", ")", ":", "for", "obj", "in", "prev", ":", "attr_values", "=", "dict", "(", ")", "for", "name", "in", "attr_names", ".", "keys", "(", ")"...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
flatten
flatten pipe extracts nested item from previous pipe. :param prev: The previous iterator of pipe. :type prev: Pipe :param depth: The deepest nested level to be extracted. 0 means no extraction. :type depth: integer :returns: generator
cmdlet/cmds.py
def flatten(prev, depth=sys.maxsize): """flatten pipe extracts nested item from previous pipe. :param prev: The previous iterator of pipe. :type prev: Pipe :param depth: The deepest nested level to be extracted. 0 means no extraction. :type depth: integer :returns: generator """ def inn...
def flatten(prev, depth=sys.maxsize): """flatten pipe extracts nested item from previous pipe. :param prev: The previous iterator of pipe. :type prev: Pipe :param depth: The deepest nested level to be extracted. 0 means no extraction. :type depth: integer :returns: generator """ def inn...
[ "flatten", "pipe", "extracts", "nested", "item", "from", "previous", "pipe", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L165-L187
[ "def", "flatten", "(", "prev", ",", "depth", "=", "sys", ".", "maxsize", ")", ":", "def", "inner_flatten", "(", "iterable", ",", "curr_level", ",", "max_levels", ")", ":", "for", "i", "in", "iterable", ":", "if", "hasattr", "(", "i", ",", "'__iter__'",...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
values
values pipe extract value from previous pipe. If previous pipe send a dictionary to values pipe, keys should contains the key of dictionary which you want to get. If previous pipe send list or tuple, :param prev: The previous iterator of pipe. :type prev: Pipe :returns: generator
cmdlet/cmds.py
def values(prev, *keys, **kw): """values pipe extract value from previous pipe. If previous pipe send a dictionary to values pipe, keys should contains the key of dictionary which you want to get. If previous pipe send list or tuple, :param prev: The previous iterator of pipe. :type prev: Pipe...
def values(prev, *keys, **kw): """values pipe extract value from previous pipe. If previous pipe send a dictionary to values pipe, keys should contains the key of dictionary which you want to get. If previous pipe send list or tuple, :param prev: The previous iterator of pipe. :type prev: Pipe...
[ "values", "pipe", "extract", "value", "from", "previous", "pipe", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L191-L210
[ "def", "values", "(", "prev", ",", "*", "keys", ",", "*", "*", "kw", ")", ":", "d", "=", "next", "(", "prev", ")", "if", "isinstance", "(", "d", ",", "dict", ")", ":", "yield", "[", "d", "[", "k", "]", "for", "k", "in", "keys", "if", "k", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
pack
pack pipe takes n elements from previous generator and yield one list to next. :param prev: The previous iterator of pipe. :type prev: Pipe :param rest: Set True to allow to output the rest part of last elements. :type prev: boolean :param padding: Specify the padding element for the rest part ...
cmdlet/cmds.py
def pack(prev, n, rest=False, **kw): """pack pipe takes n elements from previous generator and yield one list to next. :param prev: The previous iterator of pipe. :type prev: Pipe :param rest: Set True to allow to output the rest part of last elements. :type prev: boolean :param padding: Sp...
def pack(prev, n, rest=False, **kw): """pack pipe takes n elements from previous generator and yield one list to next. :param prev: The previous iterator of pipe. :type prev: Pipe :param rest: Set True to allow to output the rest part of last elements. :type prev: boolean :param padding: Sp...
[ "pack", "pipe", "takes", "n", "elements", "from", "previous", "generator", "and", "yield", "one", "list", "to", "next", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L248-L287
[ "def", "pack", "(", "prev", ",", "n", ",", "rest", "=", "False", ",", "*", "*", "kw", ")", ":", "if", "'padding'", "in", "kw", ":", "use_padding", "=", "True", "padding", "=", "kw", "[", "'padding'", "]", "else", ":", "use_padding", "=", "False", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
grep
The pipe greps the data passed from previous generator according to given regular expression. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern which used to filter out data. :type pattern: str|unicode|re pattern object :param inv: If true, invert the matc...
cmdlet/cmds.py
def grep(prev, pattern, *args, **kw): """The pipe greps the data passed from previous generator according to given regular expression. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern which used to filter out data. :type pattern: str|unicode|re pattern ob...
def grep(prev, pattern, *args, **kw): """The pipe greps the data passed from previous generator according to given regular expression. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern which used to filter out data. :type pattern: str|unicode|re pattern ob...
[ "The", "pipe", "greps", "the", "data", "passed", "from", "previous", "generator", "according", "to", "given", "regular", "expression", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L307-L326
[ "def", "grep", "(", "prev", ",", "pattern", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "inv", "=", "False", "if", "'inv'", "not", "in", "kw", "else", "kw", ".", "pop", "(", "'inv'", ")", "pattern_obj", "=", "re", ".", "compile", "(", "pat...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
match
The pipe greps the data passed from previous generator according to given regular expression. The data passed to next pipe is MatchObject , dict or tuple which determined by 'to' in keyword argument. By default, match pipe yields MatchObject. Use 'to' in keyword argument to change the type of match res...
cmdlet/cmds.py
def match(prev, pattern, *args, **kw): """The pipe greps the data passed from previous generator according to given regular expression. The data passed to next pipe is MatchObject , dict or tuple which determined by 'to' in keyword argument. By default, match pipe yields MatchObject. Use 'to' in keywor...
def match(prev, pattern, *args, **kw): """The pipe greps the data passed from previous generator according to given regular expression. The data passed to next pipe is MatchObject , dict or tuple which determined by 'to' in keyword argument. By default, match pipe yields MatchObject. Use 'to' in keywor...
[ "The", "pipe", "greps", "the", "data", "passed", "from", "previous", "generator", "according", "to", "given", "regular", "expression", ".", "The", "data", "passed", "to", "next", "pipe", "is", "MatchObject", "dict", "or", "tuple", "which", "determined", "by", ...
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L329-L371
[ "def", "match", "(", "prev", ",", "pattern", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "to", "=", "'to'", "in", "kw", "and", "kw", ".", "pop", "(", "'to'", ")", "pattern_obj", "=", "re", ".", "compile", "(", "pattern", ",", "*", "args", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
resplit
The resplit pipe split previous pipe input by regular expression. Use 'maxsplit' keyword argument to limit the number of split. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern which used to split string. :type pattern: str|unicode
cmdlet/cmds.py
def resplit(prev, pattern, *args, **kw): """The resplit pipe split previous pipe input by regular expression. Use 'maxsplit' keyword argument to limit the number of split. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern which used to split string. :type...
def resplit(prev, pattern, *args, **kw): """The resplit pipe split previous pipe input by regular expression. Use 'maxsplit' keyword argument to limit the number of split. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern which used to split string. :type...
[ "The", "resplit", "pipe", "split", "previous", "pipe", "input", "by", "regular", "expression", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L375-L388
[ "def", "resplit", "(", "prev", ",", "pattern", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "maxsplit", "=", "0", "if", "'maxsplit'", "not", "in", "kw", "else", "kw", ".", "pop", "(", "'maxsplit'", ")", "pattern_obj", "=", "re", ".", "compile",...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
sub
sub pipe is a wrapper of re.sub method. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern string. :type pattern: str|unicode :param repl: Check repl argument in re.sub method. :type repl: str|unicode|callable
cmdlet/cmds.py
def sub(prev, pattern, repl, *args, **kw): """sub pipe is a wrapper of re.sub method. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern string. :type pattern: str|unicode :param repl: Check repl argument in re.sub method. :type repl: str|unicode|callab...
def sub(prev, pattern, repl, *args, **kw): """sub pipe is a wrapper of re.sub method. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The pattern string. :type pattern: str|unicode :param repl: Check repl argument in re.sub method. :type repl: str|unicode|callab...
[ "sub", "pipe", "is", "a", "wrapper", "of", "re", ".", "sub", "method", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L392-L405
[ "def", "sub", "(", "prev", ",", "pattern", ",", "repl", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "count", "=", "0", "if", "'count'", "not", "in", "kw", "else", "kw", ".", "pop", "(", "'count'", ")", "pattern_obj", "=", "re", ".", "compi...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
wildcard
wildcard pipe greps data passed from previous generator according to given regular expression. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The wildcard string which used to filter data. :type pattern: str|unicode|re pattern object :param inv: If true, invert the...
cmdlet/cmds.py
def wildcard(prev, pattern, *args, **kw): """wildcard pipe greps data passed from previous generator according to given regular expression. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The wildcard string which used to filter data. :type pattern: str|unicode|re p...
def wildcard(prev, pattern, *args, **kw): """wildcard pipe greps data passed from previous generator according to given regular expression. :param prev: The previous iterator of pipe. :type prev: Pipe :param pattern: The wildcard string which used to filter data. :type pattern: str|unicode|re p...
[ "wildcard", "pipe", "greps", "data", "passed", "from", "previous", "generator", "according", "to", "given", "regular", "expression", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L426-L450
[ "def", "wildcard", "(", "prev", ",", "pattern", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "import", "fnmatch", "inv", "=", "'inv'", "in", "kw", "and", "kw", ".", "pop", "(", "'inv'", ")", "pattern_obj", "=", "re", ".", "compile", "(", "fnm...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
stdout
This pipe read data from previous iterator and write it to stdout. :param prev: The previous iterator of pipe. :type prev: Pipe :param endl: The end-of-line symbol for each output. :type endl: str :param thru: If true, data will passed to next generator. If false, data will be drop...
cmdlet/cmds.py
def stdout(prev, endl='\n', thru=False): """This pipe read data from previous iterator and write it to stdout. :param prev: The previous iterator of pipe. :type prev: Pipe :param endl: The end-of-line symbol for each output. :type endl: str :param thru: If true, data will passed to next generat...
def stdout(prev, endl='\n', thru=False): """This pipe read data from previous iterator and write it to stdout. :param prev: The previous iterator of pipe. :type prev: Pipe :param endl: The end-of-line symbol for each output. :type endl: str :param thru: If true, data will passed to next generat...
[ "This", "pipe", "read", "data", "from", "previous", "iterator", "and", "write", "it", "to", "stdout", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L454-L469
[ "def", "stdout", "(", "prev", ",", "endl", "=", "'\\n'", ",", "thru", "=", "False", ")", ":", "for", "i", "in", "prev", ":", "sys", ".", "stdout", ".", "write", "(", "str", "(", "i", ")", "+", "endl", ")", "if", "thru", ":", "yield", "i" ]
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
readline
This pipe get filenames or file object from previous pipe and read the content of file. Then, send the content of file line by line to next pipe. The start and end parameters are used to limit the range of reading from file. :param prev: The previous iterator of pipe. :type prev: Pipe :param filen...
cmdlet/cmds.py
def readline(prev, filename=None, mode='r', trim=str.rstrip, start=1, end=sys.maxsize): """This pipe get filenames or file object from previous pipe and read the content of file. Then, send the content of file line by line to next pipe. The start and end parameters are used to limit the range of reading fr...
def readline(prev, filename=None, mode='r', trim=str.rstrip, start=1, end=sys.maxsize): """This pipe get filenames or file object from previous pipe and read the content of file. Then, send the content of file line by line to next pipe. The start and end parameters are used to limit the range of reading fr...
[ "This", "pipe", "get", "filenames", "or", "file", "object", "from", "previous", "pipe", "and", "read", "the", "content", "of", "file", ".", "Then", "send", "the", "content", "of", "file", "line", "by", "line", "to", "next", "pipe", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L490-L539
[ "def", "readline", "(", "prev", ",", "filename", "=", "None", ",", "mode", "=", "'r'", ",", "trim", "=", "str", ".", "rstrip", ",", "start", "=", "1", ",", "end", "=", "sys", ".", "maxsize", ")", ":", "if", "prev", "is", "None", ":", "if", "fil...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
fileobj
This pipe read/write data from/to file object which specified by file_handle. :param prev: The previous iterator of pipe. :type prev: Pipe :param file_handle: The file object to read or write. :type file_handle: file object :param endl: The end-of-line symbol for each output. :type endl: st...
cmdlet/cmds.py
def fileobj(prev, file_handle, endl='', thru=False): """This pipe read/write data from/to file object which specified by file_handle. :param prev: The previous iterator of pipe. :type prev: Pipe :param file_handle: The file object to read or write. :type file_handle: file object :param endl...
def fileobj(prev, file_handle, endl='', thru=False): """This pipe read/write data from/to file object which specified by file_handle. :param prev: The previous iterator of pipe. :type prev: Pipe :param file_handle: The file object to read or write. :type file_handle: file object :param endl...
[ "This", "pipe", "read", "/", "write", "data", "from", "/", "to", "file", "object", "which", "specified", "by", "file_handle", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L542-L564
[ "def", "fileobj", "(", "prev", ",", "file_handle", ",", "endl", "=", "''", ",", "thru", "=", "False", ")", ":", "if", "prev", "is", "not", "None", ":", "for", "i", "in", "prev", ":", "file_handle", ".", "write", "(", "str", "(", "i", ")", "+", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
sh
sh pipe execute shell command specified by args. If previous pipe exists, read data from it and write it to stdin of shell process. The stdout of shell process will be passed to next pipe object line by line. A optional keyword argument 'trim' can pass a function into sh pipe. It is used to trim the ou...
cmdlet/cmds.py
def sh(prev, *args, **kw): """sh pipe execute shell command specified by args. If previous pipe exists, read data from it and write it to stdin of shell process. The stdout of shell process will be passed to next pipe object line by line. A optional keyword argument 'trim' can pass a function into sh p...
def sh(prev, *args, **kw): """sh pipe execute shell command specified by args. If previous pipe exists, read data from it and write it to stdin of shell process. The stdout of shell process will be passed to next pipe object line by line. A optional keyword argument 'trim' can pass a function into sh p...
[ "sh", "pipe", "execute", "shell", "command", "specified", "by", "args", ".", "If", "previous", "pipe", "exists", "read", "data", "from", "it", "and", "write", "it", "to", "stdin", "of", "shell", "process", ".", "The", "stdout", "of", "shell", "process", ...
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L567-L623
[ "def", "sh", "(", "prev", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "endl", "=", "'\\n'", "if", "'endl'", "not", "in", "kw", "else", "kw", ".", "pop", "(", "'endl'", ")", "trim", "=", "None", "if", "'trim'", "not", "in", "kw", "else", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
walk
This pipe wrap os.walk and yield absolute path one by one. :param prev: The previous iterator of pipe. :type prev: Pipe :param args: The end-of-line symbol for each output. :type args: list of string. :param kw: The end-of-line symbol for each output. :type kw: dictionary of options. Add 'endl'...
cmdlet/cmds.py
def walk(prev, inital_path, *args, **kw): """This pipe wrap os.walk and yield absolute path one by one. :param prev: The previous iterator of pipe. :type prev: Pipe :param args: The end-of-line symbol for each output. :type args: list of string. :param kw: The end-of-line symbol for each output...
def walk(prev, inital_path, *args, **kw): """This pipe wrap os.walk and yield absolute path one by one. :param prev: The previous iterator of pipe. :type prev: Pipe :param args: The end-of-line symbol for each output. :type args: list of string. :param kw: The end-of-line symbol for each output...
[ "This", "pipe", "wrap", "os", ".", "walk", "and", "yield", "absolute", "path", "one", "by", "one", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L626-L639
[ "def", "walk", "(", "prev", ",", "inital_path", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "for", "dir_path", ",", "dir_names", ",", "filenames", "in", "os", ".", "walk", "(", "inital_path", ")", ":", "for", "filename", "in", "filenames", ":", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
join
alias of str.join
cmdlet/cmds.py
def join(prev, sep, *args, **kw): '''alias of str.join''' yield sep.join(prev, *args, **kw)
def join(prev, sep, *args, **kw): '''alias of str.join''' yield sep.join(prev, *args, **kw)
[ "alias", "of", "str", ".", "join" ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L686-L688
[ "def", "join", "(", "prev", ",", "sep", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "yield", "sep", ".", "join", "(", "prev", ",", "*", "args", ",", "*", "*", "kw", ")" ]
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
substitute
alias of string.Template.substitute
cmdlet/cmds.py
def substitute(prev, *args, **kw): '''alias of string.Template.substitute''' template_obj = string.Template(*args, **kw) for data in prev: yield template_obj.substitute(data)
def substitute(prev, *args, **kw): '''alias of string.Template.substitute''' template_obj = string.Template(*args, **kw) for data in prev: yield template_obj.substitute(data)
[ "alias", "of", "string", ".", "Template", ".", "substitute" ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L691-L695
[ "def", "substitute", "(", "prev", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "template_obj", "=", "string", ".", "Template", "(", "*", "args", ",", "*", "*", "kw", ")", "for", "data", "in", "prev", ":", "yield", "template_obj", ".", "substitu...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
safe_substitute
alias of string.Template.safe_substitute
cmdlet/cmds.py
def safe_substitute(prev, *args, **kw): '''alias of string.Template.safe_substitute''' template_obj = string.Template(*args, **kw) for data in prev: yield template_obj.safe_substitute(data)
def safe_substitute(prev, *args, **kw): '''alias of string.Template.safe_substitute''' template_obj = string.Template(*args, **kw) for data in prev: yield template_obj.safe_substitute(data)
[ "alias", "of", "string", ".", "Template", ".", "safe_substitute" ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L698-L702
[ "def", "safe_substitute", "(", "prev", ",", "*", "args", ",", "*", "*", "kw", ")", ":", "template_obj", "=", "string", ".", "Template", "(", "*", "args", ",", "*", "*", "kw", ")", "for", "data", "in", "prev", ":", "yield", "template_obj", ".", "saf...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
to_str
Convert data from previous pipe with specified encoding.
cmdlet/cmds.py
def to_str(prev, encoding=None): """Convert data from previous pipe with specified encoding.""" first = next(prev) if isinstance(first, str): if encoding is None: yield first for s in prev: yield s else: yield first.encode(encoding) ...
def to_str(prev, encoding=None): """Convert data from previous pipe with specified encoding.""" first = next(prev) if isinstance(first, str): if encoding is None: yield first for s in prev: yield s else: yield first.encode(encoding) ...
[ "Convert", "data", "from", "previous", "pipe", "with", "specified", "encoding", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L705-L722
[ "def", "to_str", "(", "prev", ",", "encoding", "=", "None", ")", ":", "first", "=", "next", "(", "prev", ")", "if", "isinstance", "(", "first", ",", "str", ")", ":", "if", "encoding", "is", "None", ":", "yield", "first", "for", "s", "in", "prev", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
register_default_types
Regiser all default type-to-pipe convertors.
cmdlet/cmds.py
def register_default_types(): """Regiser all default type-to-pipe convertors.""" register_type(type, pipe.map) register_type(types.FunctionType, pipe.map) register_type(types.MethodType, pipe.map) register_type(tuple, seq) register_type(list, seq) register_type(types.GeneratorType, seq) ...
def register_default_types(): """Regiser all default type-to-pipe convertors.""" register_type(type, pipe.map) register_type(types.FunctionType, pipe.map) register_type(types.MethodType, pipe.map) register_type(tuple, seq) register_type(list, seq) register_type(types.GeneratorType, seq) ...
[ "Regiser", "all", "default", "type", "-", "to", "-", "pipe", "convertors", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmds.py#L724-L738
[ "def", "register_default_types", "(", ")", ":", "register_type", "(", "type", ",", "pipe", ".", "map", ")", "register_type", "(", "types", ".", "FunctionType", ",", "pipe", ".", "map", ")", "register_type", "(", "types", ".", "MethodType", ",", "pipe", "."...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
Paginator.get_dict
Convert Paginator instance to dict :return: Paging data :rtype: dict
eggit/paginator.py
def get_dict(self): ''' Convert Paginator instance to dict :return: Paging data :rtype: dict ''' return dict( current_page=self.current_page, total_page_count=self.total_page_count, items=self.items, total_item_count=self....
def get_dict(self): ''' Convert Paginator instance to dict :return: Paging data :rtype: dict ''' return dict( current_page=self.current_page, total_page_count=self.total_page_count, items=self.items, total_item_count=self....
[ "Convert", "Paginator", "instance", "to", "dict" ]
MyJoiT/eggit
python
https://github.com/MyJoiT/eggit/blob/1e20910264ee2fd72c6783f0817572e16ea87bd0/eggit/paginator.py#L21-L35
[ "def", "get_dict", "(", "self", ")", ":", "return", "dict", "(", "current_page", "=", "self", ".", "current_page", ",", "total_page_count", "=", "self", ".", "total_page_count", ",", "items", "=", "self", ".", "items", ",", "total_item_count", "=", "self", ...
1e20910264ee2fd72c6783f0817572e16ea87bd0
valid
write_log
This function logs a line of data to both a 'log' file, and a 'latest' file The 'latest' file is optional, and is sent to this function as a boolean value via the variable 'require_latest'. So the 2 log directories and filenames are: a. (REQUIRED): log_directory + log_filename b. (OP...
ardexaplugin.py
def write_log(log_directory, log_filename, header, logline, debug, require_latest, latest_directory, latest_filename): """This function logs a line of data to both a 'log' file, and a 'latest' file The 'latest' file is optional, and is sent to this function as a boolean value via the variable ...
def write_log(log_directory, log_filename, header, logline, debug, require_latest, latest_directory, latest_filename): """This function logs a line of data to both a 'log' file, and a 'latest' file The 'latest' file is optional, and is sent to this function as a boolean value via the variable ...
[ "This", "function", "logs", "a", "line", "of", "data", "to", "both", "a", "log", "file", "and", "a", "latest", "file", "The", "latest", "file", "is", "optional", "and", "is", "sent", "to", "this", "function", "as", "a", "boolean", "value", "via", "the"...
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L15-L85
[ "def", "write_log", "(", "log_directory", ",", "log_filename", ",", "header", ",", "logline", ",", "debug", ",", "require_latest", ",", "latest_directory", ",", "latest_filename", ")", ":", "create_new_file", "=", "False", "# Make sure the logging directory exists. The ...
5068532f601ae3042bd87af1063057e8f274f670
valid
check_pidfile
Check that a process is not running more than once, using PIDFILE
ardexaplugin.py
def check_pidfile(pidfile, debug): """Check that a process is not running more than once, using PIDFILE""" # Check PID exists and see if the PID is running if os.path.isfile(pidfile): pidfile_handle = open(pidfile, 'r') # try and read the PID file. If no luck, remove it try: ...
def check_pidfile(pidfile, debug): """Check that a process is not running more than once, using PIDFILE""" # Check PID exists and see if the PID is running if os.path.isfile(pidfile): pidfile_handle = open(pidfile, 'r') # try and read the PID file. If no luck, remove it try: ...
[ "Check", "that", "a", "process", "is", "not", "running", "more", "than", "once", "using", "PIDFILE" ]
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L88-L108
[ "def", "check_pidfile", "(", "pidfile", ",", "debug", ")", ":", "# Check PID exists and see if the PID is running", "if", "os", ".", "path", ".", "isfile", "(", "pidfile", ")", ":", "pidfile_handle", "=", "open", "(", "pidfile", ",", "'r'", ")", "# try and read ...
5068532f601ae3042bd87af1063057e8f274f670
valid
check_pid
This function will check whether a PID is currently running
ardexaplugin.py
def check_pid(pid, debug): """This function will check whether a PID is currently running""" try: # A Kill of 0 is to check if the PID is active. It won't kill the process os.kill(pid, 0) if debug > 1: print("Script has a PIDFILE where the process is still running") r...
def check_pid(pid, debug): """This function will check whether a PID is currently running""" try: # A Kill of 0 is to check if the PID is active. It won't kill the process os.kill(pid, 0) if debug > 1: print("Script has a PIDFILE where the process is still running") r...
[ "This", "function", "will", "check", "whether", "a", "PID", "is", "currently", "running" ]
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L111-L122
[ "def", "check_pid", "(", "pid", ",", "debug", ")", ":", "try", ":", "# A Kill of 0 is to check if the PID is active. It won't kill the process", "os", ".", "kill", "(", "pid", ",", "0", ")", "if", "debug", ">", "1", ":", "print", "(", "\"Script has a PIDFILE where...
5068532f601ae3042bd87af1063057e8f274f670
valid
convert_words_to_uint
Convert two words to a floating point
ardexaplugin.py
def convert_words_to_uint(high_word, low_word): """Convert two words to a floating point""" try: low_num = int(low_word) # low_word might arrive as a signed number. Convert to unsigned if low_num < 0: low_num = abs(low_num) + 2**15 number = (int(high_word) << 16) | lo...
def convert_words_to_uint(high_word, low_word): """Convert two words to a floating point""" try: low_num = int(low_word) # low_word might arrive as a signed number. Convert to unsigned if low_num < 0: low_num = abs(low_num) + 2**15 number = (int(high_word) << 16) | lo...
[ "Convert", "two", "words", "to", "a", "floating", "point" ]
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L153-L163
[ "def", "convert_words_to_uint", "(", "high_word", ",", "low_word", ")", ":", "try", ":", "low_num", "=", "int", "(", "low_word", ")", "# low_word might arrive as a signed number. Convert to unsigned", "if", "low_num", "<", "0", ":", "low_num", "=", "abs", "(", "lo...
5068532f601ae3042bd87af1063057e8f274f670
valid
convert_words_to_float
Convert two words to a floating point
ardexaplugin.py
def convert_words_to_float(high_word, low_word): """Convert two words to a floating point""" number, retval = convert_words_to_uint(high_word, low_word) if not retval: return 0.0, False try: packed_float = struct.pack('>l', number) return struct.unpack('>f', packed_float)[0], Tr...
def convert_words_to_float(high_word, low_word): """Convert two words to a floating point""" number, retval = convert_words_to_uint(high_word, low_word) if not retval: return 0.0, False try: packed_float = struct.pack('>l', number) return struct.unpack('>f', packed_float)[0], Tr...
[ "Convert", "two", "words", "to", "a", "floating", "point" ]
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L166-L176
[ "def", "convert_words_to_float", "(", "high_word", ",", "low_word", ")", ":", "number", ",", "retval", "=", "convert_words_to_uint", "(", "high_word", ",", "low_word", ")", "if", "not", "retval", ":", "return", "0.0", ",", "False", "try", ":", "packed_float", ...
5068532f601ae3042bd87af1063057e8f274f670
valid
disown
This function will disown, so the Ardexa service can be restarted
ardexaplugin.py
def disown(debug): """This function will disown, so the Ardexa service can be restarted""" # Get the current PID pid = os.getpid() cgroup_file = "/proc/" + str(pid) + "/cgroup" try: infile = open(cgroup_file, "r") except IOError: print("Could not open cgroup file: ", cgroup_file)...
def disown(debug): """This function will disown, so the Ardexa service can be restarted""" # Get the current PID pid = os.getpid() cgroup_file = "/proc/" + str(pid) + "/cgroup" try: infile = open(cgroup_file, "r") except IOError: print("Could not open cgroup file: ", cgroup_file)...
[ "This", "function", "will", "disown", "so", "the", "Ardexa", "service", "can", "be", "restarted" ]
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L179-L253
[ "def", "disown", "(", "debug", ")", ":", "# Get the current PID", "pid", "=", "os", ".", "getpid", "(", ")", "cgroup_file", "=", "\"/proc/\"", "+", "str", "(", "pid", ")", "+", "\"/cgroup\"", "try", ":", "infile", "=", "open", "(", "cgroup_file", ",", ...
5068532f601ae3042bd87af1063057e8f274f670
valid
run_program
Run a program and check program return code Note that some commands don't work well with Popen. So if this function is specifically called with 'shell=True', then it will run the old 'os.system'. In which case, there is no program output
ardexaplugin.py
def run_program(prog_list, debug, shell): """Run a program and check program return code Note that some commands don't work well with Popen. So if this function is specifically called with 'shell=True', then it will run the old 'os.system'. In which case, there is no program output """ try: ...
def run_program(prog_list, debug, shell): """Run a program and check program return code Note that some commands don't work well with Popen. So if this function is specifically called with 'shell=True', then it will run the old 'os.system'. In which case, there is no program output """ try: ...
[ "Run", "a", "program", "and", "check", "program", "return", "code", "Note", "that", "some", "commands", "don", "t", "work", "well", "with", "Popen", ".", "So", "if", "this", "function", "is", "specifically", "called", "with", "shell", "=", "True", "then", ...
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L256-L277
[ "def", "run_program", "(", "prog_list", ",", "debug", ",", "shell", ")", ":", "try", ":", "if", "not", "shell", ":", "process", "=", "Popen", "(", "prog_list", ",", "stdout", "=", "PIPE", ",", "stderr", "=", "PIPE", ")", "stdout", ",", "stderr", "=",...
5068532f601ae3042bd87af1063057e8f274f670
valid
parse_address_list
Yield each integer from a complex range string like "1-9,12,15-20,23" >>> list(parse_address_list('1-9,12,15-20,23')) [1, 2, 3, 4, 5, 6, 7, 8, 9, 12, 15, 16, 17, 18, 19, 20, 23] >>> list(parse_address_list('1-9,12,15-20,2-3-4')) Traceback (most recent call last): ... ValueError: format err...
ardexaplugin.py
def parse_address_list(addrs): """Yield each integer from a complex range string like "1-9,12,15-20,23" >>> list(parse_address_list('1-9,12,15-20,23')) [1, 2, 3, 4, 5, 6, 7, 8, 9, 12, 15, 16, 17, 18, 19, 20, 23] >>> list(parse_address_list('1-9,12,15-20,2-3-4')) Traceback (most recent call last): ...
def parse_address_list(addrs): """Yield each integer from a complex range string like "1-9,12,15-20,23" >>> list(parse_address_list('1-9,12,15-20,23')) [1, 2, 3, 4, 5, 6, 7, 8, 9, 12, 15, 16, 17, 18, 19, 20, 23] >>> list(parse_address_list('1-9,12,15-20,2-3-4')) Traceback (most recent call last): ...
[ "Yield", "each", "integer", "from", "a", "complex", "range", "string", "like", "1", "-", "9", "12", "15", "-", "20", "23" ]
ardexa/ardexaplugin
python
https://github.com/ardexa/ardexaplugin/blob/5068532f601ae3042bd87af1063057e8f274f670/ardexaplugin.py#L280-L300
[ "def", "parse_address_list", "(", "addrs", ")", ":", "for", "addr", "in", "addrs", ".", "split", "(", "','", ")", ":", "elem", "=", "addr", ".", "split", "(", "'-'", ")", "if", "len", "(", "elem", ")", "==", "1", ":", "# a number", "yield", "int", ...
5068532f601ae3042bd87af1063057e8f274f670
valid
_encode_ids
Do url-encode resource ids
octopie/api.py
def _encode_ids(*args): """ Do url-encode resource ids """ ids = [] for v in args: if isinstance(v, basestring): qv = v.encode('utf-8') if isinstance(v, unicode) else v ids.append(urllib.quote(qv)) else: qv = str(v) ids.append(urllib.q...
def _encode_ids(*args): """ Do url-encode resource ids """ ids = [] for v in args: if isinstance(v, basestring): qv = v.encode('utf-8') if isinstance(v, unicode) else v ids.append(urllib.quote(qv)) else: qv = str(v) ids.append(urllib.q...
[ "Do", "url", "-", "encode", "resource", "ids" ]
stevenc81/octopie
python
https://github.com/stevenc81/octopie/blob/4e06fd8600c8cf4337ee21cc50e748bbf760a0ba/octopie/api.py#L51-L65
[ "def", "_encode_ids", "(", "*", "args", ")", ":", "ids", "=", "[", "]", "for", "v", "in", "args", ":", "if", "isinstance", "(", "v", ",", "basestring", ")", ":", "qv", "=", "v", ".", "encode", "(", "'utf-8'", ")", "if", "isinstance", "(", "v", ...
4e06fd8600c8cf4337ee21cc50e748bbf760a0ba
valid
random_string
Generate random string with parameter length. Example: >>> from eggit.egg_string import random_string >>> random_string(8) 'q4f2eaT4' >>>
eggit/egg_string.py
def random_string(length): ''' Generate random string with parameter length. Example: >>> from eggit.egg_string import random_string >>> random_string(8) 'q4f2eaT4' >>> ''' str_list = [random.choice(string.digits + string.ascii_letters) for i in range(length)] ...
def random_string(length): ''' Generate random string with parameter length. Example: >>> from eggit.egg_string import random_string >>> random_string(8) 'q4f2eaT4' >>> ''' str_list = [random.choice(string.digits + string.ascii_letters) for i in range(length)] ...
[ "Generate", "random", "string", "with", "parameter", "length", ".", "Example", ":" ]
MyJoiT/eggit
python
https://github.com/MyJoiT/eggit/blob/1e20910264ee2fd72c6783f0817572e16ea87bd0/eggit/egg_string.py#L5-L18
[ "def", "random_string", "(", "length", ")", ":", "str_list", "=", "[", "random", ".", "choice", "(", "string", ".", "digits", "+", "string", ".", "ascii_letters", ")", "for", "i", "in", "range", "(", "length", ")", "]", "return", "''", ".", "join", "...
1e20910264ee2fd72c6783f0817572e16ea87bd0
valid
get_item_creator
Get item creator according registered item type. :param item_type: The type of item to be checed. :type item_type: types.TypeType. :returns: Creator function. None if type not found.
cmdlet/cmdlet.py
def get_item_creator(item_type): """Get item creator according registered item type. :param item_type: The type of item to be checed. :type item_type: types.TypeType. :returns: Creator function. None if type not found. """ if item_type not in Pipe.pipe_item_types: for registered_type in...
def get_item_creator(item_type): """Get item creator according registered item type. :param item_type: The type of item to be checed. :type item_type: types.TypeType. :returns: Creator function. None if type not found. """ if item_type not in Pipe.pipe_item_types: for registered_type in...
[ "Get", "item", "creator", "according", "registered", "item", "type", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmdlet.py#L199-L212
[ "def", "get_item_creator", "(", "item_type", ")", ":", "if", "item_type", "not", "in", "Pipe", ".", "pipe_item_types", ":", "for", "registered_type", "in", "Pipe", ".", "pipe_item_types", ":", "if", "issubclass", "(", "item_type", ",", "registered_type", ")", ...
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
Pipe.clone
Self-cloning. All its next Pipe objects are cloned too. :returns: cloned object
cmdlet/cmdlet.py
def clone(self): """Self-cloning. All its next Pipe objects are cloned too. :returns: cloned object """ new_object = copy.copy(self) if new_object.next: new_object.next = new_object.next.clone() return new_object
def clone(self): """Self-cloning. All its next Pipe objects are cloned too. :returns: cloned object """ new_object = copy.copy(self) if new_object.next: new_object.next = new_object.next.clone() return new_object
[ "Self", "-", "cloning", ".", "All", "its", "next", "Pipe", "objects", "are", "cloned", "too", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmdlet.py#L105-L113
[ "def", "clone", "(", "self", ")", ":", "new_object", "=", "copy", ".", "copy", "(", "self", ")", "if", "new_object", ".", "next", ":", "new_object", ".", "next", "=", "new_object", ".", "next", ".", "clone", "(", ")", "return", "new_object" ]
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
Pipe.append
Append next object to pipe tail. :param next: The Pipe object to be appended to tail. :type next: Pipe object.
cmdlet/cmdlet.py
def append(self, next): """Append next object to pipe tail. :param next: The Pipe object to be appended to tail. :type next: Pipe object. """ next.chained = True if self.next: self.next.append(next) else: self.next = next
def append(self, next): """Append next object to pipe tail. :param next: The Pipe object to be appended to tail. :type next: Pipe object. """ next.chained = True if self.next: self.next.append(next) else: self.next = next
[ "Append", "next", "object", "to", "pipe", "tail", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmdlet.py#L115-L125
[ "def", "append", "(", "self", ",", "next", ")", ":", "next", ".", "chained", "=", "True", "if", "self", ".", "next", ":", "self", ".", "next", ".", "append", "(", "next", ")", "else", ":", "self", ".", "next", "=", "next" ]
5852a63fc2c7dd723a3d7abe18455f8dacb49433
valid
Pipe.iter
Return an generator as iterator object. :param prev: Previous Pipe object which used for data input. :returns: A generator for iteration.
cmdlet/cmdlet.py
def iter(self, prev=None): """Return an generator as iterator object. :param prev: Previous Pipe object which used for data input. :returns: A generator for iteration. """ if self.next: generator = self.next.iter(self.func(prev, *self.args, **self.kw)) else:...
def iter(self, prev=None): """Return an generator as iterator object. :param prev: Previous Pipe object which used for data input. :returns: A generator for iteration. """ if self.next: generator = self.next.iter(self.func(prev, *self.args, **self.kw)) else:...
[ "Return", "an", "generator", "as", "iterator", "object", "." ]
GaryLee/cmdlet
python
https://github.com/GaryLee/cmdlet/blob/5852a63fc2c7dd723a3d7abe18455f8dacb49433/cmdlet/cmdlet.py#L134-L145
[ "def", "iter", "(", "self", ",", "prev", "=", "None", ")", ":", "if", "self", ".", "next", ":", "generator", "=", "self", ".", "next", ".", "iter", "(", "self", ".", "func", "(", "prev", ",", "*", "self", ".", "args", ",", "*", "*", "self", "...
5852a63fc2c7dd723a3d7abe18455f8dacb49433