source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, other):
if not isinstance(other, MLDataset):
raise TypeError('Incorrect type of dataset provided!')
for sample in other.keys:
self.add_sample(sample, other.data[sample], other.labels[sample],
other.classes[sample])
| extend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if not isinstance(other, MLDataset):\n raise TypeError('Incorrect type of dataset provided!')\n for sample in other.keys:\n ... |
def x(word_size, BLAST_SETS):
blast_min_int_word_size = BLAST_SETS.min_word_size
blast_max_int_word_size = BLAST_SETS.max_word_size
blast_word_size_error = BLAST_SETS.get_word_size_error()
try:
if len(word_size) <= 0:
raise forms.ValidationError(blast_word_size_error)
int_word_size = int(word_size)
if int_word_size < blast_min_int_word_size:
raise forms.ValidationError(blast_word_size_error)
if int_word_size >= blast_max_int_word_size:
raise forms.ValidationError(blast_word_size_error)
except:
raise forms.ValidationError(blast_word_size_error)
return int_word_size
| validate_word_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word_size, BLAST_SETS):\n blast_min_int_word_size = BLAST_SETS.min_word_size\n blast_max_int_word_size = BLAST_SETS.max_word_size\n blast_word_size_er... |
def x(sequence: str, sequence_is_as_nucleotide=True):
tmp_seq = tempfile.NamedTemporaryFile(mode='wb+', delete=False)
if len(str(sequence).strip()) == 0:
raise forms.ValidationError(blast_settings.BLAST_CORRECT_SEQ_ERROR_MSG)
if str(sequence).strip()[0] != '>':
tmp_seq.write('>seq1\n'.encode())
tmp_seq.write(sequence.encode())
tmp_seq.close()
records = SeqIO.index(tmp_seq.name, 'fasta')
record_count = len(records)
if record_count == 0:
raise forms.ValidationError(blast_settings.BLAST_CORRECT_SEQ_ERROR_MSG)
if record_count > blast_settings.BLAST_MAX_NUMBER_SEQ_IN_INPUT:
raise forms.ValidationError(blast_settings.
BLAST_CORRECT_SEQ_MAX_SEQ_NUMB_ERROR_MSG)
first_sequence_list_in_file = SeqIO.parse(tmp_seq.name, 'fasta')
for sequence in first_sequence_list_in_file:
if len(sequence.seq) <= 10:
raise forms.ValidationError(blast_settings.
BLAST_CORRECT_SEQ_TOO_SHORT_ERROR_MSG)
if sequence_is_as_nucleotide:
check_allowed_letters(str(sequence.seq), ALLOWED_NUCL)
else:
check_allowed_letters(str(sequence.seq), ALLOWED_AMINOACIDS)
return tmp_seq
| validate_sequence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence: str, sequence_is_as_nucleotide=True):\n tmp_seq = tempfile.NamedTemporaryFile(mode='wb+', delete=False)\n if len(str(sequence).strip()) == 0:\n... |
def x(seq, allowed_letters_as_set):
seq_set = set(seq)
not_allowed_letters_in_seq = [x for x in seq_set if str(x).upper() not in
allowed_letters_as_set]
if len(not_allowed_letters_in_seq) > 0:
raise forms.ValidationError(
'This sequence type cannot contain letters: ' + ', '.join(
not_allowed_letters_in_seq))
| check_allowed_letters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq, allowed_letters_as_set):\n seq_set = set(seq)\n not_allowed_letters_in_seq = [x for x in seq_set if str(x).upper() not in\n allowed_letters_a... |
def x(func):
@functools.wraps(func)
def x(*args, **kwargs):
ret = None
while ret is None:
ret = func(*args, **kwargs)
return ret
return wrapper
| repeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n ret = None\n while ret is None:\n ret = func(*args, **kwargs)\n ... |
def x(pandocversion=None, doc=None):
global _PANDOCVERSION
pattern = re.compile('^[1-2]\\.[0-9]+(?:\\.[0-9]+)?(?:\\.[0-9]+)?$')
if 'PANDOC_VERSION' in os.environ:
pandocversion = str(os.environ['PANDOC_VERSION'])
if not pandocversion is None:
if pattern.match(pandocversion):
_PANDOCVERSION = pandocversion
return _PANDOCVERSION
else:
msg = 'Cannot understand pandocversion=%s' % pandocversion
raise RuntimeError(msg)
if not doc is None:
if 'pandoc-api-version' in doc:
_PANDOCVERSION = '1.18'
return _PANDOCVERSION
try:
if os.name == 'nt':
command = psutil.Process(os.getpid()).parent().parent().exe()
else:
command = psutil.Process(os.getpid()).parent().exe()
if not os.path.basename(command).startswith('pandoc'):
raise RuntimeError('pandoc not found')
except:
command = 'pandoc'
try:
output = subprocess.check_output([command, '-v'])
line = output.decode('utf-8').split('\n')[0]
pandocversion = line.split(' ')[-1].strip()
except:
pandocversion = ''
if pattern.match(pandocversion):
_PANDOCVERSION = pandocversion
if _PANDOCVERSION is None:
msg = """Cannot determine pandoc version. Please file an issue at
https://github.com/tomduck/pandocfiltering/issues"""
raise RuntimeError(textwrap.dedent(msg))
return _PANDOCVERSION
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pandocversion=None, doc=None):\n global _PANDOCVERSION\n pattern = re.compile('^[1-2]\\\\.[0-9]+(?:\\\\.[0-9]+)?(?:\\\\.[0-9]+)?$')\n if 'PANDOC_VERSI... |
def x(meta, name):
assert name in meta
data = meta[name]
if data['t'] in ['MetaString', 'MetaBool']:
return data['c']
elif data['t'] == 'MetaInlines':
if len(data['c']) == 1 and data['c'][0]['t'] == 'Str':
if data['c'][0]['c'] in ['true', 'True', 'TRUE']:
return True
elif data['c'][0]['c'] in ['false', 'False', 'FALSE']:
return False
return stringify(data['c'])
elif data['t'] == 'MetaList':
return [stringify(v['c']) for v in data['c']]
else:
raise RuntimeError("Could not understand metadata variable '%s'." %
name)
| get_meta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, name):\n assert name in meta\n data = meta[name]\n if data['t'] in ['MetaString', 'MetaBool']:\n return data['c']\n elif data['t'] == ... |
def x(eltType, numargs):
def x(*value):
el = _elt(eltType, numargs)(*value)
if isinstance(el['c'], tuple):
el['c'] = list(el['c'])
return el
return Element
| elt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(eltType, numargs):\n\n def x(*value):\n el = _elt(eltType, numargs)(*value)\n if isinstance(el['c'], tuple):\n el['c'] = list(el['c... |
def x(key, value):
if key in ['HorizontalRule', 'Null']:
return elt(key, 0)()
elif key in ['Plain', 'Para', 'BlockQuote', 'BulletList',
'DefinitionList', 'HorizontalRule', 'Null']:
return elt(key, 1)(value)
return elt(key, len(value))(*value)
| getel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value):\n if key in ['HorizontalRule', 'Null']:\n return elt(key, 0)()\n elif key in ['Plain', 'Para', 'BlockQuote', 'BulletList',\n '... |
def x(x):
def x(key, value, fmt, meta):
if key == 'Quoted':
ret = []
quote = '"' if value[0]['t'] == 'DoubleQuote' else "'"
if value[1][0]['t'] == 'Str':
value[1][0]['c'] = quote + value[1][0]['c']
else:
ret.append(Str(quote))
if value[1][-1]['t'] == 'Str':
value[1][-1]['c'] = value[1][-1]['c'] + quote
ret += value[1]
else:
ret += value[1] + [Str(quote)]
return ret
return None
return walk(walk(x, _quotify, '', {}), join_strings, '', {})
| quotify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n\n def x(key, value, fmt, meta):\n if key == 'Quoted':\n ret = []\n quote = '\"' if value[0]['t'] == 'DoubleQuote' else \"... |
def x(x):
def x(key, value, fmt, meta):
if key == 'Math':
return Str('$' + value[1] + '$')
return None
return walk(x, _dollarfy, '', {})
| dollarfy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n\n def x(key, value, fmt, meta):\n if key == 'Math':\n return Str('$' + value[1] + '$')\n return None\n return walk(x, _dol... |
def x(x, n):
if not (x[n]['t'] == 'Str' and x[n]['c'].startswith('{')):
raise ValueError('Attributes not found.')
seq = []
quotechar = None
flag = False
i = 0
for i, v in enumerate(x[n:]):
if v and v['t'] == 'Str':
for j, c in enumerate(v['c']):
if c == quotechar:
quotechar = None
elif c in ['"', "'"]:
quotechar = c
elif c == '}' and quotechar is None:
head, tail = v['c'][:j + 1], v['c'][j + 1:]
x[n + i] = copy.deepcopy(v)
x[n + i]['c'] = tail
v['c'] = head
flag = True
break
seq.append(v)
if flag:
break
if flag:
if x[n + i]['t'] == 'Str' and not x[n + i]['c']:
del x[n + i]
del x[n:n + i]
attrstr = stringify(dollarfy(quotify(seq))).strip()
attrs = PandocAttributes(attrstr, 'markdown').to_pandoc()
for i, (k, v) in enumerate(attrs[2]):
if v[0] == v[-1] == '"' or v[0] == "'" == v[-1] == "'":
attrs[2][i][1] = attrs[2][i][1][1:-1]
return attrs
raise ValueError('Attributes not found.')
| extract_attrs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, n):\n if not (x[n]['t'] == 'Str' and x[n]['c'].startswith('{')):\n raise ValueError('Attributes not found.')\n seq = []\n quotechar = None\n... |
def x(x):
for i in range(len(x) - 1):
if x[i]['t'] == 'Str' and x[i + 1]['t'] == 'Str':
x[i]['c'] += x[i + 1]['c']
del x[i + 1]
return None
return True
| join_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n for i in range(len(x) - 1):\n if x[i]['t'] == 'Str' and x[i + 1]['t'] == 'Str':\n x[i]['c'] += x[i + 1]['c']\n del x[i + ... |
def x(key, value, fmt, meta):
if key in ['Para', 'Plain']:
_join_strings(value)
elif key == 'Image':
_join_strings(value[-2])
elif key == 'Table':
_join_strings(value[-5])
| join_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value, fmt, meta):\n if key in ['Para', 'Plain']:\n _join_strings(value)\n elif key == 'Image':\n _join_strings(value[-2])\n elif k... |
def x(key1, value1, key2, value2):
if key1 != 'Link' or key2 != 'Str':
return False
n = 0 if _PANDOCVERSION < '1.16' else 1
if isinstance(value1[n][0]['c'], list):
return False
s = value1[n][0]['c'] + value2
return True if _REF.match(s) else False
| is_broken_ref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key1, value1, key2, value2):\n if key1 != 'Link' or key2 != 'Str':\n return False\n n = 0 if _PANDOCVERSION < '1.16' else 1\n if isinstance(val... |
def x(x):
if _PANDOCVERSION is None:
raise RuntimeError('Module uninitialized. Please call init().')
for i in range(len(x) - 1):
if _is_broken_ref(x[i]['t'], x[i]['c'] if 'c' in x[i] else [], x[i +
1]['t'], x[i + 1]['c'] if 'c' in x[i + 1] else []):
n = 0 if _PANDOCVERSION < '1.16' else 1
s = x[i]['c'][n][0]['c'] + x[i + 1]['c']
prefix, label, suffix = _REF.match(s).groups()
if suffix:
x.insert(i + 2, Str(suffix))
x[i + 1] = Cite([{'citationId': label, 'citationPrefix': [],
'citationSuffix': [], 'citationNoteNum': 0, 'citationMode':
{'t': 'AuthorInText', 'c': []}, 'citationHash': 0}], [Str(
'@' + label)])
if prefix:
if i > 0 and x[i - 1]['t'] == 'Str':
x[i - 1]['c'] = x[i - 1]['c'] + prefix
del x[i]
else:
x[i] = Str(prefix)
else:
del x[i]
return None
return True
| repair_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if _PANDOCVERSION is None:\n raise RuntimeError('Module uninitialized. Please call init().')\n for i in range(len(x) - 1):\n if _is_... |
def x(key, value, fmt, meta):
if _PANDOCVERSION >= '1.18':
return
if key in ('Para', 'Plain'):
_repair_refs(value)
elif key == 'Image':
_repair_refs(value[-2])
elif key == 'Table':
_repair_refs(value[-5])
| repair_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value, fmt, meta):\n if _PANDOCVERSION >= '1.18':\n return\n if key in ('Para', 'Plain'):\n _repair_refs(value)\n elif key == 'Imag... |
def x(x, i, attrs):
global _cleveref_tex_flag
assert x[i]['t'] == 'Cite'
assert i > 0
if x[i - 1]['t'] == 'Str':
modifier = x[i - 1]['c'][-1]
if not _cleveref_tex_flag and modifier in ['*', '+']:
_cleveref_tex_flag = True
if modifier in ['*', '+', '!']:
attrs[2].append(['modifier', modifier])
if len(x[i - 1]['c']) > 1:
x[i - 1]['c'] = x[i - 1]['c'][:-1]
else:
del x[i - 1]
i -= 1
return i
| extract_modifier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, i, attrs):\n global _cleveref_tex_flag\n assert x[i]['t'] == 'Cite'\n assert i > 0\n if x[i - 1]['t'] == 'Str':\n modifier = x[i - 1]['c'... |
def x(x, i):
assert x[i]['t'] == 'Cite'
assert i > 0 and i < len(x) - 1
if not x[i - 1]['t'] == x[i + 1]['t'] == 'Str':
return
if x[i - 1]['c'].endswith('{') and x[i + 1]['c'].startswith('}'):
if len(x[i + 1]['c']) > 1:
x[i + 1]['c'] = x[i + 1]['c'][1:]
else:
del x[i + 1]
if len(x[i - 1]['c']) > 1:
x[i - 1]['c'] = x[i - 1]['c'][:-1]
else:
del x[i - 1]
| remove_brackets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, i):\n assert x[i]['t'] == 'Cite'\n assert i > 0 and i < len(x) - 1\n if not x[i - 1]['t'] == x[i + 1]['t'] == 'Str':\n return\n if x[i - ... |
def x(x, labels):
for i, v in enumerate(x):
if v['t'] == 'Cite' and len(v['c']) == 2 and _get_label(v['t'], v['c']
) in labels:
attrs = ['', [], []]
if i > 0:
i = _extract_modifier(x, i, attrs)
v['c'].insert(0, attrs)
if i > 0 and i < len(x) - 1:
_remove_brackets(x, i)
return None
return True
| process_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, labels):\n for i, v in enumerate(x):\n if v['t'] == 'Cite' and len(v['c']) == 2 and _get_label(v['t'], v['c']\n ) in labels:\n ... |
def x(labels):
def x(key, value, fmt, meta):
if key in ['Para', 'Plain']:
_process_refs(value, labels)
elif key == 'Image':
_process_refs(value[-2], labels)
elif key == 'Table':
_process_refs(value[-5], labels)
elif key == 'Span':
_process_refs(value[-1], labels)
elif key == 'Emph':
_process_refs(value, labels)
elif key == 'Strong':
_process_refs(value, labels)
return process_refs
| process_refs_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(labels):\n\n def x(key, value, fmt, meta):\n if key in ['Para', 'Plain']:\n _process_refs(value, labels)\n elif key == 'Image':\n ... |
def x(references, use_cleveref_default, use_eqref, plusname, starname, target):
global _cleveref_tex_flag
_cleveref_tex_flag = _cleveref_tex_flag or use_cleveref_default
def x(key, value, meta):
global _cleveref_tex_flag
comment1 = '% pandoc-xnos: cleveref formatting'
tex1 = [comment1, '\\crefformat{%s}{%s~#2#1#3}' % (target, plusname
[0]), '\\Crefformat{%s}{%s~#2#1#3}' % (target, starname[0])]
if key == 'RawBlock':
if value[1].startswith(comment1):
value[1] = value[1] + '\n' + '\n'.join(tex1[1:])
_cleveref_tex_flag = False
elif key != 'RawBlock':
_cleveref_tex_flag = False
ret = []
if not 'xnos-cleveref-fake' in meta or check_bool(get_meta(meta,
'xnos-cleveref-fake')):
tex2 = ['% pandoc-xnos: cleveref fakery',
'\\newcommand{\\plusnamesingular}{}',
'\\newcommand{\\starnamesingular}{}',
'\\newcommand{\\xrefname}[1]{\\protect\\renewcommand{\\plusnamesingular}{#1}}'
,
'\\newcommand{\\Xrefname}[1]{\\protect\\renewcommand{\\starnamesingular}{#1}}'
, '\\providecommand{\\cref}{\\plusnamesingular~\\ref}',
'\\providecommand{\\Cref}{\\starnamesingular~\\ref}',
'\\providecommand{\\crefformat}[2]{}',
'\\providecommand{\\Crefformat}[2]{}']
ret.append(RawBlock('tex', '\n'.join(tex2)))
ret.append(RawBlock('tex', '\n'.join(tex1)))
return ret
return None
def x(key, value, fmt, meta):
assert key == 'Cite'
attrs, label = value[0], _get_label(key, value)
attrs = PandocAttributes(attrs, 'pandoc')
assert label in references
text = str(references[label])
use_cleveref = attrs['modifier'] in ['*', '+'
] if 'modifier' in attrs.kvs else use_cleveref_default
plus = attrs['modifier'
] == '+' if 'modifier' in attrs.kvs else use_cleveref_default
name = plusname[0] if plus else starname[0]
if fmt == 'latex':
if use_cleveref:
if not 'xnos-cleveref-fake' in meta or check_bool(get_meta(
meta, 'xnos-cleveref-fake')):
faketex = ('\\xrefname' if plus else '\\Xrefname'
) + '{%s}' % name
else:
faketex = ''
macro = '\\cref' if plus else '\\Cref'
ret = RawInline('tex', '%s%s{%s}' % (faketex, macro, label))
elif use_eqref:
ret = RawInline('tex', '\\eqref{%s}' % label)
else:
ret = RawInline('tex', '\\ref{%s}' % label)
else:
if use_eqref:
text = '(' + text + ')'
linktext = [Math({'t': 'InlineMath', 'c': []}, text[1:-1]) if
text.startswith('$') and text.endswith('$') else Str(text)]
link = elt('Link', 2)(linktext, ['#%s' % label, '']
) if _PANDOCVERSION < '1.16' else Link(['', [], []],
linktext, ['#%s' % label, ''])
ret = ([Str(name), Space()] if use_cleveref else []) + [link]
return ret
def x(key, value, fmt, meta):
if fmt == 'latex' and _cleveref_tex_flag:
if not key in ['Plain', 'Para', 'CodeBlock', 'RawBlock',
'BlockQuote', 'OrderedList', 'BulletList', 'DefinitionList',
'Header', 'HorizontalRule', 'Table', 'Div', 'Null']:
return None
el = _getel(key, value)
tex = _insert_cleveref_fakery(key, value, meta)
if tex:
return tex + [el]
elif key == 'Cite' and len(value) == 3:
return _cite_replacement(key, value, fmt, meta)
return None
return replace_refs
| replace_refs_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(references, use_cleveref_default, use_eqref, plusname, starname, target):\n global _cleveref_tex_flag\n _cleveref_tex_flag = _cleveref_tex_flag or use_cl... |
def x(f, extract_attrs=extract_attrs, allow_space=False):
name = f.__closure__[0].cell_contents
def x(x):
for i, v in enumerate(x):
if v and v['t'] == name:
n = i + 1
if allow_space and n < len(x) and x[n]['t'] == 'Space':
n += 1
try:
attrs = extract_attrs(x, n)
x[i]['c'].insert(0, attrs)
except (ValueError, IndexError):
pass
def x(key, value, fmt, meta):
if key in ['Para', 'Plain']:
_attach_attrs(value)
if len(value) == 1 and value[0]['t'] == 'Image':
value[0]['c'][-1][1] = 'fig:'
return attach_attrs
| attach_attrs_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, extract_attrs=extract_attrs, allow_space=False):\n name = f.__closure__[0].cell_contents\n\n def x(x):\n for i, v in enumerate(x):\n ... |
def x(f):
name = f.__closure__[0].cell_contents
n = f.__closure__[1].cell_contents
def x(key, value, fmt, meta):
if key == name:
assert len(value) <= n + 1
if len(value) == n + 1:
assert len(value[0]) == 3
assert isinstance(value[0][0], STRTYPES)
assert isinstance(value[0][1], list)
assert isinstance(value[0][2], list)
del value[0]
return detach_attrs
| detach_attrs_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n name = f.__closure__[0].cell_contents\n n = f.__closure__[1].cell_contents\n\n def x(key, value, fmt, meta):\n if key == name:\n ... |
def x(f):
name = f.__closure__[0].cell_contents
n = f.__closure__[1].cell_contents
def x(key, value, fmt, meta):
global sec
if 'xnos-number-sections' in meta and check_bool(get_meta(meta,
'xnos-number-sections')) and fmt in ['html', 'html5']:
if key == 'Header':
if 'unnumbered' in value[1][1]:
return
level = value[0]
m = level - len(sec)
if m > 0:
sec.extend([0] * m)
sec[level - 1] += 1
sec = sec[:MAXLEVEL]
if key == name:
assert len(value) <= n + 1
if name == 'Image' or len(value) == n + 1:
assert len(value[0]) == 3
assert isinstance(value[0][0], STRTYPES)
assert isinstance(value[0][1], list)
assert isinstance(value[0][2], list)
s = '.'.join([str(m) for m in sec])
value[0][2].insert(0, ['secno', s])
return insert_secnos
| insert_secnos_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n name = f.__closure__[0].cell_contents\n n = f.__closure__[1].cell_contents\n\n def x(key, value, fmt, meta):\n global sec\n if 'xn... |
def x(f):
name = f.__closure__[0].cell_contents
n = f.__closure__[1].cell_contents
def x(key, value, fmt, meta):
if 'xnos-number-sections' in meta and check_bool(get_meta(meta,
'xnos-number-sections')) and fmt in ['html', 'html5']:
if key == name:
assert len(value) <= n + 1
if name == 'Image' or len(value) == n + 1:
assert len(value[0]) == 3
assert isinstance(value[0][0], STRTYPES)
assert isinstance(value[0][1], list)
assert isinstance(value[0][2], list)
if value[0][2] and value[0][2][0][0] == 'secno':
del value[0][2][0]
return delete_secnos
| delete_secnos_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n name = f.__closure__[0].cell_contents\n n = f.__closure__[1].cell_contents\n\n def x(key, value, fmt, meta):\n if 'xnos-number-sections' ... |
def x(rawblocks):
def x(key, value, fmt, meta):
if not rawblocks:
return None
if not key in ['Plain', 'Para', 'CodeBlock', 'RawBlock',
'BlockQuote', 'OrderedList', 'BulletList', 'DefinitionList',
'Header', 'HorizontalRule', 'Table', 'Div', 'Null']:
return None
if key == 'RawBlock':
rawblock = RawBlock(*value)
if rawblock in rawblocks:
rawblocks.remove(rawblock)
return None
if rawblocks:
el = _getel(key, value)
return [rawblocks.pop(0) for i in range(len(rawblocks))] + [el]
return None
return insert_rawblocks
| insert_rawblocks_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rawblocks):\n\n def x(key, value, fmt, meta):\n if not rawblocks:\n return None\n if not key in ['Plain', 'Para', 'CodeBlock', 'Raw... |
def x(self, **kwargs):
path = self._get_path('search')
response = self._GET(path, kwargs)
self._set_attrs_to_values(response)
return response
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n path = self._get_path('search')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return response\n",... |
def x(self, **kwargs):
path = self._get_id_path('cast')
response = self._GET(path, kwargs)
self._set_attrs_to_values(response)
return response
| cast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n path = self._get_id_path('cast')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return response\n"... |
def x(self, **kwargs):
path = self._get_id_path('clips')
response = self._GET(path, kwargs)
self._set_attrs_to_values(response)
return response
| clips | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n path = self._get_id_path('clips')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return response\n... |
def x(value):
print('%s %s: ' % (type(value), value))
print(dir(value))
print('\n\n')
return ''
| debug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n print('%s %s: ' % (type(value), value))\n print(dir(value))\n print('\\n\\n')\n return ''\n",
"role": "user"
},
{
"content": ... |
def x(sample_file):
sequence_sample_in_fasta = None
with open(sample_file) as handle:
sequence_sample_in_fasta = handle.read()
return sequence_sample_in_fasta
| get_sample_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sample_file):\n sequence_sample_in_fasta = None\n with open(sample_file) as handle:\n sequence_sample_in_fasta = handle.read()\n return sequenc... |
def x(blast_records):
blast_objects_list = []
for blast_record in blast_records:
br = BlastRecord(**{'query': blast_record.query, 'version':
blast_record.version, 'expect': blast_record.expect,
'application': blast_record.application, 'reference':
blast_record.reference})
for alignment in blast_record.alignments:
al = Alignment(**{'hit_def': alignment.hit_def, 'title':
alignment.title, 'length': alignment.length})
for hsp in alignment.hsps:
h = Hsp(**{'align_length': hsp.align_length, 'bits': hsp.
bits, 'expect': hsp.expect, 'frame': hsp.frame, 'gaps':
hsp.gaps, 'identities': hsp.identities, 'match': hsp.
match, 'num_alignments': hsp.num_alignments,
'positives': hsp.positives, 'query': hsp.query,
'query_end': hsp.query_end, 'query_start': hsp.
query_start, 'sbjct': hsp.sbjct, 'sbjct_end': hsp.
sbjct_end, 'sbjct_start': hsp.sbjct_start, 'score': hsp
.score, 'strand': hsp.strand, 'str': str(hsp)})
al.hsp_list.append(h)
br.alignments.append(al)
blast_objects_list.append(br)
return blast_objects_list
| blast_records_to_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(blast_records):\n blast_objects_list = []\n for blast_record in blast_records:\n br = BlastRecord(**{'query': blast_record.query, 'version':\n ... |
def x(ncbicommandline_method, **keywords):
blast_out_tmp = tempfile.NamedTemporaryFile(mode='w+', delete=False)
keywords['out'] = blast_out_tmp.name
query_file_object_tmp = keywords['query']
keywords['query'] = query_file_object_tmp.name
stderr = ''
error_string = ''
try:
blastplusx_cline = ncbicommandline_method(**keywords)
stdout, stderr = blastplusx_cline()
except ApplicationError as e:
error_string = 'Runtime error: ' + stderr + '\n' + e.cmd
os.unlink(query_file_object_tmp.name)
return blast_out_tmp, error_string
| run_blast_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ncbicommandline_method, **keywords):\n blast_out_tmp = tempfile.NamedTemporaryFile(mode='w+', delete=False)\n keywords['out'] = blast_out_tmp.name\n q... |
def x(db_path, db_list):
annotated = False
for db in db_list:
if db['path'] == db_path:
annotated = db['annotated']
break
return annotated
| get_annotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_path, db_list):\n annotated = False\n for db in db_list:\n if db['path'] == db_path:\n annotated = db['annotated']\n brea... |
def x(vendor, product):
if platform.system() == 'Linux':
vendor, product = [('%04x' % x).strip() for x in (vendor, product)]
return linux_find_usbserial(vendor, product)
elif platform.system() == 'Darwin':
return osx_find_usbserial(vendor, product)
else:
raise NotImplementedError('Cannot find serial ports on %s' %
platform.system())
| find_usbserial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vendor, product):\n if platform.system() == 'Linux':\n vendor, product = [('%04x' % x).strip() for x in (vendor, product)]\n return linux_find... |
def x(self, base_model=models.Model, base_manager=models.Manager):
CONTENT_TYPES = self.content_types_query
class CustomContentTypeFieldManager(base_manager):
pass
@python_2_unicode_compatible
class CustomContentTypeField(base_model):
DATATYPE_CHOICES = (CUSTOM_TYPE_TEXT, _('text')), (CUSTOM_TYPE_INTEGER,
_('integer')), (CUSTOM_TYPE_FLOAT, _('float')), (CUSTOM_TYPE_TIME,
_('time')), (CUSTOM_TYPE_DATE, _('date')), (CUSTOM_TYPE_DATETIME,
_('datetime')), (CUSTOM_TYPE_BOOLEAN, _('boolean'))
content_type = models.ForeignKey(ContentType, verbose_name=_(
'content type'), related_name='+', limit_choices_to=CONTENT_TYPES)
name = models.CharField(_('name'), max_length=100, db_index=True)
label = models.CharField(_('label'), max_length=100)
data_type = models.CharField(_('data type'), max_length=8, choices=
DATATYPE_CHOICES, db_index=True)
help_text = models.CharField(_('help text'), max_length=200, blank=
True, null=True)
required = models.BooleanField(_('required'), default=False)
searchable = models.BooleanField(_('searchable'), default=True)
initial = models.CharField(_('initial'), max_length=200, blank=True,
null=True)
min_length = models.PositiveIntegerField(_('min length'), blank=
True, null=True)
max_length = models.PositiveIntegerField(_('max length'), blank=
True, null=True)
min_value = models.FloatField(_('min value'), blank=True, null=True)
max_value = models.FloatField(_('max value'), blank=True, null=True)
objects = CustomContentTypeFieldManager()
class Meta:
verbose_name = _('custom field')
verbose_name_plural = _('custom fields')
abstract = True
def x(self, *args, **kwargs):
super(CustomContentTypeField, self).save(*args, **kwargs)
def x(self):
if self.required:
pass
def x(self):
model = self.content_type.model_class()
if self.name in [f.name for f in model._meta.fields]:
raise ValidationError({'name': (_(
'Custom field already defined as model field for content type %(model_name)s'
) % {'model_name': model.__name__},)})
def x(self):
model = self.content_type.model_class()
qs = self.__class__._default_manager.filter(content_type=self.
content_type, name=self.name)
if not self._state.adding and self.pk is not None:
qs = qs.exclude(pk=self.pk)
if qs.exists():
raise ValidationError({'name': (_(
'Custom field already defined for content type %(model_name)s'
) % {'model_name': model.__name__},)})
def x(self):
return '%s' % self.name
return CustomContentTypeField
| create_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_model=models.Model, base_manager=models.Manager):\n CONTENT_TYPES = self.content_types_query\n\n\n class CustomContentTypeFieldManager(base_ma... |
def x(self, base_model=models.Model, base_manager=models.Manager):
_builder = self
class CustomContentTypeFieldValueManager(base_manager):
def x(self, **kwargs):
if 'value' in kwargs:
value = kwargs.pop('value')
created_object = super(CustomContentTypeFieldValueManager, self
).create(**kwargs)
created_object.value = value
return created_object
else:
return super(CustomContentTypeFieldValueManager, self).create(
**kwargs)
@python_2_unicode_compatible
class CustomContentTypeFieldValue(base_model):
custom_field = models.ForeignKey('.'.join(_builder.fields_model),
verbose_name=_('custom field'), related_name='+')
content_type = models.ForeignKey(ContentType, editable=False,
verbose_name=_('content type'), limit_choices_to=_builder.
content_types_query)
object_id = models.PositiveIntegerField(_('object id'), db_index=True)
content_object = GenericForeignKey('content_type', 'object_id')
value_text = models.TextField(blank=True, null=True)
value_integer = models.IntegerField(blank=True, null=True)
value_float = models.FloatField(blank=True, null=True)
value_time = models.TimeField(blank=True, null=True)
value_date = models.DateField(blank=True, null=True)
value_datetime = models.DateTimeField(blank=True, null=True)
value_boolean = models.NullBooleanField(blank=True)
objects = CustomContentTypeFieldValueManager()
def x(self):
return getattr(self, 'value_%s' % self.custom_field.data_type)
def x(self, new_value):
setattr(self, 'value_%s' % self.custom_field.data_type, new_value)
value = property(_get_value, _set_value)
class Meta:
unique_together = 'custom_field', 'content_type', 'object_id'
verbose_name = _('custom field value')
verbose_name_plural = _('custom field values')
abstract = True
def x(self, *args, **kwargs):
self.content_type = self.custom_field.content_type
super(CustomContentTypeFieldValue, self).save(*args, **kwargs)
def x(self, exclude=None):
qs = self.__class__._default_manager.filter(custom_field=self.
custom_field, content_type=self.custom_field.content_type,
object_id=self.object_id)
if not self._state.adding and self.pk is not None:
qs = qs.exclude(pk=self.pk)
if qs.exists():
raise ValidationError({NON_FIELD_ERRORS: (_(
'A value for this custom field already exists'),)})
def x(self):
return '%s: %s' % (self.custom_field.name, self.value)
return CustomContentTypeFieldValue
| create_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_model=models.Model, base_manager=models.Manager):\n _builder = self\n\n\n class CustomContentTypeFieldValueManager(base_manager):\n\n d... |
def x(self, base_manager=models.Manager):
_builder = self
class CustomManager(base_manager):
def x(self, search_data, custom_args={}):
query = None
lookups = '%s__%s' % ('value_text', 'icontains'),
content_type = ContentType.objects.get_for_model(self.model)
custom_args = dict({'content_type': content_type, 'searchable':
True}, **custom_args)
custom_fields = dict((f.name, f) for f in _builder.
fields_model_class.objects.filter(**custom_args))
for value_lookup in lookups:
for key, f in custom_fields.items():
found = _builder.values_model_class.objects.filter(**{
'custom_field': f, 'content_type': content_type,
value_lookup: search_data})
if found.count() > 0:
if query is None:
query = Q()
query = query & Q(**{str('%s__in' % self.model.
_meta.pk.name): [obj.object_id for obj in found]})
if query is None:
return self.get_queryset().none()
return self.get_queryset().filter(query)
return CustomManager
| create_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_manager=models.Manager):\n _builder = self\n\n\n class CustomManager(base_manager):\n\n def x(self, search_data, custom_args={}):\n ... |
def x(self):
_builder = self
class CustomModelMixin(object):
@cached_property
def x(self):
return ContentType.objects.get_for_model(self)
@classmethod
def x(cls):
return _builder.fields_model_class.objects.filter(content_type=
ContentType.objects.get_for_model(cls))
def x(self):
return _builder.fields_model_class.objects.filter(content_type=
self._content_type)
def x(self, field):
return _builder.values_model_class.objects.get(custom_field=
field, content_type=self._content_type, object_id=self.pk)
def x(self, field, value):
custom_value, created = (_builder.values_model_class.objects.
get_or_create(custom_field=field, content_type=self.
_content_type, object_id=self.pk))
custom_value.value = value
custom_value.full_clean()
custom_value.save()
return custom_value
return CustomModelMixin
| create_mixin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _builder = self\n\n\n class CustomModelMixin(object):\n\n @cached_property\n def x(self):\n return ContentType.objects.... |
def x(self, base_form=forms.ModelForm, field_types=settings.
CUSTOM_FIELD_TYPES, widget_types=settings.CUSTOM_WIDGET_TYPES):
_builder = self
class CustomFieldModelBaseForm(base_form):
def x(self, *args, **kwargs):
self.custom_classes = None
self.is_custom_form = True
self.instance = None
super(CustomFieldModelBaseForm, self).__init__(*args, **kwargs)
self.init_custom_fields()
def x(self):
cleaned_data = super(CustomFieldModelBaseForm, self).clean()
return cleaned_data
def x(self, commit=True):
self.instance = super(CustomFieldModelBaseForm, self).save(commit
=commit)
if self.instance and commit:
self.instance.save()
self.save_custom_fields()
return self.instance
def x(self):
content_type = self.get_content_type()
fields = self.get_fields_for_content_type(content_type)
for f in fields:
name = str(f.name)
initial = f.initial
self.fields[name] = self.get_formfield_for_field(f)
self.fields[name].is_custom = True
self.fields[name].label = f.label
self.fields[name].required = f.required
self.fields[name].widget = self.get_widget_for_field(f)
if self.instance and self.instance.pk:
value = self.search_value_for_field(f, content_type,
self.instance.pk)
if len(value) > 0:
initial = value[0].value
self.fields[name].initial = self.initial[name] = initial
def x(self):
if not self.instance.pk:
raise Exception(
'The model instance has not been saved. Have you called instance.save() ?'
)
content_type = self.get_content_type()
fields = self.get_fields_for_content_type(content_type)
for f in fields:
name = str(f.name)
fv = self.search_value_for_field(f, content_type, self.
instance.pk)
if len(fv) > 0:
value = fv[0]
value.value = self.cleaned_data[name]
else:
value = self.create_value_for_field(f, self.instance.pk,
self.cleaned_data[name])
value.save()
def x(self):
return self._meta.model
def x(self):
return ContentType.objects.get_for_model(self.get_model())
def x(self, field):
field_attrs = {'label': field.label, 'help_text': field.
help_text, 'required': field.required}
if field.data_type == CUSTOM_TYPE_TEXT:
if field.min_length:
field_attrs['min_length'] = field.min_length
if field.max_length:
field_attrs['max_length'] = field.max_length
elif field.data_type == CUSTOM_TYPE_INTEGER:
if field.min_value:
field_attrs['min_value'] = int(float(field.min_value))
if field.max_value:
field_attrs['max_value'] = int(float(field.max_value))
elif field.data_type == CUSTOM_TYPE_FLOAT:
if field.min_value:
field_attrs['min_value'] = float(field.min_value)
if field.max_value:
field_attrs['max_value'] = float(field.max_value)
elif field.data_type == CUSTOM_TYPE_TIME:
pass
elif field.data_type == CUSTOM_TYPE_DATE:
pass
elif field.data_type == CUSTOM_TYPE_DATETIME:
pass
elif field.data_type == CUSTOM_TYPE_BOOLEAN:
pass
field_type = import_class(field_types[field.data_type])
return field_type(**field_attrs)
def x(self, field, attrs={}):
return import_class(widget_types[field.data_type])(**attrs)
def x(self, content_type):
return _builder.fields_model_class.objects.filter(content_type=
content_type)
def x(self, field, content_type, object_id):
return _builder.values_model_class.objects.filter(custom_field=
field, content_type=content_type, object_id=object_id)
def x(self, field, object_id, value):
return _builder.values_model_class(custom_field=field,
object_id=object_id, value=value)
return CustomFieldModelBaseForm
| create_modelform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_form=forms.ModelForm, field_types=settings.\n CUSTOM_FIELD_TYPES, widget_types=settings.CUSTOM_WIDGET_TYPES):\n _builder = self\n\n\n class... |
def x(self, base_admin=admin.ModelAdmin):
_builder = self
class CustomFieldModelBaseAdmin(base_admin):
def x(self, *args, **kwargs):
super(CustomFieldModelBaseAdmin, self).__init__(*args, **kwargs)
def x(self, request, obj, form, change):
obj.save()
if hasattr(form, 'save_custom_fields'):
form.save_custom_fields()
return CustomFieldModelBaseAdmin
| create_modeladmin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base_admin=admin.ModelAdmin):\n _builder = self\n\n\n class CustomFieldModelBaseAdmin(base_admin):\n\n def x(self, *args, **kwargs):\n ... |
def x(obj):
if obj is None:
return
elif isinstance(obj, six.binary_type):
yield obj
elif isinstance(obj, six.string_types):
yield obj
elif isinstance(obj, (date, datetime)):
yield obj.isoformat()
elif is_mapping(obj):
for key in sorted(obj.keys()):
for out in chain(bytes_iter(key), bytes_iter(obj[key])):
yield out
elif is_sequence(obj):
if isinstance(obj, (list, set)):
try:
obj = sorted(obj)
except Exception:
pass
for item in obj:
for out in bytes_iter(item):
yield out
elif isinstance(obj, (types.FunctionType, types.BuiltinFunctionType,
types.MethodType, types.BuiltinMethodType)):
yield getattr(obj, 'func_name', '')
else:
yield six.text_type(obj)
| bytes_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if obj is None:\n return\n elif isinstance(obj, six.binary_type):\n yield obj\n elif isinstance(obj, six.string_types):\n ... |
def x(obj):
collect = sha1()
for text in bytes_iter(obj):
if isinstance(text, six.text_type):
text = text.encode('utf-8')
collect.update(text)
return collect.hexdigest()
| hash_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n collect = sha1()\n for text in bytes_iter(obj):\n if isinstance(text, six.text_type):\n text = text.encode('utf-8')\n co... |
def x(self, words):
if len(words) < 3:
return
for i in range(len(words) - 2):
yield words[i], words[i + 1], words[i + 2]
| triples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, words):\n if len(words) < 3:\n return\n for i in range(len(words) - 2):\n yield words[i], words[i + 1], words[i + 2]\n",
"role": ... |
def x(file_path):
with open(file_path, 'r') as fp:
text = fp.read()
mod_ast = ast.parse(text, file_path)
finder = _ImportsFinder()
finder.visit(mod_ast)
return finder.imports
| ast_imports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path):\n with open(file_path, 'r') as fp:\n text = fp.read()\n mod_ast = ast.parse(text, file_path)\n finder = _ImportsFinder()\n finde... |
def x(self, node):
self.imports.extend((None, n.name, n.asname, None) for n in node.names)
ast.NodeVisitor.generic_visit(self, node)
| visit_Import | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n self.imports.extend((None, n.name, n.asname, None) for n in node.names)\n ast.NodeVisitor.generic_visit(self, node)\n",
"role": "user"... |
def x(self, node):
self.imports.extend((node.module, n.name, n.asname, node.level) for n in
node.names)
ast.NodeVisitor.generic_visit(self, node)
| visit_ImportFrom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n self.imports.extend((node.module, n.name, n.asname, node.level) for n in\n node.names)\n ast.NodeVisitor.generic_visit(self, node)\... |
def x(cls, path):
name_list = [path.stem]
current_path = path
while cls.is_pkg(current_path.parent):
name_list.append(current_path.parent.name)
current_path = current_path.parent
return list(reversed(name_list))
| get_fqn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n name_list = [path.stem]\n current_path = path\n while cls.is_pkg(current_path.parent):\n name_list.append(current_path.parent.nam... |
def x(self, module_name):
imp_mod = self.by_name.get(module_name)
if imp_mod:
return imp_mod
no_obj = module_name.rsplit('.', 1)[0]
imp_mod2 = self.by_name.get(no_obj)
if imp_mod2:
return imp_mod2
if module_name in self.pkgs:
pkg_name = module_name + '.__init__'
return self.by_name[pkg_name]
if no_obj in self.pkgs:
pkg_name = no_obj + '.__init__'
return self.by_name[pkg_name]
| get_imported_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module_name):\n imp_mod = self.by_name.get(module_name)\n if imp_mod:\n return imp_mod\n no_obj = module_name.rsplit('.', 1)[0]\n imp_... |
def x(self, module, return_fqn=False):
imports = set()
raw_imports = ast_imports(module.path)
for import_entry in raw_imports:
full = '.'.join(s for s in import_entry[:2] if s)
import_level = import_entry[3]
if import_level:
intra = '.'.join(module.fqn[:-import_level] + [full])
imported = self._get_imported_module(intra)
else:
imported = self._get_imported_module(full)
if imported:
if return_fqn:
imports.add('.'.join(imported.fqn))
else:
imports.add(imported.path)
return imports
| get_imports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module, return_fqn=False):\n imports = set()\n raw_imports = ast_imports(module.path)\n for import_entry in raw_imports:\n full = '.'.joi... |
def x(cls, length):
letters = '23456789ABCDEFGHJKLMNPQRSTUVWXYZ'
return ''.join([random.choice(letters) for _ in range(length)])
| generate_random_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, length):\n letters = '23456789ABCDEFGHJKLMNPQRSTUVWXYZ'\n return ''.join([random.choice(letters) for _ in range(length)])\n",
"role": "user"
}... |
def x(data_dir):
meta_file = os.path.join(data_dir, 'Airbnb_demo_meta.json')
transformer_list = ['NumberTransformer', 'DTTransformer', 'CatTransformer']
ht = HyperTransformer(meta_file)
transformed = ht.fit_transform(transformer_list=transformer_list)
result = ht.reverse_transform(tables=transformed)
assert result.keys() == ht.table_dict.keys()
for name, table in result.items():
assert not result[name].isnull().all().all()
| run_airbnb_demo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_dir):\n meta_file = os.path.join(data_dir, 'Airbnb_demo_meta.json')\n transformer_list = ['NumberTransformer', 'DTTransformer', 'CatTransformer']\n ... |
def x(self, path):
self.logger.debug('Parsing Event log file %s.', path)
with NamedTemporaryFile(buffering=0) as tempfile:
self._filesystem.download(path, tempfile.name)
file_header = FileHeader(tempfile.read(), 0)
for xml_string, _ in evtx_file_xml_view(file_header):
yield xml_string
| eventlog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self.logger.debug('Parsing Event log file %s.', path)\n with NamedTemporaryFile(buffering=0) as tempfile:\n self._filesystem.downlo... |
def x(sender, instance, created, **kwargs):
if created is True:
client = Client('{0}api/'.format(getattr(settings,
'CENTRIFUGE_ADDRESS')), getattr(settings, 'CENTRIFUGE_SECRET'))
active_participants = [participation.participant.id for
participation in Participation.objects.filter(thread=instance.
thread, date_left__isnull=True).select_related('participant')]
client.publish(build_channel(settings.CENTRIFUGO_MESSAGE_NAMESPACE,
instance.thread.id, active_participants), {'id': instance.id,
'body': instance.body, 'sender': instance.sender.id, 'thread':
instance.thread.id, 'sent_at': str(instance.sent_at),
'is_notification': True})
| publish_message_to_centrifugo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created, **kwargs):\n if created is True:\n client = Client('{0}api/'.format(getattr(settings,\n 'CENTRIFUGE_ADDRESS')),... |
def x(sender, instance, created, **kwargs):
if kwargs.get('created_and_add_participants') is True:
request_participant_id = kwargs.get('request_participant_id')
if request_participant_id is not None:
client = Client('{0}api/'.format(getattr(settings,
'CENTRIFUGE_ADDRESS')), getattr(settings, 'CENTRIFUGE_SECRET'))
active_participants = [participation.participant for
participation in Participation.objects.filter(thread=
instance, date_left__isnull=True).select_related('participant')
]
for participant in active_participants:
client.publish(build_channel(settings.
CENTRIFUGO_THREAD_NAMESPACE, participant.id, [
participant.id]), {'message_channel_to_connect_to':
build_channel(settings.CENTRIFUGO_MESSAGE_NAMESPACE,
instance.id, [p.id for p in active_participants])})
| publish_participation_to_thread | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created, **kwargs):\n if kwargs.get('created_and_add_participants') is True:\n request_participant_id = kwargs.get('request_partici... |
def x(self, *args, **kwargs):
pgctnt, hName, mime = self.getFileNameMime(*args, **kwargs)
return pgctnt, hName
| getFileAndName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n pgctnt, hName, mime = self.getFileNameMime(*args, **kwargs)\n return pgctnt, hName\n",
"role": "user"
},
{
"content... |
def x(self, requestedUrl, *args, **kwargs):
if 'returnMultiple' in kwargs:
raise Exceptions.ArgumentError(
"getFileAndName cannot be called with 'returnMultiple'",
requestedUrl)
if 'soup' in kwargs and kwargs['soup']:
raise Exceptions.ArgumentError(
"getFileAndName contradicts the 'soup' directive!", requestedUrl)
kwargs['returnMultiple'] = True
pgctnt, pghandle = self.getpage(requestedUrl, *args, **kwargs)
info = pghandle.info()
if not 'Content-Disposition' in info:
hName = ''
elif not 'filename=' in info['Content-Disposition']:
hName = ''
else:
hName = info['Content-Disposition'].split('filename=')[1]
if (hName.startswith("'") and hName.endswith("'") or hName.
startswith('"') and hName.endswith('"')) and len(hName) >= 2:
hName = hName[1:-1]
mime = info.get_content_type()
if not hName.strip():
requestedUrl = pghandle.geturl()
hName = urllib.parse.urlsplit(requestedUrl).path.split('/')[-1].strip()
if '/' in hName:
hName = hName.split('/')[-1]
return pgctnt, hName, mime
| getFileNameMime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, requestedUrl, *args, **kwargs):\n if 'returnMultiple' in kwargs:\n raise Exceptions.ArgumentError(\n \"getFileAndName cannot be call... |
def x(self, components):
netloc = components.netloc.lower()
for cookie in self.cj:
if cookie.domain_specified and (cookie.domain.lower().endswith(
netloc) or cookie.domain.lower().endswith('127.0.0.1') and (
components.path == '/sucuri_shit_3' or components.path ==
'/sucuri_shit_2')):
if 'sucuri_cloudproxy_uuid_' in cookie.name:
return
self.log.info(
'Missing cloudproxy cookie for known sucuri wrapped site. Doing a pre-emptive chromium fetch.'
)
raise Exceptions.SucuriWrapper('WAF Shit', str(components))
| check_suc_cookie | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, components):\n netloc = components.netloc.lower()\n for cookie in self.cj:\n if cookie.domain_specified and (cookie.domain.lower().endswith(... |
def x(self, requestedUrl):
components = urllib.parse.urlsplit(requestedUrl)
netloc_l = components.netloc.lower()
if netloc_l in Domain_Constants.SUCURI_GARBAGE_SITE_NETLOCS:
self.__check_suc_cookie(components)
elif netloc_l in Domain_Constants.CF_GARBAGE_SITE_NETLOCS:
self.__check_cf_cookie(components)
elif components.path == '/sucuri_shit_2':
self.__check_suc_cookie(components)
elif components.path == '/sucuri_shit_3':
self.__check_suc_cookie(components)
elif components.path == '/cloudflare_under_attack_shit_2':
self.__check_cf_cookie(components)
elif components.path == '/cloudflare_under_attack_shit_3':
self.__check_cf_cookie(components)
| pre_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, requestedUrl):\n components = urllib.parse.urlsplit(requestedUrl)\n netloc_l = components.netloc.lower()\n if netloc_l in Domain_Constants.SUCUR... |
def x(self, coding, pgctnt):
if coding == 'deflate':
compType = 'deflate'
bits_opts = [-zlib.MAX_WBITS, zlib.MAX_WBITS, zlib.MAX_WBITS | 16,
zlib.MAX_WBITS | 32, 0, -8, -9, -10, -11, -12, -13, -14, -15, 8,
9, 10, 11, 12, 13, 14, 15, 8 + 16, 9 + 16, 10 + 16, 11 + 16, 12 +
16, 13 + 16, 14 + 16, 15 + 16, 8 + 32, 9 + 32, 10 + 32, 11 + 32,
12 + 32, 13 + 32, 14 + 32, 15 + 32]
err = None
for wbits_val in bits_opts:
try:
pgctnt = zlib.decompress(pgctnt, wbits_val)
return compType, pgctnt
except zlib.error as e:
err = e
raise err
elif coding == 'gzip':
compType = 'gzip'
buf = io.BytesIO(pgctnt)
f = gzip.GzipFile(fileobj=buf)
pgctnt = f.read()
elif coding == 'sdch':
raise Exceptions.ContentTypeError(
'Wait, someone other then google actually supports SDCH compression (%s)?'
% pgreq)
else:
compType = 'none'
return compType, pgctnt
| decompressContent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, coding, pgctnt):\n if coding == 'deflate':\n compType = 'deflate'\n bits_opts = [-zlib.MAX_WBITS, zlib.MAX_WBITS, zlib.MAX_WBITS | 16, \... |
def x(self, cookieDict):
cookie = http.cookiejar.Cookie(version=0, name=cookieDict['name'],
value=cookieDict['value'], port=None, port_specified=False, domain=
cookieDict['domain'], domain_specified=True, domain_initial_dot=
False, path=cookieDict['path'], path_specified=False, secure=
cookieDict['secure'], expires=cookieDict['expiry'] if 'expiry' in
cookieDict else None, discard=False, comment=None, comment_url=None,
rest={'httponly': '%s' % cookieDict['httponly'] if 'httponly' in
cookieDict else False}, rfc2109=False)
self.addCookie(cookie)
| addSeleniumCookie | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cookieDict):\n cookie = http.cookiejar.Cookie(version=0, name=cookieDict['name'],\n value=cookieDict['value'], port=None, port_specified=False,... |
def x(app, recipients, sender='noreply@localhost'):
from flask import request as __request
from flask_mail import Mail as __Mail
from flask_mail import Message as __Message
mail = __Mail(app)
def x(exception):
msg = __Message('[Flask|ErrorMail] Exception Detected', sender=
sender, recipients=recipients)
msg_contents = ['Traceback:', '=' * 80, traceback.format_exc()]
msg_contents.append('\n')
msg_contents.append('Request Information:')
msg_contents.append('=' * 80)
environ = __request.environ
environkeys = sorted(environ.keys())
for key in environkeys:
msg_contents.append('%s: %s' % (key, environ.get(key)))
msg.body = '\n'.join(msg_contents) + '\n'
mail.send(msg)
app.register_error_handler(500, email_exception)
| mail_on_500 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, recipients, sender='noreply@localhost'):\n from flask import request as __request\n from flask_mail import Mail as __Mail\n from flask_mail impor... |
def x(options):
dependents = dependencies(options.package, options.recursive, options.info)
if dependents:
print(*dependents, sep='\n')
| command_dependents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options):\n dependents = dependencies(options.package, options.recursive, options.info)\n if dependents:\n print(*dependents, sep='\\n')\n",
"... |
def x(dist, recursive=False, info=False):
def x(items):
return sorted(set(items), key=lambda i: i.lower())
def x(distribution):
if recursive:
req = set(pkg_resources.require(distribution.project_name))
req.remove(distribution)
return {r.as_requirement() for r in req}
return distribution.requires()
def x(distribution):
return str(distribution) if info else distribution.project_name
return case_sorted(modifier(r) for r in requires(dist))
| dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dist, recursive=False, info=False):\n\n def x(items):\n return sorted(set(items), key=lambda i: i.lower())\n\n def x(distribution):\n if re... |
def x(request):
org = None
group = None
if hasattr(request, 'user'):
if request.user.is_anonymous:
group = None
else:
group = request.user.get_org_group()
org = request.user.get_org()
if group:
context = dict(org_perms=GroupPermWrapper(group))
else:
context = dict()
context['user_org'] = org
return context
| user_group_perms_processor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n org = None\n group = None\n if hasattr(request, 'user'):\n if request.user.is_anonymous:\n group = None\n else:\n... |
def x(request):
if getattr(request, 'org', None):
org = request.org
pattern_bg = org.backgrounds.filter(is_active=True, background_type='P'
)
pattern_bg = pattern_bg.order_by('-pk').first()
banner_bg = org.backgrounds.filter(is_active=True, background_type='B')
banner_bg = banner_bg.order_by('-pk').first()
return dict(org=org, pattern_bg=pattern_bg, banner_bg=banner_bg)
else:
return dict()
| set_org_processor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if getattr(request, 'org', None):\n org = request.org\n pattern_bg = org.backgrounds.filter(is_active=True, background_type='P'\n ... |
def x(self, captcha_id, timeout=None):
timeout = timeout
if not timeout:
timeout = self.waittime
poll_interval = 8
start = time.time()
for x in range(int(timeout / poll_interval) + 1):
self.log.info(
'Sleeping %s seconds (poll %s of %s, elapsed %0.2fs of %0.2f).',
poll_interval, x, int(timeout / poll_interval) + 1, time.time() -
start, timeout)
time.sleep(poll_interval)
try:
resp = self.doGet('result', {'action': 'get', 'key': self.
api_key, 'json': True, 'id': captcha_id})
self.log.info('Call returned success!')
return resp
except exc.CaptchaNotReady:
self.log.info('Captcha not ready. Waiting longer.')
raise exc.CaptchaSolverFailure(
'Solving captcha timed out after %s seconds!' % (time.time() - start,))
| getresult | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, captcha_id, timeout=None):\n timeout = timeout\n if not timeout:\n timeout = self.waittime\n poll_interval = 8\n start = time.time()\n... |
def x(self, pathfile, filedata, filename):
if pathfile and os.path.exists(pathfile):
files = {'file': open(pathfile, 'rb')}
elif filedata:
assert filename
files = {'file': (filename, io.BytesIO(filedata))}
else:
raise ValueError(
'You must pass either a valid file path, or a bytes array containing the captcha image!'
)
payload = {'key': self.api_key, 'method': 'post', 'json': True}
self.log.info('Uploading to 2Captcha.com.')
url = self.getUrlFor('input', {})
request = requests.post(url, files=files, data=payload)
if not request.ok:
raise exc.CaptchaSolverFailure('Posting captcha to solve failed!')
resp_json = json.loads(request.text)
return self._process_response(resp_json)
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pathfile, filedata, filename):\n if pathfile and os.path.exists(pathfile):\n files = {'file': open(pathfile, 'rb')}\n elif filedata:\n ... |
def x(self, pathfile=None, filedata=None, filename=None):
captcha_id = self._submit(pathfile, filedata, filename)
return self._getresult(captcha_id=captcha_id)
| solve_simple_captcha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pathfile=None, filedata=None, filename=None):\n captcha_id = self._submit(pathfile, filedata, filename)\n return self._getresult(captcha_id=captcha... |
def x(self, google_key, page_url, timeout=15 * 60):
proxy = SocksProxy.ProxyLauncher([TWOCAPTCHA_IP])
try:
captcha_id = self.doGet('input', {'key': self.api_key, 'method':
'userrecaptcha', 'googlekey': google_key, 'pageurl': page_url,
'proxy': proxy.get_wan_address(), 'proxytype': 'SOCKS5', 'json':
True})
return self._getresult(captcha_id=captcha_id, timeout=timeout)
finally:
proxy.stop()
| solve_recaptcha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, google_key, page_url, timeout=15 * 60):\n proxy = SocksProxy.ProxyLauncher([TWOCAPTCHA_IP])\n try:\n captcha_id = self.doGet('input', {'key'... |
def x(query=None, params=None, callback=None, mine_ids=None, info_only=None,
**kwargs):
query = '(*:*)' if not query else query
params = params if params else {}
mine_ids = True if mine_ids else False
info_only = True if info_only else False
miner = SearchMiner(**kwargs)
if info_only:
params = miner.get_search_params(query, params)
r = miner.get_search_info(params)
search_info = r.get('responseHeader')
search_info['numFound'] = r.get('response', {}).get('numFound', 0)
return search_info
try:
miner.loop.add_signal_handler(signal.SIGINT, miner.close)
miner.loop.run_until_complete(miner.search(query, params=params,
callback=callback, mine_ids=mine_ids))
except RuntimeError:
pass
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query=None, params=None, callback=None, mine_ids=None, info_only=None,\n **kwargs):\n query = '(*:*)' if not query else query\n params = params if par... |
def x(urls, params=None, callback=None, **kwargs):
miner = Miner(**kwargs)
try:
miner.loop.add_signal_handler(signal.SIGINT, miner.close)
miner.loop.run_until_complete(miner.mine_urls(urls, params, callback))
except RuntimeError:
pass
| mine_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(urls, params=None, callback=None, **kwargs):\n miner = Miner(**kwargs)\n try:\n miner.loop.add_signal_handler(signal.SIGINT, miner.close)\n ... |
def x(identifiers, params=None, callback=None, **kwargs):
miner = ItemMiner(**kwargs)
try:
miner.loop.run_until_complete(miner.mine_items(identifiers, params,
callback))
except RuntimeError:
miner.loop.close()
| mine_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(identifiers, params=None, callback=None, **kwargs):\n miner = ItemMiner(**kwargs)\n try:\n miner.loop.run_until_complete(miner.mine_items(identifi... |
def x(username=None, password=None, overwrite=None, config_file=None):
username = input('Email address: ') if not username else username
password = getpass('Password: ') if not password else password
_config_file = write_config_file(username, password, overwrite, config_file
)
print('\nConfig saved to: {}'.format(_config_file))
| configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None, password=None, overwrite=None, config_file=None):\n username = input('Email address: ') if not username else username\n password = getpass... |
def x(self, startDate, endDate):
today = date.today()
start_date = today - timedelta(days=today.weekday(), weeks=1)
end_date = start_date + timedelta(days=4)
startDate = startDate if startDate else str(start_date)
endDate = endDate if endDate else str(end_date)
return startDate, endDate
| get_time_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, startDate, endDate):\n today = date.today()\n start_date = today - timedelta(days=today.weekday(), weeks=1)\n end_date = start_date + timedelta(... |
def x(self, symbolList, columns=None):
response = self.select('yahoo.finance.quotes', columns).where(['symbol',
'in', symbolList])
return response
| get_current_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbolList, columns=None):\n response = self.select('yahoo.finance.quotes', columns).where(['symbol',\n 'in', symbolList])\n return response... |
def x(self, symbol):
rss_url = 'http://finance.yahoo.com/rss/headline?s={0}'.format(symbol)
response = self.select('rss', ['title', 'link', 'description'], limit=2
).where(['url', '=', rss_url])
return response
| get_news_feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbol):\n rss_url = 'http://finance.yahoo.com/rss/headline?s={0}'.format(symbol)\n response = self.select('rss', ['title', 'link', 'description'],... |
def x(self, symbol, items=None, startDate=None, endDate=None, limit=None):
startDate, endDate = self.__get_time_range(startDate, endDate)
response = self.select('yahoo.finance.historicaldata', items, limit).where(
['symbol', '=', symbol], ['startDate', '=', startDate], ['endDate',
'=', endDate])
return response
| get_historical_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbol, items=None, startDate=None, endDate=None, limit=None):\n startDate, endDate = self.__get_time_range(startDate, endDate)\n response = self.s... |
def x(self, symbol, items=None, expiration=''):
response = self.select('yahoo.finance.options', items).where(['symbol',
'=', symbol], [] if not expiration else ['expiration', '=', expiration]
)
return response
| get_options_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbol, items=None, expiration=''):\n response = self.select('yahoo.finance.options', items).where(['symbol',\n '=', symbol], [] if not expirat... |
def x(self, index_id, items=None):
response = self.select('yahoo.finance.industry', items).where(['id',
'=', index_id])
return response
| get_industry_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index_id, items=None):\n response = self.select('yahoo.finance.industry', items).where(['id',\n '=', index_id])\n return response\n",
"r... |
def x(self, pairs, items=None):
response = self.select('yahoo.finance.xchange', items).where(['pair',
'in', pairs])
return response
| get_xchange_rate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pairs, items=None):\n response = self.select('yahoo.finance.xchange', items).where(['pair',\n 'in', pairs])\n return response\n",
"role"... |
def x(self, symbol, startDate, endDate, items=None):
startDate, endDate = self.__get_time_range(startDate, endDate)
response = self.select('yahoo.finance.dividendhistory', items).where([
'symbol', '=', symbol], ['startDate', '=', startDate], ['endDate',
'=', endDate])
return response
| get_dividendhistory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbol, startDate, endDate, items=None):\n startDate, endDate = self.__get_time_range(startDate, endDate)\n response = self.select('yahoo.finance.d... |
def x(self, name):
url = (
'http://autoc.finance.yahoo.com/autoc?query={0}&callback=YAHOO.Finance.SymbolSuggest.ssCallback'
.format(name))
response = requests.get(url)
json_data = re.match('YAHOO\\.Finance\\.SymbolSuggest.ssCallback\\((.*)\\)'
, response.text)
try:
json_data = json_data.groups()[0]
except (Exception,) as e:
print(e)
json_data = '{"results": "Webservice seems to be down"}'
return type('response', (requests.Response,), {'text': json_data,
'content': json_data.encode(), 'status_code': response.status_code,
'reason': response.reason, 'encoding': response.encoding,
'apparent_encoding': response.apparent_encoding, 'cookies':
response.cookies, 'headers': response.headers, 'json': lambda :
json.loads(json_data), 'url': response.url})
| get_symbols | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n url = (\n 'http://autoc.finance.yahoo.com/autoc?query={0}&callback=YAHOO.Finance.SymbolSuggest.ssCallback'\n .format(name))\n ... |
def x(filename):
requirements = []
for line in open(os.path.join('requirements', filename)).readlines():
match = RE_REQUIREMENT.match(line)
if match:
requirements.extend(pip(match.group('filename')))
else:
requirements.append(line)
return requirements
| pip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n requirements = []\n for line in open(os.path.join('requirements', filename)).readlines():\n match = RE_REQUIREMENT.match(line)\n ... |
def x(points, sr):
assert all(isinstance(pt, Point) or len(pt) == 2 for pt in points
), 'Point(s) not in [x, y] form'
return [(coord if isinstance(coord, Point) else Point(coord[0], coord[1
], sr)) for coord in points]
| pointlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(points, sr):\n assert all(isinstance(pt, Point) or len(pt) == 2 for pt in points\n ), 'Point(s) not in [x, y] form'\n return [(coord if isinstance... |
def x(struct, attributes=None):
if isinstance(struct, basestring):
struct = json.loads(struct)
indicative_attributes = {'x': Point, 'wkid': SpatialReference, 'paths':
Polyline, 'rings': Polygon, 'points': Multipoint, 'xmin': Envelope}
if isinstance(struct, basestring) and len(struct.split(',')) == 4:
return Envelope(*map(float, struct.split(',')))
if isinstance(struct, dict):
for key, cls in indicative_attributes.iteritems():
if key in struct:
ret = cls.fromJson(dict((str(key), value) for key, value in
struct.iteritems()))
if attributes:
ret.attributes = dict((str(key.lower()), val) for key,
val in attributes.iteritems())
return ret
raise ValueError('Unconvertible to geometry')
| fromJson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(struct, attributes=None):\n if isinstance(struct, basestring):\n struct = json.loads(struct)\n indicative_attributes = {'x': Point, 'wkid': Spatia... |
def x(struct, attributes=None):
if isinstance(struct, basestring):
struct = json.loads(struct)
type_map = {'Point': Point, 'MultiLineString': Polyline, 'LineString':
Polyline, 'Polygon': Polygon, 'MultiPolygon': Polygon, 'MultiPoint':
Multipoint, 'Box': Envelope}
if struct['type'] == 'Feature':
return fromGeoJson(struct, struct.get('properties', None))
elif struct['type'] == 'FeatureCollection':
sr = None
if 'crs' in struct:
sr = SpatialReference(struct['crs']['properties']['code'])
members = map(fromGeoJson, struct['members'])
for member in members:
member.spatialReference = sr
return members
else:
return map(fromGeoJson, struct['members'])
elif struct['type'] in type_map and hasattr(type_map[struct['type']],
'fromGeoJson'):
instances = type_map[struct['type']].fromGeoJson(struct)
i = []
assert instances is not None, 'GeoJson conversion returned a Null geom'
for instance in instances:
if 'properties' in struct:
instance.attributes = struct['properties'].copy()
if '@esri.sr' in instance.attributes:
instance.spatialReference = SpatialReference.fromJson(
instance.attributes['@esri.sr'])
del instance.attributes['@esri.sr']
if attributes:
if not hasattr(instance, 'attributes'):
instance.attributes = {}
for k, v in attributes.iteritems():
instance.attributes[k] = v
i.append(instance)
if i:
if len(i) > 1:
return i
return i[0]
raise ValueError('Unconvertible to geometry')
| fromGeoJson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(struct, attributes=None):\n if isinstance(struct, basestring):\n struct = json.loads(struct)\n type_map = {'Point': Point, 'MultiLineString': Poly... |
def x():
if self.wkid in projected:
return projected[self.wkid]
elif self.wkid in geographic:
return geographic[self.wkid]
else:
raise KeyError('Not a known WKID.')
| name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if self.wkid in projected:\n return projected[self.wkid]\n elif self.wkid in geographic:\n return geographic[self.wkid]\n else:\n ... |
def x(self, pt):
if isinstance(pt, Point):
ptx, pty = pt.x, pt.y
assert (self.spatialReference is None or self.spatialReference.wkid is
None) or (pt.spatialReference is None or pt.spatialReference.
wkid is None
) or self.spatialReference == pt.spatialReference, 'Spatial references do not match.'
else:
ptx, pty = pt
in_shape = False
for ring in self._json_rings:
for idx in range(len(ring)):
idxp1 = idx + 1
if idxp1 >= len(ring):
idxp1 -= len(ring)
pi, pj = ring[idx], ring[idxp1]
if pi[1] == pj[1] and pty >= min((pi[1], pj[1])):
if ptx >= max((pi[0], pj[0])):
in_shape = not in_shape
elif pi[0] == pj[0] and pty >= min((pi[0], pj[0])):
if ptx >= max((pi[1], pj[1])):
in_shape = not in_shape
elif (pi[1] < pty and pj[1] >= pty or pj[1] < pty and pi[1] >= pty
) and pi[0] + (pty - pi[1]) / (pj[1] - pi[1]) * (pj[0] - pi[0]
) < ptx:
in_shape = not in_shape
return in_shape
| contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pt):\n if isinstance(pt, Point):\n ptx, pty = pt.x, pt.y\n assert (self.spatialReference is None or self.spatialReference.wkid is\n ... |
def x(self):
return ','.join(str(attr) for attr in (self.xmin, self.ymin, self.xmax,
self.ymax))
| bbox | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return ','.join(str(attr) for attr in (self.xmin, self.ymin, self.xmax,\n self.ymax))\n",
"role": "user"
},
{
"content": "bbox",... |
def x(web3, **kwargs):
allowable_delay = datetime.timedelta(**kwargs).total_seconds()
def x(func):
def x(*args, assertfresh=True, **kwargs):
if assertfresh:
last_block = web3.eth.getBlock('latest')
if not isfresh(last_block, allowable_delay):
raise StaleBlockchain(last_block, allowable_delay)
return func(*args, **kwargs)
return wrapper
return decorator
| stalecheck | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(web3, **kwargs):\n allowable_delay = datetime.timedelta(**kwargs).total_seconds()\n\n def x(func):\n\n def x(*args, assertfresh=True, **kwargs):\n... |
def x(self, concurrency=1):
self.logger.debug('Scanning FS content.')
with ThreadPoolExecutor(max_workers=concurrency) as executor:
results = executor.map(self.query_vulnerabilities, self.applications())
for report in results:
application, vulnerabilities = report
vulnerabilities = list(lookup_vulnerabilities(application.version,
vulnerabilities))
if vulnerabilities:
yield VulnApp(application.name, application.version,
vulnerabilities)
| scan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, concurrency=1):\n self.logger.debug('Scanning FS content.')\n with ThreadPoolExecutor(max_workers=concurrency) as executor:\n results = exec... |
def x():
args = parse_arguments()
if args.askpass:
password = getpass.getpass('Password: ')
else:
password = None
if args.asksudopass:
sudo = True
sudo_pass = getpass.getpass('Sudo password[default ssh password]: ')
if len(sudo_pass) == 0:
sudo_pass = password
sudo_user = 'root'
else:
sudo = False
sudo_pass = None
sudo_user = None
if not args.username:
username = getpass.getuser()
else:
username = args.username
host_list = args.hosts
os.environ['ANSIBLE_HOST_KEY_CHECKING'] = 'False'
execute_ping(host_list, username, password, sudo=sudo, sudo_user=
sudo_user, sudo_pass=sudo_pass)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n args = parse_arguments()\n if args.askpass:\n password = getpass.getpass('Password: ')\n else:\n password = None\n if args.asksu... |
def x(compiler, extraflags):
lines = []
with open(os.devnull, 'r') as devnull:
cmd = [compiler, '-E']
cmd += extraflags
cmd += ['-', '-v']
p = Popen(cmd, stdin=devnull, stdout=PIPE, stderr=PIPE)
p.wait()
p.stdout.close()
lines = p.stderr.read()
lines = lines.decode('utf-8')
lines = lines.splitlines()
return lines
| compiler_preprocessor_verbose | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(compiler, extraflags):\n lines = []\n with open(os.devnull, 'r') as devnull:\n cmd = [compiler, '-E']\n cmd += extraflags\n cmd += [... |
def x(self, col):
out = pd.DataFrame(index=col.index)
out[self.col_name] = col.apply(self.get_val, axis=1)
if self.subtype == 'int':
out[self.col_name] = out[self.col_name].astype(int)
return out
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col):\n out = pd.DataFrame(index=col.index)\n out[self.col_name] = col.apply(self.get_val, axis=1)\n if self.subtype == 'int':\n out[self... |
def x(self, col):
output = pd.DataFrame(index=col.index)
output[self.col_name] = col.apply(self.safe_round, axis=1)
if self.subtype == 'int':
output[self.col_name] = output[self.col_name].astype(int)
return output
| reverse_transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col):\n output = pd.DataFrame(index=col.index)\n output[self.col_name] = col.apply(self.safe_round, axis=1)\n if self.subtype == 'int':\n ... |
def x(self, x):
try:
if self.subtype == 'integer':
return int(round(x[self.col_name]))
else:
if np.isnan(x[self.col_name]):
return self.default_val
return x[self.col_name]
except (ValueError, TypeError):
return self.default_val
| get_val | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n try:\n if self.subtype == 'integer':\n return int(round(x[self.col_name]))\n else:\n if np.isnan(x[self.col_... |
def x(self, x):
val = x[self.col_name]
if np.isposinf(val):
val = sys.maxsize
elif np.isneginf(val):
val = -sys.maxsize
if np.isnan(val):
val = self.default_val
if self.subtype == 'integer':
return int(round(val))
return val
| safe_round | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x):\n val = x[self.col_name]\n if np.isposinf(val):\n val = sys.maxsize\n elif np.isneginf(val):\n val = -sys.maxsize\n if np.i... |
def x(self, host_list=None, remote_user=None, remote_pass=None):
result, failed_hosts = self.runner.ansible_perform_operation(host_list=
host_list, remote_user=remote_user, remote_pass=remote_pass, module
='command', module_args='rados df')
parsed_result = self.rados_parse_df(result)
return parsed_result
| rados_df | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host_list=None, remote_user=None, remote_pass=None):\n result, failed_hosts = self.runner.ansible_perform_operation(host_list=\n host_list, rem... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.