repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
75
19.8k
code_tokens
list
docstring
stringlengths
3
17.3k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
totalgood/pugnlp
src/pugnlp/util.py
sort_strings
def sort_strings(strings, sort_order=None, reverse=False, case_sensitive=False, sort_order_first=True): """Sort a list of strings according to the provided sorted list of string prefixes TODO: - Provide an option to use `.startswith()` rather than a fixed prefix length (will be much slower) Argume...
python
def sort_strings(strings, sort_order=None, reverse=False, case_sensitive=False, sort_order_first=True): """Sort a list of strings according to the provided sorted list of string prefixes TODO: - Provide an option to use `.startswith()` rather than a fixed prefix length (will be much slower) Argume...
[ "def", "sort_strings", "(", "strings", ",", "sort_order", "=", "None", ",", "reverse", "=", "False", ",", "case_sensitive", "=", "False", ",", "sort_order_first", "=", "True", ")", ":", "if", "not", "case_sensitive", ":", "sort_order", "=", "tuple", "(", "...
Sort a list of strings according to the provided sorted list of string prefixes TODO: - Provide an option to use `.startswith()` rather than a fixed prefix length (will be much slower) Arguments: sort_order_first (bool): Whether strings in sort_order should always preceed "unknown" strings ...
[ "Sort", "a", "list", "of", "strings", "according", "to", "the", "provided", "sorted", "list", "of", "string", "prefixes" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L189-L238
train
totalgood/pugnlp
src/pugnlp/util.py
clean_field_dict
def clean_field_dict(field_dict, cleaner=str.strip, time_zone=None): r"""Normalize field values by stripping whitespace from strings, localizing datetimes to a timezone, etc >>> (sorted(clean_field_dict({'_state': object(), 'x': 1, 'y': "\t Wash Me! \n" }).items()) == ... [('x', 1), ('y', 'Wash Me!')]) ...
python
def clean_field_dict(field_dict, cleaner=str.strip, time_zone=None): r"""Normalize field values by stripping whitespace from strings, localizing datetimes to a timezone, etc >>> (sorted(clean_field_dict({'_state': object(), 'x': 1, 'y': "\t Wash Me! \n" }).items()) == ... [('x', 1), ('y', 'Wash Me!')]) ...
[ "def", "clean_field_dict", "(", "field_dict", ",", "cleaner", "=", "str", ".", "strip", ",", "time_zone", "=", "None", ")", ":", "d", "=", "{", "}", "if", "time_zone", "is", "None", ":", "tz", "=", "DEFAULT_TZ", "for", "k", ",", "v", "in", "viewitems...
r"""Normalize field values by stripping whitespace from strings, localizing datetimes to a timezone, etc >>> (sorted(clean_field_dict({'_state': object(), 'x': 1, 'y': "\t Wash Me! \n" }).items()) == ... [('x', 1), ('y', 'Wash Me!')]) True
[ "r", "Normalize", "field", "values", "by", "stripping", "whitespace", "from", "strings", "localizing", "datetimes", "to", "a", "timezone", "etc" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L241-L260
train
totalgood/pugnlp
src/pugnlp/util.py
generate_tuple_batches
def generate_tuple_batches(qs, batch_len=1): """Iterate through a queryset in batches of length `batch_len` >>> [batch for batch in generate_tuple_batches(range(7), 3)] [(0, 1, 2), (3, 4, 5), (6,)] """ num_items, batch = 0, [] for item in qs: if num_items >= batch_len: yield...
python
def generate_tuple_batches(qs, batch_len=1): """Iterate through a queryset in batches of length `batch_len` >>> [batch for batch in generate_tuple_batches(range(7), 3)] [(0, 1, 2), (3, 4, 5), (6,)] """ num_items, batch = 0, [] for item in qs: if num_items >= batch_len: yield...
[ "def", "generate_tuple_batches", "(", "qs", ",", "batch_len", "=", "1", ")", ":", "num_items", ",", "batch", "=", "0", ",", "[", "]", "for", "item", "in", "qs", ":", "if", "num_items", ">=", "batch_len", ":", "yield", "tuple", "(", "batch", ")", "num...
Iterate through a queryset in batches of length `batch_len` >>> [batch for batch in generate_tuple_batches(range(7), 3)] [(0, 1, 2), (3, 4, 5), (6,)]
[ "Iterate", "through", "a", "queryset", "in", "batches", "of", "length", "batch_len" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L491-L506
train
totalgood/pugnlp
src/pugnlp/util.py
find_count_label
def find_count_label(d): """Find the member of a set that means "count" or "frequency" or "probability" or "number of occurrences". """ for name in COUNT_NAMES: if name in d: return name for name in COUNT_NAMES: if str(name).lower() in d: return name
python
def find_count_label(d): """Find the member of a set that means "count" or "frequency" or "probability" or "number of occurrences". """ for name in COUNT_NAMES: if name in d: return name for name in COUNT_NAMES: if str(name).lower() in d: return name
[ "def", "find_count_label", "(", "d", ")", ":", "for", "name", "in", "COUNT_NAMES", ":", "if", "name", "in", "d", ":", "return", "name", "for", "name", "in", "COUNT_NAMES", ":", "if", "str", "(", "name", ")", ".", "lower", "(", ")", "in", "d", ":", ...
Find the member of a set that means "count" or "frequency" or "probability" or "number of occurrences".
[ "Find", "the", "member", "of", "a", "set", "that", "means", "count", "or", "frequency", "or", "probability", "or", "number", "of", "occurrences", "." ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L569-L578
train
totalgood/pugnlp
src/pugnlp/util.py
fuzzy_get_value
def fuzzy_get_value(obj, approximate_key, default=None, **kwargs): """ Like fuzzy_get, but assume the obj is dict-like and return the value without the key Notes: Argument order is in reverse order relative to `fuzzywuzzy.process.extractOne()` but in the same order as get(self, key) method on dic...
python
def fuzzy_get_value(obj, approximate_key, default=None, **kwargs): """ Like fuzzy_get, but assume the obj is dict-like and return the value without the key Notes: Argument order is in reverse order relative to `fuzzywuzzy.process.extractOne()` but in the same order as get(self, key) method on dic...
[ "def", "fuzzy_get_value", "(", "obj", ",", "approximate_key", ",", "default", "=", "None", ",", "*", "*", "kwargs", ")", ":", "dict_obj", "=", "OrderedDict", "(", "obj", ")", "try", ":", "return", "dict_obj", "[", "list", "(", "dict_obj", ".", "keys", ...
Like fuzzy_get, but assume the obj is dict-like and return the value without the key Notes: Argument order is in reverse order relative to `fuzzywuzzy.process.extractOne()` but in the same order as get(self, key) method on dicts Arguments: obj (dict-like): object to run the get method on u...
[ "Like", "fuzzy_get", "but", "assume", "the", "obj", "is", "dict", "-", "like", "and", "return", "the", "value", "without", "the", "key" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L732-L770
train
totalgood/pugnlp
src/pugnlp/util.py
joined_seq
def joined_seq(seq, sep=None): r"""Join a sequence into a tuple or a concatenated string >>> joined_seq(range(3), ', ') '0, 1, 2' >>> joined_seq([1, 2, 3]) (1, 2, 3) """ joined_seq = tuple(seq) if isinstance(sep, basestring): joined_seq = sep.join(str(item) for item in joined_se...
python
def joined_seq(seq, sep=None): r"""Join a sequence into a tuple or a concatenated string >>> joined_seq(range(3), ', ') '0, 1, 2' >>> joined_seq([1, 2, 3]) (1, 2, 3) """ joined_seq = tuple(seq) if isinstance(sep, basestring): joined_seq = sep.join(str(item) for item in joined_se...
[ "def", "joined_seq", "(", "seq", ",", "sep", "=", "None", ")", ":", "joined_seq", "=", "tuple", "(", "seq", ")", "if", "isinstance", "(", "sep", ",", "basestring", ")", ":", "joined_seq", "=", "sep", ".", "join", "(", "str", "(", "item", ")", "for"...
r"""Join a sequence into a tuple or a concatenated string >>> joined_seq(range(3), ', ') '0, 1, 2' >>> joined_seq([1, 2, 3]) (1, 2, 3)
[ "r", "Join", "a", "sequence", "into", "a", "tuple", "or", "a", "concatenated", "string" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L811-L822
train
totalgood/pugnlp
src/pugnlp/util.py
dos_from_table
def dos_from_table(table, header=None): """Produce dictionary of sequences from sequence of sequences, optionally with a header "row". >>> dos_from_table([['hello', 'world'], [1, 2], [3,4]]) == {'hello': [1, 3], 'world': [2, 4]} True """ start_row = 0 if not table: return table if n...
python
def dos_from_table(table, header=None): """Produce dictionary of sequences from sequence of sequences, optionally with a header "row". >>> dos_from_table([['hello', 'world'], [1, 2], [3,4]]) == {'hello': [1, 3], 'world': [2, 4]} True """ start_row = 0 if not table: return table if n...
[ "def", "dos_from_table", "(", "table", ",", "header", "=", "None", ")", ":", "start_row", "=", "0", "if", "not", "table", ":", "return", "table", "if", "not", "header", ":", "header", "=", "table", "[", "0", "]", "start_row", "=", "1", "header_list", ...
Produce dictionary of sequences from sequence of sequences, optionally with a header "row". >>> dos_from_table([['hello', 'world'], [1, 2], [3,4]]) == {'hello': [1, 3], 'world': [2, 4]} True
[ "Produce", "dictionary", "of", "sequences", "from", "sequence", "of", "sequences", "optionally", "with", "a", "header", "row", "." ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L847-L869
train
totalgood/pugnlp
src/pugnlp/util.py
transposed_lists
def transposed_lists(list_of_lists, default=None): """Like `numpy.transposed`, but allows uneven row lengths Uneven lengths will affect the order of the elements in the rows of the transposed lists >>> transposed_lists([[1, 2], [3, 4, 5], [6]]) [[1, 3, 6], [2, 4], [5]] >>> transposed_lists(transpo...
python
def transposed_lists(list_of_lists, default=None): """Like `numpy.transposed`, but allows uneven row lengths Uneven lengths will affect the order of the elements in the rows of the transposed lists >>> transposed_lists([[1, 2], [3, 4, 5], [6]]) [[1, 3, 6], [2, 4], [5]] >>> transposed_lists(transpo...
[ "def", "transposed_lists", "(", "list_of_lists", ",", "default", "=", "None", ")", ":", "if", "default", "is", "None", "or", "default", "is", "[", "]", "or", "default", "is", "tuple", "(", ")", ":", "default", "=", "[", "]", "elif", "default", "is", ...
Like `numpy.transposed`, but allows uneven row lengths Uneven lengths will affect the order of the elements in the rows of the transposed lists >>> transposed_lists([[1, 2], [3, 4, 5], [6]]) [[1, 3, 6], [2, 4], [5]] >>> transposed_lists(transposed_lists([[], [1, 2, 3], [4]])) [[1, 2, 3], [4]] ...
[ "Like", "numpy", ".", "transposed", "but", "allows", "uneven", "row", "lengths" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L872-L905
train
totalgood/pugnlp
src/pugnlp/util.py
hist_from_counts
def hist_from_counts(counts, normalize=False, cumulative=False, to_str=False, sep=',', min_bin=None, max_bin=None): """Compute an emprical histogram, PMF or CDF in a list of lists TESTME: compare results to hist_from_values_list and hist_from_float_values_list """ counters = [dict((i, c)for i, c in enu...
python
def hist_from_counts(counts, normalize=False, cumulative=False, to_str=False, sep=',', min_bin=None, max_bin=None): """Compute an emprical histogram, PMF or CDF in a list of lists TESTME: compare results to hist_from_values_list and hist_from_float_values_list """ counters = [dict((i, c)for i, c in enu...
[ "def", "hist_from_counts", "(", "counts", ",", "normalize", "=", "False", ",", "cumulative", "=", "False", ",", "to_str", "=", "False", ",", "sep", "=", "','", ",", "min_bin", "=", "None", ",", "max_bin", "=", "None", ")", ":", "counters", "=", "[", ...
Compute an emprical histogram, PMF or CDF in a list of lists TESTME: compare results to hist_from_values_list and hist_from_float_values_list
[ "Compute", "an", "emprical", "histogram", "PMF", "or", "CDF", "in", "a", "list", "of", "lists" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L972-L1011
train
totalgood/pugnlp
src/pugnlp/util.py
get_similar
def get_similar(obj, labels, default=None, min_similarity=0.5): """Similar to fuzzy_get, but allows non-string keys and a list of possible keys Searches attributes in addition to keys and indexes to find the closest match. See Also: `fuzzy_get` """ raise NotImplementedError( "Unfi...
python
def get_similar(obj, labels, default=None, min_similarity=0.5): """Similar to fuzzy_get, but allows non-string keys and a list of possible keys Searches attributes in addition to keys and indexes to find the closest match. See Also: `fuzzy_get` """ raise NotImplementedError( "Unfi...
[ "def", "get_similar", "(", "obj", ",", "labels", ",", "default", "=", "None", ",", "min_similarity", "=", "0.5", ")", ":", "raise", "NotImplementedError", "(", "\"Unfinished implementation, needs to be in fuzzy_get where list of scores & keywords is sorted.\"", ")", "labels...
Similar to fuzzy_get, but allows non-string keys and a list of possible keys Searches attributes in addition to keys and indexes to find the closest match. See Also: `fuzzy_get`
[ "Similar", "to", "fuzzy_get", "but", "allows", "non", "-", "string", "keys", "and", "a", "list", "of", "possible", "keys" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L1094-L1126
train
totalgood/pugnlp
src/pugnlp/util.py
update_file_ext
def update_file_ext(filename, ext='txt', sep='.'): r"""Force the file or path str to end with the indicated extension Note: a dot (".") is assumed to delimit the extension >>> from __future__ import unicode_literals >>> update_file_ext('/home/hobs/extremofile', 'bac') '/home/hobs/extremofile.bac' ...
python
def update_file_ext(filename, ext='txt', sep='.'): r"""Force the file or path str to end with the indicated extension Note: a dot (".") is assumed to delimit the extension >>> from __future__ import unicode_literals >>> update_file_ext('/home/hobs/extremofile', 'bac') '/home/hobs/extremofile.bac' ...
[ "def", "update_file_ext", "(", "filename", ",", "ext", "=", "'txt'", ",", "sep", "=", "'.'", ")", ":", "path", ",", "filename", "=", "os", ".", "path", ".", "split", "(", "filename", ")", "if", "ext", "and", "ext", "[", "0", "]", "==", "sep", ":"...
r"""Force the file or path str to end with the indicated extension Note: a dot (".") is assumed to delimit the extension >>> from __future__ import unicode_literals >>> update_file_ext('/home/hobs/extremofile', 'bac') '/home/hobs/extremofile.bac' >>> update_file_ext('/home/hobs/piano.file/', 'musi...
[ "r", "Force", "the", "file", "or", "path", "str", "to", "end", "with", "the", "indicated", "extension" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L1328-L1347
train
totalgood/pugnlp
src/pugnlp/util.py
transcode
def transcode(infile, outfile=None, incoding="shift-jis", outcoding="utf-8"): """Change encoding of text file""" if not outfile: outfile = os.path.basename(infile) + '.utf8' with codecs.open(infile, "rb", incoding) as fpin: with codecs.open(outfile, "wb", outcoding) as fpout: fpo...
python
def transcode(infile, outfile=None, incoding="shift-jis", outcoding="utf-8"): """Change encoding of text file""" if not outfile: outfile = os.path.basename(infile) + '.utf8' with codecs.open(infile, "rb", incoding) as fpin: with codecs.open(outfile, "wb", outcoding) as fpout: fpo...
[ "def", "transcode", "(", "infile", ",", "outfile", "=", "None", ",", "incoding", "=", "\"shift-jis\"", ",", "outcoding", "=", "\"utf-8\"", ")", ":", "if", "not", "outfile", ":", "outfile", "=", "os", ".", "path", ".", "basename", "(", "infile", ")", "+...
Change encoding of text file
[ "Change", "encoding", "of", "text", "file" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L1404-L1410
train
totalgood/pugnlp
src/pugnlp/util.py
dict2obj
def dict2obj(d): """Convert a dict to an object or namespace >>> d = {'a': 1, 'b': {'c': 2}, 'd': ["hi", {'foo': "bar"}]} >>> obj = dict2obj(d) >>> obj.b.c 2 >>> obj.d ['hi', {'foo': 'bar'}] >>> d = {'a': 1, 'b': {'c': 2}, 'd': [("hi", {'foo': "bar"})]} >>> obj = dict2obj(d) >>...
python
def dict2obj(d): """Convert a dict to an object or namespace >>> d = {'a': 1, 'b': {'c': 2}, 'd': ["hi", {'foo': "bar"}]} >>> obj = dict2obj(d) >>> obj.b.c 2 >>> obj.d ['hi', {'foo': 'bar'}] >>> d = {'a': 1, 'b': {'c': 2}, 'd': [("hi", {'foo': "bar"})]} >>> obj = dict2obj(d) >>...
[ "def", "dict2obj", "(", "d", ")", ":", "if", "isinstance", "(", "d", ",", "(", "Mapping", ",", "list", ",", "tuple", ")", ")", ":", "try", ":", "d", "=", "dict", "(", "d", ")", "except", "(", "ValueError", ",", "TypeError", ")", ":", "return", ...
Convert a dict to an object or namespace >>> d = {'a': 1, 'b': {'c': 2}, 'd': ["hi", {'foo': "bar"}]} >>> obj = dict2obj(d) >>> obj.b.c 2 >>> obj.d ['hi', {'foo': 'bar'}] >>> d = {'a': 1, 'b': {'c': 2}, 'd': [("hi", {'foo': "bar"})]} >>> obj = dict2obj(d) >>> obj.d.hi.foo 'bar'
[ "Convert", "a", "dict", "to", "an", "object", "or", "namespace" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L1602-L1627
train
totalgood/pugnlp
src/pugnlp/util.py
int_pair
def int_pair(s, default=(0, None)): """Return the digits to either side of a single non-digit character as a 2-tuple of integers >>> int_pair('90210-007') (90210, 7) >>> int_pair('04321.0123') (4321, 123) """ s = re.split(r'[^0-9]+', str(s).strip()) if len(s) and len(s[0]): if l...
python
def int_pair(s, default=(0, None)): """Return the digits to either side of a single non-digit character as a 2-tuple of integers >>> int_pair('90210-007') (90210, 7) >>> int_pair('04321.0123') (4321, 123) """ s = re.split(r'[^0-9]+', str(s).strip()) if len(s) and len(s[0]): if l...
[ "def", "int_pair", "(", "s", ",", "default", "=", "(", "0", ",", "None", ")", ")", ":", "s", "=", "re", ".", "split", "(", "r'[^0-9]+'", ",", "str", "(", "s", ")", ".", "strip", "(", ")", ")", "if", "len", "(", "s", ")", "and", "len", "(", ...
Return the digits to either side of a single non-digit character as a 2-tuple of integers >>> int_pair('90210-007') (90210, 7) >>> int_pair('04321.0123') (4321, 123)
[ "Return", "the", "digits", "to", "either", "side", "of", "a", "single", "non", "-", "digit", "character", "as", "a", "2", "-", "tuple", "of", "integers" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L1859-L1872
train
totalgood/pugnlp
src/pugnlp/util.py
make_float
def make_float(s, default='', ignore_commas=True): r"""Coerce a string into a float >>> make_float('12,345') 12345.0 >>> make_float('12.345') 12.345 >>> make_float('1+2') 3.0 >>> make_float('+42.0') 42.0 >>> make_float('\r\n-42?\r\n') -42.0 >>> make_float('$42.42') 4...
python
def make_float(s, default='', ignore_commas=True): r"""Coerce a string into a float >>> make_float('12,345') 12345.0 >>> make_float('12.345') 12.345 >>> make_float('1+2') 3.0 >>> make_float('+42.0') 42.0 >>> make_float('\r\n-42?\r\n') -42.0 >>> make_float('$42.42') 4...
[ "def", "make_float", "(", "s", ",", "default", "=", "''", ",", "ignore_commas", "=", "True", ")", ":", "if", "ignore_commas", "and", "isinstance", "(", "s", ",", "basestring", ")", ":", "s", "=", "s", ".", "replace", "(", "','", ",", "''", ")", "tr...
r"""Coerce a string into a float >>> make_float('12,345') 12345.0 >>> make_float('12.345') 12.345 >>> make_float('1+2') 3.0 >>> make_float('+42.0') 42.0 >>> make_float('\r\n-42?\r\n') -42.0 >>> make_float('$42.42') 42.42 >>> make_float('B-52') -52.0 >>> make_...
[ "r", "Coerce", "a", "string", "into", "a", "float" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L1903-L1941
train
totalgood/pugnlp
src/pugnlp/util.py
normalize_names
def normalize_names(names): """Coerce a string or nested list of strings into a flat list of strings.""" if isinstance(names, basestring): names = names.split(',') names = listify(names) return [str(name).strip() for name in names]
python
def normalize_names(names): """Coerce a string or nested list of strings into a flat list of strings.""" if isinstance(names, basestring): names = names.split(',') names = listify(names) return [str(name).strip() for name in names]
[ "def", "normalize_names", "(", "names", ")", ":", "if", "isinstance", "(", "names", ",", "basestring", ")", ":", "names", "=", "names", ".", "split", "(", "','", ")", "names", "=", "listify", "(", "names", ")", "return", "[", "str", "(", "name", ")",...
Coerce a string or nested list of strings into a flat list of strings.
[ "Coerce", "a", "string", "or", "nested", "list", "of", "strings", "into", "a", "flat", "list", "of", "strings", "." ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2023-L2028
train
totalgood/pugnlp
src/pugnlp/util.py
normalize_serial_number
def normalize_serial_number(sn, max_length=None, left_fill='0', right_fill=str(), blank=str(), valid_chars=' -0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ', invalid_chars=None, strip_whitesp...
python
def normalize_serial_number(sn, max_length=None, left_fill='0', right_fill=str(), blank=str(), valid_chars=' -0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ', invalid_chars=None, strip_whitesp...
[ "def", "normalize_serial_number", "(", "sn", ",", "max_length", "=", "None", ",", "left_fill", "=", "'0'", ",", "right_fill", "=", "str", "(", ")", ",", "blank", "=", "str", "(", ")", ",", "valid_chars", "=", "' -0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLM...
r"""Make a string compatible with typical serial number requirements # Default configuration strips internal and external whitespaces and retains only the last 10 characters >>> normalize_serial_number('1C 234567890 ') '0234567890' >>> normalize_serial_number('1C 234567890 ', ...
[ "r", "Make", "a", "string", "compatible", "with", "typical", "serial", "number", "requirements" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2064-L2173
train
totalgood/pugnlp
src/pugnlp/util.py
strip_HTML
def strip_HTML(s): """Simple, clumsy, slow HTML tag stripper""" result = '' total = 0 for c in s: if c == '<': total = 1 elif c == '>': total = 0 result += ' ' elif total == 0: result += c return result
python
def strip_HTML(s): """Simple, clumsy, slow HTML tag stripper""" result = '' total = 0 for c in s: if c == '<': total = 1 elif c == '>': total = 0 result += ' ' elif total == 0: result += c return result
[ "def", "strip_HTML", "(", "s", ")", ":", "result", "=", "''", "total", "=", "0", "for", "c", "in", "s", ":", "if", "c", "==", "'<'", ":", "total", "=", "1", "elif", "c", "==", "'>'", ":", "total", "=", "0", "result", "+=", "' '", "elif", "tot...
Simple, clumsy, slow HTML tag stripper
[ "Simple", "clumsy", "slow", "HTML", "tag", "stripper" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2256-L2268
train
totalgood/pugnlp
src/pugnlp/util.py
tabulate
def tabulate(lol, headers, eol='\n'): """Use the pypi tabulate package instead!""" yield '| %s |' % ' | '.join(headers) + eol yield '| %s:|' % ':| '.join(['-' * len(w) for w in headers]) + eol for row in lol: yield '| %s |' % ' | '.join(str(c) for c in row) + eol
python
def tabulate(lol, headers, eol='\n'): """Use the pypi tabulate package instead!""" yield '| %s |' % ' | '.join(headers) + eol yield '| %s:|' % ':| '.join(['-' * len(w) for w in headers]) + eol for row in lol: yield '| %s |' % ' | '.join(str(c) for c in row) + eol
[ "def", "tabulate", "(", "lol", ",", "headers", ",", "eol", "=", "'\\n'", ")", ":", "yield", "'| %s |'", "%", "' | '", ".", "join", "(", "headers", ")", "+", "eol", "yield", "'| %s:|'", "%", "':| '", ".", "join", "(", "[", "'-'", "*", "len", "(", ...
Use the pypi tabulate package instead!
[ "Use", "the", "pypi", "tabulate", "package", "instead!" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2396-L2401
train
totalgood/pugnlp
src/pugnlp/util.py
listify
def listify(values, N=1, delim=None): """Return an N-length list, with elements values, extrapolating as necessary. >>> listify("don't split into characters") ["don't split into characters"] >>> listify("len = 3", 3) ['len = 3', 'len = 3', 'len = 3'] >>> listify("But split on a delimeter, if re...
python
def listify(values, N=1, delim=None): """Return an N-length list, with elements values, extrapolating as necessary. >>> listify("don't split into characters") ["don't split into characters"] >>> listify("len = 3", 3) ['len = 3', 'len = 3', 'len = 3'] >>> listify("But split on a delimeter, if re...
[ "def", "listify", "(", "values", ",", "N", "=", "1", ",", "delim", "=", "None", ")", ":", "ans", "=", "[", "]", "if", "values", "is", "None", "else", "values", "# convert non-string non-list iterables into a list", "if", "hasattr", "(", "ans", ",", "'__ite...
Return an N-length list, with elements values, extrapolating as necessary. >>> listify("don't split into characters") ["don't split into characters"] >>> listify("len = 3", 3) ['len = 3', 'len = 3', 'len = 3'] >>> listify("But split on a delimeter, if requested.", delim=',') ['But split on a de...
[ "Return", "an", "N", "-", "length", "list", "with", "elements", "values", "extrapolating", "as", "necessary", "." ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2464-L2515
train
totalgood/pugnlp
src/pugnlp/util.py
unlistify
def unlistify(n, depth=1, typ=list, get=None): """Return the desired element in a list ignoring the rest. >>> unlistify([1,2,3]) 1 >>> unlistify([1,[4, 5, 6],3], get=1) [4, 5, 6] >>> unlistify([1,[4, 5, 6],3], depth=2, get=1) 5 >>> unlistify([1,(4, 5, 6),3], depth=2, get=1) (4, 5, 6...
python
def unlistify(n, depth=1, typ=list, get=None): """Return the desired element in a list ignoring the rest. >>> unlistify([1,2,3]) 1 >>> unlistify([1,[4, 5, 6],3], get=1) [4, 5, 6] >>> unlistify([1,[4, 5, 6],3], depth=2, get=1) 5 >>> unlistify([1,(4, 5, 6),3], depth=2, get=1) (4, 5, 6...
[ "def", "unlistify", "(", "n", ",", "depth", "=", "1", ",", "typ", "=", "list", ",", "get", "=", "None", ")", ":", "i", "=", "0", "if", "depth", "is", "None", ":", "depth", "=", "1", "index_desired", "=", "get", "or", "0", "while", "i", "<", "...
Return the desired element in a list ignoring the rest. >>> unlistify([1,2,3]) 1 >>> unlistify([1,[4, 5, 6],3], get=1) [4, 5, 6] >>> unlistify([1,[4, 5, 6],3], depth=2, get=1) 5 >>> unlistify([1,(4, 5, 6),3], depth=2, get=1) (4, 5, 6) >>> unlistify([1,2,(4, 5, 6)], depth=2, get=2) ...
[ "Return", "the", "desired", "element", "in", "a", "list", "ignoring", "the", "rest", "." ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2522-L2549
train
totalgood/pugnlp
src/pugnlp/util.py
strip_keys
def strip_keys(d, nones=False, depth=0): r"""Strip whitespace from all dictionary keys, to the depth indicated >>> strip_keys({' a': ' a', ' b\t c ': {'d e ': 'd e '}}) == {'a': ' a', 'b\t c': {'d e ': 'd e '}} True >>> strip_keys({' a': ' a', ' b\t c ': {'d e ': 'd e '}}, depth=100) == {'a': ' a...
python
def strip_keys(d, nones=False, depth=0): r"""Strip whitespace from all dictionary keys, to the depth indicated >>> strip_keys({' a': ' a', ' b\t c ': {'d e ': 'd e '}}) == {'a': ' a', 'b\t c': {'d e ': 'd e '}} True >>> strip_keys({' a': ' a', ' b\t c ': {'d e ': 'd e '}}, depth=100) == {'a': ' a...
[ "def", "strip_keys", "(", "d", ",", "nones", "=", "False", ",", "depth", "=", "0", ")", ":", "ans", "=", "type", "(", "d", ")", "(", "(", "str", "(", "k", ")", ".", "strip", "(", ")", ",", "v", ")", "for", "(", "k", ",", "v", ")", "in", ...
r"""Strip whitespace from all dictionary keys, to the depth indicated >>> strip_keys({' a': ' a', ' b\t c ': {'d e ': 'd e '}}) == {'a': ' a', 'b\t c': {'d e ': 'd e '}} True >>> strip_keys({' a': ' a', ' b\t c ': {'d e ': 'd e '}}, depth=100) == {'a': ' a', 'b\t c': {'d e': 'd e '}} True
[ "r", "Strip", "whitespace", "from", "all", "dictionary", "keys", "to", "the", "depth", "indicated" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2568-L2585
train
totalgood/pugnlp
src/pugnlp/util.py
get_table_from_csv
def get_table_from_csv(filename='ssg_report_aarons_returns.csv', delimiter=',', dos=False): """Dictionary of sequences from CSV file""" table = [] with open(filename, 'rb') as f: reader = csv.reader(f, dialect='excel', delimiter=delimiter) for row in reader: table += [row] if...
python
def get_table_from_csv(filename='ssg_report_aarons_returns.csv', delimiter=',', dos=False): """Dictionary of sequences from CSV file""" table = [] with open(filename, 'rb') as f: reader = csv.reader(f, dialect='excel', delimiter=delimiter) for row in reader: table += [row] if...
[ "def", "get_table_from_csv", "(", "filename", "=", "'ssg_report_aarons_returns.csv'", ",", "delimiter", "=", "','", ",", "dos", "=", "False", ")", ":", "table", "=", "[", "]", "with", "open", "(", "filename", ",", "'rb'", ")", "as", "f", ":", "reader", "...
Dictionary of sequences from CSV file
[ "Dictionary", "of", "sequences", "from", "CSV", "file" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2596-L2605
train
totalgood/pugnlp
src/pugnlp/util.py
shorten
def shorten(s, max_len=16): """Attempt to shorten a phrase by deleting words at the end of the phrase >>> shorten('Hello World!') 'Hello World' >>> shorten("Hello World! I'll talk your ear off!", 15) 'Hello World' """ short = s words = [abbreviate(word) for word in get_words(s)] for...
python
def shorten(s, max_len=16): """Attempt to shorten a phrase by deleting words at the end of the phrase >>> shorten('Hello World!') 'Hello World' >>> shorten("Hello World! I'll talk your ear off!", 15) 'Hello World' """ short = s words = [abbreviate(word) for word in get_words(s)] for...
[ "def", "shorten", "(", "s", ",", "max_len", "=", "16", ")", ":", "short", "=", "s", "words", "=", "[", "abbreviate", "(", "word", ")", "for", "word", "in", "get_words", "(", "s", ")", "]", "for", "i", "in", "range", "(", "len", "(", "words", ")...
Attempt to shorten a phrase by deleting words at the end of the phrase >>> shorten('Hello World!') 'Hello World' >>> shorten("Hello World! I'll talk your ear off!", 15) 'Hello World'
[ "Attempt", "to", "shorten", "a", "phrase", "by", "deleting", "words", "at", "the", "end", "of", "the", "phrase" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2627-L2641
train
totalgood/pugnlp
src/pugnlp/util.py
truncate
def truncate(s, max_len=20, ellipsis='...'): r"""Return string at most `max_len` characters or sequence elments appended with the `ellipsis` characters >>> truncate(OrderedDict(zip(list('ABCDEFGH'), range(8))), 1) "{'A': 0..." >>> truncate(list(range(5)), 3) '[0, 1, 2...' >>> truncate(np.arange...
python
def truncate(s, max_len=20, ellipsis='...'): r"""Return string at most `max_len` characters or sequence elments appended with the `ellipsis` characters >>> truncate(OrderedDict(zip(list('ABCDEFGH'), range(8))), 1) "{'A': 0..." >>> truncate(list(range(5)), 3) '[0, 1, 2...' >>> truncate(np.arange...
[ "def", "truncate", "(", "s", ",", "max_len", "=", "20", ",", "ellipsis", "=", "'...'", ")", ":", "if", "s", "is", "None", ":", "return", "None", "elif", "isinstance", "(", "s", ",", "basestring", ")", ":", "return", "s", "[", ":", "min", "(", "le...
r"""Return string at most `max_len` characters or sequence elments appended with the `ellipsis` characters >>> truncate(OrderedDict(zip(list('ABCDEFGH'), range(8))), 1) "{'A': 0..." >>> truncate(list(range(5)), 3) '[0, 1, 2...' >>> truncate(np.arange(5), 3) '[0, 1, 2...' >>> truncate('Too v...
[ "r", "Return", "string", "at", "most", "max_len", "characters", "or", "sequence", "elments", "appended", "with", "the", "ellipsis", "characters" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2656-L2676
train
totalgood/pugnlp
src/pugnlp/util.py
slash_product
def slash_product(string_or_seq, slash='/', space=' '): """Return a list of all possible meanings of a phrase containing slashes TODO: - Code is not in standard Sedgewick recursion form - Simplify by removing one of the recursive calls? - Simplify by using a list comprehension? # d...
python
def slash_product(string_or_seq, slash='/', space=' '): """Return a list of all possible meanings of a phrase containing slashes TODO: - Code is not in standard Sedgewick recursion form - Simplify by removing one of the recursive calls? - Simplify by using a list comprehension? # d...
[ "def", "slash_product", "(", "string_or_seq", ",", "slash", "=", "'/'", ",", "space", "=", "' '", ")", ":", "# Terminating case is a sequence of strings without any slashes", "if", "not", "isinstance", "(", "string_or_seq", ",", "basestring", ")", ":", "# If it's not ...
Return a list of all possible meanings of a phrase containing slashes TODO: - Code is not in standard Sedgewick recursion form - Simplify by removing one of the recursive calls? - Simplify by using a list comprehension? # doctest: +NORMALIZE_WHITESPACE >>> slash_product("The challe...
[ "Return", "a", "list", "of", "all", "possible", "meanings", "of", "a", "phrase", "containing", "slashes" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/util.py#L2916-L2964
train
DarkEnergySurvey/ugali
ugali/scratch/position_angle.py
create_header
def create_header(coord, radius, proj='ZEA', npix=30): """ Create a header a new image """ gal = coord.name == 'galactic' values = [ ["NAXIS", 2, ], ["NAXIS1", npix, ], ["NAXIS2", npix, ], ["CTYPE1", 'GLON-%s'%proj if gal else 'RA---%...
python
def create_header(coord, radius, proj='ZEA', npix=30): """ Create a header a new image """ gal = coord.name == 'galactic' values = [ ["NAXIS", 2, ], ["NAXIS1", npix, ], ["NAXIS2", npix, ], ["CTYPE1", 'GLON-%s'%proj if gal else 'RA---%...
[ "def", "create_header", "(", "coord", ",", "radius", ",", "proj", "=", "'ZEA'", ",", "npix", "=", "30", ")", ":", "gal", "=", "coord", ".", "name", "==", "'galactic'", "values", "=", "[", "[", "\"NAXIS\"", ",", "2", ",", "]", ",", "[", "\"NAXIS1\""...
Create a header a new image
[ "Create", "a", "header", "a", "new", "image" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/scratch/position_angle.py#L19-L50
train
totalgood/pugnlp
src/pugnlp/penn_treebank_tokenizer.py
word_tokenize
def word_tokenize(text): """ Split string `text` into word tokens using the Penn Treebank rules """ for (regexp, replacement) in RULES1: text = sub(regexp, replacement, text) # add extra space to make things easier text = " " + text + " " for (regexp, replacement) in RULES2: ...
python
def word_tokenize(text): """ Split string `text` into word tokens using the Penn Treebank rules """ for (regexp, replacement) in RULES1: text = sub(regexp, replacement, text) # add extra space to make things easier text = " " + text + " " for (regexp, replacement) in RULES2: ...
[ "def", "word_tokenize", "(", "text", ")", ":", "for", "(", "regexp", ",", "replacement", ")", "in", "RULES1", ":", "text", "=", "sub", "(", "regexp", ",", "replacement", ",", "text", ")", "# add extra space to make things easier", "text", "=", "\" \"", "+", ...
Split string `text` into word tokens using the Penn Treebank rules
[ "Split", "string", "text", "into", "word", "tokens", "using", "the", "Penn", "Treebank", "rules" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/penn_treebank_tokenizer.py#L83-L96
train
hootnot/postcode-api-wrapper
postcodepy/postcodepy.py
EndpointsMixin.get_postcodedata
def get_postcodedata(self, postcode, nr, addition="", **params): """get_postcodedata - fetch information for 'postcode'. Parameters ---------- postcode : string The full (dutch) postcode nr : int The housenumber addition : string (optional) ...
python
def get_postcodedata(self, postcode, nr, addition="", **params): """get_postcodedata - fetch information for 'postcode'. Parameters ---------- postcode : string The full (dutch) postcode nr : int The housenumber addition : string (optional) ...
[ "def", "get_postcodedata", "(", "self", ",", "postcode", ",", "nr", ",", "addition", "=", "\"\"", ",", "*", "*", "params", ")", ":", "endpoint", "=", "'rest/addresses/%s/%s'", "%", "(", "postcode", ",", "nr", ")", "if", "addition", ":", "endpoint", "+=",...
get_postcodedata - fetch information for 'postcode'. Parameters ---------- postcode : string The full (dutch) postcode nr : int The housenumber addition : string (optional) the extension to a housenumber params : dict (optional) ...
[ "get_postcodedata", "-", "fetch", "information", "for", "postcode", "." ]
42359cb9402f84a06f7d58f889f1156d653f5ea9
https://github.com/hootnot/postcode-api-wrapper/blob/42359cb9402f84a06f7d58f889f1156d653f5ea9/postcodepy/postcodepy.py#L14-L51
train
hootnot/postcode-api-wrapper
postcodepy/postcodepy.py
EndpointsMixin.get_signalcheck
def get_signalcheck(self, sar, **params): """get_signalcheck - perform a signal check. Parameters ---------- sar : dict signal-api-request specified as a dictionary of parameters. All of these parameters are optional. For details check https://api.po...
python
def get_signalcheck(self, sar, **params): """get_signalcheck - perform a signal check. Parameters ---------- sar : dict signal-api-request specified as a dictionary of parameters. All of these parameters are optional. For details check https://api.po...
[ "def", "get_signalcheck", "(", "self", ",", "sar", ",", "*", "*", "params", ")", ":", "params", "=", "sar", "endpoint", "=", "'rest/signal/check'", "# The 'sar'-request dictionary should be sent as valid JSON data, so", "# we need to convert it to JSON", "# when we construct ...
get_signalcheck - perform a signal check. Parameters ---------- sar : dict signal-api-request specified as a dictionary of parameters. All of these parameters are optional. For details check https://api.postcode.nl/documentation/signal-api-example. ...
[ "get_signalcheck", "-", "perform", "a", "signal", "check", "." ]
42359cb9402f84a06f7d58f889f1156d653f5ea9
https://github.com/hootnot/postcode-api-wrapper/blob/42359cb9402f84a06f7d58f889f1156d653f5ea9/postcodepy/postcodepy.py#L53-L75
train
hootnot/postcode-api-wrapper
postcodepy/postcodepy.py
API.__request
def __request(self, endpoint, method='GET', params=None, convJSON=False): """request - Returns dict of response from postcode.nl API. This method is called only by the EndpointMixin methods. """ url = '%s/%s' % (self.api_url, endpoint) method = method.lower() params = p...
python
def __request(self, endpoint, method='GET', params=None, convJSON=False): """request - Returns dict of response from postcode.nl API. This method is called only by the EndpointMixin methods. """ url = '%s/%s' % (self.api_url, endpoint) method = method.lower() params = p...
[ "def", "__request", "(", "self", ",", "endpoint", ",", "method", "=", "'GET'", ",", "params", "=", "None", ",", "convJSON", "=", "False", ")", ":", "url", "=", "'%s/%s'", "%", "(", "self", ".", "api_url", ",", "endpoint", ")", "method", "=", "method"...
request - Returns dict of response from postcode.nl API. This method is called only by the EndpointMixin methods.
[ "request", "-", "Returns", "dict", "of", "response", "from", "postcode", ".", "nl", "API", "." ]
42359cb9402f84a06f7d58f889f1156d653f5ea9
https://github.com/hootnot/postcode-api-wrapper/blob/42359cb9402f84a06f7d58f889f1156d653f5ea9/postcodepy/postcodepy.py#L122-L163
train
totalgood/pugnlp
src/pugnlp/plots.py
regression_and_plot
def regression_and_plot(x, y=None): """ Fit a line to the x, y data supplied and plot it along with teh raw samples >>> age = [25, 26, 33, 29, 27, 21, 26, 35, 21, 37, 21, 38, 18, 19, 36, 30, 29, 24, 24, 36, 36, 27, ... 33, 23, 21, 26, 27, 27, 24, 26, 25, 24, 22, 25, 40, 39, 19, 31, 33, 30, 33, 2...
python
def regression_and_plot(x, y=None): """ Fit a line to the x, y data supplied and plot it along with teh raw samples >>> age = [25, 26, 33, 29, 27, 21, 26, 35, 21, 37, 21, 38, 18, 19, 36, 30, 29, 24, 24, 36, 36, 27, ... 33, 23, 21, 26, 27, 27, 24, 26, 25, 24, 22, 25, 40, 39, 19, 31, 33, 30, 33, 2...
[ "def", "regression_and_plot", "(", "x", ",", "y", "=", "None", ")", ":", "if", "y", "is", "None", ":", "y", "=", "x", "x", "=", "range", "(", "len", "(", "x", ")", ")", "if", "not", "isinstance", "(", "x", "[", "0", "]", ",", "(", "float", ...
Fit a line to the x, y data supplied and plot it along with teh raw samples >>> age = [25, 26, 33, 29, 27, 21, 26, 35, 21, 37, 21, 38, 18, 19, 36, 30, 29, 24, 24, 36, 36, 27, ... 33, 23, 21, 26, 27, 27, 24, 26, 25, 24, 22, 25, 40, 39, 19, 31, 33, 30, 33, 27, 40, 32, ... 31, 35, 26, 34, 27, 34...
[ "Fit", "a", "line", "to", "the", "x", "y", "data", "supplied", "and", "plot", "it", "along", "with", "teh", "raw", "samples" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/plots.py#L125-L225
train
totalgood/pugnlp
src/pugnlp/plots.py
scatmat
def scatmat(df, category=None, colors='rgob', num_plots=4, num_topics=100, num_columns=4, show=False, block=False, data_path=DATA_PATH, save=False, verbose=1): """Scatter plot with colored markers depending on the discrete values in a "category" column FIXME: empty plots that dont go aw...
python
def scatmat(df, category=None, colors='rgob', num_plots=4, num_topics=100, num_columns=4, show=False, block=False, data_path=DATA_PATH, save=False, verbose=1): """Scatter plot with colored markers depending on the discrete values in a "category" column FIXME: empty plots that dont go aw...
[ "def", "scatmat", "(", "df", ",", "category", "=", "None", ",", "colors", "=", "'rgob'", ",", "num_plots", "=", "4", ",", "num_topics", "=", "100", ",", "num_columns", "=", "4", ",", "show", "=", "False", ",", "block", "=", "False", ",", "data_path",...
Scatter plot with colored markers depending on the discrete values in a "category" column FIXME: empty plots that dont go away, Plot and/save scatter matrix in groups of num_columns topics
[ "Scatter", "plot", "with", "colored", "markers", "depending", "on", "the", "discrete", "values", "in", "a", "category", "column" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/plots.py#L296-L323
train
totalgood/pugnlp
src/pugnlp/plots.py
point_cloud
def point_cloud(df, columns=[0, 1, 2]): """3-D Point cloud for plotting things like mesh models of horses ;)""" df = df if isinstance(df, pd.DataFrame) else pd.DataFrame(df) if not all(c in df.columns for c in columns): columns = list(df.columns)[:3] fig = plt.figure() ax = fig.add_subplot(...
python
def point_cloud(df, columns=[0, 1, 2]): """3-D Point cloud for plotting things like mesh models of horses ;)""" df = df if isinstance(df, pd.DataFrame) else pd.DataFrame(df) if not all(c in df.columns for c in columns): columns = list(df.columns)[:3] fig = plt.figure() ax = fig.add_subplot(...
[ "def", "point_cloud", "(", "df", ",", "columns", "=", "[", "0", ",", "1", ",", "2", "]", ")", ":", "df", "=", "df", "if", "isinstance", "(", "df", ",", "pd", ".", "DataFrame", ")", "else", "pd", ".", "DataFrame", "(", "df", ")", "if", "not", ...
3-D Point cloud for plotting things like mesh models of horses ;)
[ "3", "-", "D", "Point", "cloud", "for", "plotting", "things", "like", "mesh", "models", "of", "horses", ";", ")" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/plots.py#L326-L335
train
totalgood/pugnlp
src/pugnlp/plots.py
ColorMap.show
def show(self, block=False): """ Display the last image drawn """ try: plt.show(block=block) except ValueError: plt.show()
python
def show(self, block=False): """ Display the last image drawn """ try: plt.show(block=block) except ValueError: plt.show()
[ "def", "show", "(", "self", ",", "block", "=", "False", ")", ":", "try", ":", "plt", ".", "show", "(", "block", "=", "block", ")", "except", "ValueError", ":", "plt", ".", "show", "(", ")" ]
Display the last image drawn
[ "Display", "the", "last", "image", "drawn" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/plots.py#L284-L289
train
totalgood/pugnlp
src/pugnlp/plots.py
ColorMap.save
def save(self, filename): """ save colormap to file""" plt.savefig(filename, fig=self.fig, facecolor='black', edgecolor='black')
python
def save(self, filename): """ save colormap to file""" plt.savefig(filename, fig=self.fig, facecolor='black', edgecolor='black')
[ "def", "save", "(", "self", ",", "filename", ")", ":", "plt", ".", "savefig", "(", "filename", ",", "fig", "=", "self", ".", "fig", ",", "facecolor", "=", "'black'", ",", "edgecolor", "=", "'black'", ")" ]
save colormap to file
[ "save", "colormap", "to", "file" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/plots.py#L291-L293
train
DarkEnergySurvey/ugali
ugali/analysis/model.py
Model.getp
def getp(self, name): """ Get the named parameter. Parameters ---------- name : string The parameter name. Returns ------- param : The parameter object. """ name = self._mapping.get(name,name) return self...
python
def getp(self, name): """ Get the named parameter. Parameters ---------- name : string The parameter name. Returns ------- param : The parameter object. """ name = self._mapping.get(name,name) return self...
[ "def", "getp", "(", "self", ",", "name", ")", ":", "name", "=", "self", ".", "_mapping", ".", "get", "(", "name", ",", "name", ")", "return", "self", ".", "params", "[", "name", "]" ]
Get the named parameter. Parameters ---------- name : string The parameter name. Returns ------- param : The parameter object.
[ "Get", "the", "named", "parameter", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/analysis/model.py#L98-L113
train
DarkEnergySurvey/ugali
ugali/analysis/color_lut.py
readColorLUT
def readColorLUT(infile, distance_modulus, mag_1, mag_2, mag_err_1, mag_err_2): """ Take in a color look-up table and return the signal color evaluated for each object. Consider making the argument a Catalog object rather than magnitudes and uncertainties. """ reader = pyfits.open(infile) dist...
python
def readColorLUT(infile, distance_modulus, mag_1, mag_2, mag_err_1, mag_err_2): """ Take in a color look-up table and return the signal color evaluated for each object. Consider making the argument a Catalog object rather than magnitudes and uncertainties. """ reader = pyfits.open(infile) dist...
[ "def", "readColorLUT", "(", "infile", ",", "distance_modulus", ",", "mag_1", ",", "mag_2", ",", "mag_err_1", ",", "mag_err_2", ")", ":", "reader", "=", "pyfits", ".", "open", "(", "infile", ")", "distance_modulus_array", "=", "reader", "[", "'DISTANCE_MODULUS'...
Take in a color look-up table and return the signal color evaluated for each object. Consider making the argument a Catalog object rather than magnitudes and uncertainties.
[ "Take", "in", "a", "color", "look", "-", "up", "table", "and", "return", "the", "signal", "color", "evaluated", "for", "each", "object", ".", "Consider", "making", "the", "argument", "a", "Catalog", "object", "rather", "than", "magnitudes", "and", "uncertain...
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/analysis/color_lut.py#L335-L374
train
consbio/ncdjango
ncdjango/utils.py
auto_memoize
def auto_memoize(func): """ Based on django.util.functional.memoize. Automatically memoizes instace methods for the lifespan of an object. Only works with methods taking non-keword arguments. Note that the args to the function must be usable as dictionary keys. Also, the first argument MUST be self. Thi...
python
def auto_memoize(func): """ Based on django.util.functional.memoize. Automatically memoizes instace methods for the lifespan of an object. Only works with methods taking non-keword arguments. Note that the args to the function must be usable as dictionary keys. Also, the first argument MUST be self. Thi...
[ "def", "auto_memoize", "(", "func", ")", ":", "@", "wraps", "(", "func", ")", "def", "wrapper", "(", "*", "args", ")", ":", "inst", "=", "args", "[", "0", "]", "inst", ".", "_memoized_values", "=", "getattr", "(", "inst", ",", "'_memoized_values'", "...
Based on django.util.functional.memoize. Automatically memoizes instace methods for the lifespan of an object. Only works with methods taking non-keword arguments. Note that the args to the function must be usable as dictionary keys. Also, the first argument MUST be self. This decorator will not work for functi...
[ "Based", "on", "django", ".", "util", ".", "functional", ".", "memoize", ".", "Automatically", "memoizes", "instace", "methods", "for", "the", "lifespan", "of", "an", "object", ".", "Only", "works", "with", "methods", "taking", "non", "-", "keword", "argumen...
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/utils.py#L15-L31
train
consbio/ncdjango
ncdjango/utils.py
best_fit
def best_fit(li, value): """For a sorted list li, returns the closest item to value""" index = min(bisect_left(li, value), len(li) - 1) if index in (0, len(li)): return index if li[index] - value < value - li[index-1]: return index else: return index-1
python
def best_fit(li, value): """For a sorted list li, returns the closest item to value""" index = min(bisect_left(li, value), len(li) - 1) if index in (0, len(li)): return index if li[index] - value < value - li[index-1]: return index else: return index-1
[ "def", "best_fit", "(", "li", ",", "value", ")", ":", "index", "=", "min", "(", "bisect_left", "(", "li", ",", "value", ")", ",", "len", "(", "li", ")", "-", "1", ")", "if", "index", "in", "(", "0", ",", "len", "(", "li", ")", ")", ":", "re...
For a sorted list li, returns the closest item to value
[ "For", "a", "sorted", "list", "li", "returns", "the", "closest", "item", "to", "value" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/utils.py#L34-L45
train
consbio/ncdjango
ncdjango/utils.py
proj4_to_epsg
def proj4_to_epsg(projection): """Attempts to convert a PROJ4 projection object to an EPSG code and returns None if conversion fails""" def make_definition(value): return {x.strip().lower() for x in value.split('+') if x} # Use the EPSG in the definition if available match = EPSG_RE.search(pro...
python
def proj4_to_epsg(projection): """Attempts to convert a PROJ4 projection object to an EPSG code and returns None if conversion fails""" def make_definition(value): return {x.strip().lower() for x in value.split('+') if x} # Use the EPSG in the definition if available match = EPSG_RE.search(pro...
[ "def", "proj4_to_epsg", "(", "projection", ")", ":", "def", "make_definition", "(", "value", ")", ":", "return", "{", "x", ".", "strip", "(", ")", ".", "lower", "(", ")", "for", "x", "in", "value", ".", "split", "(", "'+'", ")", "if", "x", "}", "...
Attempts to convert a PROJ4 projection object to an EPSG code and returns None if conversion fails
[ "Attempts", "to", "convert", "a", "PROJ4", "projection", "object", "to", "an", "EPSG", "code", "and", "returns", "None", "if", "conversion", "fails" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/utils.py#L48-L71
train
consbio/ncdjango
ncdjango/utils.py
wkt_to_proj4
def wkt_to_proj4(wkt): """Converts a well-known text string to a pyproj.Proj object""" srs = osgeo.osr.SpatialReference() srs.ImportFromWkt(wkt) return pyproj.Proj(str(srs.ExportToProj4()))
python
def wkt_to_proj4(wkt): """Converts a well-known text string to a pyproj.Proj object""" srs = osgeo.osr.SpatialReference() srs.ImportFromWkt(wkt) return pyproj.Proj(str(srs.ExportToProj4()))
[ "def", "wkt_to_proj4", "(", "wkt", ")", ":", "srs", "=", "osgeo", ".", "osr", ".", "SpatialReference", "(", ")", "srs", ".", "ImportFromWkt", "(", "wkt", ")", "return", "pyproj", ".", "Proj", "(", "str", "(", "srs", ".", "ExportToProj4", "(", ")", ")...
Converts a well-known text string to a pyproj.Proj object
[ "Converts", "a", "well", "-", "known", "text", "string", "to", "a", "pyproj", ".", "Proj", "object" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/utils.py#L74-L80
train
consbio/ncdjango
ncdjango/utils.py
proj4_to_wkt
def proj4_to_wkt(projection): """Converts a pyproj.Proj object to a well-known text string""" srs = osgeo.osr.SpatialReference() srs.ImportFromProj4(projection.srs) return srs.ExportToWkt()
python
def proj4_to_wkt(projection): """Converts a pyproj.Proj object to a well-known text string""" srs = osgeo.osr.SpatialReference() srs.ImportFromProj4(projection.srs) return srs.ExportToWkt()
[ "def", "proj4_to_wkt", "(", "projection", ")", ":", "srs", "=", "osgeo", ".", "osr", ".", "SpatialReference", "(", ")", "srs", ".", "ImportFromProj4", "(", "projection", ".", "srs", ")", "return", "srs", ".", "ExportToWkt", "(", ")" ]
Converts a pyproj.Proj object to a well-known text string
[ "Converts", "a", "pyproj", ".", "Proj", "object", "to", "a", "well", "-", "known", "text", "string" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/utils.py#L83-L89
train
consbio/ncdjango
ncdjango/utils.py
project_geometry
def project_geometry(geometry, source, target): """Projects a shapely geometry object from the source to the target projection.""" project = partial( pyproj.transform, source, target ) return transform(project, geometry)
python
def project_geometry(geometry, source, target): """Projects a shapely geometry object from the source to the target projection.""" project = partial( pyproj.transform, source, target ) return transform(project, geometry)
[ "def", "project_geometry", "(", "geometry", ",", "source", ",", "target", ")", ":", "project", "=", "partial", "(", "pyproj", ".", "transform", ",", "source", ",", "target", ")", "return", "transform", "(", "project", ",", "geometry", ")" ]
Projects a shapely geometry object from the source to the target projection.
[ "Projects", "a", "shapely", "geometry", "object", "from", "the", "source", "to", "the", "target", "projection", "." ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/utils.py#L92-L101
train
DarkEnergySurvey/ugali
ugali/utils/config.py
Config._load
def _load(self, config): """ Load this config from an existing config Parameters: ----------- config : filename, config object, or dict to load Returns: -------- params : configuration parameters """ if isstring(config): self.filenam...
python
def _load(self, config): """ Load this config from an existing config Parameters: ----------- config : filename, config object, or dict to load Returns: -------- params : configuration parameters """ if isstring(config): self.filenam...
[ "def", "_load", "(", "self", ",", "config", ")", ":", "if", "isstring", "(", "config", ")", ":", "self", ".", "filename", "=", "config", "params", "=", "yaml", ".", "load", "(", "open", "(", "config", ")", ")", "elif", "isinstance", "(", "config", ...
Load this config from an existing config Parameters: ----------- config : filename, config object, or dict to load Returns: -------- params : configuration parameters
[ "Load", "this", "config", "from", "an", "existing", "config" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/config.py#L64-L89
train
DarkEnergySurvey/ugali
ugali/utils/config.py
Config._validate
def _validate(self): """ Enforce some structure to the config file """ # This could be done with a default config # Check that specific keys exist sections = odict([ ('catalog',['dirname','basename', 'lon_field','lat_field','objid_field', ...
python
def _validate(self): """ Enforce some structure to the config file """ # This could be done with a default config # Check that specific keys exist sections = odict([ ('catalog',['dirname','basename', 'lon_field','lat_field','objid_field', ...
[ "def", "_validate", "(", "self", ")", ":", "# This could be done with a default config", "# Check that specific keys exist", "sections", "=", "odict", "(", "[", "(", "'catalog'", ",", "[", "'dirname'", ",", "'basename'", ",", "'lon_field'", ",", "'lat_field'", ",", ...
Enforce some structure to the config file
[ "Enforce", "some", "structure", "to", "the", "config", "file" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/config.py#L91-L124
train
DarkEnergySurvey/ugali
ugali/utils/config.py
Config._formatFilepaths
def _formatFilepaths(self): """ Join dirnames and filenames from config. """ likedir=self['output']['likedir'] self.likefile = join(likedir,self['output']['likefile']) self.mergefile = join(likedir,self['output']['mergefile']) self.roifile = join(likedir,self['...
python
def _formatFilepaths(self): """ Join dirnames and filenames from config. """ likedir=self['output']['likedir'] self.likefile = join(likedir,self['output']['likefile']) self.mergefile = join(likedir,self['output']['mergefile']) self.roifile = join(likedir,self['...
[ "def", "_formatFilepaths", "(", "self", ")", ":", "likedir", "=", "self", "[", "'output'", "]", "[", "'likedir'", "]", "self", ".", "likefile", "=", "join", "(", "likedir", ",", "self", "[", "'output'", "]", "[", "'likefile'", "]", ")", "self", ".", ...
Join dirnames and filenames from config.
[ "Join", "dirnames", "and", "filenames", "from", "config", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/config.py#L129-L145
train
DarkEnergySurvey/ugali
ugali/utils/config.py
Config.write
def write(self, filename): """ Write a copy of this config object. Parameters: ----------- outfile : output filename Returns: -------- None """ ext = os.path.splitext(filename)[1] writer = open(filename, 'w') if ex...
python
def write(self, filename): """ Write a copy of this config object. Parameters: ----------- outfile : output filename Returns: -------- None """ ext = os.path.splitext(filename)[1] writer = open(filename, 'w') if ex...
[ "def", "write", "(", "self", ",", "filename", ")", ":", "ext", "=", "os", ".", "path", ".", "splitext", "(", "filename", ")", "[", "1", "]", "writer", "=", "open", "(", "filename", ",", "'w'", ")", "if", "ext", "==", "'.py'", ":", "writer", ".", ...
Write a copy of this config object. Parameters: ----------- outfile : output filename Returns: -------- None
[ "Write", "a", "copy", "of", "this", "config", "object", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/config.py#L147-L168
train
DarkEnergySurvey/ugali
ugali/utils/config.py
Config.getFilenames
def getFilenames(self,pixels=None): """ Return the requested filenames. Parameters: ----------- pixels : requeseted pixels Returns: -------- filenames : recarray """ logger.debug("Getting filenames...") if pixels is None: ...
python
def getFilenames(self,pixels=None): """ Return the requested filenames. Parameters: ----------- pixels : requeseted pixels Returns: -------- filenames : recarray """ logger.debug("Getting filenames...") if pixels is None: ...
[ "def", "getFilenames", "(", "self", ",", "pixels", "=", "None", ")", ":", "logger", ".", "debug", "(", "\"Getting filenames...\"", ")", "if", "pixels", "is", "None", ":", "return", "self", ".", "filenames", "else", ":", "return", "self", ".", "filenames", ...
Return the requested filenames. Parameters: ----------- pixels : requeseted pixels Returns: -------- filenames : recarray
[ "Return", "the", "requested", "filenames", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/config.py#L305-L321
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
superpixel
def superpixel(subpix, nside_subpix, nside_superpix): """ Return the indices of the super-pixels which contain each of the sub-pixels. """ if nside_subpix==nside_superpix: return subpix theta, phi = hp.pix2ang(nside_subpix, subpix) return hp.ang2pix(nside_superpix, theta, phi)
python
def superpixel(subpix, nside_subpix, nside_superpix): """ Return the indices of the super-pixels which contain each of the sub-pixels. """ if nside_subpix==nside_superpix: return subpix theta, phi = hp.pix2ang(nside_subpix, subpix) return hp.ang2pix(nside_superpix, theta, phi)
[ "def", "superpixel", "(", "subpix", ",", "nside_subpix", ",", "nside_superpix", ")", ":", "if", "nside_subpix", "==", "nside_superpix", ":", "return", "subpix", "theta", ",", "phi", "=", "hp", ".", "pix2ang", "(", "nside_subpix", ",", "subpix", ")", "return"...
Return the indices of the super-pixels which contain each of the sub-pixels.
[ "Return", "the", "indices", "of", "the", "super", "-", "pixels", "which", "contain", "each", "of", "the", "sub", "-", "pixels", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L20-L26
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
ud_grade_ipix
def ud_grade_ipix(ipix, nside_in, nside_out, nest=False): """ Upgrade or degrade resolution of a pixel list. Parameters: ----------- ipix:array-like the input pixel(s) nside_in:int the nside of the input pixel(s) nside_out:int the desired nside of the output pixel(s) ord...
python
def ud_grade_ipix(ipix, nside_in, nside_out, nest=False): """ Upgrade or degrade resolution of a pixel list. Parameters: ----------- ipix:array-like the input pixel(s) nside_in:int the nside of the input pixel(s) nside_out:int the desired nside of the output pixel(s) ord...
[ "def", "ud_grade_ipix", "(", "ipix", ",", "nside_in", ",", "nside_out", ",", "nest", "=", "False", ")", ":", "if", "nside_in", "==", "nside_out", ":", "return", "ipix", "elif", "nside_in", "<", "nside_out", ":", "return", "u_grade_ipix", "(", "ipix", ",", ...
Upgrade or degrade resolution of a pixel list. Parameters: ----------- ipix:array-like the input pixel(s) nside_in:int the nside of the input pixel(s) nside_out:int the desired nside of the output pixel(s) order:str pixel ordering of input and output ("RING" or "NESTED") ...
[ "Upgrade", "or", "degrade", "resolution", "of", "a", "pixel", "list", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L99-L126
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
index_pix_in_pixels
def index_pix_in_pixels(pix,pixels,sort=False,outside=-1): """ Find the indices of a set of pixels into another set of pixels. !!! ASSUMES SORTED PIXELS !!! Parameters: ----------- pix : set of search pixels pixels : set of reference pixels Returns: -------- index : index ...
python
def index_pix_in_pixels(pix,pixels,sort=False,outside=-1): """ Find the indices of a set of pixels into another set of pixels. !!! ASSUMES SORTED PIXELS !!! Parameters: ----------- pix : set of search pixels pixels : set of reference pixels Returns: -------- index : index ...
[ "def", "index_pix_in_pixels", "(", "pix", ",", "pixels", ",", "sort", "=", "False", ",", "outside", "=", "-", "1", ")", ":", "# ADW: Not really safe to set index = -1 (accesses last entry); ", "# -np.inf would be better, but breaks other code...", "# ADW: Are the pixels always ...
Find the indices of a set of pixels into another set of pixels. !!! ASSUMES SORTED PIXELS !!! Parameters: ----------- pix : set of search pixels pixels : set of reference pixels Returns: -------- index : index into the reference pixels
[ "Find", "the", "indices", "of", "a", "set", "of", "pixels", "into", "another", "set", "of", "pixels", ".", "!!!", "ASSUMES", "SORTED", "PIXELS", "!!!" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L217-L244
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
index_lonlat_in_pixels
def index_lonlat_in_pixels(lon,lat,pixels,nside,sort=False,outside=-1): """ Find the indices of a set of angles into a set of pixels Parameters: ----------- pix : set of search pixels pixels : set of reference pixels Returns: -------- index : index into the reference pixels ...
python
def index_lonlat_in_pixels(lon,lat,pixels,nside,sort=False,outside=-1): """ Find the indices of a set of angles into a set of pixels Parameters: ----------- pix : set of search pixels pixels : set of reference pixels Returns: -------- index : index into the reference pixels ...
[ "def", "index_lonlat_in_pixels", "(", "lon", ",", "lat", ",", "pixels", ",", "nside", ",", "sort", "=", "False", ",", "outside", "=", "-", "1", ")", ":", "pix", "=", "ang2pix", "(", "nside", ",", "lon", ",", "lat", ")", "return", "index_pix_in_pixels",...
Find the indices of a set of angles into a set of pixels Parameters: ----------- pix : set of search pixels pixels : set of reference pixels Returns: -------- index : index into the reference pixels
[ "Find", "the", "indices", "of", "a", "set", "of", "angles", "into", "a", "set", "of", "pixels" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L246-L261
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
header_odict
def header_odict(nside,nest=False,coord=None, partial=True): """Mimic the healpy header keywords.""" hdr = odict([]) hdr['PIXTYPE']=odict([('name','PIXTYPE'), ('value','HEALPIX'), ('comment','HEALPIX pixelisation')]) ordering = 'NEST' if nest else 'RI...
python
def header_odict(nside,nest=False,coord=None, partial=True): """Mimic the healpy header keywords.""" hdr = odict([]) hdr['PIXTYPE']=odict([('name','PIXTYPE'), ('value','HEALPIX'), ('comment','HEALPIX pixelisation')]) ordering = 'NEST' if nest else 'RI...
[ "def", "header_odict", "(", "nside", ",", "nest", "=", "False", ",", "coord", "=", "None", ",", "partial", "=", "True", ")", ":", "hdr", "=", "odict", "(", "[", "]", ")", "hdr", "[", "'PIXTYPE'", "]", "=", "odict", "(", "[", "(", "'name'", ",", ...
Mimic the healpy header keywords.
[ "Mimic", "the", "healpy", "header", "keywords", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L330-L362
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
write_partial_map
def write_partial_map(filename, data, nside, coord=None, nest=False, header=None,dtype=None,**kwargs): """ Partial HEALPix maps are used to efficiently store maps of the sky by only writing out the pixels that contain data. Three-dimensional data can be saved by supplying a distan...
python
def write_partial_map(filename, data, nside, coord=None, nest=False, header=None,dtype=None,**kwargs): """ Partial HEALPix maps are used to efficiently store maps of the sky by only writing out the pixels that contain data. Three-dimensional data can be saved by supplying a distan...
[ "def", "write_partial_map", "(", "filename", ",", "data", ",", "nside", ",", "coord", "=", "None", ",", "nest", "=", "False", ",", "header", "=", "None", ",", "dtype", "=", "None", ",", "*", "*", "kwargs", ")", ":", "# ADW: Do we want to make everything up...
Partial HEALPix maps are used to efficiently store maps of the sky by only writing out the pixels that contain data. Three-dimensional data can be saved by supplying a distance modulus array which is stored in a separate extension. Parameters: ----------- filename : output file name data ...
[ "Partial", "HEALPix", "maps", "are", "used", "to", "efficiently", "store", "maps", "of", "the", "sky", "by", "only", "writing", "out", "the", "pixels", "that", "contain", "data", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L364-L404
train
DarkEnergySurvey/ugali
ugali/utils/healpix.py
merge_likelihood_headers
def merge_likelihood_headers(filenames, outfile): """ Merge header information from likelihood files. Parameters: ----------- filenames : input filenames oufile : the merged file to write Returns: -------- data : the data being written """ filenames = np.atleas...
python
def merge_likelihood_headers(filenames, outfile): """ Merge header information from likelihood files. Parameters: ----------- filenames : input filenames oufile : the merged file to write Returns: -------- data : the data being written """ filenames = np.atleas...
[ "def", "merge_likelihood_headers", "(", "filenames", ",", "outfile", ")", ":", "filenames", "=", "np", ".", "atleast_1d", "(", "filenames", ")", "ext", "=", "'PIX_DATA'", "nside", "=", "fitsio", ".", "read_header", "(", "filenames", "[", "0", "]", ",", "ex...
Merge header information from likelihood files. Parameters: ----------- filenames : input filenames oufile : the merged file to write Returns: -------- data : the data being written
[ "Merge", "header", "information", "from", "likelihood", "files", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/utils/healpix.py#L479-L518
train
consbio/ncdjango
ncdjango/api.py
TemporaryFileResource._convert_number
def _convert_number(self, number): """Converts a number to float or int as appropriate""" number = float(number) return int(number) if number.is_integer() else float(number)
python
def _convert_number(self, number): """Converts a number to float or int as appropriate""" number = float(number) return int(number) if number.is_integer() else float(number)
[ "def", "_convert_number", "(", "self", ",", "number", ")", ":", "number", "=", "float", "(", "number", ")", "return", "int", "(", "number", ")", "if", "number", ".", "is_integer", "(", ")", "else", "float", "(", "number", ")" ]
Converts a number to float or int as appropriate
[ "Converts", "a", "number", "to", "float", "or", "int", "as", "appropriate" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/api.py#L46-L50
train
DarkEnergySurvey/ugali
ugali/pipeline/run_05.0_followup.py
do_results
def do_results(args): """ Write the results output file """ config,name,label,coord = args filenames = make_filenames(config,label) srcfile = filenames['srcfile'] samples = filenames['samfile'] if not exists(srcfile): logger.warning("Couldn't find %s; skipping..."%srcfile) retu...
python
def do_results(args): """ Write the results output file """ config,name,label,coord = args filenames = make_filenames(config,label) srcfile = filenames['srcfile'] samples = filenames['samfile'] if not exists(srcfile): logger.warning("Couldn't find %s; skipping..."%srcfile) retu...
[ "def", "do_results", "(", "args", ")", ":", "config", ",", "name", ",", "label", ",", "coord", "=", "args", "filenames", "=", "make_filenames", "(", "config", ",", "label", ")", "srcfile", "=", "filenames", "[", "'srcfile'", "]", "samples", "=", "filenam...
Write the results output file
[ "Write", "the", "results", "output", "file" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/pipeline/run_05.0_followup.py#L42-L59
train
DarkEnergySurvey/ugali
ugali/pipeline/run_05.0_followup.py
do_membership
def do_membership(args): """ Write the membership output file """ config,name,label,coord = args filenames = make_filenames(config,label) srcfile = filenames['srcfile'] memfile = filenames['memfile'] logger.info("Writing %s..."%memfile) from ugali.analysis.loglike import write_membership ...
python
def do_membership(args): """ Write the membership output file """ config,name,label,coord = args filenames = make_filenames(config,label) srcfile = filenames['srcfile'] memfile = filenames['memfile'] logger.info("Writing %s..."%memfile) from ugali.analysis.loglike import write_membership ...
[ "def", "do_membership", "(", "args", ")", ":", "config", ",", "name", ",", "label", ",", "coord", "=", "args", "filenames", "=", "make_filenames", "(", "config", ",", "label", ")", "srcfile", "=", "filenames", "[", "'srcfile'", "]", "memfile", "=", "file...
Write the membership output file
[ "Write", "the", "membership", "output", "file" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/pipeline/run_05.0_followup.py#L61-L71
train
DarkEnergySurvey/ugali
ugali/pipeline/run_05.0_followup.py
do_plot
def do_plot(args): """ Create plots of mcmc output """ import ugali.utils.plotting import pylab as plt config,name,label,coord = args filenames = make_filenames(config,label) srcfile = filenames['srcfile'] samfile = filenames['samfile'] memfile = filenames['memfile'] if not exists(...
python
def do_plot(args): """ Create plots of mcmc output """ import ugali.utils.plotting import pylab as plt config,name,label,coord = args filenames = make_filenames(config,label) srcfile = filenames['srcfile'] samfile = filenames['samfile'] memfile = filenames['memfile'] if not exists(...
[ "def", "do_plot", "(", "args", ")", ":", "import", "ugali", ".", "utils", ".", "plotting", "import", "pylab", "as", "plt", "config", ",", "name", ",", "label", ",", "coord", "=", "args", "filenames", "=", "make_filenames", "(", "config", ",", "label", ...
Create plots of mcmc output
[ "Create", "plots", "of", "mcmc", "output" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/pipeline/run_05.0_followup.py#L73-L136
train
warrenspe/hconf
hconf/subparsers/dictionary.py
Dictionary.parse
def parse(self, *args): """ Return our initialized dictionary arguments. """ if isinstance(self.dictionary, dict): return self.dictionary raise self.subparserException("Argument passed to Dictionary SubParser is not a dict: %s" % type(self.dictionary))
python
def parse(self, *args): """ Return our initialized dictionary arguments. """ if isinstance(self.dictionary, dict): return self.dictionary raise self.subparserException("Argument passed to Dictionary SubParser is not a dict: %s" % type(self.dictionary))
[ "def", "parse", "(", "self", ",", "*", "args", ")", ":", "if", "isinstance", "(", "self", ".", "dictionary", ",", "dict", ")", ":", "return", "self", ".", "dictionary", "raise", "self", ".", "subparserException", "(", "\"Argument passed to Dictionary SubParser...
Return our initialized dictionary arguments.
[ "Return", "our", "initialized", "dictionary", "arguments", "." ]
12074d15dc3641d3903488c95d89a507386a32d5
https://github.com/warrenspe/hconf/blob/12074d15dc3641d3903488c95d89a507386a32d5/hconf/subparsers/dictionary.py#L39-L47
train
BertrandBordage/django-terms
terms/managers.py
TermManager._caches_dicts
def _caches_dicts(self): """ Caches variants_dict and replace_dict in a single database hit. """ qs = (self.get_query_set() if django.VERSION < (1, 6) else self.get_queryset()) variants_dict = self._get_variants_dict(qs) cache.set(VARIANTS_DICT_CACHE_KEY, ...
python
def _caches_dicts(self): """ Caches variants_dict and replace_dict in a single database hit. """ qs = (self.get_query_set() if django.VERSION < (1, 6) else self.get_queryset()) variants_dict = self._get_variants_dict(qs) cache.set(VARIANTS_DICT_CACHE_KEY, ...
[ "def", "_caches_dicts", "(", "self", ")", ":", "qs", "=", "(", "self", ".", "get_query_set", "(", ")", "if", "django", ".", "VERSION", "<", "(", "1", ",", "6", ")", "else", "self", ".", "get_queryset", "(", ")", ")", "variants_dict", "=", "self", "...
Caches variants_dict and replace_dict in a single database hit.
[ "Caches", "variants_dict", "and", "replace_dict", "in", "a", "single", "database", "hit", "." ]
2555c2cf5abf14adef9a8e2dd22c4a9076396a10
https://github.com/BertrandBordage/django-terms/blob/2555c2cf5abf14adef9a8e2dd22c4a9076396a10/terms/managers.py#L41-L55
train
stevearc/dynamo3
dynamo3/exception.py
translate_exception
def translate_exception(exc, kwargs): """ Translate a botocore.exceptions.ClientError into a dynamo3 error """ error = exc.response['Error'] error.setdefault('Message', '') err_class = EXC.get(error['Code'], DynamoDBError) return err_class(exc.response['ResponseMetadata']['HTTPStatusCode'], ...
python
def translate_exception(exc, kwargs): """ Translate a botocore.exceptions.ClientError into a dynamo3 error """ error = exc.response['Error'] error.setdefault('Message', '') err_class = EXC.get(error['Code'], DynamoDBError) return err_class(exc.response['ResponseMetadata']['HTTPStatusCode'], ...
[ "def", "translate_exception", "(", "exc", ",", "kwargs", ")", ":", "error", "=", "exc", ".", "response", "[", "'Error'", "]", "error", ".", "setdefault", "(", "'Message'", ",", "''", ")", "err_class", "=", "EXC", ".", "get", "(", "error", "[", "'Code'"...
Translate a botocore.exceptions.ClientError into a dynamo3 error
[ "Translate", "a", "botocore", ".", "exceptions", ".", "ClientError", "into", "a", "dynamo3", "error" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/exception.py#L50-L56
train
stevearc/dynamo3
dynamo3/exception.py
DynamoDBError.re_raise
def re_raise(self): """ Raise this exception with the original traceback """ if self.exc_info is not None: six.reraise(type(self), self, self.exc_info[2]) else: raise self
python
def re_raise(self): """ Raise this exception with the original traceback """ if self.exc_info is not None: six.reraise(type(self), self, self.exc_info[2]) else: raise self
[ "def", "re_raise", "(", "self", ")", ":", "if", "self", ".", "exc_info", "is", "not", "None", ":", "six", ".", "reraise", "(", "type", "(", "self", ")", ",", "self", ",", "self", ".", "exc_info", "[", "2", "]", ")", "else", ":", "raise", "self" ]
Raise this exception with the original traceback
[ "Raise", "this", "exception", "with", "the", "original", "traceback" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/exception.py#L19-L24
train
totalgood/pugnlp
src/pugnlp/segmentation.py
generate_lines
def generate_lines(text, ext=['.txt', '.md', '.rst', '.asciidoc', '.asc']): r""" Yield text one line at a time from from a single file path, files in a directory, or a text string >>> list(generate_lines('Hello crazy\r\nMS/Apple world\rof EOLS.\n')) ['Hello crazy\r\n', 'MS/Apple world\r', 'of EOLS.\n'] ...
python
def generate_lines(text, ext=['.txt', '.md', '.rst', '.asciidoc', '.asc']): r""" Yield text one line at a time from from a single file path, files in a directory, or a text string >>> list(generate_lines('Hello crazy\r\nMS/Apple world\rof EOLS.\n')) ['Hello crazy\r\n', 'MS/Apple world\r', 'of EOLS.\n'] ...
[ "def", "generate_lines", "(", "text", ",", "ext", "=", "[", "'.txt'", ",", "'.md'", ",", "'.rst'", ",", "'.asciidoc'", ",", "'.asc'", "]", ")", ":", "if", "isinstance", "(", "text", ",", "basestring", ")", ":", "if", "len", "(", "text", ")", "<=", ...
r""" Yield text one line at a time from from a single file path, files in a directory, or a text string >>> list(generate_lines('Hello crazy\r\nMS/Apple world\rof EOLS.\n')) ['Hello crazy\r\n', 'MS/Apple world\r', 'of EOLS.\n']
[ "r", "Yield", "text", "one", "line", "at", "a", "time", "from", "from", "a", "single", "file", "path", "files", "in", "a", "directory", "or", "a", "text", "string" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/segmentation.py#L49-L66
train
stevearc/dynamo3
dynamo3/rate.py
DecayingCapacityStore.add
def add(self, now, num): """ Add a timestamp and date to the data """ if num == 0: return self.points.append((now, num))
python
def add(self, now, num): """ Add a timestamp and date to the data """ if num == 0: return self.points.append((now, num))
[ "def", "add", "(", "self", ",", "now", ",", "num", ")", ":", "if", "num", "==", "0", ":", "return", "self", ".", "points", ".", "append", "(", "(", "now", ",", "num", ")", ")" ]
Add a timestamp and date to the data
[ "Add", "a", "timestamp", "and", "date", "to", "the", "data" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/rate.py#L27-L31
train
stevearc/dynamo3
dynamo3/rate.py
DecayingCapacityStore.value
def value(self): """ Get the summation of all non-expired points """ now = time.time() cutoff = now - self.window while self.points and self.points[0][0] < cutoff: self.points.pop(0) return sum([p[1] for p in self.points])
python
def value(self): """ Get the summation of all non-expired points """ now = time.time() cutoff = now - self.window while self.points and self.points[0][0] < cutoff: self.points.pop(0) return sum([p[1] for p in self.points])
[ "def", "value", "(", "self", ")", ":", "now", "=", "time", ".", "time", "(", ")", "cutoff", "=", "now", "-", "self", ".", "window", "while", "self", ".", "points", "and", "self", ".", "points", "[", "0", "]", "[", "0", "]", "<", "cutoff", ":", ...
Get the summation of all non-expired points
[ "Get", "the", "summation", "of", "all", "non", "-", "expired", "points" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/rate.py#L34-L40
train
stevearc/dynamo3
dynamo3/rate.py
RateLimit.get_consumed
def get_consumed(self, key): """ Getter for a consumed capacity storage dict """ if key not in self._consumed: self._consumed[key] = { 'read': DecayingCapacityStore(), 'write': DecayingCapacityStore(), } return self._consumed[key]
python
def get_consumed(self, key): """ Getter for a consumed capacity storage dict """ if key not in self._consumed: self._consumed[key] = { 'read': DecayingCapacityStore(), 'write': DecayingCapacityStore(), } return self._consumed[key]
[ "def", "get_consumed", "(", "self", ",", "key", ")", ":", "if", "key", "not", "in", "self", ".", "_consumed", ":", "self", ".", "_consumed", "[", "key", "]", "=", "{", "'read'", ":", "DecayingCapacityStore", "(", ")", ",", "'write'", ":", "DecayingCapa...
Getter for a consumed capacity storage dict
[ "Getter", "for", "a", "consumed", "capacity", "storage", "dict" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/rate.py#L96-L103
train
stevearc/dynamo3
dynamo3/rate.py
RateLimit.on_capacity
def on_capacity(self, connection, command, query_kwargs, response, capacity): """ Hook that runs in response to a 'returned capacity' event """ now = time.time() args = (connection, command, query_kwargs, response, capacity) # Check total against the total_cap ...
python
def on_capacity(self, connection, command, query_kwargs, response, capacity): """ Hook that runs in response to a 'returned capacity' event """ now = time.time() args = (connection, command, query_kwargs, response, capacity) # Check total against the total_cap ...
[ "def", "on_capacity", "(", "self", ",", "connection", ",", "command", ",", "query_kwargs", ",", "response", ",", "capacity", ")", ":", "now", "=", "time", ".", "time", "(", ")", "args", "=", "(", "connection", ",", "command", ",", "query_kwargs", ",", ...
Hook that runs in response to a 'returned capacity' event
[ "Hook", "that", "runs", "in", "response", "to", "a", "returned", "capacity", "event" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/rate.py#L105-L143
train
stevearc/dynamo3
dynamo3/rate.py
RateLimit._wait
def _wait(self, args, now, cap, consumed_history, consumed_capacity): """ Check the consumed capacity against the limit and sleep """ for key in ['read', 'write']: if key in cap and cap[key] > 0: consumed_history[key].add(now, consumed_capacity[key]) consumed ...
python
def _wait(self, args, now, cap, consumed_history, consumed_capacity): """ Check the consumed capacity against the limit and sleep """ for key in ['read', 'write']: if key in cap and cap[key] > 0: consumed_history[key].add(now, consumed_capacity[key]) consumed ...
[ "def", "_wait", "(", "self", ",", "args", ",", "now", ",", "cap", ",", "consumed_history", ",", "consumed_capacity", ")", ":", "for", "key", "in", "[", "'read'", ",", "'write'", "]", ":", "if", "key", "in", "cap", "and", "cap", "[", "key", "]", ">"...
Check the consumed capacity against the limit and sleep
[ "Check", "the", "consumed", "capacity", "against", "the", "limit", "and", "sleep" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/rate.py#L145-L159
train
juju/theblues
theblues/support.py
Support.create_case
def create_case(self, name, email, subject, description, businessImpact, priority, phone): """ Send a case creation to SalesForces to create a ticket. @param name of the person creating the case. @param email of the person creating the case. @param subject of the cas...
python
def create_case(self, name, email, subject, description, businessImpact, priority, phone): """ Send a case creation to SalesForces to create a ticket. @param name of the person creating the case. @param email of the person creating the case. @param subject of the cas...
[ "def", "create_case", "(", "self", ",", "name", ",", "email", ",", "subject", ",", "description", ",", "businessImpact", ",", "priority", ",", "phone", ")", ":", "if", "not", "(", "'@'", "in", "parseaddr", "(", "email", ")", "[", "1", "]", ")", ":", ...
Send a case creation to SalesForces to create a ticket. @param name of the person creating the case. @param email of the person creating the case. @param subject of the case. @param description of the case. @param businessImpact of the case. @param priority of the case. ...
[ "Send", "a", "case", "creation", "to", "SalesForces", "to", "create", "a", "ticket", "." ]
f4431f29e43d04fc32f38f4f86cea45cd4e6ae98
https://github.com/juju/theblues/blob/f4431f29e43d04fc32f38f4f86cea45cd4e6ae98/theblues/support.py#L51-L105
train
alphagov/performanceplatform-collector
performanceplatform/collector/gcloud/aggregate.py
get_cumulative_spend
def get_cumulative_spend(key): """ Get the sum of spending for this category up to and including the given month. """ query = ('ROUND(SUM(total_ex_vat), 2) AS total ' 'FROM {table} ' 'WHERE date <= "{year}-{month:02}-01" ' 'AND lot="{lot}" ' 'AND c...
python
def get_cumulative_spend(key): """ Get the sum of spending for this category up to and including the given month. """ query = ('ROUND(SUM(total_ex_vat), 2) AS total ' 'FROM {table} ' 'WHERE date <= "{year}-{month:02}-01" ' 'AND lot="{lot}" ' 'AND c...
[ "def", "get_cumulative_spend", "(", "key", ")", ":", "query", "=", "(", "'ROUND(SUM(total_ex_vat), 2) AS total '", "'FROM {table} '", "'WHERE date <= \"{year}-{month:02}-01\" '", "'AND lot=\"{lot}\" '", "'AND customer_sector=\"{sector}\" '", "'AND supplier_type=\"{sme_large}\"'", ".", ...
Get the sum of spending for this category up to and including the given month.
[ "Get", "the", "sum", "of", "spending", "for", "this", "category", "up", "to", "and", "including", "the", "given", "month", "." ]
de68ab4aa500c31e436e050fa1268fa928c522a5
https://github.com/alphagov/performanceplatform-collector/blob/de68ab4aa500c31e436e050fa1268fa928c522a5/performanceplatform/collector/gcloud/aggregate.py#L130-L151
train
DarkEnergySurvey/ugali
ugali/observation/roi.py
ROI.plot
def plot(self, value=None, pixel=None): """ Plot the ROI """ # DEPRECATED import ugali.utils.plotting map_roi = np.array(hp.UNSEEN \ * np.ones(hp.nside2npix(self.config.params['coords']['nside_pixel']))) if value is None: ...
python
def plot(self, value=None, pixel=None): """ Plot the ROI """ # DEPRECATED import ugali.utils.plotting map_roi = np.array(hp.UNSEEN \ * np.ones(hp.nside2npix(self.config.params['coords']['nside_pixel']))) if value is None: ...
[ "def", "plot", "(", "self", ",", "value", "=", "None", ",", "pixel", "=", "None", ")", ":", "# DEPRECATED", "import", "ugali", ".", "utils", ".", "plotting", "map_roi", "=", "np", ".", "array", "(", "hp", ".", "UNSEEN", "*", "np", ".", "ones", "(",...
Plot the ROI
[ "Plot", "the", "ROI" ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/observation/roi.py#L135-L160
train
DarkEnergySurvey/ugali
ugali/observation/roi.py
ROI.inPixels
def inPixels(self,lon,lat,pixels): """ Function for testing if coordintes in set of ROI pixels. """ nside = self.config.params['coords']['nside_pixel'] return ugali.utils.healpix.in_pixels(lon,lat,pixels,nside)
python
def inPixels(self,lon,lat,pixels): """ Function for testing if coordintes in set of ROI pixels. """ nside = self.config.params['coords']['nside_pixel'] return ugali.utils.healpix.in_pixels(lon,lat,pixels,nside)
[ "def", "inPixels", "(", "self", ",", "lon", ",", "lat", ",", "pixels", ")", ":", "nside", "=", "self", ".", "config", ".", "params", "[", "'coords'", "]", "[", "'nside_pixel'", "]", "return", "ugali", ".", "utils", ".", "healpix", ".", "in_pixels", "...
Function for testing if coordintes in set of ROI pixels.
[ "Function", "for", "testing", "if", "coordintes", "in", "set", "of", "ROI", "pixels", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/observation/roi.py#L163-L166
train
DarkEnergySurvey/ugali
ugali/observation/roi.py
ROI.getCatalogPixels
def getCatalogPixels(self): """ Return the catalog pixels spanned by this ROI. """ filenames = self.config.getFilenames() nside_catalog = self.config.params['coords']['nside_catalog'] nside_pixel = self.config.params['coords']['nside_pixel'] # All possible catalo...
python
def getCatalogPixels(self): """ Return the catalog pixels spanned by this ROI. """ filenames = self.config.getFilenames() nside_catalog = self.config.params['coords']['nside_catalog'] nside_pixel = self.config.params['coords']['nside_pixel'] # All possible catalo...
[ "def", "getCatalogPixels", "(", "self", ")", ":", "filenames", "=", "self", ".", "config", ".", "getFilenames", "(", ")", "nside_catalog", "=", "self", ".", "config", ".", "params", "[", "'coords'", "]", "[", "'nside_catalog'", "]", "nside_pixel", "=", "se...
Return the catalog pixels spanned by this ROI.
[ "Return", "the", "catalog", "pixels", "spanned", "by", "this", "ROI", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/observation/roi.py#L196-L209
train
stevearc/dynamo3
dynamo3/fields.py
BaseIndex.schema
def schema(self, hash_key): """ Create the index schema Parameters ---------- hash_key : :class:`~.DynamoKey` The hash key of the table """ key_schema = [hash_key.hash_schema()] if self.range_key is not None: key_schema.append(sel...
python
def schema(self, hash_key): """ Create the index schema Parameters ---------- hash_key : :class:`~.DynamoKey` The hash key of the table """ key_schema = [hash_key.hash_schema()] if self.range_key is not None: key_schema.append(sel...
[ "def", "schema", "(", "self", ",", "hash_key", ")", ":", "key_schema", "=", "[", "hash_key", ".", "hash_schema", "(", ")", "]", "if", "self", ".", "range_key", "is", "not", "None", ":", "key_schema", ".", "append", "(", "self", ".", "range_key", ".", ...
Create the index schema Parameters ---------- hash_key : :class:`~.DynamoKey` The hash key of the table
[ "Create", "the", "index", "schema" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/fields.py#L76-L98
train
stevearc/dynamo3
dynamo3/fields.py
GlobalIndex.all
def all(cls, name, hash_key, range_key=None, throughput=None): """ Create an index that projects all attributes """ return cls(cls.ALL, name, hash_key, range_key, throughput=throughput)
python
def all(cls, name, hash_key, range_key=None, throughput=None): """ Create an index that projects all attributes """ return cls(cls.ALL, name, hash_key, range_key, throughput=throughput)
[ "def", "all", "(", "cls", ",", "name", ",", "hash_key", ",", "range_key", "=", "None", ",", "throughput", "=", "None", ")", ":", "return", "cls", "(", "cls", ".", "ALL", ",", "name", ",", "hash_key", ",", "range_key", ",", "throughput", "=", "through...
Create an index that projects all attributes
[ "Create", "an", "index", "that", "projects", "all", "attributes" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/fields.py#L174-L176
train
stevearc/dynamo3
dynamo3/fields.py
GlobalIndex.keys
def keys(cls, name, hash_key, range_key=None, throughput=None): """ Create an index that projects only key attributes """ return cls(cls.KEYS, name, hash_key, range_key, throughput=throughput)
python
def keys(cls, name, hash_key, range_key=None, throughput=None): """ Create an index that projects only key attributes """ return cls(cls.KEYS, name, hash_key, range_key, throughput=throughput)
[ "def", "keys", "(", "cls", ",", "name", ",", "hash_key", ",", "range_key", "=", "None", ",", "throughput", "=", "None", ")", ":", "return", "cls", "(", "cls", ".", "KEYS", ",", "name", ",", "hash_key", ",", "range_key", ",", "throughput", "=", "throu...
Create an index that projects only key attributes
[ "Create", "an", "index", "that", "projects", "only", "key", "attributes" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/fields.py#L179-L182
train
stevearc/dynamo3
dynamo3/fields.py
GlobalIndex.schema
def schema(self): """ Construct the schema definition for this index """ schema_data = super(GlobalIndex, self).schema(self.hash_key) schema_data['ProvisionedThroughput'] = self.throughput.schema() return schema_data
python
def schema(self): """ Construct the schema definition for this index """ schema_data = super(GlobalIndex, self).schema(self.hash_key) schema_data['ProvisionedThroughput'] = self.throughput.schema() return schema_data
[ "def", "schema", "(", "self", ")", ":", "schema_data", "=", "super", "(", "GlobalIndex", ",", "self", ")", ".", "schema", "(", "self", ".", "hash_key", ")", "schema_data", "[", "'ProvisionedThroughput'", "]", "=", "self", ".", "throughput", ".", "schema", ...
Construct the schema definition for this index
[ "Construct", "the", "schema", "definition", "for", "this", "index" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/fields.py#L191-L195
train
stevearc/dynamo3
dynamo3/fields.py
Table.from_response
def from_response(cls, response): """ Create a Table from returned Dynamo data """ hash_key = None range_key = None # KeySchema may not be in the response if the TableStatus is DELETING. if 'KeySchema' in response: attrs = dict(((d['AttributeName'], ...
python
def from_response(cls, response): """ Create a Table from returned Dynamo data """ hash_key = None range_key = None # KeySchema may not be in the response if the TableStatus is DELETING. if 'KeySchema' in response: attrs = dict(((d['AttributeName'], ...
[ "def", "from_response", "(", "cls", ",", "response", ")", ":", "hash_key", "=", "None", "range_key", "=", "None", "# KeySchema may not be in the response if the TableStatus is DELETING.", "if", "'KeySchema'", "in", "response", ":", "attrs", "=", "dict", "(", "(", "(...
Create a Table from returned Dynamo data
[ "Create", "a", "Table", "from", "returned", "Dynamo", "data" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/fields.py#L296-L328
train
stevearc/dynamo3
dynamo3/fields.py
IndexUpdate.serialize
def serialize(self): """ Get the serialized Dynamo format for the update """ if self.action == 'Create': payload = self.extra['index'].schema() else: payload = { 'IndexName': self.index_name, } if self.action == 'Update': ...
python
def serialize(self): """ Get the serialized Dynamo format for the update """ if self.action == 'Create': payload = self.extra['index'].schema() else: payload = { 'IndexName': self.index_name, } if self.action == 'Update': ...
[ "def", "serialize", "(", "self", ")", ":", "if", "self", ".", "action", "==", "'Create'", ":", "payload", "=", "self", ".", "extra", "[", "'index'", "]", ".", "schema", "(", ")", "else", ":", "payload", "=", "{", "'IndexName'", ":", "self", ".", "i...
Get the serialized Dynamo format for the update
[ "Get", "the", "serialized", "Dynamo", "format", "for", "the", "update" ]
f897c40ece28586272dbcab8f0d99a14a1831dda
https://github.com/stevearc/dynamo3/blob/f897c40ece28586272dbcab8f0d99a14a1831dda/dynamo3/fields.py#L388-L401
train
delicb/mvvm
mvvm.py
_Messenger.instance
def instance(cls, interval=5): ''' Returns existing instance of messenger. If one does not exist it will be created and returned. :param int interval: Number of miliseconds that represents interval when messages will be processed. Note that this param...
python
def instance(cls, interval=5): ''' Returns existing instance of messenger. If one does not exist it will be created and returned. :param int interval: Number of miliseconds that represents interval when messages will be processed. Note that this param...
[ "def", "instance", "(", "cls", ",", "interval", "=", "5", ")", ":", "if", "not", "cls", ".", "_instance", ":", "cls", ".", "_instance", "=", "_Messenger", "(", "interval", ")", "return", "cls", ".", "_instance" ]
Returns existing instance of messenger. If one does not exist it will be created and returned. :param int interval: Number of miliseconds that represents interval when messages will be processed. Note that this parameter will be used only the first time when ...
[ "Returns", "existing", "instance", "of", "messenger", ".", "If", "one", "does", "not", "exist", "it", "will", "be", "created", "and", "returned", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L87-L101
train
delicb/mvvm
mvvm.py
_Messenger.send
def send(self, message, *args, **kwargs): ''' Sends provided message to all listeners. Message is only added to queue and will be processed on next tick. :param Message message: Message to send. ''' self._messages.put((message, args, kwargs), False)
python
def send(self, message, *args, **kwargs): ''' Sends provided message to all listeners. Message is only added to queue and will be processed on next tick. :param Message message: Message to send. ''' self._messages.put((message, args, kwargs), False)
[ "def", "send", "(", "self", ",", "message", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "self", ".", "_messages", ".", "put", "(", "(", "message", ",", "args", ",", "kwargs", ")", ",", "False", ")" ]
Sends provided message to all listeners. Message is only added to queue and will be processed on next tick. :param Message message: Message to send.
[ "Sends", "provided", "message", "to", "all", "listeners", ".", "Message", "is", "only", "added", "to", "queue", "and", "will", "be", "processed", "on", "next", "tick", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L117-L125
train
delicb/mvvm
mvvm.py
_Messenger.subscribe
def subscribe(self, message, handler): ''' Adds hander for specified message. :param str message: Name of message to subscribe to. :param callable handler: Handler for this message type. Handler must receive single parameter and that parameter will b...
python
def subscribe(self, message, handler): ''' Adds hander for specified message. :param str message: Name of message to subscribe to. :param callable handler: Handler for this message type. Handler must receive single parameter and that parameter will b...
[ "def", "subscribe", "(", "self", ",", "message", ",", "handler", ")", ":", "with", "self", ".", "_lock", ":", "ref", "=", "WeakCallable", "(", "handler", ",", "self", ".", "_on_collect", ")", "self", ".", "_subscribers", "[", "message", "]", ".", "appe...
Adds hander for specified message. :param str message: Name of message to subscribe to. :param callable handler: Handler for this message type. Handler must receive single parameter and that parameter will be instance of sent message.
[ "Adds", "hander", "for", "specified", "message", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L127-L140
train
delicb/mvvm
mvvm.py
_Messenger.unsubscribe
def unsubscribe(self, message, handler): ''' Removes handler from message listeners. :param str message: Name of message to unsubscribe handler from. :param callable handler: Callable that should be removed as handler for `message`. ''' with self...
python
def unsubscribe(self, message, handler): ''' Removes handler from message listeners. :param str message: Name of message to unsubscribe handler from. :param callable handler: Callable that should be removed as handler for `message`. ''' with self...
[ "def", "unsubscribe", "(", "self", ",", "message", ",", "handler", ")", ":", "with", "self", ".", "_lock", ":", "self", ".", "_subscribers", "[", "message", "]", ".", "remove", "(", "WeakCallable", "(", "handler", ")", ")" ]
Removes handler from message listeners. :param str message: Name of message to unsubscribe handler from. :param callable handler: Callable that should be removed as handler for `message`.
[ "Removes", "handler", "from", "message", "listeners", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L143-L154
train
delicb/mvvm
mvvm.py
_Messenger._execute
def _execute(self, sender, event_args): ''' Event handler for timer that processes all queued messages. ''' with self._lock: while not self._messages.empty(): msg, args, kwargs = self._messages.get(False) for subscriber in self._subscribers[msg...
python
def _execute(self, sender, event_args): ''' Event handler for timer that processes all queued messages. ''' with self._lock: while not self._messages.empty(): msg, args, kwargs = self._messages.get(False) for subscriber in self._subscribers[msg...
[ "def", "_execute", "(", "self", ",", "sender", ",", "event_args", ")", ":", "with", "self", ".", "_lock", ":", "while", "not", "self", ".", "_messages", ".", "empty", "(", ")", ":", "msg", ",", "args", ",", "kwargs", "=", "self", ".", "_messages", ...
Event handler for timer that processes all queued messages.
[ "Event", "handler", "for", "timer", "that", "processes", "all", "queued", "messages", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L156-L168
train
delicb/mvvm
mvvm.py
Signal.emit
def emit(self, *args, **kwargs): ''' Emits this signal. As result, all handlers will be invoked. ''' self._messanger.send(self, *args, **kwargs)
python
def emit(self, *args, **kwargs): ''' Emits this signal. As result, all handlers will be invoked. ''' self._messanger.send(self, *args, **kwargs)
[ "def", "emit", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "self", ".", "_messanger", ".", "send", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
Emits this signal. As result, all handlers will be invoked.
[ "Emits", "this", "signal", ".", "As", "result", "all", "handlers", "will", "be", "invoked", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L204-L208
train
delicb/mvvm
mvvm.py
ViewModel.RaisePropertyChanged
def RaisePropertyChanged(self, property_name): ''' Raises event that property value has changed for provided property name. :param str property_name: Name of property whose value has changed. ''' args = PropertyChangedEventArgs(property_name) for handler in s...
python
def RaisePropertyChanged(self, property_name): ''' Raises event that property value has changed for provided property name. :param str property_name: Name of property whose value has changed. ''' args = PropertyChangedEventArgs(property_name) for handler in s...
[ "def", "RaisePropertyChanged", "(", "self", ",", "property_name", ")", ":", "args", "=", "PropertyChangedEventArgs", "(", "property_name", ")", "for", "handler", "in", "self", ".", "property_chaged_handlers", ":", "handler", "(", "self", ",", "args", ")" ]
Raises event that property value has changed for provided property name. :param str property_name: Name of property whose value has changed.
[ "Raises", "event", "that", "property", "value", "has", "changed", "for", "provided", "property", "name", "." ]
29bf0ab2cc0835b58bed75b2606a9b380c38a272
https://github.com/delicb/mvvm/blob/29bf0ab2cc0835b58bed75b2606a9b380c38a272/mvvm.py#L350-L359
train
totalgood/pugnlp
src/pugnlp/futil.py
walk_level
def walk_level(path, level=1): """Like os.walk, but takes `level` kwarg that indicates how deep the recursion will go. Notes: TODO: refactor `level`->`depth` References: http://stackoverflow.com/a/234329/623735 Args: path (str): Root path to begin file tree traversal (walk) ...
python
def walk_level(path, level=1): """Like os.walk, but takes `level` kwarg that indicates how deep the recursion will go. Notes: TODO: refactor `level`->`depth` References: http://stackoverflow.com/a/234329/623735 Args: path (str): Root path to begin file tree traversal (walk) ...
[ "def", "walk_level", "(", "path", ",", "level", "=", "1", ")", ":", "if", "level", "is", "None", ":", "level", "=", "float", "(", "'inf'", ")", "path", "=", "expand_path", "(", "path", ")", "if", "os", ".", "path", ".", "isdir", "(", "path", ")",...
Like os.walk, but takes `level` kwarg that indicates how deep the recursion will go. Notes: TODO: refactor `level`->`depth` References: http://stackoverflow.com/a/234329/623735 Args: path (str): Root path to begin file tree traversal (walk) level (int, optional): Dept...
[ "Like", "os", ".", "walk", "but", "takes", "level", "kwarg", "that", "indicates", "how", "deep", "the", "recursion", "will", "go", "." ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/futil.py#L45-L79
train
totalgood/pugnlp
src/pugnlp/futil.py
get_stat
def get_stat(full_path): """Use python builtin equivalents to unix `stat` command and return dict containing stat data about a file""" status = {} status['size'] = os.path.getsize(full_path) status['accessed'] = datetime.datetime.fromtimestamp(os.path.getatime(full_path)) status['modified'] = dateti...
python
def get_stat(full_path): """Use python builtin equivalents to unix `stat` command and return dict containing stat data about a file""" status = {} status['size'] = os.path.getsize(full_path) status['accessed'] = datetime.datetime.fromtimestamp(os.path.getatime(full_path)) status['modified'] = dateti...
[ "def", "get_stat", "(", "full_path", ")", ":", "status", "=", "{", "}", "status", "[", "'size'", "]", "=", "os", ".", "path", ".", "getsize", "(", "full_path", ")", "status", "[", "'accessed'", "]", "=", "datetime", ".", "datetime", ".", "fromtimestamp...
Use python builtin equivalents to unix `stat` command and return dict containing stat data about a file
[ "Use", "python", "builtin", "equivalents", "to", "unix", "stat", "command", "and", "return", "dict", "containing", "stat", "data", "about", "a", "file" ]
c43445b14afddfdeadc5f3076675c9e8fc1ee67c
https://github.com/totalgood/pugnlp/blob/c43445b14afddfdeadc5f3076675c9e8fc1ee67c/src/pugnlp/futil.py#L109-L119
train
DarkEnergySurvey/ugali
ugali/preprocess/maglims.py
split
def split(config,dirname='split',force=False): """ Take a pre-existing maglim map and divide it into chunks consistent with the catalog pixels. """ config = Config(config) filenames = config.getFilenames() #healpix = filenames['pix'].compressed() # Check that things are ok basedir,basename...
python
def split(config,dirname='split',force=False): """ Take a pre-existing maglim map and divide it into chunks consistent with the catalog pixels. """ config = Config(config) filenames = config.getFilenames() #healpix = filenames['pix'].compressed() # Check that things are ok basedir,basename...
[ "def", "split", "(", "config", ",", "dirname", "=", "'split'", ",", "force", "=", "False", ")", ":", "config", "=", "Config", "(", "config", ")", "filenames", "=", "config", ".", "getFilenames", "(", ")", "#healpix = filenames['pix'].compressed()", "# Check th...
Take a pre-existing maglim map and divide it into chunks consistent with the catalog pixels.
[ "Take", "a", "pre", "-", "existing", "maglim", "map", "and", "divide", "it", "into", "chunks", "consistent", "with", "the", "catalog", "pixels", "." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/preprocess/maglims.py#L266-L332
train
DarkEnergySurvey/ugali
ugali/preprocess/maglims.py
Maglims.run
def run(self,field=None,simple=False,force=False): """ Loop through pixels containing catalog objects and calculate the magnitude limit. This gets a bit convoluted due to all the different pixel resolutions... """ if field is None: fields = [1,2] else: ...
python
def run(self,field=None,simple=False,force=False): """ Loop through pixels containing catalog objects and calculate the magnitude limit. This gets a bit convoluted due to all the different pixel resolutions... """ if field is None: fields = [1,2] else: ...
[ "def", "run", "(", "self", ",", "field", "=", "None", ",", "simple", "=", "False", ",", "force", "=", "False", ")", ":", "if", "field", "is", "None", ":", "fields", "=", "[", "1", ",", "2", "]", "else", ":", "fields", "=", "[", "field", "]", ...
Loop through pixels containing catalog objects and calculate the magnitude limit. This gets a bit convoluted due to all the different pixel resolutions...
[ "Loop", "through", "pixels", "containing", "catalog", "objects", "and", "calculate", "the", "magnitude", "limit", ".", "This", "gets", "a", "bit", "convoluted", "due", "to", "all", "the", "different", "pixel", "resolutions", "..." ]
21e890b4117fc810afb6fb058e8055d564f03382
https://github.com/DarkEnergySurvey/ugali/blob/21e890b4117fc810afb6fb058e8055d564f03382/ugali/preprocess/maglims.py#L52-L75
train
consbio/ncdjango
ncdjango/interfaces/arcgis/views.py
ArcGISMapServerMixin.get_variable_set
def get_variable_set(self, variable_set, data): """Filters the given variable set based on request parameters""" if data.get('dynamic_layers'): variable_set = [] # TODO elif data.get('layers'): op, layer_ids = data['layers'].split(':', 1) op = op.lower() ...
python
def get_variable_set(self, variable_set, data): """Filters the given variable set based on request parameters""" if data.get('dynamic_layers'): variable_set = [] # TODO elif data.get('layers'): op, layer_ids = data['layers'].split(':', 1) op = op.lower() ...
[ "def", "get_variable_set", "(", "self", ",", "variable_set", ",", "data", ")", ":", "if", "data", ".", "get", "(", "'dynamic_layers'", ")", ":", "variable_set", "=", "[", "]", "# TODO", "elif", "data", ".", "get", "(", "'layers'", ")", ":", "op", ",", ...
Filters the given variable set based on request parameters
[ "Filters", "the", "given", "variable", "set", "based", "on", "request", "parameters" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/interfaces/arcgis/views.py#L207-L224
train
consbio/ncdjango
ncdjango/interfaces/arcgis/views.py
ArcGISMapServerMixin.apply_time_to_configurations
def apply_time_to_configurations(self, configurations, data): """Applies the correct time index to configurations""" time_value = None if data.get('time'): time_value = data['time'] # Only single time values are supported. For extents, just grab the first value ...
python
def apply_time_to_configurations(self, configurations, data): """Applies the correct time index to configurations""" time_value = None if data.get('time'): time_value = data['time'] # Only single time values are supported. For extents, just grab the first value ...
[ "def", "apply_time_to_configurations", "(", "self", ",", "configurations", ",", "data", ")", ":", "time_value", "=", "None", "if", "data", ".", "get", "(", "'time'", ")", ":", "time_value", "=", "data", "[", "'time'", "]", "# Only single time values are supporte...
Applies the correct time index to configurations
[ "Applies", "the", "correct", "time", "index", "to", "configurations" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/interfaces/arcgis/views.py#L226-L241
train
consbio/ncdjango
ncdjango/interfaces/arcgis/views.py
GetImageView._get_form_defaults
def _get_form_defaults(self): """Returns default values for the get image form""" return { 'response_format': 'html', 'bbox': self.service.full_extent, 'size': '400,400', 'dpi': 200, 'image_projection': pyproj.Proj(str(self.service.projection)...
python
def _get_form_defaults(self): """Returns default values for the get image form""" return { 'response_format': 'html', 'bbox': self.service.full_extent, 'size': '400,400', 'dpi': 200, 'image_projection': pyproj.Proj(str(self.service.projection)...
[ "def", "_get_form_defaults", "(", "self", ")", ":", "return", "{", "'response_format'", ":", "'html'", ",", "'bbox'", ":", "self", ".", "service", ".", "full_extent", ",", "'size'", ":", "'400,400'", ",", "'dpi'", ":", "200", ",", "'image_projection'", ":", ...
Returns default values for the get image form
[ "Returns", "default", "values", "for", "the", "get", "image", "form" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/interfaces/arcgis/views.py#L247-L259
train
consbio/ncdjango
ncdjango/interfaces/arcgis/views.py
GetImageView.get_render_configurations
def get_render_configurations(self, request, **kwargs): """Render image interface""" data = self.process_form_data(self._get_form_defaults(), kwargs) variable_set = self.get_variable_set(self.service.variable_set.order_by('index'), data) base_config = ImageConfiguration( ex...
python
def get_render_configurations(self, request, **kwargs): """Render image interface""" data = self.process_form_data(self._get_form_defaults(), kwargs) variable_set = self.get_variable_set(self.service.variable_set.order_by('index'), data) base_config = ImageConfiguration( ex...
[ "def", "get_render_configurations", "(", "self", ",", "request", ",", "*", "*", "kwargs", ")", ":", "data", "=", "self", ".", "process_form_data", "(", "self", ".", "_get_form_defaults", "(", ")", ",", "kwargs", ")", "variable_set", "=", "self", ".", "get_...
Render image interface
[ "Render", "image", "interface" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/interfaces/arcgis/views.py#L284-L297
train
consbio/ncdjango
ncdjango/interfaces/arcgis/views.py
IdentifyView._get_form_defaults
def _get_form_defaults(self): """Returns default values for the identify form""" return { 'response_format': 'html', 'geometry_type': 'esriGeometryPoint', 'projection': pyproj.Proj(str(self.service.projection)), 'return_geometry': True, 'maxim...
python
def _get_form_defaults(self): """Returns default values for the identify form""" return { 'response_format': 'html', 'geometry_type': 'esriGeometryPoint', 'projection': pyproj.Proj(str(self.service.projection)), 'return_geometry': True, 'maxim...
[ "def", "_get_form_defaults", "(", "self", ")", ":", "return", "{", "'response_format'", ":", "'html'", ",", "'geometry_type'", ":", "'esriGeometryPoint'", ",", "'projection'", ":", "pyproj", ".", "Proj", "(", "str", "(", "self", ".", "service", ".", "projectio...
Returns default values for the identify form
[ "Returns", "default", "values", "for", "the", "identify", "form" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/interfaces/arcgis/views.py#L303-L315
train
juju/theblues
theblues/terms.py
Terms.get_terms
def get_terms(self, name, revision=None): """ Retrieve a specific term and condition. @param name of the terms. @param revision of the terms, if none provided it will return the latest. @return The list of terms. @raise ServerError """ url = '{}ter...
python
def get_terms(self, name, revision=None): """ Retrieve a specific term and condition. @param name of the terms. @param revision of the terms, if none provided it will return the latest. @return The list of terms. @raise ServerError """ url = '{}ter...
[ "def", "get_terms", "(", "self", ",", "name", ",", "revision", "=", "None", ")", ":", "url", "=", "'{}terms/{}'", ".", "format", "(", "self", ".", "url", ",", "name", ")", "if", "revision", ":", "url", "=", "'{}?revision={}'", ".", "format", "(", "ur...
Retrieve a specific term and condition. @param name of the terms. @param revision of the terms, if none provided it will return the latest. @return The list of terms. @raise ServerError
[ "Retrieve", "a", "specific", "term", "and", "condition", "." ]
f4431f29e43d04fc32f38f4f86cea45cd4e6ae98
https://github.com/juju/theblues/blob/f4431f29e43d04fc32f38f4f86cea45cd4e6ae98/theblues/terms.py#L38-L67
train
consbio/ncdjango
ncdjango/views.py
NetCdfDatasetMixin.open_dataset
def open_dataset(self, service): """Opens and returns the NetCDF dataset associated with a service, or returns a previously-opened dataset""" if not self.dataset: path = os.path.join(SERVICE_DATA_ROOT, service.data_path) self.dataset = netCDF4.Dataset(path, 'r') return s...
python
def open_dataset(self, service): """Opens and returns the NetCDF dataset associated with a service, or returns a previously-opened dataset""" if not self.dataset: path = os.path.join(SERVICE_DATA_ROOT, service.data_path) self.dataset = netCDF4.Dataset(path, 'r') return s...
[ "def", "open_dataset", "(", "self", ",", "service", ")", ":", "if", "not", "self", ".", "dataset", ":", "path", "=", "os", ".", "path", ".", "join", "(", "SERVICE_DATA_ROOT", ",", "service", ".", "data_path", ")", "self", ".", "dataset", "=", "netCDF4"...
Opens and returns the NetCDF dataset associated with a service, or returns a previously-opened dataset
[ "Opens", "and", "returns", "the", "NetCDF", "dataset", "associated", "with", "a", "service", "or", "returns", "a", "previously", "-", "opened", "dataset" ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/views.py#L80-L86
train
consbio/ncdjango
ncdjango/views.py
GetImageViewBase._normalize_bbox
def _normalize_bbox(self, bbox, size): """Returns this bbox normalized to match the ratio of the given size.""" bbox_ratio = float(bbox.width) / float(bbox.height) size_ratio = float(size[0]) / float(size[1]) if round(size_ratio, 4) == round(bbox_ratio, 4): return bbox ...
python
def _normalize_bbox(self, bbox, size): """Returns this bbox normalized to match the ratio of the given size.""" bbox_ratio = float(bbox.width) / float(bbox.height) size_ratio = float(size[0]) / float(size[1]) if round(size_ratio, 4) == round(bbox_ratio, 4): return bbox ...
[ "def", "_normalize_bbox", "(", "self", ",", "bbox", ",", "size", ")", ":", "bbox_ratio", "=", "float", "(", "bbox", ".", "width", ")", "/", "float", "(", "bbox", ".", "height", ")", "size_ratio", "=", "float", "(", "size", "[", "0", "]", ")", "/", ...
Returns this bbox normalized to match the ratio of the given size.
[ "Returns", "this", "bbox", "normalized", "to", "match", "the", "ratio", "of", "the", "given", "size", "." ]
f807bfd1e4083ab29fbc3c4d4418be108383a710
https://github.com/consbio/ncdjango/blob/f807bfd1e4083ab29fbc3c4d4418be108383a710/ncdjango/views.py#L148-L162
train