source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, node: ast.NameConstant) ->Any:
self.recomputed_values[node] = node.value
return node.value
| visit_NameConstant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.NameConstant) ->Any:\n self.recomputed_values[node] = node.value\n return node.value\n",
"role": "user"
},
{
"content": "visi... |
def x(self, node: ast.Name) ->Any:
if not isinstance(node.ctx, ast.Load):
raise NotImplementedError(
'Can only compute a value of Load on a name {}, but got context: {}'
.format(node.id, node.ctx))
result = None
if node.id in self._name_to_value:
result = self._name_to_value[node.id]
if result is None and hasattr(builtins, node.id):
result = getattr(builtins, node.id)
if result is None and node.id != 'None':
return PLACEHOLDER
self.recomputed_values[node] = result
return result
| visit_Name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Name) ->Any:\n if not isinstance(node.ctx, ast.Load):\n raise NotImplementedError(\n 'Can only compute a value of Load on ... |
def x(self, node: ast.Expr) ->Any:
result = self.visit(node=node.value)
self.recomputed_values[node] = result
return result
| visit_Expr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Expr) ->Any:\n result = self.visit(node=node.value)\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
}... |
def x(self, node: ast.UnaryOp) ->Any:
if isinstance(node.op, ast.UAdd):
result = +self.visit(node=node.operand)
elif isinstance(node.op, ast.USub):
result = -self.visit(node=node.operand)
elif isinstance(node.op, ast.Not):
result = not self.visit(node=node.operand)
elif isinstance(node.op, ast.Invert):
result = ~self.visit(node=node.operand)
else:
raise NotImplementedError('Unhandled op of {}: {}'.format(node,
node.op))
self.recomputed_values[node] = result
return result
| visit_UnaryOp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.UnaryOp) ->Any:\n if isinstance(node.op, ast.UAdd):\n result = +self.visit(node=node.operand)\n elif isinstance(node.op, ast.USub)... |
def x(self, node: ast.BinOp) ->Any:
left = self.visit(node=node.left)
right = self.visit(node=node.right)
if isinstance(node.op, ast.Add):
result = left + right
elif isinstance(node.op, ast.Sub):
result = left - right
elif isinstance(node.op, ast.Mult):
result = left * right
elif isinstance(node.op, ast.Div):
result = left / right
elif isinstance(node.op, ast.FloorDiv):
result = left // right
elif isinstance(node.op, ast.Mod):
result = left % right
elif isinstance(node.op, ast.Pow):
result = left ** right
elif isinstance(node.op, ast.LShift):
result = left << right
elif isinstance(node.op, ast.RShift):
result = left >> right
elif isinstance(node.op, ast.BitOr):
result = left | right
elif isinstance(node.op, ast.BitXor):
result = left ^ right
elif isinstance(node.op, ast.BitAnd):
result = left & right
elif isinstance(node.op, ast.MatMult):
result = left @ right
else:
raise NotImplementedError('Unhandled op of {}: {}'.format(node,
node.op))
self.recomputed_values[node] = result
return result
| visit_BinOp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.BinOp) ->Any:\n left = self.visit(node=node.left)\n right = self.visit(node=node.right)\n if isinstance(node.op, ast.Add):\n re... |
def x(self, node: ast.BoolOp) ->Any:
values = [self.visit(value_node) for value_node in node.values]
if isinstance(node.op, ast.And):
result = functools.reduce(lambda left, right: left and right,
values, True)
elif isinstance(node.op, ast.Or):
result = functools.reduce(lambda left, right: left or right, values,
True)
else:
raise NotImplementedError('Unhandled op of {}: {}'.format(node,
node.op))
self.recomputed_values[node] = result
return result
| visit_BoolOp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.BoolOp) ->Any:\n values = [self.visit(value_node) for value_node in node.values]\n if isinstance(node.op, ast.And):\n result = fun... |
def x(self, node: ast.Compare) ->Any:
left = self.visit(node=node.left)
comparators = [self.visit(node=comparator) for comparator in node.
comparators]
result = None
for comparator, op in zip(comparators, node.ops):
if isinstance(op, ast.Eq):
comparison = left == comparator
elif isinstance(op, ast.NotEq):
comparison = left != comparator
elif isinstance(op, ast.Lt):
comparison = left < comparator
elif isinstance(op, ast.LtE):
comparison = left <= comparator
elif isinstance(op, ast.Gt):
comparison = left > comparator
elif isinstance(op, ast.GtE):
comparison = left >= comparator
elif isinstance(op, ast.Is):
comparison = left is comparator
elif isinstance(op, ast.IsNot):
comparison = left is not comparator
elif isinstance(op, ast.In):
comparison = left in comparator
elif isinstance(op, ast.NotIn):
comparison = left not in comparator
else:
raise NotImplementedError('Unhandled op of {}: {}'.format(node, op)
)
if result is None:
result = comparison
else:
result = result and comparison
left = comparator
self.recomputed_values[node] = result
return result
| visit_Compare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Compare) ->Any:\n left = self.visit(node=node.left)\n comparators = [self.visit(node=comparator) for comparator in node.\n compara... |
def x(self, node: ast.Call) ->Any:
func = self.visit(node=node.func)
args = []
for arg_node in node.args:
if isinstance(arg_node, ast.Starred):
args.extend(self.visit(node=arg_node))
else:
args.append(self.visit(node=arg_node))
kwargs = dict()
for keyword in node.keywords:
if keyword.arg is None:
kw = self.visit(node=keyword.value)
for key, val in kw.items():
kwargs[key] = val
else:
kwargs[keyword.arg] = self.visit(node=keyword.value)
result = func(*args, **kwargs)
self.recomputed_values[node] = result
return result
| visit_Call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Call) ->Any:\n func = self.visit(node=node.func)\n args = []\n for arg_node in node.args:\n if isinstance(arg_node, ast.Starred... |
def x(self, node: ast.IfExp) ->Any:
test = self.visit(node=node.test)
if test:
result = self.visit(node=node.body)
else:
result = self.visit(node=node.orelse)
self.recomputed_values[node] = result
return result
| visit_IfExp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.IfExp) ->Any:\n test = self.visit(node=node.test)\n if test:\n result = self.visit(node=node.body)\n else:\n result = se... |
def x(self, node: ast.Attribute) ->Any:
value = self.visit(node=node.value)
if not isinstance(node.ctx, ast.Load):
raise NotImplementedError(
'Can only compute a value of Load on the attribute {}, but got context: {}'
.format(node.attr, node.ctx))
result = getattr(value, node.attr)
self.recomputed_values[node] = result
return result
| visit_Attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Attribute) ->Any:\n value = self.visit(node=node.value)\n if not isinstance(node.ctx, ast.Load):\n raise NotImplementedError(\n ... |
def x(self, node: ast.Index) ->Any:
result = self.visit(node=node.value)
self.recomputed_values[node] = result
return result
| visit_Index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Index) ->Any:\n result = self.visit(node=node.value)\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
... |
def x(self, node: ast.Slice) ->slice:
lower = None
if node.lower is not None:
lower = self.visit(node=node.lower)
upper = None
if node.upper is not None:
upper = self.visit(node=node.upper)
step = None
if node.step is not None:
step = self.visit(node=node.step)
result = slice(lower, upper, step)
self.recomputed_values[node] = result
return result
| visit_Slice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Slice) ->slice:\n lower = None\n if node.lower is not None:\n lower = self.visit(node=node.lower)\n upper = None\n if node.u... |
def x(self, node: ast.ExtSlice) ->Tuple[Any, ...]:
result = tuple(self.visit(node=dim) for dim in node.dims)
self.recomputed_values[node] = result
return result
| visit_ExtSlice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.ExtSlice) ->Tuple[Any, ...]:\n result = tuple(self.visit(node=dim) for dim in node.dims)\n self.recomputed_values[node] = result\n ret... |
def x(self, node: ast.Subscript) ->Any:
value = self.visit(node=node.value)
a_slice = self.visit(node=node.slice)
result = value[a_slice]
self.recomputed_values[node] = result
return result
| visit_Subscript | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Subscript) ->Any:\n value = self.visit(node=node.value)\n a_slice = self.visit(node=node.slice)\n result = value[a_slice]\n self.re... |
def x(self, node: Union[ast.ListComp, ast.SetComp, ast.GeneratorExp, ast.
DictComp]) ->Any:
args = [ast.arg(arg=name) for name in sorted(self._name_to_value.keys())]
func_def_node = ast.FunctionDef(name='generator_expr', args=ast.
arguments(args=args, kwonlyargs=[], kw_defaults=[], defaults=[]),
decorator_list=[], body=[ast.Return(node)])
module_node = ast.Module(body=[func_def_node])
ast.fix_missing_locations(module_node)
code = compile(source=module_node, filename='<ast>', mode='exec')
module_locals = {}
module_globals = {}
exec(code, module_globals, module_locals)
generator_expr_func = module_locals['generator_expr']
return generator_expr_func(**self._name_to_value)
| execute_comprehension | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: Union[ast.ListComp, ast.SetComp, ast.GeneratorExp, ast.\n DictComp]) ->Any:\n args = [ast.arg(arg=name) for name in sorted(self._name_to_valu... |
def x(self, node: ast.GeneratorExp) ->Any:
result = self._execute_comprehension(node=node)
for generator in node.generators:
self.visit(generator.iter)
return result
| visit_GeneratorExp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.GeneratorExp) ->Any:\n result = self._execute_comprehension(node=node)\n for generator in node.generators:\n self.visit(generator.... |
def x(self, node: ast.ListComp) ->Any:
result = self._execute_comprehension(node=node)
for generator in node.generators:
self.visit(generator.iter)
self.recomputed_values[node] = result
return result
| visit_ListComp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.ListComp) ->Any:\n result = self._execute_comprehension(node=node)\n for generator in node.generators:\n self.visit(generator.iter... |
def x(self, node: ast.SetComp) ->Any:
result = self._execute_comprehension(node=node)
for generator in node.generators:
self.visit(generator.iter)
self.recomputed_values[node] = result
return result
| visit_SetComp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.SetComp) ->Any:\n result = self._execute_comprehension(node=node)\n for generator in node.generators:\n self.visit(generator.iter)... |
def x(self, node: ast.DictComp) ->Any:
result = self._execute_comprehension(node=node)
for generator in node.generators:
self.visit(generator.iter)
self.recomputed_values[node] = result
return result
| visit_DictComp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.DictComp) ->Any:\n result = self._execute_comprehension(node=node)\n for generator in node.generators:\n self.visit(generator.iter... |
def x(self, node: ast.Return) ->Any:
raise AssertionError('Unexpected return node during the re-computation: {}'
.format(ast.dump(node)))
| visit_Return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Return) ->Any:\n raise AssertionError('Unexpected return node during the re-computation: {}'\n .format(ast.dump(node)))\n",
"role... |
def x(self, node: ast.AST) ->None:
raise NotImplementedError('Unhandled recomputation of the node: {} {}'.
format(type(node), node))
| generic_visit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.AST) ->None:\n raise NotImplementedError('Unhandled recomputation of the node: {} {}'.\n format(type(node), node))\n",
"role": "u... |
def x(string):
string = six.text_type(string)
return re.findall(WORD_TOKENIZATION_RULES, string)
| tokenize_words | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n string = six.text_type(string)\n return re.findall(WORD_TOKENIZATION_RULES, string)\n",
"role": "user"
},
{
"content": "tokenize_w... |
def x(string):
string = six.text_type(string)
spans = []
for match in re.finditer('[^\\s]+', string):
spans.append(match)
spans_count = len(spans)
rez = []
off = 0
for i in range(spans_count):
tok = string[spans[i].start():spans[i].end()]
if i == spans_count - 1:
rez.append(string[off:spans[i].end()])
elif tok[-1] in ['.', '!', '?', '…', '»']:
tok1 = tok[re.search('[.!?…»]', tok).start() - 1]
next_tok = string[spans[i + 1].start():spans[i + 1].end()]
if next_tok[0].isupper() and not tok1.isupper() and not (tok[-1
] != '.' or tok1[0] == '(' or tok in ABBRS):
rez.append(string[off:spans[i].end()])
off = spans[i + 1].start()
return rez
| tokenize_sents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n string = six.text_type(string)\n spans = []\n for match in re.finditer('[^\\\\s]+', string):\n spans.append(match)\n spans_count ... |
def x(string):
string = six.text_type(string)
rez = []
for part in string.split('\n'):
par = []
for sent in tokenize_sents(part):
par.append(tokenize_words(sent))
if par:
rez.append(par)
return rez
| tokenize_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n string = six.text_type(string)\n rez = []\n for part in string.split('\\n'):\n par = []\n for sent in tokenize_sents(part):\n... |
def x(self, graph, collation):
first_witness = collation.witnesses[0]
tokens = first_witness.tokens()
token_to_vertex = self.merge(graph, first_witness.sigil, tokens)
self.scorer.prepare_witness(first_witness)
superbase = tokens
for x in range(1, len(collation.witnesses)):
next_witness = collation.witnesses[x]
self.scorer.prepare_witness(next_witness)
alignment = self.align_function(superbase, next_witness,
token_to_vertex)
token_to_vertex.update(self.merge(graph, next_witness.sigil,
next_witness.tokens(), alignment))
superbase = self.new_superbase
if self.debug_scores:
self._debug_edit_graph_table(self.table)
| collate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph, collation):\n first_witness = collation.witnesses[0]\n tokens = first_witness.tokens()\n token_to_vertex = self.merge(graph, first_witnes... |
def x(self):
tokens_a = self.witness_a.tokens()
tokens_b = self.witness_b.tokens()
start = DecisionTreeNode(self)
result = self.tree.search(start)
print(result)
pass
| align | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tokens_a = self.witness_a.tokens()\n tokens_b = self.witness_b.tokens()\n start = DecisionTreeNode(self)\n result = self.tree.search(start... |
def x(self, source, target, witnesses):
if self.graph.has_edge(source, target):
self.graph[source][target]['label'] += ', ' + str(witnesses)
else:
self.graph.add_edge(source, target, label=witnesses)
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, target, witnesses):\n if self.graph.has_edge(source, target):\n self.graph[source][target]['label'] += ', ' + str(witnesses)\n else:... |
def x(self, source, target, weight):
self.near_graph.add_edge(source, target, weight=weight, type='near')
| connect_near | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, target, weight):\n self.near_graph.add_edge(source, target, weight=weight, type='near')\n",
"role": "user"
},
{
"content": "connec... |
def x(self, graph, witness_sigil, witness_tokens, alignments={}):
token_to_vertex = {}
last = graph.start
for token in witness_tokens:
vertex = alignments.get(token, None)
if not vertex:
vertex = graph.add_vertex(token, witness_sigil)
token_to_vertex[token] = vertex
else:
vertex.add_token(witness_sigil, token)
graph.connect(last, vertex, witness_sigil)
last = vertex
graph.connect(last, graph.end, witness_sigil)
return token_to_vertex
| merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph, witness_sigil, witness_tokens, alignments={}):\n token_to_vertex = {}\n last = graph.start\n for token in witness_tokens:\n vertex... |
def x(self, graph):
self.token_index.prepare()
self.vertex_array = [None] * len(self.token_index.token_array)
first_witness = self.collation.witnesses[0]
tokens = first_witness.tokens()
token_to_vertex = self.merge(graph, first_witness.sigil, tokens)
self.update_token_position_to_vertex(token_to_vertex)
self.update_token_to_vertex_array(tokens, first_witness, self.
token_position_to_vertex)
for x in range(1, len(self.collation.witnesses)):
witness = self.collation.witnesses[x]
tokens = witness.tokens()
variant_graph_ranking = VariantGraphRanking.of(graph)
variant_graph_ranks = list(set(map(lambda v: variant_graph_ranking.
byVertex.get(v), graph.vertices())))
variant_graph_ranks.pop()
tokens_as_index_list = self.as_index_list(tokens)
match_cube = MatchCube(self.token_index, witness, self.vertex_array,
variant_graph_ranking, self.properties_filter)
self.fill_needleman_wunsch_table(variant_graph_ranks,
tokens_as_index_list, match_cube)
aligned = self.align_matching_tokens(match_cube)
witness_token_to_generated_vertex = self.merge(graph, witness.sigil,
witness.tokens(), aligned)
token_to_vertex.update(witness_token_to_generated_vertex)
self.update_token_position_to_vertex(token_to_vertex, aligned)
witness_token_position_to_vertex = {}
for p in self.token_index.get_range_for_witness(witness.sigil):
witness_token_position_to_vertex[p
] = self.token_position_to_vertex[p]
self.update_token_to_vertex_array(tokens, witness,
witness_token_position_to_vertex)
if self.detect_transpositions:
detector = TranspositionDetection(self)
detector.detect()
| collate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, graph):\n self.token_index.prepare()\n self.vertex_array = [None] * len(self.token_index.token_array)\n first_witness = self.collation.witnesses... |
def x(self, pattern):
if pattern.find(',') < 0:
subranges = [pattern]
else:
subranges = pattern.split(',')
for subrange in subranges:
if subrange.find('/') < 0:
step = 1
baserange = subrange
else:
baserange, step = subrange.split('/', 1)
try:
step = int(step)
except ValueError:
raise RangeSetParseError(subrange,
'cannot convert string to integer')
if baserange.find('-') < 0:
if step != 1:
raise RangeSetParseError(subrange, 'invalid step usage')
begin = end = baserange
else:
begin, end = baserange.split('-', 1)
try:
pad = 0
if int(begin) != 0:
begins = begin.lstrip('0')
if len(begin) - len(begins) > 0:
pad = len(begin)
start = int(begins)
else:
if len(begin) > 1:
pad = len(begin)
start = 0
if int(end) != 0:
ends = end.lstrip('0')
else:
ends = end
stop = int(ends)
except ValueError:
raise RangeSetParseError(subrange,
'cannot convert string to integer')
if stop > 1e+100 or start > stop or step < 1:
raise RangeSetParseError(subrange, 'invalid values in range')
self.add_range(start, stop + 1, step, pad)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n if pattern.find(',') < 0:\n subranges = [pattern]\n else:\n subranges = pattern.split(',')\n for subrange in subranges... |
def x(cls, rnglist, autostep=None):
inst = RangeSet(autostep=autostep)
inst.updaten(rnglist)
return inst
| fromlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, rnglist, autostep=None):\n inst = RangeSet(autostep=autostep)\n inst.updaten(rnglist)\n return inst\n",
"role": "user"
},
{
"content"... |
def x(cls, index, pad=0, autostep=None):
inst = RangeSet(autostep=autostep)
try:
inst.add(index, pad)
except TypeError:
if not index.stop:
raise ValueError('Invalid range upper limit (%s)' % index.stop)
inst.add_range(index.start or 0, index.stop, index.step or 1, pad)
return inst
| fromone | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, index, pad=0, autostep=None):\n inst = RangeSet(autostep=autostep)\n try:\n inst.add(index, pad)\n except TypeError:\n if not index... |
def x(self, val):
if val is None:
self._autostep = 1e+100
else:
self._autostep = int(val) - 1
| set_autostep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val):\n if val is None:\n self._autostep = 1e+100\n else:\n self._autostep = int(val) - 1\n",
"role": "user"
},
{
"conten... |
def x(self):
pad = self.padding or 0
for i in self._sorted():
yield '%0*d' % (pad, i)
| striter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pad = self.padding or 0\n for i in self._sorted():\n yield '%0*d' % (pad, i)\n",
"role": "user"
},
{
"content": "striter",
... |
def x(self):
pad = self.padding or 0
for sli in self._contiguous_slices():
yield RangeSet.fromone(slice(sli.start, sli.stop, sli.step), pad)
| contiguous | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pad = self.padding or 0\n for sli in self._contiguous_slices():\n yield RangeSet.fromone(slice(sli.start, sli.stop, sli.step), pad)\n",
... |
def x(self):
pad = self.padding or 0
for sli in self.slices():
if sli.start + 1 == sli.stop:
yield '%0*d' % (pad, sli.start)
else:
assert sli.step >= 0, 'Internal error: sli.step < 0'
if sli.step == 1:
yield '%0*d-%0*d' % (pad, sli.start, pad, sli.stop - 1)
else:
yield '%0*d-%0*d/%d' % (pad, sli.start, pad, sli.stop - 1,
sli.step)
| strslices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pad = self.padding or 0\n for sli in self.slices():\n if sli.start + 1 == sli.stop:\n yield '%0*d' % (pad, sli.start)\n ... |
def x(self):
k = j = None
for i in self._sorted():
if k is None:
k = j = i
if i - j > 1:
yield slice(k, j + 1, 1)
k = i
j = i
if k is not None:
yield slice(k, j + 1, 1)
| contiguous_slices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n k = j = None\n for i in self._sorted():\n if k is None:\n k = j = i\n if i - j > 1:\n yield slice(k, j + 1, ... |
def x(self):
if len(self) == 0:
return
prng = None
istart = None
m = 0
for sli in self._contiguous_slices():
start = sli.start
stop = sli.stop
unitary = start + 1 == stop
if istart is None:
if unitary:
istart = start
else:
prng = [start, stop, 1]
istart = stop - 1
i = k = istart
elif m == 0:
if not unitary:
if prng is not None:
yield slice(*prng)
else:
yield slice(istart, istart + 1, 1)
prng = [start, stop, 1]
istart = k = stop - 1
continue
i = start
else:
assert m > 0
i = start
if m != i - k or not unitary:
if m == i - k:
j = i
else:
j = k
stepped = j - istart >= self._autostep * m
if prng:
if stepped:
prng[1] -= 1
else:
istart += m
yield slice(*prng)
prng = None
if m != i - k:
if stepped:
yield slice(istart, k + 1, m)
else:
for j in range(istart, k - m + 1, m):
yield slice(j, j + 1, 1)
if not unitary:
yield slice(k, k + 1, 1)
if unitary:
if stepped:
istart = i = k = start
else:
istart = k
else:
prng = [start, stop, 1]
istart = i = k = stop - 1
elif not unitary:
if stepped:
yield slice(istart, i + 1, m)
i += 1
else:
for j in range(istart, i - m + 1, m):
yield slice(j, j + 1, 1)
if stop > i + 1:
prng = [i, stop, 1]
istart = i = k = stop - 1
m = i - k
k = i
if m == 0:
if prng:
yield slice(*prng)
else:
yield slice(istart, istart + 1, 1)
else:
assert m > 0
stepped = k - istart >= self._autostep * m
if prng:
if stepped:
prng[1] -= 1
else:
istart += m
yield slice(*prng)
prng = None
if stepped:
yield slice(istart, i + 1, m)
else:
for j in range(istart, i + 1, m):
yield slice(j, j + 1, 1)
| folded_slices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self) == 0:\n return\n prng = None\n istart = None\n m = 0\n for sli in self._contiguous_slices():\n start = sli.s... |
def x(self, nbr):
assert nbr > 0
slice_size = len(self) / nbr
left = len(self) % nbr
begin = 0
for i in range(0, min(nbr, len(self))):
length = slice_size + int(i < left)
yield self[begin:begin + length]
begin += length
| split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nbr):\n assert nbr > 0\n slice_size = len(self) / nbr\n left = len(self) % nbr\n begin = 0\n for i in range(0, min(nbr, len(self))):\n ... |
def x(self, start, stop, step=1, pad=0):
assert start < stop, 'please provide ordered node index ranges'
assert step > 0
assert pad >= 0
assert stop - start < 1000000000.0, 'range too large'
if pad > 0 and self.padding is None:
self.padding = pad
set.update(self, range(start, stop, step))
| add_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, stop, step=1, pad=0):\n assert start < stop, 'please provide ordered node index ranges'\n assert step > 0\n assert pad >= 0\n assert s... |
def x(self):
cpy = self.__class__()
cpy._autostep = self._autostep
cpy.padding = self.padding
cpy.update(self)
return cpy
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cpy = self.__class__()\n cpy._autostep = self._autostep\n cpy.padding = self.padding\n cpy.update(self)\n return cpy\n",
"role": "u... |
def x(self, fun, arg):
result = fun(self, arg)
result._autostep = self._autostep
result.padding = self.padding
return result
| wrap_set_op | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fun, arg):\n result = fun(self, arg)\n result._autostep = self._autostep\n result.padding = self.padding\n return result\n",
"role": "use... |
def x(self, other):
copy = self.copy()
copy.intersection_update(other)
return copy
| intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n copy = self.copy()\n copy.intersection_update(other)\n return copy\n",
"role": "user"
},
{
"content": "intersection",
... |
def x(self, other):
copy = self.copy()
copy.difference_update(other)
return copy
| difference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n copy = self.copy()\n copy.difference_update(other)\n return copy\n",
"role": "user"
},
{
"content": "difference",
"rol... |
def x(self, other):
self._binary_sanity_check(other)
return set.issubset(self, other)
| issubset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n self._binary_sanity_check(other)\n return set.issubset(self, other)\n",
"role": "user"
},
{
"content": "issubset",
"role"... |
def x(self, other):
self._binary_sanity_check(other)
return set.issuperset(self, other)
| issuperset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n self._binary_sanity_check(other)\n return set.issuperset(self, other)\n",
"role": "user"
},
{
"content": "issuperset",
"r... |
def x(self, other, strict=False):
if strict and other not in self:
raise KeyError(other.difference(self)[0])
set.difference_update(self, other)
| difference_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, strict=False):\n if strict and other not in self:\n raise KeyError(other.difference(self)[0])\n set.difference_update(self, other)\n"... |
def x(self, iterable):
if isinstance(iterable, RangeSet):
if self.padding is None and iterable.padding is not None:
self.padding = iterable.padding
assert type(iterable) is not str
set.update(self, iterable)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iterable):\n if isinstance(iterable, RangeSet):\n if self.padding is None and iterable.padding is not None:\n self.padding = iterabl... |
def x(self, rangesets):
for rng in rangesets:
if isinstance(rng, set):
self.update(rng)
else:
self.update(RangeSet(rng))
| updaten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rangesets):\n for rng in rangesets:\n if isinstance(rng, set):\n self.update(rng)\n else:\n self.update(RangeSet(r... |
def x(self, element, pad=0):
set.add(self, int(element))
if pad > 0 and self.padding is None:
self.padding = pad
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, pad=0):\n set.add(self, int(element))\n if pad > 0 and self.padding is None:\n self.padding = pad\n",
"role": "user"
},
{
... |
def x(self, element):
try:
i = int(element)
set.discard(self, i)
except ValueError:
pass
| discard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element):\n try:\n i = int(element)\n set.discard(self, i)\n except ValueError:\n pass\n",
"role": "user"
},
{
"co... |
def x(filename, mode='r'):
if filename.endswith('.gz'):
return GzipFile(filename, mode, COMPRESSION_LEVEL)
elif filename == '-':
if mode == 'r':
return _stdin
elif mode == 'w':
return _stdout
else:
return open(filename, mode=mode)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, mode='r'):\n if filename.endswith('.gz'):\n return GzipFile(filename, mode, COMPRESSION_LEVEL)\n elif filename == '-':\n if mode ... |
def x(a, b, r, n, K):
c = _array('i', [0] * (K + 1))
for i in range(n):
c[r[a[i]]] += 1
sum = 0
for i in range(K + 1):
t = c[i]
c[i] = sum
sum += t
for a_i in a[:n]:
b[c[r[a_i]]] = a_i
c[r[a_i]] += 1
| radixPass | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, r, n, K):\n c = _array('i', [0] * (K + 1))\n for i in range(n):\n c[r[a[i]]] += 1\n sum = 0\n for i in range(K + 1):\n t = c[i]... |
def x(n):
if n < 2:
return 0
else:
n0 = (n + 2) // 3
n02 = n0 + n // 3
return 3 * n02 + n0 + _nbOperations(n02)
| nbOperations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n):\n if n < 2:\n return 0\n else:\n n0 = (n + 2) // 3\n n02 = n0 + n // 3\n return 3 * n02 + n0 + _nbOperations(n02)\n",
... |
def x(s, SA, n, K, operations, totalOperations):
if _trace:
_traceSuffixArray(operations, totalOperations)
n0 = (n + 2) // 3
n1 = (n + 1) // 3
n2 = n // 3
n02 = n0 + n2
SA12 = _array('i', [0] * (n02 + 3))
SA0 = _array('i', [0] * n0)
s0 = _array('i', [0] * n0)
s12 = _array('i', [i for i in range(n + (n0 - n1)) if i % 3])
s12.extend([0] * 3)
_radixPass(s12, SA12, s[2:], n02, K)
if _trace:
operations += n02
_traceSuffixArray(operations, totalOperations)
_radixPass(SA12, s12, s[1:], n02, K)
if _trace:
operations += n02
_traceSuffixArray(operations, totalOperations)
_radixPass(s12, SA12, s, n02, K)
if _trace:
operations += n02
_traceSuffixArray(operations, totalOperations)
name = 0
c = _array('i', [-1] * 3)
for i in range(n02):
cSA12 = s[SA12[i]:SA12[i] + 3]
if cSA12 != c:
name += 1
c = cSA12
if SA12[i] % 3 == 1:
s12[SA12[i] // 3] = name
else:
s12[SA12[i] // 3 + n0] = name
if name < n02:
operations = _suffixArrayWithTrace(s12, SA12, n02, name + 1,
operations, totalOperations)
if _trace:
_traceSuffixArray(operations, totalOperations)
for i, SA12_i in enumerate(SA12[:n02]):
s12[SA12_i] = i + 1
else:
if _trace:
operations += _nbOperations(n02)
_traceSuffixArray(operations, totalOperations)
for i, s12_i in enumerate(s12[:n02]):
SA12[s12_i - 1] = i
j = 0
for SA12_i in SA12[:n02]:
if SA12_i < n0:
s0[j] = 3 * SA12_i
j += 1
_radixPass(s0, SA0, s, n0, K)
if _trace:
operations += n0
_traceSuffixArray(operations, totalOperations)
p = j = k = 0
t = n0 - n1
while k < n:
if SA12[t] < n0:
i = SA12[t] * 3 + 1
else:
i = (SA12[t] - n0) * 3 + 2
j = SA0[p]
if SA12[t] < n0:
bool = (s[i], s12[SA12[t] + n0]) <= (s[j], s12[int(j / 3)])
else:
bool = (s[i], s[i + 1], s12[SA12[t] - n0 + 1]) <= (s[j], s[j +
1], s12[int(j / 3) + n0])
if bool:
SA[k] = i
t += 1
if t == n02:
k += 1
while p < n0:
SA[k] = SA0[p]
p += 1
k += 1
else:
SA[k] = j
p += 1
if p == n0:
k += 1
while t < n02:
if SA12[t] < n0:
SA[k] = SA12[t] * 3 + 1
else:
SA[k] = (SA12[t] - n0) * 3 + 2
t += 1
k += 1
k += 1
return operations
| suffixArrayWithTrace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, SA, n, K, operations, totalOperations):\n if _trace:\n _traceSuffixArray(operations, totalOperations)\n n0 = (n + 2) // 3\n n1 = (n + 1) // ... |
def x(seq1, seq2, start1=0, start2=0):
len1 = len(seq1) - start1
len2 = len(seq2) - start2
if len1 < len2:
seq1, seq2 = seq2, seq1
start1, start2 = start2, start1
len1, len2 = len2, len1
if len2 == 0:
return 0
i = 0
pos2 = start2
for i in range(min(len1, len2)):
if seq1[start1 + i] != seq2[start2 + i]:
return i
return i + 1
| longestCommonPrefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2, start1=0, start2=0):\n len1 = len(seq1) - start1\n len2 = len(seq2) - start2\n if len1 < len2:\n seq1, seq2 = seq2, seq1\n s... |
def x(SA):
string = SA.string
length = SA.length
lcps = _array('i', [0] * length)
SA = SA.SA
if _trace:
delta = max(length // 100, 1)
for i, pos in enumerate(SA):
if i % delta == 0:
percent = float((i + 1) * 100) / length
print >> _stderr, 'Compute_LCP %.2f%% (%i/%i)\r' % (percent,
i + 1, length)
lcps[i] = _longestCommonPrefix(string, string, SA[i - 1], pos)
else:
for i, pos in enumerate(SA):
lcps[i] = _longestCommonPrefix(string, string, SA[i - 1], pos)
if _trace:
print >> _stderr, 'Compute_LCP %.2f%% (%i/%i)\r' % (100.0, length,
length)
if lcps:
lcps[0] = 0
return lcps
| LCP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(SA):\n string = SA.string\n length = SA.length\n lcps = _array('i', [0] * length)\n SA = SA.SA\n if _trace:\n delta = max(length // 100, ... |
def x():
parser = OptionParser()
parser.usage = """ cat <TEXT> | %prog [--unit <UNIT>] [--output <SA_FILE>]
Create the suffix array of TEXT with the processing UNIT and optionally store it in SA_FILE for subsequent use.
UNIT may be set to 'byte', 'character' (given an encoding with the --encoding option) or 'word', which is the default.
"""
parser.add_option('-i', '--input', action='store', type='string', dest=
'input', default=False, help=
"Path of the file containing the input text. When '-' is given, read the standard input (default). If the path ends with '.gz', reads the decompressed file."
)
parser.add_option('-o', '--output', action='store', type='string', dest
='output', default=False, help=
"Store the suffix array of the input to the file OUTPUT. When '-' is given, writes to the standard output. If the filename ends with '.gz', the suffix array will be stored compressed."
)
parser.add_option('', '--load', action='store', type='string', dest=
'SAFile', default=False, help=
'Load a suffix array from SAFILE, this option and --input are mutually exclusive.'
)
parser.add_option('-u', '--unit', action='store', type='string', dest=
'unit', default=DEFAULT_UNIT_STR, help=
'Processing unit used for the creation of the suffix array.' +
'Possible values are "byte", "character" and "word". Default is "%s".'
% DEFAULT_UNIT_STR +
'This option is ignored when the suffix array is loaded from SAFILE.' +
'For characters, the input is decoded according to the encoding set via the option --encoding.'
)
parser.add_option('-e', '--encoding', action='store', type='string',
dest='encoding', default=DEFAULT_ENCODING, help=
"Encoding of the input. This information is required only when processing characters. Default is '%s'."
% DEFAULT_ENCODING)
parser.add_option('-p', '--print', action='store_true', dest='printSA',
default=False, help=
'Prints the suffix array in a human readable format to the standard error output.'
)
parser.add_option('', '--verbose', action='store_true', dest='verbose',
default=False, help='Prints more information.')
parser.add_option('', '--no-lcps', action='store_true', dest='noLCPs',
default=False, help=
'Switch off the computation of LCPs. By doing so, the find functions are unusable.'
)
options, args = parser.parse_args(_argv)
strings = args[1:]
return options, strings
| parseArgv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = OptionParser()\n parser.usage = \"\"\" cat <TEXT> | %prog [--unit <UNIT>] [--output <SA_FILE>]\n\nCreate the suffix array of TEXT with the ... |
def x():
options, strings = parseArgv()
global _suffixArray, _trace
_trace = options.verbose
if options.unit == 'byte':
options.unit = UNIT_BYTE
elif options.unit == 'character':
options.unit = UNIT_CHARACTER
elif options.unit == 'word':
options.unit = UNIT_WORD
else:
print >> _stderr, 'Please specify a valid unit type.'
exit(EXIT_BAD_OPTION)
if not options.SAFile:
if not options.input:
options.input = '-'
try:
string = _open(options.input, 'r').read()
except IOError:
print >> _stderr, 'File %s does not exist.' % options.input
exit(EXIT_ERROR_FILE)
SA = SuffixArray(string, options.unit, options.encoding, options.noLCPs
)
elif not options.input and options.SAFile:
try:
SA = SuffixArray.fromFile(options.SAFile)
except IOError:
print >> _stderr, 'SA_FILE %s does not exist.' % options.SAFile
exit(EXIT_ERROR_FILE)
else:
print >> _stderr, 'Please set only one option amongst --input and --load.\n' + 'Type %s --help for more details.' % _argv[
0]
exit(EXIT_BAD_OPTION)
if options.printSA:
deltaLength = 1000
start = 0
while start < SA.length:
print >> _stderr, SA.__str__(start, start + deltaLength)
start += deltaLength
for string in strings:
print >> _stderr, ''
print >> _stderr, 'Positions of %s:' % string
print >> _stderr, ' %s' % list(SA.find(string))
if options.output:
SA.toFile(options.output)
if _trace:
print >> _stderr, 'Done\r\n'
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n options, strings = parseArgv()\n global _suffixArray, _trace\n _trace = options.verbose\n if options.unit == 'byte':\n options.unit = U... |
def x(self, callback, default=None, name=None):
if name is None:
featureName = callback.__name__
else:
featureName = name
featureValues = callback(self)
setattr(self, '_%s_values' % featureName, featureValues)
setattr(self, '%s_default' % featureName, default)
self.features.append(featureName)
def x(substring):
res = self._findOne(substring)
if res is not False:
return featureValues[res]
else:
return default
setattr(self, featureName, findFeature)
| addFeatureSA | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, default=None, name=None):\n if name is None:\n featureName = callback.__name__\n else:\n featureName = name\n featureVal... |
def x(self, callback, default=None, name=None, arguments=None):
if name is None:
featureName = callback.__name__
else:
featureName = name
if arguments is None:
signature = getargspec(callback)[0]
else:
signature = arguments
featureValues = [default] * self.length
args = [getattr(self, '_%s_values' % featName) for featName in signature]
for i, pos in enumerate(self.SA):
arg = [j[i] for j in args]
featureValues[i] = callback(*arg)
setattr(self, '_%s_values' % featureName, featureValues)
setattr(self, '%s_default' % featureName, default)
self.features.append(featureName)
def x(substring):
res = self._findOne(substring)
if res:
return featureValues[res]
else:
return default
setattr(self, featureName, findFeature)
| addFeature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, default=None, name=None, arguments=None):\n if name is None:\n featureName = callback.__name__\n else:\n featureName = name... |
def x(self, string):
if self.unit == UNIT_WORD:
return [token for token in string.replace('\n', ' \n ').split(self.
tokSep) if token != '']
elif self.unit == UNIT_CHARACTER:
return string.decode(self.encoding)
else:
return string
| tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n if self.unit == UNIT_WORD:\n return [token for token in string.replace('\\n', ' \\n ').split(self.\n tokSep) if token != ... |
def x(self, string, length):
if isinstance(string, int):
length = min(length, self.length - string)
string = self.string[string:string + length]
voc = self.voc
res = self.tokSep.join(voc[id] for id in string[:length])
if self.unit == UNIT_WORD:
res = res.replace(' \n', '\n')
res = res.replace('\n ', '\n')
if self.unit == UNIT_CHARACTER:
res = res.encode(self.encoding)
return res
| reprString | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, length):\n if isinstance(string, int):\n length = min(length, self.length - string)\n string = self.string[string:string + lengt... |
def x(self, filename):
start = _time()
fd = _open(filename, 'w')
savedData = [self.string, self.unit, self.voc, self.vocSize, self.SA,
self.features]
for featureName in self.features:
featureValues = getattr(self, '_%s_values' % featureName)
featureDefault = getattr(self, '%s_default' % featureName)
savedData.append((featureValues, featureDefault))
fd.write(_dumps(savedData, _HIGHEST_PROTOCOL))
fd.flush()
try:
self.sizeOfSavedFile = getsize(fd.name)
except OSError:
self.sizeOfSavedFile = '-1'
self.toFileTime = _time() - start
if _trace:
print >> _stderr, 'toFileTime %.2fs' % self.toFileTime
if _trace:
print >> _stderr, 'sizeOfSavedFile %sb' % self.sizeOfSavedFile
fd.close()
| toFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n start = _time()\n fd = _open(filename, 'w')\n savedData = [self.string, self.unit, self.voc, self.vocSize, self.SA,\n self.f... |
def x(cls, filename):
self = cls.__new__(cls)
start = _time()
savedData = _loads(_open(filename, 'r').read())
self.string, self.unit, self.voc, self.vocSize, self.SA, features = (
savedData[:6])
self.length = len(self.SA)
if self.unit == UNIT_WORD:
self.tokSep = ' '
elif self.unit in (UNIT_CHARACTER, UNIT_BYTE):
self.tokSep = ''
else:
raise Exception('Unknown unit type identifier:', self.unit)
self.tokId = dict((char, iChar) for iChar, char in enumerate(self.voc))
self.nbSentences = self.string.count(self.tokId.get('\n', 0))
self.features = []
for featureName, (featureValues, featureDefault) in zip(features,
savedData[6:]):
self.addFeatureSA(lambda _: featureValues, name=featureName,
default=featureDefault)
self.fromFileTime = _time() - start
if _trace:
print >> _stderr, 'fromFileTime %.2fs' % self.fromFileTime
return self
| fromFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename):\n self = cls.__new__(cls)\n start = _time()\n savedData = _loads(_open(filename, 'r').read())\n self.string, self.unit, self.voc, s... |
def x(self, subString):
SA = self.SA
LCPs = self._LCP_values
string = self.string
try:
subString = _array('i', [self.tokId[c] for c in self.tokenize(
subString)])
except KeyError:
return False
lenSubString = len(subString)
lower = 0
upper = self.length
success = False
while upper - lower > 0:
middle = (lower + upper) // 2
middleSubString = string[SA[middle]:min(SA[middle] + lenSubString,
self.length)]
if subString < middleSubString:
upper = middle
elif subString > middleSubString:
lower = middle + 1
else:
success = True
break
if not success:
return False
else:
return middle
| findOne | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subString):\n SA = self.SA\n LCPs = self._LCP_values\n string = self.string\n try:\n subString = _array('i', [self.tokId[c] for c in s... |
def x(self, subString, features=[]):
SA = self.SA
LCPs = self._LCP_values
string = self.string
middle = self._findOne(subString)
if middle is False:
return _array('i')
subString = _array('i', [self.tokId[c] for c in self.tokenize(subString)])
lenSubString = len(subString)
lower = middle
upper = middle + 1
middleLCP = LCPs[middle]
while lower > 0 and LCPs[lower] >= lenSubString:
lower -= 1
while upper < self.length and LCPs[upper] >= lenSubString:
upper += 1
res = SA[lower:upper]
if len(features) == 0:
return res
else:
features = [getattr(self, '_%s_values' % featureName) for
featureName in features]
features = [featureValues[lower:upper] for featureValues in features]
return zip(res, *features)
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subString, features=[]):\n SA = self.SA\n LCPs = self._LCP_values\n string = self.string\n middle = self._findOne(subString)\n if middle i... |
def x(s, quote=False):
if s is None:
return ''
elif hasattr(s, '__html__'):
return s.__html__()
elif not isinstance(s, basestring):
s = unicode(s)
s = s.replace('&', '&').replace('<', '<').replace('>', '>')
if quote:
s = s.replace('"', '"')
return s
| escape | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, quote=False):\n if s is None:\n return ''\n elif hasattr(s, '__html__'):\n return s.__html__()\n elif not isinstance(s, basestring):\... |
def x(self, *args, **kwargs):
if len(args) == 1 and not kwargs and isinstance(args[0], FeedEntry):
self.entries.append(args[0])
else:
kwargs['feed_url'] = self.feed_url
kwargs['timezone'] = self.timezone
self.entries.append(FeedEntry(*args, **kwargs))
| add | [
{
"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 if len(args) == 1 and not kwargs and isinstance(args[0], FeedEntry):\n self.entries.append(args[0])\n else:\n kwa... |
def x(self):
if not self.author:
if False in map(lambda e: bool(e.author), self.entries):
self.author = {'name': u'unbekannter Autor'},
if not self.updated:
dates = sorted([entry.updated for entry in self.entries])
self.updated = dates and dates[-1] or datetime.utcnow()
yield u'<?xml version="1.0" encoding="utf-8"?>\n'
yield u'<feed xmlns="http://www.w3.org/2005/Atom">\n'
yield ' ' + _make_text_block('title', self.title, self.title_type)
yield u' <id>%s</id>\n' % escape(self.id)
yield u' <updated>%s</updated>\n' % format_iso8601(self.updated, self.
timezone)
if self.url:
yield u' <link href="%s" />\n' % escape(self.url, True)
if self.feed_url:
yield u' <link href="%s" rel="self" />\n' % escape(self.feed_url, True
)
for link in self.links:
yield u' <link %s/>\n' % ''.join('%s="%s" ' % (k, escape(link[k],
True)) for k in link)
for author in self.author:
yield u' <author>\n'
yield u' <name>%s</name>\n' % escape(author['name'])
if 'uri' in author:
yield u' <uri>%s</uri>\n' % escape(author['uri'])
if 'email' in author:
yield ' <email>%s</email>\n' % escape(author['email'])
yield ' </author>\n'
if self.subtitle:
yield ' ' + _make_text_block('subtitle', self.subtitle, self.
subtitle_type)
if self.icon:
yield u' <icon>%s</icon>\n' % escape(self.icon)
if self.logo:
yield u' <logo>%s</logo>\n' % escape(self.logo)
if self.rights:
yield ' ' + _make_text_block('rights', self.rights, self.rights_type)
generator_name, generator_url, generator_version = self.generator
if generator_name or generator_url or generator_version:
tmp = [u' <generator']
if generator_url:
tmp.append(u' uri="%s"' % escape(generator_url, True))
if generator_version:
tmp.append(u' version="%s"' % escape(generator_version, True))
tmp.append(u'>%s</generator>\n' % escape(generator_name))
yield u''.join(tmp)
for entry in self.entries:
for line in entry.generate():
yield u' ' + line
yield u'</feed>\n'
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.author:\n if False in map(lambda e: bool(e.author), self.entries):\n self.author = {'name': u'unbekannter Autor'},\n ... |
def x(self):
base = ''
if self.xml_base:
base = ' xml:base="%s"' % escape(self.xml_base, True)
yield u'<entry%s>\n' % base
yield u' ' + _make_text_block('title', self.title, self.title_type)
yield u' <id>%s</id>\n' % escape(self.id)
yield u' <updated>%s</updated>\n' % format_iso8601(self.updated, self.
timezone)
if self.published:
yield u' <published>%s</published>\n' % format_iso8601(self.
published, self.timezone)
if self.url:
yield u' <link href="%s" />\n' % escape(self.url)
for author in self.author:
yield u' <author>\n'
yield u' <name>%s</name>\n' % escape(author['name'])
if 'uri' in author:
yield u' <uri>%s</uri>\n' % escape(author['uri'])
if 'email' in author:
yield u' <email>%s</email>\n' % escape(author['email'])
yield u' </author>\n'
for link in self.links:
yield u' <link %s/>\n' % ''.join('%s="%s" ' % (k, escape(link[k],
True)) for k in link)
if self.summary:
yield u' ' + _make_text_block('summary', self.summary, self.
summary_type)
if self.content:
if issubclass(self.content.__class__, dict):
if 'content' in self.content:
yield u' <content %s>%s</content>\n' % (' '.join('%s="%s"' %
(k, escape(self.content[k], True)) for k in self.
content if k != 'content'), escape(self.content['content'])
)
else:
yield u' <content %s/>\n' % ' '.join('%s="%s" ' % (k,
escape(self.content[k], True)) for k in self.content)
else:
yield u' ' + _make_text_block('content', self.content, self.
content_type)
yield u'</entry>\n'
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base = ''\n if self.xml_base:\n base = ' xml:base=\"%s\"' % escape(self.xml_base, True)\n yield u'<entry%s>\\n' % base\n yield u' ... |
def x(**new_cache_values):
def x(func):
@wraps(func)
def x(*args, **kw):
old_cache_values = {key: getattr(conf.config, key) for key in
new_cache_values}
conf.config._set_many(new_cache_values)
try:
return func(*args, **kw)
finally:
conf.config._set_many(old_cache_values)
return func_wrapper
return decorator
| override_djconfig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**new_cache_values):\n\n def x(func):\n\n @wraps(func)\n def x(*args, **kw):\n old_cache_values = {key: getattr(conf.config, key) f... |
def x(value, field):
assert isinstance(field, forms.Field)
if isinstance(field, forms.ModelMultipleChoiceField):
return json.dumps([v.pk for v in value])
if isinstance(value, models.Model):
return value.pk
return value
| serialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, field):\n assert isinstance(field, forms.Field)\n if isinstance(field, forms.ModelMultipleChoiceField):\n return json.dumps([v.pk for v in ... |
def x(package):
with io.open(os.path.join(BASE_DIR, package, '__init__.py'), encoding=
'utf-8') as fh:
return [l.split('=', 1)[1].strip().strip("'").strip('"') for l in
fh.readlines() if '__version__' in l][0]
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package):\n with io.open(os.path.join(BASE_DIR, package, '__init__.py'), encoding=\n 'utf-8') as fh:\n return [l.split('=', 1)[1].strip().stri... |
def x():
middleware = set(getattr(settings, 'MIDDLEWARE', None) or getattr(
settings, 'MIDDLEWARE_CLASSES', None) or [])
if 'djconfig.middleware.DjConfigLocMemMiddleware' in middleware:
return
if 'djconfig.middleware.DjConfigMiddleware' in middleware:
return
raise ValueError(
'djconfig.middleware.DjConfigMiddleware is required but it was not found in MIDDLEWARE_CLASSES nor in MIDDLEWARE'
)
| check_backend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n middleware = set(getattr(settings, 'MIDDLEWARE', None) or getattr(\n settings, 'MIDDLEWARE_CLASSES', None) or [])\n if 'djconfig.middleware.D... |
def x(self, form_class, check_middleware=True):
if not issubclass(form_class, _ConfigFormBase):
raise ValueError('The form does not inherit from `forms.ConfigForm`')
self._registry.add(form_class)
if check_middleware:
_check_backend()
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form_class, check_middleware=True):\n if not issubclass(form_class, _ConfigFormBase):\n raise ValueError('The form does not inherit from `forms... |
def x(self):
ConfigModel = apps.get_model('djconfig.Config')
cache = {}
data = dict(ConfigModel.objects.all().values_list('key', 'value'))
for form_class in self._registry:
empty_form = form_class()
cache.update({name: field.initial for name, field in empty_form.
fields.items()})
form = form_class(data={name: _deserialize(data[name], field) for
name, field in empty_form.fields.items() if name in data and
not isinstance(field, forms.FileField)})
form.is_valid()
cache.update({name: _unlazify(value) for name, value in form.
cleaned_data.items() if name in data})
cache.update({name: data[name] for name, field in empty_form.fields
.items() if name in data and isinstance(field, forms.FileField)})
cache['_updated_at'] = data.get('_updated_at')
self._cache = cache
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ConfigModel = apps.get_model('djconfig.Config')\n cache = {}\n data = dict(ConfigModel.objects.all().values_list('key', 'value'))\n for fo... |
def x(self):
ConfigModel = apps.get_model('djconfig.Config')
data = dict(ConfigModel.objects.filter(key='_updated_at').values_list(
'key', 'value'))
if not hasattr(self, '_updated_at') or self._updated_at != data.get(
'_updated_at'):
self._reload()
| reload_maybe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ConfigModel = apps.get_model('djconfig.Config')\n data = dict(ConfigModel.objects.filter(key='_updated_at').values_list(\n 'key', 'value'... |
def x(self):
assert self.__class__ in conf.config._registry, '%(class_name)s is not registered' % {
'class_name': self.__class__.__name__}
ConfigModel = apps.get_model('djconfig.Config')
for field_name, value in self.cleaned_data.items():
value = utils.serialize(value=value, field=self.fields.get(
field_name, None))
count = ConfigModel.objects.filter(key=field_name).update(value=value)
if not count:
ConfigModel.objects.create(key=field_name, value=value)
count = ConfigModel.objects.filter(key='_updated_at').update(value=str(
timezone.now()))
if not count:
ConfigModel.objects.create(key='_updated_at', value=str(timezone.now())
)
conf.config._reload()
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.__class__ in conf.config._registry, '%(class_name)s is not registered' % {\n 'class_name': self.__class__.__name__}\n ConfigM... |
def x(conf, conf_admin, **options):
assert issubclass(conf_admin, ConfigAdmin
), 'conf_admin is not a ConfigAdmin subclass'
assert issubclass(getattr(conf_admin, 'change_list_form', None), ConfigForm
), 'No change_list_form set'
assert issubclass(conf, Config), 'conf is not a Config subclass'
assert conf.app_label, 'No app_label set'
assert conf.verbose_name_plural, 'No verbose_name_plural set'
assert not conf.name or re.match('^[a-zA-Z_]+$', conf.name
), 'Not a valid name. Valid chars are [a-zA-Z_]'
config_class = type('Config', (), {})
config_class._meta = type('Meta', (_ConfigMeta,), {'app_label': conf.
app_label, 'verbose_name_plural': conf.verbose_name_plural,
'object_name': 'Config', 'model_name': conf.name, 'module_name':
conf.name})
admin.site.register([config_class], conf_admin, **options)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conf, conf_admin, **options):\n assert issubclass(conf_admin, ConfigAdmin\n ), 'conf_admin is not a ConfigAdmin subclass'\n assert issubclass(geta... |
def x(*types):
if len(types) < 2:
raise ValueError('Mixed type requires at least 2 specific types')
types = set(types)
class MixedType(type):
def x(cls, instance):
for mtype in types:
if isinstance(instance, mtype):
return True
return False
class Mixed(object):
__metaclass__ = MixedType
return Mixed
| Mixed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*types):\n if len(types) < 2:\n raise ValueError('Mixed type requires at least 2 specific types')\n types = set(types)\n\n\n class MixedType(ty... |
def x(*args):
if len(args) == 1 and isinstance(args[0], list):
items = args[0]
else:
items = list(args)
def x(value):
if not value in items:
return e('{} is not in the list {}', value, items)
return validate
| one_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if len(args) == 1 and isinstance(args[0], list):\n items = args[0]\n else:\n items = list(args)\n\n def x(value):\n if ... |
def x(min_value):
def x(value):
if value < min_value:
return e('{} is not greater than or equal to {}', value, min_value)
return validate
| gte | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_value):\n\n def x(value):\n if value < min_value:\n return e('{} is not greater than or equal to {}', value, min_value)\n return va... |
def x(max_value):
def x(value):
if value > max_value:
return e('{} is not less than or equal to {}', value, max_value)
return validate
| lte | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_value):\n\n def x(value):\n if value > max_value:\n return e('{} is not less than or equal to {}', value, max_value)\n return valid... |
def x(gt_value):
def x(value):
if value <= gt_value:
return e('{} is not greater than {}', value, gt_value)
return validate
| gt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gt_value):\n\n def x(value):\n if value <= gt_value:\n return e('{} is not greater than {}', value, gt_value)\n return validate\n",
... |
def x(lt_value):
def x(value):
if value >= lt_value:
return e('{} is not less than {}', value, lt_value)
return validate
| lt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lt_value):\n\n def x(value):\n if value >= lt_value:\n return e('{} is not less than {}', value, lt_value)\n return validate\n",
"r... |
def x(min_value, max_value):
def x(value):
if value < min_value:
return e('{} is not greater than or equal to {}', value, min_value)
if value > max_value:
return e('{} is not less than or equal to {}', value, max_value)
return validate
| between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_value, max_value):\n\n def x(value):\n if value < min_value:\n return e('{} is not greater than or equal to {}', value, min_value)\n ... |
def x(min=None, max=None):
def x(value):
if min and len(value) < min:
return e('{} does not have a length of at least {}', value, min)
if max and len(value) > max:
return e('{} does not have a length of at most {}', value, max)
return validate
| length | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min=None, max=None):\n\n def x(value):\n if min and len(value) < min:\n return e('{} does not have a length of at least {}', value, min)\n... |
def x(pattern):
regex = re.compile(pattern)
def x(value):
if not regex.match(value):
return e('{} does not match the pattern {}', value, pattern)
return validate
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern):\n regex = re.compile(pattern)\n\n def x(value):\n if not regex.match(value):\n return e('{} does not match the pattern {}', v... |
def x():
regex = re.compile(
'^(?:http|ftp)s?://(?:(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\\.)+(?:[A-Z]{2,6}\\.?|[A-Z0-9-]{2,}\\.?)|localhost|\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3})(?::\\d+)?(?:/?|[/?]\\S+)$'
, re.IGNORECASE)
def x(value):
if not regex.match(value):
return e('{} is not a valid URL', value)
return validate
| is_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n regex = re.compile(\n '^(?:http|ftp)s?://(?:(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\\\\.)+(?:[A-Z]{2,6}\\\\.?|[A-Z0-9-]{2,}\\\\.?)|localhost|\\\... |
def x(*validators):
def x(value):
for item in value:
for validator in validators:
error = validator(item)
if error:
return error
return None
return validate
| each_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validators):\n\n def x(value):\n for item in value:\n for validator in validators:\n error = validator(item)\n ... |
def x():
def x(value):
for i, item in enumerate(value):
if item in value[i + 1:]:
return e('{} is not a distinct set of values', value)
return validate
| distinct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(value):\n for i, item in enumerate(value):\n if item in value[i + 1:]:\n return e('{} is not a distinct set of... |
def x(self, instance):
for field, spec in self.doc_spec.iteritems():
field_type = spec['type']
if field not in instance:
if 'default' in spec:
default = spec['default']
if callable(default):
instance[field] = default()
else:
instance[field] = copy.deepcopy(default)
if field in instance:
value = instance[field]
if isinstance(field_type, Schema) and isinstance(value, dict):
field_type.apply_defaults(value)
elif isinstance(field_type, Array) and isinstance(field_type.
contained_type, Schema) and isinstance(value, list):
for item in value:
field_type.contained_type.apply_defaults(item)
| apply_defaults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance):\n for field, spec in self.doc_spec.iteritems():\n field_type = spec['type']\n if field not in instance:\n if 'defa... |
def x(self, instance):
errors = {}
self._validate_instance(instance, errors)
if len(errors) > 0:
raise ValidationException(errors)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance):\n errors = {}\n self._validate_instance(instance, errors)\n if len(errors) > 0:\n raise ValidationException(errors)\n",
"r... |
def x(self, path_prefix=None):
for field, spec in self.doc_spec.iteritems():
path = self._append_path(path_prefix, field)
if isinstance(spec, dict):
self._verify_field_spec(spec, path)
else:
raise SchemaFormatException('Invalid field definition for {}', path
)
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path_prefix=None):\n for field, spec in self.doc_spec.iteritems():\n path = self._append_path(path_prefix, field)\n if isinstance(spec, ... |
def x(self, spec, path):
if 'required' in spec and not isinstance(spec['required'], bool):
raise SchemaFormatException(
'{} required declaration should be True or False', path)
if 'nullable' in spec and not isinstance(spec['nullable'], bool):
raise SchemaFormatException(
'{} nullable declaration should be True or False', path)
if 'type' not in spec:
raise SchemaFormatException('{} has no type declared.', path)
self._verify_type(spec, path)
if 'validates' in spec:
self._verify_validates(spec, path)
if 'default' in spec:
self._verify_default(spec, path)
if not set(spec.keys()).issubset(set(['type', 'required', 'validates',
'default', 'nullable'])):
raise SchemaFormatException(
'Unsupported field spec item at {}. Items: ' + repr(spec.keys()
), path)
| verify_field_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec, path):\n if 'required' in spec and not isinstance(spec['required'], bool):\n raise SchemaFormatException(\n '{} required decla... |
def x(self, spec, path):
field_type = spec['type']
if isinstance(field_type, Schema):
if not set(spec.keys()).issubset(set(['type', 'required',
'nullable', 'default'])):
raise SchemaFormatException(
'Unsupported field spec item at {}. Items: ' + repr(spec.
keys()), path)
return
elif isinstance(field_type, Array):
if not isinstance(field_type.contained_type, (type, Schema, Array,
types.FunctionType)):
raise SchemaFormatException(
'Unsupported field type contained by Array at {}.', path)
elif not isinstance(field_type, type) and not isinstance(field_type,
types.FunctionType):
raise SchemaFormatException(
'Unsupported field type at {}. Type must be a type, a function, an Array or another Schema'
, path)
| verify_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec, path):\n field_type = spec['type']\n if isinstance(field_type, Schema):\n if not set(spec.keys()).issubset(set(['type', 'required',\n ... |
def x(self, spec, path):
field_type = spec['type']
default = spec['default']
if callable(default):
return
if isinstance(field_type, Array):
if not isinstance(default, list):
raise SchemaFormatException(
'Default value for Array at {} is not a list of values.', path)
for i, item in enumerate(default):
if isinstance(field_type.contained_type, Schema):
if not self._valid_schema_default(item):
raise SchemaFormatException(
'Default value for Schema is not valid.', path)
elif not isinstance(item, field_type.contained_type):
raise SchemaFormatException(
'Not all items in the default list for the Array field at {} are of the correct type.'
, path)
elif isinstance(field_type, Schema):
if not self._valid_schema_default(default):
raise SchemaFormatException(
'Default value for Schema is not valid.', path)
elif not isinstance(default, field_type):
raise SchemaFormatException(
'Default value for {} is not of the nominated type.', path)
| verify_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec, path):\n field_type = spec['type']\n default = spec['default']\n if callable(default):\n return\n if isinstance(field_type, Arra... |
def x(self, spec, path):
validates = spec['validates']
if isinstance(validates, list):
for validator in validates:
self._verify_validator(validator, path)
else:
self._verify_validator(validates, path)
| verify_validates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec, path):\n validates = spec['validates']\n if isinstance(validates, list):\n for validator in validates:\n self._verify_valid... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.