source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x():
global _syssitepackages
if not _syssitepackages:
if not in_venv():
_syssitepackages = get_python_lib()
return _syssitepackages
@run_in_syspy
def x(*args):
import site
return site.getsitepackages()
output = run()
_syssitepackages = output
logger.debug('system site packages: %s', _syssitepackages)
return _syssitepackages
|
getsyssitepackages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global _syssitepackages\n if not _syssitepackages:\n if not in_venv():\n _syssitepackages = get_python_lib()\n return _syssitepackages\n\n @run_in_syspy\n def x(*args):\n import site\n return site.getsitepackages()\n output = run()\n _syssitepackages = output\n logger.debug('system site packages: %s', _syssitepackages)\n return _syssitepackages\n",
"role": "user"
},
{
"content": "getsyssitepackages",
"role": "assistant"
}
] |
def x():
if not in_venv():
return sys.executable
python = basename(realpath(sys.executable))
prefix = None
if HAS_ORIG_PREFIX_TXT:
with open(ORIG_PREFIX_TXT) as op:
prefix = op.read()
elif HAS_PY_VENV_CFG:
prefix = getattr(sys, '_home')
if not prefix:
return None
for folder in os.environ['PATH'].split(os.pathsep):
if folder and normpath(normcase(folder)).startswith(normcase(
normpath(prefix))) and isfile(join(folder, python)):
return join(folder, python)
if isfile(join(prefix, 'bin', python)):
return join(prefix, 'bin', python)
|
findsyspy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not in_venv():\n return sys.executable\n python = basename(realpath(sys.executable))\n prefix = None\n if HAS_ORIG_PREFIX_TXT:\n with open(ORIG_PREFIX_TXT) as op:\n prefix = op.read()\n elif HAS_PY_VENV_CFG:\n prefix = getattr(sys, '_home')\n if not prefix:\n return None\n for folder in os.environ['PATH'].split(os.pathsep):\n if folder and normpath(normcase(folder)).startswith(normcase(\n normpath(prefix))) and isfile(join(folder, python)):\n return join(folder, python)\n if isfile(join(prefix, 'bin', python)):\n return join(prefix, 'bin', python)\n",
"role": "user"
},
{
"content": "findsyspy",
"role": "assistant"
}
] |
def x(self, key, cas=0):
server = self._get_server(key)
return server.delete(key, cas)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, cas=0):\n server = self._get_server(key)\n return server.delete(key, cas)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, key, value, time=0, compress_level=-1):
server = self._get_server(key)
return server.set(key, value, time, compress_level)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time=0, compress_level=-1):\n server = self._get_server(key)\n return server.set(key, value, time, compress_level)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, mappings, time=0, compress_level=-1):
returns = []
if not mappings:
return False
server_mappings = defaultdict(dict)
for key, value in mappings.items():
server_key = self._get_server(key)
server_mappings[server_key].update([(key, value)])
for server, m in server_mappings.items():
returns.append(server.set_multi(m, time, compress_level))
return all(returns)
|
set_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mappings, time=0, compress_level=-1):\n returns = []\n if not mappings:\n return False\n server_mappings = defaultdict(dict)\n for key, value in mappings.items():\n server_key = self._get_server(key)\n server_mappings[server_key].update([(key, value)])\n for server, m in server_mappings.items():\n returns.append(server.set_multi(m, time, compress_level))\n return all(returns)\n",
"role": "user"
},
{
"content": "set_multi",
"role": "assistant"
}
] |
def x(self, key, value, time=0, compress_level=-1):
server = self._get_server(key)
return server.add(key, value, time, compress_level)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time=0, compress_level=-1):\n server = self._get_server(key)\n return server.add(key, value, time, compress_level)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, key, value, time=0, compress_level=-1):
server = self._get_server(key)
return server.replace(key, value, time, compress_level)
|
replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time=0, compress_level=-1):\n server = self._get_server(key)\n return server.replace(key, value, time, compress_level)\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self, keys, get_cas=False):
servers = defaultdict(list)
d = {}
for key in keys:
server_key = self._get_server(key)
servers[server_key].append(key)
for server, keys in servers.items():
results = server.get_multi(keys)
if not get_cas:
for key, (value, cas) in results.items():
results[key] = value
d.update(results)
return d
|
get_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys, get_cas=False):\n servers = defaultdict(list)\n d = {}\n for key in keys:\n server_key = self._get_server(key)\n servers[server_key].append(key)\n for server, keys in servers.items():\n results = server.get_multi(keys)\n if not get_cas:\n for key, (value, cas) in results.items():\n results[key] = value\n d.update(results)\n return d\n",
"role": "user"
},
{
"content": "get_multi",
"role": "assistant"
}
] |
def x(self, key, value, cas, time=0, compress_level=-1):
server = self._get_server(key)
return server.cas(key, value, cas, time, compress_level)
|
cas
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, cas, time=0, compress_level=-1):\n server = self._get_server(key)\n return server.cas(key, value, cas, time, compress_level)\n",
"role": "user"
},
{
"content": "cas",
"role": "assistant"
}
] |
def x(self, key, value):
server = self._get_server(key)
return server.incr(key, value)
|
incr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n server = self._get_server(key)\n return server.incr(key, value)\n",
"role": "user"
},
{
"content": "incr",
"role": "assistant"
}
] |
def x(self, key, value):
server = self._get_server(key)
return server.decr(key, value)
|
decr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n server = self._get_server(key)\n return server.decr(key, value)\n",
"role": "user"
},
{
"content": "decr",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, S: ShExJ.Shape, c: DebugContext) ->bool:
rslt = cntxt.start_evaluating(n, S)
if rslt is None:
cntxt.evaluate_stack.append((n, S.id))
predicates = directed_predicates_in_expression(S, cntxt)
matchables = RDFGraph()
if isinstance(cntxt.graph, SlurpyGraph) and cntxt.over_slurp:
with slurper(cntxt, n, S) as g:
_ = g.triples((n, None, None))
for predicate, direction in predicates.items():
with slurper(cntxt, n, S) as g:
matchables.add_triples(g.triples((n if direction.is_fwd else
None, iriref_to_uriref(predicate), n if direction.
is_rev else None)))
if c.debug:
print(c.i(1, 'predicates:', sorted(cntxt.n3_mapper.n3(p) for p in
predicates.keys())))
print(c.i(1, 'matchables:', sorted(cntxt.n3_mapper.n3(m) for m in
matchables)))
print()
if S.closed:
non_matchables = RDFGraph([t for t in arcsOut(cntxt.graph, n) if
t not in matchables])
if len(non_matchables):
cntxt.fail_reason = 'Unmatched triples in CLOSED shape:'
cntxt.fail_reason = '\n'.join(f'\t{t}' for t in non_matchables)
if c.debug:
print(c.i(0,
f'<--- Satisfies shape {c.d()} FAIL - {len(non_matchables)} non-matching triples on a closed shape'
))
print(c.i(1, '', list(non_matchables)))
print()
return False
if S.expression:
if matches(cntxt, matchables, S.expression):
rslt = True
else:
extras = {iriref_to_uriref(e) for e in S.extra
} if S.extra is not None else {}
if len(extras):
permutable_matchables = RDFGraph([t for t in matchables if
t.p in extras])
non_permutable_matchables = RDFGraph([t for t in
matchables if t not in permutable_matchables])
if c.debug:
print(c.i(1,
f'Complete match failed -- evaluating extras',
list(extras)))
for matched, remainder in partition_2(permutable_matchables
):
permutation = non_permutable_matchables.union(matched)
if matches(cntxt, permutation, S.expression):
rslt = True
break
rslt = rslt or False
else:
rslt = True
done, consistent = cntxt.done_evaluating(n, S, rslt)
if not done:
rslt = satisfiesShape(cntxt, n, S)
rslt = rslt and consistent
cntxt.evaluate_stack.pop()
return rslt
|
satisfiesShape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, S: ShExJ.Shape, c: DebugContext) ->bool:\n rslt = cntxt.start_evaluating(n, S)\n if rslt is None:\n cntxt.evaluate_stack.append((n, S.id))\n predicates = directed_predicates_in_expression(S, cntxt)\n matchables = RDFGraph()\n if isinstance(cntxt.graph, SlurpyGraph) and cntxt.over_slurp:\n with slurper(cntxt, n, S) as g:\n _ = g.triples((n, None, None))\n for predicate, direction in predicates.items():\n with slurper(cntxt, n, S) as g:\n matchables.add_triples(g.triples((n if direction.is_fwd else\n None, iriref_to_uriref(predicate), n if direction.\n is_rev else None)))\n if c.debug:\n print(c.i(1, 'predicates:', sorted(cntxt.n3_mapper.n3(p) for p in\n predicates.keys())))\n print(c.i(1, 'matchables:', sorted(cntxt.n3_mapper.n3(m) for m in\n matchables)))\n print()\n if S.closed:\n non_matchables = RDFGraph([t for t in arcsOut(cntxt.graph, n) if\n t not in matchables])\n if len(non_matchables):\n cntxt.fail_reason = 'Unmatched triples in CLOSED shape:'\n cntxt.fail_reason = '\\n'.join(f'\\t{t}' for t in non_matchables)\n if c.debug:\n print(c.i(0,\n f'<--- Satisfies shape {c.d()} FAIL - {len(non_matchables)} non-matching triples on a closed shape'\n ))\n print(c.i(1, '', list(non_matchables)))\n print()\n return False\n if S.expression:\n if matches(cntxt, matchables, S.expression):\n rslt = True\n else:\n extras = {iriref_to_uriref(e) for e in S.extra\n } if S.extra is not None else {}\n if len(extras):\n permutable_matchables = RDFGraph([t for t in matchables if\n t.p in extras])\n non_permutable_matchables = RDFGraph([t for t in\n matchables if t not in permutable_matchables])\n if c.debug:\n print(c.i(1,\n f'Complete match failed -- evaluating extras',\n list(extras)))\n for matched, remainder in partition_2(permutable_matchables\n ):\n permutation = non_permutable_matchables.union(matched)\n if matches(cntxt, permutation, S.expression):\n rslt = True\n break\n rslt = rslt or False\n else:\n rslt = True\n done, consistent = cntxt.done_evaluating(n, S, rslt)\n if not done:\n rslt = satisfiesShape(cntxt, n, S)\n rslt = rslt and consistent\n cntxt.evaluate_stack.pop()\n return rslt\n",
"role": "user"
},
{
"content": "satisfiesShape",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, matchables: RDFGraph, S: ShExJ.Shape) ->bool:
outs = arcsOut(cntxt.graph, n).intersection(matchables)
predicates = predicates_in_expression(S, cntxt)
matchables = RDFGraph(t for t in outs if str(t.p) in predicates)
if matchables and S.expression is not None:
tes = triple_constraints_in_expression(S.expression, cntxt)
for m in matchables:
if any(matchesTripleConstraint(cntxt, m, te) for te in tes):
return False
extras = {iriref_to_uriref(e) for e in S.extra
} if S.extra is not None else {}
if any(t.p not in extras for t in matchables):
return False
return not S.closed.val or not bool(outs - matchables)
|
valid_remainder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, matchables: RDFGraph, S: ShExJ.Shape) ->bool:\n outs = arcsOut(cntxt.graph, n).intersection(matchables)\n predicates = predicates_in_expression(S, cntxt)\n matchables = RDFGraph(t for t in outs if str(t.p) in predicates)\n if matchables and S.expression is not None:\n tes = triple_constraints_in_expression(S.expression, cntxt)\n for m in matchables:\n if any(matchesTripleConstraint(cntxt, m, te) for te in tes):\n return False\n extras = {iriref_to_uriref(e) for e in S.extra\n } if S.extra is not None else {}\n if any(t.p not in extras for t in matchables):\n return False\n return not S.closed.val or not bool(outs - matchables)\n",
"role": "user"
},
{
"content": "valid_remainder",
"role": "assistant"
}
] |
def x(cntxt: Context, T: RDFGraph, expr: ShExJ.tripleExpr) ->bool:
if isinstance_(expr, ShExJ.tripleExprLabel):
return matchesExpr(cntxt, T, expr)
else:
return matchesCardinality(cntxt, T, expr) and (expr.semActs is None or
semActsSatisfied(expr.semActs, cntxt))
|
matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, T: RDFGraph, expr: ShExJ.tripleExpr) ->bool:\n if isinstance_(expr, ShExJ.tripleExprLabel):\n return matchesExpr(cntxt, T, expr)\n else:\n return matchesCardinality(cntxt, T, expr) and (expr.semActs is None or\n semActsSatisfied(expr.semActs, cntxt))\n",
"role": "user"
},
{
"content": "matches",
"role": "assistant"
}
] |
def x(cntxt: Context, T: RDFGraph, expr: Union[ShExJ.tripleExpr, ShExJ.
tripleExprLabel], c: DebugContext) ->bool:
min_ = expr.min if expr.min is not None else 1
max_ = expr.max if expr.max is not None else 1
cardinality_text = f"{{{min_},{'*' if max_ == -1 else max_}}}"
if c.debug and (min_ != 0 or len(T) != 0):
print(f'{cardinality_text} matching {len(T)} triples')
if min_ == 0 and len(T) == 0:
return True
if isinstance(expr, ShExJ.TripleConstraint):
if len(T) < min_:
if len(T) > 0:
_fail_triples(cntxt, T)
cntxt.fail_reason = (
f' {len(T)} triples less than {cardinality_text}')
else:
cntxt.fail_reason = (
f' No matching triples found for predicate {cntxt.n3_mapper.n3(expr.predicate)}'
)
return False
elif 0 <= max_ < len(T):
_fail_triples(cntxt, T)
cntxt.fail_reason = (
f' {len(T)} triples exceeds max {cardinality_text}')
return False
else:
return all(matchesTripleConstraint(cntxt, t, expr) for t in T)
else:
for partition in _partitions(T, min_, max_):
if all(matchesExpr(cntxt, part, expr) for part in partition):
return True
if min_ != 1 or max_ != 1:
_fail_triples(cntxt, T)
cntxt.fail_reason = (
f' {len(T)} triples cannot be partitioned into {cardinality_text} passing groups'
)
return False
|
matchesCardinality
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, T: RDFGraph, expr: Union[ShExJ.tripleExpr, ShExJ.\n tripleExprLabel], c: DebugContext) ->bool:\n min_ = expr.min if expr.min is not None else 1\n max_ = expr.max if expr.max is not None else 1\n cardinality_text = f\"{{{min_},{'*' if max_ == -1 else max_}}}\"\n if c.debug and (min_ != 0 or len(T) != 0):\n print(f'{cardinality_text} matching {len(T)} triples')\n if min_ == 0 and len(T) == 0:\n return True\n if isinstance(expr, ShExJ.TripleConstraint):\n if len(T) < min_:\n if len(T) > 0:\n _fail_triples(cntxt, T)\n cntxt.fail_reason = (\n f' {len(T)} triples less than {cardinality_text}')\n else:\n cntxt.fail_reason = (\n f' No matching triples found for predicate {cntxt.n3_mapper.n3(expr.predicate)}'\n )\n return False\n elif 0 <= max_ < len(T):\n _fail_triples(cntxt, T)\n cntxt.fail_reason = (\n f' {len(T)} triples exceeds max {cardinality_text}')\n return False\n else:\n return all(matchesTripleConstraint(cntxt, t, expr) for t in T)\n else:\n for partition in _partitions(T, min_, max_):\n if all(matchesExpr(cntxt, part, expr) for part in partition):\n return True\n if min_ != 1 or max_ != 1:\n _fail_triples(cntxt, T)\n cntxt.fail_reason = (\n f' {len(T)} triples cannot be partitioned into {cardinality_text} passing groups'\n )\n return False\n",
"role": "user"
},
{
"content": "matchesCardinality",
"role": "assistant"
}
] |
def x(cntxt: Context, T: RDFGraph, expr: ShExJ.tripleExpr, _: DebugContext
) ->bool:
if isinstance(expr, ShExJ.OneOf):
return matchesOneOf(cntxt, T, expr)
elif isinstance(expr, ShExJ.EachOf):
return matchesEachOf(cntxt, T, expr)
elif isinstance(expr, ShExJ.TripleConstraint):
return matchesCardinality(cntxt, T, expr)
elif isinstance_(expr, ShExJ.tripleExprLabel):
return matchesTripleExprRef(cntxt, T, expr)
else:
raise Exception('Unknown expression')
|
matchesExpr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, T: RDFGraph, expr: ShExJ.tripleExpr, _: DebugContext\n ) ->bool:\n if isinstance(expr, ShExJ.OneOf):\n return matchesOneOf(cntxt, T, expr)\n elif isinstance(expr, ShExJ.EachOf):\n return matchesEachOf(cntxt, T, expr)\n elif isinstance(expr, ShExJ.TripleConstraint):\n return matchesCardinality(cntxt, T, expr)\n elif isinstance_(expr, ShExJ.tripleExprLabel):\n return matchesTripleExprRef(cntxt, T, expr)\n else:\n raise Exception('Unknown expression')\n",
"role": "user"
},
{
"content": "matchesExpr",
"role": "assistant"
}
] |
def x(cntxt: Context, T: RDFGraph, expr: ShExJ.OneOf, _: DebugContext) ->bool:
return any(matches(cntxt, T, e) for e in expr.expressions)
|
matchesOneOf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, T: RDFGraph, expr: ShExJ.OneOf, _: DebugContext) ->bool:\n return any(matches(cntxt, T, e) for e in expr.expressions)\n",
"role": "user"
},
{
"content": "matchesOneOf",
"role": "assistant"
}
] |
def x(cntxt: Context, T: RDFGraph, expr: ShExJ.EachOf, _: DebugContext) ->bool:
return EachOfEvaluator(cntxt, T, expr).evaluate(cntxt)
|
matchesEachOf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, T: RDFGraph, expr: ShExJ.EachOf, _: DebugContext) ->bool:\n return EachOfEvaluator(cntxt, T, expr).evaluate(cntxt)\n",
"role": "user"
},
{
"content": "matchesEachOf",
"role": "assistant"
}
] |
def x(cntxt: Context, t: RDFTriple, expr: ShExJ.TripleConstraint, c:
DebugContext) ->bool:
from pyshex.shape_expressions_language.p5_3_shape_expressions import satisfies
if c.debug:
print(c.i(1, f' triple: {t}'))
print(c.i(1, '', expr._as_json_dumps().split('\n')))
if uriref_matches_iriref(t.p, expr.predicate):
value = t.s if expr.inverse else t.o
return expr.valueExpr is None or satisfies(cntxt, value, expr.valueExpr
)
else:
cntxt.fail_reason = f'Predicate mismatch: {t.p} ≠ {expr.predicate}'
return False
|
matchesTripleConstraint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, t: RDFTriple, expr: ShExJ.TripleConstraint, c:\n DebugContext) ->bool:\n from pyshex.shape_expressions_language.p5_3_shape_expressions import satisfies\n if c.debug:\n print(c.i(1, f' triple: {t}'))\n print(c.i(1, '', expr._as_json_dumps().split('\\n')))\n if uriref_matches_iriref(t.p, expr.predicate):\n value = t.s if expr.inverse else t.o\n return expr.valueExpr is None or satisfies(cntxt, value, expr.valueExpr\n )\n else:\n cntxt.fail_reason = f'Predicate mismatch: {t.p} ≠ {expr.predicate}'\n return False\n",
"role": "user"
},
{
"content": "matchesTripleConstraint",
"role": "assistant"
}
] |
def x(cntxt: Context, T: RDFGraph, expr: ShExJ.tripleExprLabel, _: DebugContext
) ->bool:
expr = cntxt.tripleExprFor(expr)
if expr is None:
cntxt.fail_reason = '{expr}: Reference not found'
return False
return matchesExpr(cntxt, T, expr)
|
matchesTripleExprRef
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, T: RDFGraph, expr: ShExJ.tripleExprLabel, _: DebugContext\n ) ->bool:\n expr = cntxt.tripleExprFor(expr)\n if expr is None:\n cntxt.fail_reason = '{expr}: Reference not found'\n return False\n return matchesExpr(cntxt, T, expr)\n",
"role": "user"
},
{
"content": "matchesTripleExprRef",
"role": "assistant"
}
] |
def x(self, key, get_cas=False):
for server in self.servers:
value, cas = server.get(key)
if value is not None:
if get_cas:
return value, cas
else:
return value
if get_cas:
return None, None
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, get_cas=False):\n for server in self.servers:\n value, cas = server.get(key)\n if value is not None:\n if get_cas:\n return value, cas\n else:\n return value\n if get_cas:\n return None, None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key):
for server in self.servers:
value, cas = server.get(key)
if value is not None:
return value, cas
return None, None
|
gets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n for server in self.servers:\n value, cas = server.get(key)\n if value is not None:\n return value, cas\n return None, None\n",
"role": "user"
},
{
"content": "gets",
"role": "assistant"
}
] |
def x(self, keys, get_cas=False):
d = {}
if keys:
for server in self.servers:
results = server.get_multi(keys)
if not get_cas:
for key, (value, cas) in results.items():
results[key] = value
d.update(results)
keys = [_ for _ in keys if _ not in d]
if not keys:
break
return d
|
get_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys, get_cas=False):\n d = {}\n if keys:\n for server in self.servers:\n results = server.get_multi(keys)\n if not get_cas:\n for key, (value, cas) in results.items():\n results[key] = value\n d.update(results)\n keys = [_ for _ in keys if _ not in d]\n if not keys:\n break\n return d\n",
"role": "user"
},
{
"content": "get_multi",
"role": "assistant"
}
] |
def x(self, key, value, time=0, compress_level=-1):
returns = []
for server in self.servers:
returns.append(server.set(key, value, time, compress_level=
compress_level))
return any(returns)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time=0, compress_level=-1):\n returns = []\n for server in self.servers:\n returns.append(server.set(key, value, time, compress_level=\n compress_level))\n return any(returns)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, mappings, time=0, compress_level=-1):
returns = []
if mappings:
for server in self.servers:
returns.append(server.set_multi(mappings, time, compress_level=
compress_level))
return all(returns)
|
set_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mappings, time=0, compress_level=-1):\n returns = []\n if mappings:\n for server in self.servers:\n returns.append(server.set_multi(mappings, time, compress_level=\n compress_level))\n return all(returns)\n",
"role": "user"
},
{
"content": "set_multi",
"role": "assistant"
}
] |
def x(self, key, cas=0):
returns = []
for server in self.servers:
returns.append(server.delete(key, cas))
return any(returns)
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, cas=0):\n returns = []\n for server in self.servers:\n returns.append(server.delete(key, cas))\n return any(returns)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, key, value):
returns = []
for server in self.servers:
returns.append(server.incr(key, value))
return returns[0]
|
incr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n returns = []\n for server in self.servers:\n returns.append(server.incr(key, value))\n return returns[0]\n",
"role": "user"
},
{
"content": "incr",
"role": "assistant"
}
] |
def x(self, key, value):
returns = []
for server in self.servers:
returns.append(server.decr(key, value))
return returns[0]
|
decr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n returns = []\n for server in self.servers:\n returns.append(server.decr(key, value))\n return returns[0]\n",
"role": "user"
},
{
"content": "decr",
"role": "assistant"
}
] |
def x(self, rval: bool) ->None:
self.result = rval
if self.result:
self.nodes = [pn for pn in self.nodes if pn.result]
|
set_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rval: bool) ->None:\n self.result = rval\n if self.result:\n self.nodes = [pn for pn in self.nodes if pn.result]\n",
"role": "user"
},
{
"content": "set_result",
"role": "assistant"
}
] |
def x(selector: shapeLabel, cntxt: Union[Context, ShExJ.Schema]) ->Optional[
ShExJ.shapeExpr]:
schema = cntxt.schema if isinstance(cntxt, Context) else cntxt
if selector is START:
return schema.start
for expr in schema.shapes:
if not isinstance(expr, ShExJ.ShapeExternal) and expr.id == selector:
return expr
return (schema.start if schema.start is not None and schema.start.id ==
selector else None)
|
reference_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(selector: shapeLabel, cntxt: Union[Context, ShExJ.Schema]) ->Optional[\n ShExJ.shapeExpr]:\n schema = cntxt.schema if isinstance(cntxt, Context) else cntxt\n if selector is START:\n return schema.start\n for expr in schema.shapes:\n if not isinstance(expr, ShExJ.ShapeExternal) and expr.id == selector:\n return expr\n return (schema.start if schema.start is not None and schema.start.id ==\n selector else None)\n",
"role": "user"
},
{
"content": "reference_of",
"role": "assistant"
}
] |
def x(label: ShExJ.tripleExprLabel, cntxt: Context) ->Optional[ShExJ.tripleExpr
]:
te: Optional[ShExJ.tripleExpr] = None
if cntxt.schema.start is not None:
te = triple_in_shape(cntxt.schema.start, label, cntxt)
if te is None:
for shapeExpr in cntxt.schema.shapes:
te = triple_in_shape(shapeExpr, label, cntxt)
if te:
break
return te
|
triple_reference_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(label: ShExJ.tripleExprLabel, cntxt: Context) ->Optional[ShExJ.tripleExpr\n ]:\n te: Optional[ShExJ.tripleExpr] = None\n if cntxt.schema.start is not None:\n te = triple_in_shape(cntxt.schema.start, label, cntxt)\n if te is None:\n for shapeExpr in cntxt.schema.shapes:\n te = triple_in_shape(shapeExpr, label, cntxt)\n if te:\n break\n return te\n",
"role": "user"
},
{
"content": "triple_reference_of",
"role": "assistant"
}
] |
def x(expr: ShExJ.shapeExpr, label: ShExJ.tripleExprLabel, cntxt: Context
) ->Optional[ShExJ.tripleExpr]:
te = None
if isinstance(expr, (ShExJ.ShapeOr, ShExJ.ShapeAnd)):
for expr2 in expr.shapeExprs:
te = triple_in_shape(expr2, label, cntxt)
if te is not None:
break
elif isinstance(expr, ShExJ.ShapeNot):
te = triple_in_shape(expr.shapeExpr, label, cntxt)
elif isinstance(expr, ShExJ.shapeExprLabel):
se = reference_of(expr, cntxt)
if se is not None:
te = triple_in_shape(se, label, cntxt)
return te
|
triple_in_shape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expr: ShExJ.shapeExpr, label: ShExJ.tripleExprLabel, cntxt: Context\n ) ->Optional[ShExJ.tripleExpr]:\n te = None\n if isinstance(expr, (ShExJ.ShapeOr, ShExJ.ShapeAnd)):\n for expr2 in expr.shapeExprs:\n te = triple_in_shape(expr2, label, cntxt)\n if te is not None:\n break\n elif isinstance(expr, ShExJ.ShapeNot):\n te = triple_in_shape(expr.shapeExpr, label, cntxt)\n elif isinstance(expr, ShExJ.shapeExprLabel):\n se = reference_of(expr, cntxt)\n if se is not None:\n te = triple_in_shape(se, label, cntxt)\n return te\n",
"role": "user"
},
{
"content": "triple_in_shape",
"role": "assistant"
}
] |
def x(expression: ShExJ.shapeExpr, cntxt: Context) ->List[IRIREF]:
return list(directed_predicates_in_expression(expression, cntxt).keys())
|
predicates_in_expression
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: ShExJ.shapeExpr, cntxt: Context) ->List[IRIREF]:\n return list(directed_predicates_in_expression(expression, cntxt).keys())\n",
"role": "user"
},
{
"content": "predicates_in_expression",
"role": "assistant"
}
] |
def x(expression: ShExJ.shapeExpr, cntxt: Context) ->Dict[IRIREF, PredDirection
]:
dir_predicates: Dict[IRIREF, PredDirection] = {}
def x(predicates: Dict[IRIREF, PredDirection], tc: ShExJ.
TripleConstraint, _: Context) ->None:
if isinstance(tc, ShExJ.TripleConstraint):
predicates.setdefault(tc.predicate, PredDirection()).dir(tc.
inverse is None or not tc.inverse)
def x(predicates: Dict[IRIREF, PredDirection], expr: ShExJ.shapeExpr,
cntxt_: Context) ->None:
if isinstance(expr, ShExJ.Shape) and expr.expression is not None:
cntxt_.visit_triple_expressions(expr.expression,
predicate_finder, predicates)
cntxt.visit_shapes(expression, triple_expr_finder, dir_predicates,
follow_inner_shapes=False)
return dir_predicates
|
directed_predicates_in_expression
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression: ShExJ.shapeExpr, cntxt: Context) ->Dict[IRIREF, PredDirection\n ]:\n dir_predicates: Dict[IRIREF, PredDirection] = {}\n\n def x(predicates: Dict[IRIREF, PredDirection], tc: ShExJ.\n TripleConstraint, _: Context) ->None:\n if isinstance(tc, ShExJ.TripleConstraint):\n predicates.setdefault(tc.predicate, PredDirection()).dir(tc.\n inverse is None or not tc.inverse)\n\n def x(predicates: Dict[IRIREF, PredDirection], expr: ShExJ.shapeExpr,\n cntxt_: Context) ->None:\n if isinstance(expr, ShExJ.Shape) and expr.expression is not None:\n cntxt_.visit_triple_expressions(expr.expression,\n predicate_finder, predicates)\n cntxt.visit_shapes(expression, triple_expr_finder, dir_predicates,\n follow_inner_shapes=False)\n return dir_predicates\n",
"role": "user"
},
{
"content": "directed_predicates_in_expression",
"role": "assistant"
}
] |
def x(ns, m):
def x(nv, av):
ps = [[] for _ in range(m)]
for jv in range(nv):
ps[av[jv + 1]].append(ns[jv])
return ps
def x(mu, nu, sigma, n, a):
if mu == 2:
yield visit(n, a)
else:
for v in f(mu - 1, nu - 1, (mu + sigma) % 2, n, a):
yield v
if nu == mu + 1:
a[mu] = mu - 1
yield visit(n, a)
while a[nu] > 0:
a[nu] = a[nu] - 1
yield visit(n, a)
elif nu > mu + 1:
if (mu + sigma) % 2 == 1:
a[nu - 1] = mu - 1
else:
a[mu] = mu - 1
if (a[nu] + sigma) % 2 == 1:
for v in b(mu, nu - 1, 0, n, a):
yield v
else:
for v in f(mu, nu - 1, 0, n, a):
yield v
while a[nu] > 0:
a[nu] = a[nu] - 1
if (a[nu] + sigma) % 2 == 1:
for v in b(mu, nu - 1, 0, n, a):
yield v
else:
for v in f(mu, nu - 1, 0, n, a):
yield v
def x(mu, nu, sigma, n, a):
if nu == mu + 1:
while a[nu] < mu - 1:
yield visit(n, a)
a[nu] = a[nu] + 1
yield visit(n, a)
a[mu] = 0
elif nu > mu + 1:
if (a[nu] + sigma) % 2 == 1:
for v in f(mu, nu - 1, 0, n, a):
yield v
else:
for v in b(mu, nu - 1, 0, n, a):
yield v
while a[nu] < mu - 1:
a[nu] = a[nu] + 1
if (a[nu] + sigma) % 2 == 1:
for v in f(mu, nu - 1, 0, n, a):
yield v
else:
for v in b(mu, nu - 1, 0, n, a):
yield v
if (mu + sigma) % 2 == 1:
a[nu - 1] = 0
else:
a[mu] = 0
if mu == 2:
yield visit(n, a)
else:
for v in b(mu - 1, nu - 1, (mu + sigma) % 2, n, a):
yield v
ng = len(ns)
ag = [0] * (ng + 1)
for j in range(1, m + 1):
ag[ng - m + j] = j - 1
return f(m, ng, 0, ng, ag) if m > 1 else [[ns]]
|
algorithm_u
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ns, m):\n\n def x(nv, av):\n ps = [[] for _ in range(m)]\n for jv in range(nv):\n ps[av[jv + 1]].append(ns[jv])\n return ps\n\n def x(mu, nu, sigma, n, a):\n if mu == 2:\n yield visit(n, a)\n else:\n for v in f(mu - 1, nu - 1, (mu + sigma) % 2, n, a):\n yield v\n if nu == mu + 1:\n a[mu] = mu - 1\n yield visit(n, a)\n while a[nu] > 0:\n a[nu] = a[nu] - 1\n yield visit(n, a)\n elif nu > mu + 1:\n if (mu + sigma) % 2 == 1:\n a[nu - 1] = mu - 1\n else:\n a[mu] = mu - 1\n if (a[nu] + sigma) % 2 == 1:\n for v in b(mu, nu - 1, 0, n, a):\n yield v\n else:\n for v in f(mu, nu - 1, 0, n, a):\n yield v\n while a[nu] > 0:\n a[nu] = a[nu] - 1\n if (a[nu] + sigma) % 2 == 1:\n for v in b(mu, nu - 1, 0, n, a):\n yield v\n else:\n for v in f(mu, nu - 1, 0, n, a):\n yield v\n\n def x(mu, nu, sigma, n, a):\n if nu == mu + 1:\n while a[nu] < mu - 1:\n yield visit(n, a)\n a[nu] = a[nu] + 1\n yield visit(n, a)\n a[mu] = 0\n elif nu > mu + 1:\n if (a[nu] + sigma) % 2 == 1:\n for v in f(mu, nu - 1, 0, n, a):\n yield v\n else:\n for v in b(mu, nu - 1, 0, n, a):\n yield v\n while a[nu] < mu - 1:\n a[nu] = a[nu] + 1\n if (a[nu] + sigma) % 2 == 1:\n for v in f(mu, nu - 1, 0, n, a):\n yield v\n else:\n for v in b(mu, nu - 1, 0, n, a):\n yield v\n if (mu + sigma) % 2 == 1:\n a[nu - 1] = 0\n else:\n a[mu] = 0\n if mu == 2:\n yield visit(n, a)\n else:\n for v in b(mu - 1, nu - 1, (mu + sigma) % 2, n, a):\n yield v\n ng = len(ns)\n ag = [0] * (ng + 1)\n for j in range(1, m + 1):\n ag[ng - m + j] = j - 1\n return f(m, ng, 0, ng, ag) if m > 1 else [[ns]]\n",
"role": "user"
},
{
"content": "algorithm_u",
"role": "assistant"
}
] |
def x(size: int, nparts: int) ->Iterator[List[List[int]]]:
for part in algorithm_u(range(size), nparts):
yield part
|
integer_partition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size: int, nparts: int) ->Iterator[List[List[int]]]:\n for part in algorithm_u(range(size), nparts):\n yield part\n",
"role": "user"
},
{
"content": "integer_partition",
"role": "assistant"
}
] |
def x(T: RDFGraph, nparts: int) ->Iterator[Tuple[RDFGraph, ...]]:
def x(partition: List[List[int]]) ->Tuple[RDFGraph, ...]:
rval: List[RDFGraph, ...] = []
for part in partition:
if len(part) == 1 and part[0] >= t_list_len:
rval.append(RDFGraph())
else:
rval.append(RDFGraph([t_list[e] for e in part if e <
t_list_len]))
return tuple(rval)
t_list = sorted(list(T))
t_list_len = len(t_list)
return map(lambda partition: partition_map(partition),
filtered_integer_partition(t_list_len, nparts))
|
partition_t
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(T: RDFGraph, nparts: int) ->Iterator[Tuple[RDFGraph, ...]]:\n\n def x(partition: List[List[int]]) ->Tuple[RDFGraph, ...]:\n rval: List[RDFGraph, ...] = []\n for part in partition:\n if len(part) == 1 and part[0] >= t_list_len:\n rval.append(RDFGraph())\n else:\n rval.append(RDFGraph([t_list[e] for e in part if e <\n t_list_len]))\n return tuple(rval)\n t_list = sorted(list(T))\n t_list_len = len(t_list)\n return map(lambda partition: partition_map(partition),\n filtered_integer_partition(t_list_len, nparts))\n",
"role": "user"
},
{
"content": "partition_t",
"role": "assistant"
}
] |
def x(T: RDFGraph) ->List[Tuple[RDFGraph, RDFGraph]]:
for p in partition_t(T, 2):
yield p
|
partition_2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(T: RDFGraph) ->List[Tuple[RDFGraph, RDFGraph]]:\n for p in partition_t(T, 2):\n yield p\n",
"role": "user"
},
{
"content": "partition_2",
"role": "assistant"
}
] |
def x(n: Node) ->bool:
return is_typed_literal(n) and cast(Literal, n).datatype in [XSD.
integer, XSD.decimal, XSD.float, XSD.double]
|
is_strict_numeric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n: Node) ->bool:\n return is_typed_literal(n) and cast(Literal, n).datatype in [XSD.\n integer, XSD.decimal, XSD.float, XSD.double]\n",
"role": "user"
},
{
"content": "is_strict_numeric",
"role": "assistant"
}
] |
def x(n: Node) ->bool:
return is_typed_literal(n) and cast(Literal, n).datatype is None and cast(
Literal, n).language is None
|
is_simple_literal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n: Node) ->bool:\n return is_typed_literal(n) and cast(Literal, n).datatype is None and cast(\n Literal, n).language is None\n",
"role": "user"
},
{
"content": "is_simple_literal",
"role": "assistant"
}
] |
def x(acts: Optional[List[ShExJ.SemAct]], cntxt: Context) ->bool:
return True
|
semActsSatisfied
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(acts: Optional[List[ShExJ.SemAct]], cntxt: Context) ->bool:\n return True\n",
"role": "user"
},
{
"content": "semActsSatisfied",
"role": "assistant"
}
] |
def x(self, txt: str, hold: bool=False) ->None:
if hold:
self.held_prints[self.trace_depth] = txt
elif self.held_prints[self.trace_depth]:
if self.max_print_depth > self.trace_depth:
print(self.held_prints[self.trace_depth])
print(txt)
self.max_print_depth = self.trace_depth
del self.held_prints[self.trace_depth]
else:
print(txt)
self.max_print_depth = self.trace_depth
|
print
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, txt: str, hold: bool=False) ->None:\n if hold:\n self.held_prints[self.trace_depth] = txt\n elif self.held_prints[self.trace_depth]:\n if self.max_print_depth > self.trace_depth:\n print(self.held_prints[self.trace_depth])\n print(txt)\n self.max_print_depth = self.trace_depth\n del self.held_prints[self.trace_depth]\n else:\n print(txt)\n self.max_print_depth = self.trace_depth\n",
"role": "user"
},
{
"content": "print",
"role": "assistant"
}
] |
def x(self) ->None:
self.evaluating = set()
self.assumptions = {}
self.known_results = {}
self.current_node = None
self.evaluate_stack = []
self.bnode_map = {}
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n self.evaluating = set()\n self.assumptions = {}\n self.known_results = {}\n self.current_node = None\n self.evaluate_stack = []\n self.bnode_map = {}\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, expr: Optional[Union[ShExJ.shapeExprLabel, ShExJ.shapeExpr]]
) ->None:
if expr is not None and not isinstance_(expr, ShExJ.shapeExprLabel
) and 'id' in expr and expr.id is not None:
abs_id = self._resolve_relative_uri(expr.id)
if abs_id not in self.schema_id_map:
self.schema_id_map[abs_id] = expr
if isinstance(expr, (ShExJ.ShapeOr, ShExJ.ShapeAnd)):
for expr2 in expr.shapeExprs:
self._gen_schema_xref(expr2)
elif isinstance(expr, ShExJ.ShapeNot):
self._gen_schema_xref(expr.shapeExpr)
elif isinstance(expr, ShExJ.Shape):
if expr.expression is not None:
self._gen_te_xref(expr.expression)
|
gen_schema_xref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expr: Optional[Union[ShExJ.shapeExprLabel, ShExJ.shapeExpr]]\n ) ->None:\n if expr is not None and not isinstance_(expr, ShExJ.shapeExprLabel\n ) and 'id' in expr and expr.id is not None:\n abs_id = self._resolve_relative_uri(expr.id)\n if abs_id not in self.schema_id_map:\n self.schema_id_map[abs_id] = expr\n if isinstance(expr, (ShExJ.ShapeOr, ShExJ.ShapeAnd)):\n for expr2 in expr.shapeExprs:\n self._gen_schema_xref(expr2)\n elif isinstance(expr, ShExJ.ShapeNot):\n self._gen_schema_xref(expr.shapeExpr)\n elif isinstance(expr, ShExJ.Shape):\n if expr.expression is not None:\n self._gen_te_xref(expr.expression)\n",
"role": "user"
},
{
"content": "gen_schema_xref",
"role": "assistant"
}
] |
def x(self, expr: Union[ShExJ.tripleExpr, ShExJ.tripleExprLabel]) ->None:
if expr is not None and not isinstance_(expr, ShExJ.tripleExprLabel
) and 'id' in expr and expr.id is not None:
if expr.id in self.te_id_map:
return
else:
self.te_id_map[self._resolve_relative_uri(expr.id)] = expr
if isinstance(expr, (ShExJ.OneOf, ShExJ.EachOf)):
for expr2 in expr.expressions:
self._gen_te_xref(expr2)
elif isinstance(expr, ShExJ.TripleConstraint):
if expr.valueExpr is not None:
self._gen_schema_xref(expr.valueExpr)
|
gen_te_xref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expr: Union[ShExJ.tripleExpr, ShExJ.tripleExprLabel]) ->None:\n if expr is not None and not isinstance_(expr, ShExJ.tripleExprLabel\n ) and 'id' in expr and expr.id is not None:\n if expr.id in self.te_id_map:\n return\n else:\n self.te_id_map[self._resolve_relative_uri(expr.id)] = expr\n if isinstance(expr, (ShExJ.OneOf, ShExJ.EachOf)):\n for expr2 in expr.expressions:\n self._gen_te_xref(expr2)\n elif isinstance(expr, ShExJ.TripleConstraint):\n if expr.valueExpr is not None:\n self._gen_schema_xref(expr.valueExpr)\n",
"role": "user"
},
{
"content": "gen_te_xref",
"role": "assistant"
}
] |
def x(self, id_: ShExJ.tripleExprLabel) ->ShExJ.tripleExpr:
return self.te_id_map.get(id_)
|
tripleExprFor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_: ShExJ.tripleExprLabel) ->ShExJ.tripleExpr:\n return self.te_id_map.get(id_)\n",
"role": "user"
},
{
"content": "tripleExprFor",
"role": "assistant"
}
] |
def x(self, id_: Union[ShExJ.shapeExprLabel, START]) ->Optional[ShExJ.shapeExpr
]:
rval = self.schema.start if id_ is START else self.schema_id_map.get(str
(id_))
return rval
|
shapeExprFor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_: Union[ShExJ.shapeExprLabel, START]) ->Optional[ShExJ.shapeExpr\n ]:\n rval = self.schema.start if id_ is START else self.schema_id_map.get(str\n (id_))\n return rval\n",
"role": "user"
},
{
"content": "shapeExprFor",
"role": "assistant"
}
] |
def x(self, expr: ShExJ.shapeExpr, f: Callable[[Any, ShExJ.shapeExpr,
'Context'], None], arg_cntxt: Any, visit_center: _VisitorCenter=None,
follow_inner_shapes: bool=True) ->None:
if visit_center is None:
visit_center = _VisitorCenter(f, arg_cntxt)
has_id = getattr(expr, 'id', None) is not None
if not has_id or not (visit_center.already_seen_shape(expr.id) or
visit_center.actively_visiting_shape(expr.id)):
if has_id:
visit_center.start_visiting_shape(expr.id)
f(arg_cntxt, expr, self)
if isinstance(expr, (ShExJ.ShapeOr, ShExJ.ShapeAnd)):
for expr2 in expr.shapeExprs:
self.visit_shapes(expr2, f, arg_cntxt, visit_center,
follow_inner_shapes=follow_inner_shapes)
elif isinstance(expr, ShExJ.ShapeNot):
self.visit_shapes(expr.shapeExpr, f, arg_cntxt, visit_center,
follow_inner_shapes=follow_inner_shapes)
elif isinstance(expr, ShExJ.Shape):
if expr.expression is not None and follow_inner_shapes:
self.visit_triple_expressions(expr.expression, lambda ac,
te, cntxt: self._visit_shape_te(te, visit_center),
arg_cntxt, visit_center)
elif isinstance_(expr, ShExJ.shapeExprLabel):
if not visit_center.actively_visiting_shape(str(expr)
) and follow_inner_shapes:
visit_center.start_visiting_shape(str(expr))
self.visit_shapes(self.shapeExprFor(expr), f, arg_cntxt,
visit_center)
visit_center.done_visiting_shape(str(expr))
if has_id:
visit_center.done_visiting_shape(expr.id)
|
visit_shapes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expr: ShExJ.shapeExpr, f: Callable[[Any, ShExJ.shapeExpr,\n 'Context'], None], arg_cntxt: Any, visit_center: _VisitorCenter=None,\n follow_inner_shapes: bool=True) ->None:\n if visit_center is None:\n visit_center = _VisitorCenter(f, arg_cntxt)\n has_id = getattr(expr, 'id', None) is not None\n if not has_id or not (visit_center.already_seen_shape(expr.id) or\n visit_center.actively_visiting_shape(expr.id)):\n if has_id:\n visit_center.start_visiting_shape(expr.id)\n f(arg_cntxt, expr, self)\n if isinstance(expr, (ShExJ.ShapeOr, ShExJ.ShapeAnd)):\n for expr2 in expr.shapeExprs:\n self.visit_shapes(expr2, f, arg_cntxt, visit_center,\n follow_inner_shapes=follow_inner_shapes)\n elif isinstance(expr, ShExJ.ShapeNot):\n self.visit_shapes(expr.shapeExpr, f, arg_cntxt, visit_center,\n follow_inner_shapes=follow_inner_shapes)\n elif isinstance(expr, ShExJ.Shape):\n if expr.expression is not None and follow_inner_shapes:\n self.visit_triple_expressions(expr.expression, lambda ac,\n te, cntxt: self._visit_shape_te(te, visit_center),\n arg_cntxt, visit_center)\n elif isinstance_(expr, ShExJ.shapeExprLabel):\n if not visit_center.actively_visiting_shape(str(expr)\n ) and follow_inner_shapes:\n visit_center.start_visiting_shape(str(expr))\n self.visit_shapes(self.shapeExprFor(expr), f, arg_cntxt,\n visit_center)\n visit_center.done_visiting_shape(str(expr))\n if has_id:\n visit_center.done_visiting_shape(expr.id)\n",
"role": "user"
},
{
"content": "visit_shapes",
"role": "assistant"
}
] |
def x(self, te: ShExJ.tripleExpr, visit_center: _VisitorCenter) ->None:
if isinstance(te, ShExJ.TripleConstraint) and te.valueExpr is not None:
visit_center.f(visit_center.arg_cntxt, te.valueExpr, self)
|
visit_shape_te
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, te: ShExJ.tripleExpr, visit_center: _VisitorCenter) ->None:\n if isinstance(te, ShExJ.TripleConstraint) and te.valueExpr is not None:\n visit_center.f(visit_center.arg_cntxt, te.valueExpr, self)\n",
"role": "user"
},
{
"content": "visit_shape_te",
"role": "assistant"
}
] |
def x(self, shape: ShExJ.shapeExpr, visit_center: _VisitorCenter) ->None:
if isinstance(shape, ShExJ.Shape) and shape.expression is not None:
visit_center.f(visit_center.arg_cntxt, shape.expression, self)
|
visit_te_shape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shape: ShExJ.shapeExpr, visit_center: _VisitorCenter) ->None:\n if isinstance(shape, ShExJ.Shape) and shape.expression is not None:\n visit_center.f(visit_center.arg_cntxt, shape.expression, self)\n",
"role": "user"
},
{
"content": "visit_te_shape",
"role": "assistant"
}
] |
def x(self, n: Node, s: ShExJ.shapeExpr) ->Optional[bool]:
if not s.id:
s.id = str(BNode())
key = n, s.id
if key in self.known_results:
return self.known_results[key]
if key not in self.evaluating:
self.evaluating.add(key)
return None
elif key not in self.assumptions:
self.assumptions[key] = True
return self.assumptions[key]
|
start_evaluating
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n: Node, s: ShExJ.shapeExpr) ->Optional[bool]:\n if not s.id:\n s.id = str(BNode())\n key = n, s.id\n if key in self.known_results:\n return self.known_results[key]\n if key not in self.evaluating:\n self.evaluating.add(key)\n return None\n elif key not in self.assumptions:\n self.assumptions[key] = True\n return self.assumptions[key]\n",
"role": "user"
},
{
"content": "start_evaluating",
"role": "assistant"
}
] |
def x(self, n: Node, s: ShExJ.shapeExpr, result: bool) ->Tuple[bool, bool]:
key = n, s.id
if key not in self.assumptions or self.assumptions[key] == result:
if key in self.assumptions:
del self.assumptions[key]
self.evaluating.remove(key)
self.known_results[key] = result
return True, True
elif self.assumptions[key]:
self.evaluating.remove(key)
self.assumptions[key] = False
return False, True
else:
self.fail_reason = f'{s.id}: Inconsistent recursive shape reference'
return True, False
|
done_evaluating
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n: Node, s: ShExJ.shapeExpr, result: bool) ->Tuple[bool, bool]:\n key = n, s.id\n if key not in self.assumptions or self.assumptions[key] == result:\n if key in self.assumptions:\n del self.assumptions[key]\n self.evaluating.remove(key)\n self.known_results[key] = result\n return True, True\n elif self.assumptions[key]:\n self.evaluating.remove(key)\n self.assumptions[key] = False\n return False, True\n else:\n self.fail_reason = f'{s.id}: Inconsistent recursive shape reference'\n return True, False\n",
"role": "user"
},
{
"content": "done_evaluating",
"role": "assistant"
}
] |
def x(self, obj: JsonObj) ->JsonObj:
def x(v: List) ->List:
return [(self.type_last(e) if isinstance(e, JsonObj) else _tl_list(
e) if isinstance(e, list) else e) for e in v if e is not None]
rval = JsonObj()
for k in as_dict(obj).keys():
v = obj[k]
if v is not None and k not in ('type', '_context'):
rval[k] = _tl_list(v) if isinstance(v, list) else self.type_last(v
) if isinstance(v, JsonObj) else v
if 'type' in obj and obj.type:
rval.type = obj.type
return rval
|
type_last
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj: JsonObj) ->JsonObj:\n\n def x(v: List) ->List:\n return [(self.type_last(e) if isinstance(e, JsonObj) else _tl_list(\n e) if isinstance(e, list) else e) for e in v if e is not None]\n rval = JsonObj()\n for k in as_dict(obj).keys():\n v = obj[k]\n if v is not None and k not in ('type', '_context'):\n rval[k] = _tl_list(v) if isinstance(v, list) else self.type_last(v\n ) if isinstance(v, JsonObj) else v\n if 'type' in obj and obj.type:\n rval.type = obj.type\n return rval\n",
"role": "user"
},
{
"content": "type_last",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, se: ShExJ.shapeExpr) ->bool:
if isinstance(se, ShExJ.NodeConstraint):
rval = satisfiesNodeConstraint(cntxt, n, se)
elif isinstance(se, ShExJ.Shape):
rval = satisfiesShape(cntxt, n, se)
elif isinstance(se, ShExJ.ShapeOr):
rval = satisifesShapeOr(cntxt, n, se)
elif isinstance(se, ShExJ.ShapeAnd):
rval = satisfiesShapeAnd(cntxt, n, se)
elif isinstance(se, ShExJ.ShapeNot):
rval = satisfiesShapeNot(cntxt, n, se)
elif isinstance(se, ShExJ.ShapeExternal):
rval = satisfiesExternal(cntxt, n, se)
elif isinstance_(se, ShExJ.shapeExprLabel):
rval = satisfiesShapeExprRef(cntxt, n, se)
else:
raise NotImplementedError(f'Unrecognized shapeExpr: {type(se)}')
return rval
|
satisfies
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, se: ShExJ.shapeExpr) ->bool:\n if isinstance(se, ShExJ.NodeConstraint):\n rval = satisfiesNodeConstraint(cntxt, n, se)\n elif isinstance(se, ShExJ.Shape):\n rval = satisfiesShape(cntxt, n, se)\n elif isinstance(se, ShExJ.ShapeOr):\n rval = satisifesShapeOr(cntxt, n, se)\n elif isinstance(se, ShExJ.ShapeAnd):\n rval = satisfiesShapeAnd(cntxt, n, se)\n elif isinstance(se, ShExJ.ShapeNot):\n rval = satisfiesShapeNot(cntxt, n, se)\n elif isinstance(se, ShExJ.ShapeExternal):\n rval = satisfiesExternal(cntxt, n, se)\n elif isinstance_(se, ShExJ.shapeExprLabel):\n rval = satisfiesShapeExprRef(cntxt, n, se)\n else:\n raise NotImplementedError(f'Unrecognized shapeExpr: {type(se)}')\n return rval\n",
"role": "user"
},
{
"content": "satisfies",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, se: ShExJ.ShapeOr, _: DebugContext) ->bool:
return any(satisfies(cntxt, n, se2) for se2 in se.shapeExprs)
|
satisifesShapeOr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, se: ShExJ.ShapeOr, _: DebugContext) ->bool:\n return any(satisfies(cntxt, n, se2) for se2 in se.shapeExprs)\n",
"role": "user"
},
{
"content": "satisifesShapeOr",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, se: ShExJ.ShapeAnd, _: DebugContext) ->bool:
return all(satisfies(cntxt, n, se2) for se2 in se.shapeExprs)
|
satisfiesShapeAnd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, se: ShExJ.ShapeAnd, _: DebugContext) ->bool:\n return all(satisfies(cntxt, n, se2) for se2 in se.shapeExprs)\n",
"role": "user"
},
{
"content": "satisfiesShapeAnd",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, se: ShExJ.ShapeNot, _: DebugContext) ->bool:
return not satisfies(cntxt, n, se.shapeExpr)
|
satisfiesShapeNot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, se: ShExJ.ShapeNot, _: DebugContext) ->bool:\n return not satisfies(cntxt, n, se.shapeExpr)\n",
"role": "user"
},
{
"content": "satisfiesShapeNot",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, se: ShExJ.ShapeExternal, c: DebugContext
) ->bool:
if c.debug:
print(f'id: {se.id}')
extern_shape = cntxt.external_shape_for(se.id)
if extern_shape:
return satisfies(cntxt, n, extern_shape)
cntxt.fail_reason = f'{se.id}: Shape is not in Schema'
return False
|
satisfiesExternal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, se: ShExJ.ShapeExternal, c: DebugContext\n ) ->bool:\n if c.debug:\n print(f'id: {se.id}')\n extern_shape = cntxt.external_shape_for(se.id)\n if extern_shape:\n return satisfies(cntxt, n, extern_shape)\n cntxt.fail_reason = f'{se.id}: Shape is not in Schema'\n return False\n",
"role": "user"
},
{
"content": "satisfiesExternal",
"role": "assistant"
}
] |
def x(cntxt: Context, n: Node, se: ShExJ.shapeExprLabel, c: DebugContext
) ->bool:
if c.debug:
print(f'id: {se}')
for shape in cntxt.schema.shapes:
if shape.id == se:
return satisfies(cntxt, n, shape)
cntxt.fail_reason = f'{se}: Shape is not in Schema'
return False
|
satisfiesShapeExprRef
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cntxt: Context, n: Node, se: ShExJ.shapeExprLabel, c: DebugContext\n ) ->bool:\n if c.debug:\n print(f'id: {se}')\n for shape in cntxt.schema.shapes:\n if shape.id == se:\n return satisfies(cntxt, n, shape)\n cntxt.fail_reason = f'{se}: Shape is not in Schema'\n return False\n",
"role": "user"
},
{
"content": "satisfiesShapeExprRef",
"role": "assistant"
}
] |
def x():
chart = SimpleLineChart(int(settings.width * 1.5), settings.height)
chart.set_legend(['INTELLIGENCE', 'INSANITY OF STATEMENTS'])
data_index = chart.add_data([(100.0 / y) for y in range(1, 15)])
chart.add_data([(100.0 - 100 / y) for y in range(1, 15)])
chart.set_colours(['208020', '202080'])
near_far_axis_index = chart.set_axis_labels(Axis.BOTTOM, ['FAR', 'NEAR'])
index = chart.set_axis_labels(Axis.BOTTOM, ['HUMAN PROXIMITY TO CAT'])
chart.set_axis_style(index, '202020', font_size=10, alignment=0)
chart.set_axis_positions(index, [50])
chart.download('label-cat-proximity.png')
|
cat_proximity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n chart = SimpleLineChart(int(settings.width * 1.5), settings.height)\n chart.set_legend(['INTELLIGENCE', 'INSANITY OF STATEMENTS'])\n data_index = chart.add_data([(100.0 / y) for y in range(1, 15)])\n chart.add_data([(100.0 - 100 / y) for y in range(1, 15)])\n chart.set_colours(['208020', '202080'])\n near_far_axis_index = chart.set_axis_labels(Axis.BOTTOM, ['FAR', 'NEAR'])\n index = chart.set_axis_labels(Axis.BOTTOM, ['HUMAN PROXIMITY TO CAT'])\n chart.set_axis_style(index, '202020', font_size=10, alignment=0)\n chart.set_axis_positions(index, [50])\n chart.download('label-cat-proximity.png')\n",
"role": "user"
},
{
"content": "cat_proximity",
"role": "assistant"
}
] |
def x(u: URI) ->URIRef:
return u if isinstance(u, URIRef) else URIRef(str(u))
|
normalize_uri
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u: URI) ->URIRef:\n return u if isinstance(u, URIRef) else URIRef(str(u))\n",
"role": "user"
},
{
"content": "normalize_uri",
"role": "assistant"
}
] |
def x(p: URIPARM) ->List[URIRef]:
return normalize_urilist(p) if isinstance(p, List) else normalize_urilist([
p]) if isinstance(p, (str, URIRef)) else p
|
normalize_uriparm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p: URIPARM) ->List[URIRef]:\n return normalize_urilist(p) if isinstance(p, List) else normalize_urilist([\n p]) if isinstance(p, (str, URIRef)) else p\n",
"role": "user"
},
{
"content": "normalize_uriparm",
"role": "assistant"
}
] |
def x(p: STARTPARM) ->List[Union[type(START), START_TYPE, URIRef]]:
if not isinstance(p, list):
p = [p]
return [(normalize_uri(e) if isinstance(e, str) and e is not START else
e) for e in p]
|
normalize_startparm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p: STARTPARM) ->List[Union[type(START), START_TYPE, URIRef]]:\n if not isinstance(p, list):\n p = [p]\n return [(normalize_uri(e) if isinstance(e, str) and e is not START else\n e) for e in p]\n",
"role": "user"
},
{
"content": "normalize_startparm",
"role": "assistant"
}
] |
def x(prog: Optional[str]=None) ->ArgumentParser:
parser = ArgumentParser(prog)
parser.add_argument('rdf', help=
'Input RDF file or SPARQL endpoint if slurper or sparql options')
parser.add_argument('shex', help='ShEx specification')
parser.add_argument('-f', '--format', help='Input RDF Format', default=
'turtle')
parser.add_argument('-s', '--start', help=
'Start shape. If absent use ShEx start node.')
parser.add_argument('-ut', '--usetype', help=
'Start shape is rdf:type of focus', action='store_true')
parser.add_argument('-sp', '--startpredicate', help=
'Start shape is object of this predicate')
parser.add_argument('-fn', '--focus', help='RDF focus node')
parser.add_argument('-A', '--allsubjects', help=
'Evaluate all non-bnode subjects in the graph', action='store_true')
parser.add_argument('-d', '--debug', action='store_true', help=
'Add debug output')
parser.add_argument('-ss', '--slurper', action='store_true', help=
'Use SPARQL slurper graph')
parser.add_argument('-cf', '--flattener', action='store_true', help=
'Use RDF Collections flattener graph')
parser.add_argument('-sq', '--sparql', help=
'SPARQL query to generate focus nodes')
parser.add_argument('-se', '--stoponerror', help='Stop on an error',
action='store_true')
parser.add_argument('--stopafter', help='Stop after N nodes', type=int)
parser.add_argument('-ps', '--printsparql', help=
'Print SPARQL queries as they are executed', action='store_true')
parser.add_argument('-pr', '--printsparqlresults', help=
'Print SPARQL query and results', action='store_true')
parser.add_argument('-gn', '--graphname', help=
"Specific SPARQL graph to query - use '' for any named graph")
parser.add_argument('-pb', '--persistbnodes', help=
'Treat BNodes as persistent in SPARQL endpoint', action='store_true')
return parser
|
genargs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prog: Optional[str]=None) ->ArgumentParser:\n parser = ArgumentParser(prog)\n parser.add_argument('rdf', help=\n 'Input RDF file or SPARQL endpoint if slurper or sparql options')\n parser.add_argument('shex', help='ShEx specification')\n parser.add_argument('-f', '--format', help='Input RDF Format', default=\n 'turtle')\n parser.add_argument('-s', '--start', help=\n 'Start shape. If absent use ShEx start node.')\n parser.add_argument('-ut', '--usetype', help=\n 'Start shape is rdf:type of focus', action='store_true')\n parser.add_argument('-sp', '--startpredicate', help=\n 'Start shape is object of this predicate')\n parser.add_argument('-fn', '--focus', help='RDF focus node')\n parser.add_argument('-A', '--allsubjects', help=\n 'Evaluate all non-bnode subjects in the graph', action='store_true')\n parser.add_argument('-d', '--debug', action='store_true', help=\n 'Add debug output')\n parser.add_argument('-ss', '--slurper', action='store_true', help=\n 'Use SPARQL slurper graph')\n parser.add_argument('-cf', '--flattener', action='store_true', help=\n 'Use RDF Collections flattener graph')\n parser.add_argument('-sq', '--sparql', help=\n 'SPARQL query to generate focus nodes')\n parser.add_argument('-se', '--stoponerror', help='Stop on an error',\n action='store_true')\n parser.add_argument('--stopafter', help='Stop after N nodes', type=int)\n parser.add_argument('-ps', '--printsparql', help=\n 'Print SPARQL queries as they are executed', action='store_true')\n parser.add_argument('-pr', '--printsparqlresults', help=\n 'Print SPARQL query and results', action='store_true')\n parser.add_argument('-gn', '--graphname', help=\n \"Specific SPARQL graph to query - use '' for any named graph\")\n parser.add_argument('-pb', '--persistbnodes', help=\n 'Treat BNodes as persistent in SPARQL endpoint', action='store_true')\n return parser\n",
"role": "user"
},
{
"content": "genargs",
"role": "assistant"
}
] |
def x(self, rdf: Optional[Union[str, Graph]]) ->None:
if isinstance(rdf, Graph):
self.g = rdf
else:
self.g = Graph()
if isinstance(rdf, str):
if '\n' in rdf or '\r' in rdf:
self.g.parse(data=rdf, format=self.rdf_format)
elif ':' in rdf:
self.g.parse(location=rdf, format=self.rdf_format)
else:
self.g.parse(source=rdf, format=self.rdf_format)
|
rdf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rdf: Optional[Union[str, Graph]]) ->None:\n if isinstance(rdf, Graph):\n self.g = rdf\n else:\n self.g = Graph()\n if isinstance(rdf, str):\n if '\\n' in rdf or '\\r' in rdf:\n self.g.parse(data=rdf, format=self.rdf_format)\n elif ':' in rdf:\n self.g.parse(location=rdf, format=self.rdf_format)\n else:\n self.g.parse(source=rdf, format=self.rdf_format)\n",
"role": "user"
},
{
"content": "rdf",
"role": "assistant"
}
] |
def x(self, shex: Optional[Union[str, ShExJ.Schema]]) ->None:
self.pfx = None
if shex is not None:
if isinstance(shex, ShExJ.Schema):
self._schema = shex
else:
shext = shex.strip()
loader = SchemaLoader()
if ('\n' in shex or '\r' in shex) or shext[0] in '#<_: ':
self._schema = loader.loads(shex)
else:
self._schema = loader.load(shex) if isinstance(shex, str
) else shex
if self._schema is None:
raise ValueError('Unable to parse shex file')
self.pfx = PrefixLibrary(loader.schema_text)
|
schema
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shex: Optional[Union[str, ShExJ.Schema]]) ->None:\n self.pfx = None\n if shex is not None:\n if isinstance(shex, ShExJ.Schema):\n self._schema = shex\n else:\n shext = shex.strip()\n loader = SchemaLoader()\n if ('\\n' in shex or '\\r' in shex) or shext[0] in '#<_: ':\n self._schema = loader.loads(shex)\n else:\n self._schema = loader.load(shex) if isinstance(shex, str\n ) else shex\n if self._schema is None:\n raise ValueError('Unable to parse shex file')\n self.pfx = PrefixLibrary(loader.schema_text)\n",
"role": "user"
},
{
"content": "schema",
"role": "assistant"
}
] |
def x(self, focus: Optional[URIPARM]) ->None:
self._focus = normalize_uriparm(focus) if focus else None
|
focus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, focus: Optional[URIPARM]) ->None:\n self._focus = normalize_uriparm(focus) if focus else None\n",
"role": "user"
},
{
"content": "focus",
"role": "assistant"
}
] |
def x(G: Graph, n: Node) ->RDFGraph:
return RDFGraph(G.triples((n, None, None)))
|
arcsOut
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: Graph, n: Node) ->RDFGraph:\n return RDFGraph(G.triples((n, None, None)))\n",
"role": "user"
},
{
"content": "arcsOut",
"role": "assistant"
}
] |
def x(G: Graph, n: Node) ->Set[TriplePredicate]:
return {p for p, _ in G.predicate_objects(n)}
|
predicatesOut
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: Graph, n: Node) ->Set[TriplePredicate]:\n return {p for p, _ in G.predicate_objects(n)}\n",
"role": "user"
},
{
"content": "predicatesOut",
"role": "assistant"
}
] |
def x(G: Graph, n: Node) ->RDFGraph:
return RDFGraph(G.triples((None, None, n)))
|
arcsIn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: Graph, n: Node) ->RDFGraph:\n return RDFGraph(G.triples((None, None, n)))\n",
"role": "user"
},
{
"content": "arcsIn",
"role": "assistant"
}
] |
def x(G: Graph, n: Node) ->Set[TriplePredicate]:
return {p for _, p in G.subject_predicates(n)}
|
predicatesIn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: Graph, n: Node) ->Set[TriplePredicate]:\n return {p for _, p in G.subject_predicates(n)}\n",
"role": "user"
},
{
"content": "predicatesIn",
"role": "assistant"
}
] |
def x(G: Graph, n: Node) ->RDFGraph:
return arcsOut(G, n) | arcsIn(G, n)
|
neigh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: Graph, n: Node) ->RDFGraph:\n return arcsOut(G, n) | arcsIn(G, n)\n",
"role": "user"
},
{
"content": "neigh",
"role": "assistant"
}
] |
def x(G: Graph, n: Node) ->Set[TriplePredicate]:
return predicatesOut(G, n) | predicatesIn(G, n)
|
predicates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: Graph, n: Node) ->Set[TriplePredicate]:\n return predicatesOut(G, n) | predicatesIn(G, n)\n",
"role": "user"
},
{
"content": "predicates",
"role": "assistant"
}
] |
def x(path: str) ->str:
if ':' in path:
parts = urlparse(path)
parts_dict = parts._asdict()
parts_dict['path'] = os.path.split(parts.path)[0
] if '/' in parts.path else ''
return urlunparse(ParseResult(**parts_dict)) + '/'
else:
return (os.path.split(path)[0] if '/' in path else '') + '/'
|
generate_base
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->str:\n if ':' in path:\n parts = urlparse(path)\n parts_dict = parts._asdict()\n parts_dict['path'] = os.path.split(parts.path)[0\n ] if '/' in parts.path else ''\n return urlunparse(ParseResult(**parts_dict)) + '/'\n else:\n return (os.path.split(path)[0] if '/' in path else '') + '/'\n",
"role": "user"
},
{
"content": "generate_base",
"role": "assistant"
}
] |
def x():
chart = VennChart(settings.width, settings.height)
chart.add_data([100, 100, 100, 20, 20, 20, 10])
chart.set_title('Ninjas or God')
chart.set_legend(['unseen agents', 'super powerful', 'secret plans'])
chart.download('venn-ultimate-power.png')
|
ultimate_power
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n chart = VennChart(settings.width, settings.height)\n chart.add_data([100, 100, 100, 20, 20, 20, 10])\n chart.set_title('Ninjas or God')\n chart.set_legend(['unseen agents', 'super powerful', 'secret plans'])\n chart.download('venn-ultimate-power.png')\n",
"role": "user"
},
{
"content": "ultimate_power",
"role": "assistant"
}
] |
def x(cls, server):
host, port = splitport(server)
if port is None:
port = 11211
port = int(port)
if re.search(':.*$', host):
host = re.sub(':.*$', '', host)
return host, port
|
split_host_port
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, server):\n host, port = splitport(server)\n if port is None:\n port = 11211\n port = int(port)\n if re.search(':.*$', host):\n host = re.sub(':.*$', '', host)\n return host, port\n",
"role": "user"
},
{
"content": "split_host_port",
"role": "assistant"
}
] |
def x(self, size):
value = b''
while len(value) < size:
data = self.connection.recv(size - len(value))
if not data:
break
value += data
if len(value) < size:
raise socket.error()
return value
|
read_socket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n value = b''\n while len(value) < size:\n data = self.connection.recv(size - len(value))\n if not data:\n break\n value += data\n if len(value) < size:\n raise socket.error()\n return value\n",
"role": "user"
},
{
"content": "read_socket",
"role": "assistant"
}
] |
def x(self):
try:
self._open_connection()
if self.connection is None:
raise socket.error('Delaying reconnection attempt')
header = self._read_socket(self.HEADER_SIZE)
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas
) = struct.unpack(self.HEADER_STRUCT, header)
assert magic == self.MAGIC['response']
extra_content = None
if bodylen:
extra_content = self._read_socket(bodylen)
return (magic, opcode, keylen, extlen, datatype, status, bodylen,
opaque, cas, extra_content)
except socket.error as e:
self._connection_error(e)
message = str(e)
return self.MAGIC['response'], -1, 0, 0, 0, self.STATUS[
'server_disconnected'], 0, 0, 0, message
|
get_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self._open_connection()\n if self.connection is None:\n raise socket.error('Delaying reconnection attempt')\n header = self._read_socket(self.HEADER_SIZE)\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas\n ) = struct.unpack(self.HEADER_STRUCT, header)\n assert magic == self.MAGIC['response']\n extra_content = None\n if bodylen:\n extra_content = self._read_socket(bodylen)\n return (magic, opcode, keylen, extlen, datatype, status, bodylen,\n opaque, cas, extra_content)\n except socket.error as e:\n self._connection_error(e)\n message = str(e)\n return self.MAGIC['response'], -1, 0, 0, 0, self.STATUS[\n 'server_disconnected'], 0, 0, 0, message\n",
"role": "user"
},
{
"content": "get_response",
"role": "assistant"
}
] |
def x(self, username, password):
self._username = username
self._password = password
self.disconnect()
self._open_connection()
return self.authenticated
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password):\n self._username = username\n self._password = password\n self.disconnect()\n self._open_connection()\n return self.authenticated\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self, value, compress_level=-1):
flags = 0
if isinstance(value, binary_type):
flags |= self.FLAGS['binary']
elif isinstance(value, text_type):
value = value.encode('utf8')
elif isinstance(value, int) and isinstance(value, bool) is False:
flags |= self.FLAGS['integer']
value = str(value)
elif isinstance(value, long) and isinstance(value, bool) is False:
flags |= self.FLAGS['long']
value = str(value)
else:
flags |= self.FLAGS['object']
buf = BytesIO()
pickler = self.pickler(buf, self.pickle_protocol)
pickler.dump(value)
value = buf.getvalue()
if compress_level != 0 and len(value) > self.COMPRESSION_THRESHOLD:
if compress_level is not None and compress_level > 0:
compressed_value = self.compression.compress(value, compress_level)
else:
compressed_value = self.compression.compress(value)
if compressed_value and len(compressed_value) < len(value):
value = compressed_value
flags |= self.FLAGS['compressed']
return flags, value
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, compress_level=-1):\n flags = 0\n if isinstance(value, binary_type):\n flags |= self.FLAGS['binary']\n elif isinstance(value, text_type):\n value = value.encode('utf8')\n elif isinstance(value, int) and isinstance(value, bool) is False:\n flags |= self.FLAGS['integer']\n value = str(value)\n elif isinstance(value, long) and isinstance(value, bool) is False:\n flags |= self.FLAGS['long']\n value = str(value)\n else:\n flags |= self.FLAGS['object']\n buf = BytesIO()\n pickler = self.pickler(buf, self.pickle_protocol)\n pickler.dump(value)\n value = buf.getvalue()\n if compress_level != 0 and len(value) > self.COMPRESSION_THRESHOLD:\n if compress_level is not None and compress_level > 0:\n compressed_value = self.compression.compress(value, compress_level)\n else:\n compressed_value = self.compression.compress(value)\n if compressed_value and len(compressed_value) < len(value):\n value = compressed_value\n flags |= self.FLAGS['compressed']\n return flags, value\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, value, flags):
FLAGS = self.FLAGS
if flags & FLAGS['compressed']:
value = self.compression.decompress(value)
if flags & FLAGS['binary']:
return value
if flags & FLAGS['integer']:
return int(value)
elif flags & FLAGS['long']:
return long(value)
elif flags & FLAGS['object']:
buf = BytesIO(value)
unpickler = self.unpickler(buf)
return unpickler.load()
if six.PY3:
return value.decode('utf8')
try:
value.decode('ascii')
except UnicodeDecodeError:
try:
return value.decode('utf8')
except UnicodeDecodeError:
return value
else:
return value
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, flags):\n FLAGS = self.FLAGS\n if flags & FLAGS['compressed']:\n value = self.compression.decompress(value)\n if flags & FLAGS['binary']:\n return value\n if flags & FLAGS['integer']:\n return int(value)\n elif flags & FLAGS['long']:\n return long(value)\n elif flags & FLAGS['object']:\n buf = BytesIO(value)\n unpickler = self.unpickler(buf)\n return unpickler.load()\n if six.PY3:\n return value.decode('utf8')\n try:\n value.decode('ascii')\n except UnicodeDecodeError:\n try:\n return value.decode('utf8')\n except UnicodeDecodeError:\n return value\n else:\n return value\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(self, key):
logger.debug('Getting key %s', key)
data = struct.pack(self.HEADER_STRUCT + self.COMMANDS['get']['struct'] %
len(key), self.MAGIC['request'], self.COMMANDS['get']['command'],
len(key), 0, 0, 0, len(key), 0, 0, str_to_bytes(key))
self._send(data)
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,
extra_content) = self._get_response()
logger.debug('Value Length: %d. Body length: %d. Data type: %d', extlen,
bodylen, datatype)
if status != self.STATUS['success']:
if status == self.STATUS['key_not_found']:
logger.debug('Key not found. Message: %s', extra_content)
return None, None
if status == self.STATUS['server_disconnected']:
return None, None
raise MemcachedException('Code: %d Message: %s' % (status,
extra_content), status)
flags, value = struct.unpack('!L%ds' % (bodylen - 4,), extra_content)
return self.deserialize(value, flags), cas
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n logger.debug('Getting key %s', key)\n data = struct.pack(self.HEADER_STRUCT + self.COMMANDS['get']['struct'] %\n len(key), self.MAGIC['request'], self.COMMANDS['get']['command'],\n len(key), 0, 0, 0, len(key), 0, 0, str_to_bytes(key))\n self._send(data)\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,\n extra_content) = self._get_response()\n logger.debug('Value Length: %d. Body length: %d. Data type: %d', extlen,\n bodylen, datatype)\n if status != self.STATUS['success']:\n if status == self.STATUS['key_not_found']:\n logger.debug('Key not found. Message: %s', extra_content)\n return None, None\n if status == self.STATUS['server_disconnected']:\n return None, None\n raise MemcachedException('Code: %d Message: %s' % (status,\n extra_content), status)\n flags, value = struct.unpack('!L%ds' % (bodylen - 4,), extra_content)\n return self.deserialize(value, flags), cas\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
logger.debug('Sending NOOP')
data = struct.pack(self.HEADER_STRUCT + self.COMMANDS['noop']['struct'],
self.MAGIC['request'], self.COMMANDS['noop']['command'], 0, 0, 0, 0,
0, 0, 0)
self._send(data)
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,
extra_content) = self._get_response()
logger.debug('Value Length: %d. Body length: %d. Data type: %d', extlen,
bodylen, datatype)
if status != self.STATUS['success']:
logger.debug('NOOP failed (status is %d). Message: %s' % (status,
extra_content))
return int(status)
|
noop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.debug('Sending NOOP')\n data = struct.pack(self.HEADER_STRUCT + self.COMMANDS['noop']['struct'],\n self.MAGIC['request'], self.COMMANDS['noop']['command'], 0, 0, 0, 0,\n 0, 0, 0)\n self._send(data)\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,\n extra_content) = self._get_response()\n logger.debug('Value Length: %d. Body length: %d. Data type: %d', extlen,\n bodylen, datatype)\n if status != self.STATUS['success']:\n logger.debug('NOOP failed (status is %d). Message: %s' % (status,\n extra_content))\n return int(status)\n",
"role": "user"
},
{
"content": "noop",
"role": "assistant"
}
] |
def x(self, keys):
o_keys = keys
keys, last = keys[:-1], str_to_bytes(keys[-1])
if six.PY2:
msg = ''
else:
msg = b''
msg = msg.join([struct.pack(self.HEADER_STRUCT + self.COMMANDS['getkq']
['struct'] % len(key), self.MAGIC['request'], self.COMMANDS['getkq'
]['command'], len(key), 0, 0, 0, len(key), 0, 0, str_to_bytes(key)) for
key in keys])
msg += struct.pack(self.HEADER_STRUCT + self.COMMANDS['getk']['struct'] %
len(last), self.MAGIC['request'], self.COMMANDS['getk']['command'],
len(last), 0, 0, 0, len(last), 0, 0, last)
self._send(msg)
d = {}
opcode = -1
while opcode != self.COMMANDS['getk']['command']:
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque,
cas, extra_content) = self._get_response()
if status == self.STATUS['success']:
flags, key, value = struct.unpack('!L%ds%ds' % (keylen, bodylen -
keylen - 4), extra_content)
if six.PY2:
d[key] = self.deserialize(value, flags), cas
else:
try:
decoded_key = key.decode()
except UnicodeDecodeError:
d[key] = self.deserialize(value, flags), cas
else:
if decoded_key in o_keys:
d[decoded_key] = self.deserialize(value, flags), cas
else:
d[key] = self.deserialize(value, flags), cas
elif status == self.STATUS['server_disconnected']:
break
elif status != self.STATUS['key_not_found']:
raise MemcachedException('Code: %d Message: %s' % (status,
extra_content), status)
return d
|
get_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys):\n o_keys = keys\n keys, last = keys[:-1], str_to_bytes(keys[-1])\n if six.PY2:\n msg = ''\n else:\n msg = b''\n msg = msg.join([struct.pack(self.HEADER_STRUCT + self.COMMANDS['getkq']\n ['struct'] % len(key), self.MAGIC['request'], self.COMMANDS['getkq'\n ]['command'], len(key), 0, 0, 0, len(key), 0, 0, str_to_bytes(key)) for\n key in keys])\n msg += struct.pack(self.HEADER_STRUCT + self.COMMANDS['getk']['struct'] %\n len(last), self.MAGIC['request'], self.COMMANDS['getk']['command'],\n len(last), 0, 0, 0, len(last), 0, 0, last)\n self._send(msg)\n d = {}\n opcode = -1\n while opcode != self.COMMANDS['getk']['command']:\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque,\n cas, extra_content) = self._get_response()\n if status == self.STATUS['success']:\n flags, key, value = struct.unpack('!L%ds%ds' % (keylen, bodylen -\n keylen - 4), extra_content)\n if six.PY2:\n d[key] = self.deserialize(value, flags), cas\n else:\n try:\n decoded_key = key.decode()\n except UnicodeDecodeError:\n d[key] = self.deserialize(value, flags), cas\n else:\n if decoded_key in o_keys:\n d[decoded_key] = self.deserialize(value, flags), cas\n else:\n d[key] = self.deserialize(value, flags), cas\n elif status == self.STATUS['server_disconnected']:\n break\n elif status != self.STATUS['key_not_found']:\n raise MemcachedException('Code: %d Message: %s' % (status,\n extra_content), status)\n return d\n",
"role": "user"
},
{
"content": "get_multi",
"role": "assistant"
}
] |
def x(self, command, key, value, time, cas=0, compress_level=-1):
time = time if time >= 0 else self.MAXIMUM_EXPIRE_TIME
logger.debug('Setting/adding/replacing key %s.', key)
flags, value = self.serialize(value, compress_level=compress_level)
logger.debug('Value bytes %s.', len(value))
if isinstance(value, text_type):
value = value.encode('utf8')
self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS[command][
'struct'] % (len(key), len(value)), self.MAGIC['request'], self.
COMMANDS[command]['command'], len(key), 8, 0, 0, len(key) + len(
value) + 8, 0, cas, flags, time, str_to_bytes(key), value))
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,
extra_content) = self._get_response()
if status != self.STATUS['success']:
if status == self.STATUS['key_exists']:
return False
elif status == self.STATUS['key_not_found']:
return False
elif status == self.STATUS['server_disconnected']:
return False
raise MemcachedException('Code: %d Message: %s' % (status,
extra_content), status)
return True
|
set_add_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, key, value, time, cas=0, compress_level=-1):\n time = time if time >= 0 else self.MAXIMUM_EXPIRE_TIME\n logger.debug('Setting/adding/replacing key %s.', key)\n flags, value = self.serialize(value, compress_level=compress_level)\n logger.debug('Value bytes %s.', len(value))\n if isinstance(value, text_type):\n value = value.encode('utf8')\n self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS[command][\n 'struct'] % (len(key), len(value)), self.MAGIC['request'], self.\n COMMANDS[command]['command'], len(key), 8, 0, 0, len(key) + len(\n value) + 8, 0, cas, flags, time, str_to_bytes(key), value))\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,\n extra_content) = self._get_response()\n if status != self.STATUS['success']:\n if status == self.STATUS['key_exists']:\n return False\n elif status == self.STATUS['key_not_found']:\n return False\n elif status == self.STATUS['server_disconnected']:\n return False\n raise MemcachedException('Code: %d Message: %s' % (status,\n extra_content), status)\n return True\n",
"role": "user"
},
{
"content": "set_add_replace",
"role": "assistant"
}
] |
def x(self, key, value, time, compress_level=-1):
return self._set_add_replace('set', key, value, time, compress_level=
compress_level)
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time, compress_level=-1):\n return self._set_add_replace('set', key, value, time, compress_level=\n compress_level)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, key, value, cas, time, compress_level=-1):
assert cas != 0, '0 is an invalid CAS value'
if cas is None:
return self._set_add_replace('add', key, value, time,
compress_level=compress_level)
else:
return self._set_add_replace('set', key, value, time, cas=cas,
compress_level=compress_level)
|
cas
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, cas, time, compress_level=-1):\n assert cas != 0, '0 is an invalid CAS value'\n if cas is None:\n return self._set_add_replace('add', key, value, time,\n compress_level=compress_level)\n else:\n return self._set_add_replace('set', key, value, time, cas=cas,\n compress_level=compress_level)\n",
"role": "user"
},
{
"content": "cas",
"role": "assistant"
}
] |
def x(self, key, value, time, compress_level=-1):
return self._set_add_replace('add', key, value, time, compress_level=
compress_level)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time, compress_level=-1):\n return self._set_add_replace('add', key, value, time, compress_level=\n compress_level)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, key, value, time, compress_level=-1):
return self._set_add_replace('replace', key, value, time,
compress_level=compress_level)
|
replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, time, compress_level=-1):\n return self._set_add_replace('replace', key, value, time,\n compress_level=compress_level)\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self, mappings, time=100, compress_level=-1):
mappings = mappings.items()
msg = []
for key, value in mappings:
if isinstance(key, tuple):
key, cas = key
else:
cas = None
if cas == 0:
command = 'addq'
else:
command = 'setq'
flags, value = self.serialize(value, compress_level=compress_level)
m = struct.pack(self.HEADER_STRUCT + self.COMMANDS[command][
'struct'] % (len(key), len(value)), self.MAGIC['request'], self
.COMMANDS[command]['command'], len(key), 8, 0, 0, len(key) +
len(value) + 8, 0, cas or 0, flags, time, str_to_bytes(key), value)
msg.append(m)
m = struct.pack(self.HEADER_STRUCT + self.COMMANDS['noop']['struct'],
self.MAGIC['request'], self.COMMANDS['noop']['command'], 0, 0, 0, 0,
0, 0, 0)
msg.append(m)
if six.PY2:
msg = ''.join(msg)
else:
msg = b''.join(msg)
self._send(msg)
opcode = -1
retval = True
while opcode != self.COMMANDS['noop']['command']:
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque,
cas, extra_content) = self._get_response()
if status != self.STATUS['success']:
retval = False
if status == self.STATUS['server_disconnected']:
break
return retval
|
set_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mappings, time=100, compress_level=-1):\n mappings = mappings.items()\n msg = []\n for key, value in mappings:\n if isinstance(key, tuple):\n key, cas = key\n else:\n cas = None\n if cas == 0:\n command = 'addq'\n else:\n command = 'setq'\n flags, value = self.serialize(value, compress_level=compress_level)\n m = struct.pack(self.HEADER_STRUCT + self.COMMANDS[command][\n 'struct'] % (len(key), len(value)), self.MAGIC['request'], self\n .COMMANDS[command]['command'], len(key), 8, 0, 0, len(key) +\n len(value) + 8, 0, cas or 0, flags, time, str_to_bytes(key), value)\n msg.append(m)\n m = struct.pack(self.HEADER_STRUCT + self.COMMANDS['noop']['struct'],\n self.MAGIC['request'], self.COMMANDS['noop']['command'], 0, 0, 0, 0,\n 0, 0, 0)\n msg.append(m)\n if six.PY2:\n msg = ''.join(msg)\n else:\n msg = b''.join(msg)\n self._send(msg)\n opcode = -1\n retval = True\n while opcode != self.COMMANDS['noop']['command']:\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque,\n cas, extra_content) = self._get_response()\n if status != self.STATUS['success']:\n retval = False\n if status == self.STATUS['server_disconnected']:\n break\n return retval\n",
"role": "user"
},
{
"content": "set_multi",
"role": "assistant"
}
] |
def x(self, command, key, value, default, time):
time = time if time >= 0 else self.MAXIMUM_EXPIRE_TIME
self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS[command][
'struct'] % len(key), self.MAGIC['request'], self.COMMANDS[command]
['command'], len(key), 20, 0, 0, len(key) + 20, 0, 0, value,
default, time, str_to_bytes(key)))
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,
extra_content) = self._get_response()
if status not in (self.STATUS['success'], self.STATUS[
'server_disconnected']):
raise MemcachedException('Code: %d Message: %s' % (status,
extra_content), status)
if status == self.STATUS['server_disconnected']:
return 0
return struct.unpack('!Q', extra_content)[0]
|
incr_decr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, key, value, default, time):\n time = time if time >= 0 else self.MAXIMUM_EXPIRE_TIME\n self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS[command][\n 'struct'] % len(key), self.MAGIC['request'], self.COMMANDS[command]\n ['command'], len(key), 20, 0, 0, len(key) + 20, 0, 0, value,\n default, time, str_to_bytes(key)))\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,\n extra_content) = self._get_response()\n if status not in (self.STATUS['success'], self.STATUS[\n 'server_disconnected']):\n raise MemcachedException('Code: %d Message: %s' % (status,\n extra_content), status)\n if status == self.STATUS['server_disconnected']:\n return 0\n return struct.unpack('!Q', extra_content)[0]\n",
"role": "user"
},
{
"content": "incr_decr",
"role": "assistant"
}
] |
def x(self, key, value, default=0, time=1000000):
return self._incr_decr('incr', key, value, default, time)
|
incr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, default=0, time=1000000):\n return self._incr_decr('incr', key, value, default, time)\n",
"role": "user"
},
{
"content": "incr",
"role": "assistant"
}
] |
def x(self, key, value, default=0, time=100):
return self._incr_decr('decr', key, value, default, time)
|
decr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value, default=0, time=100):\n return self._incr_decr('decr', key, value, default, time)\n",
"role": "user"
},
{
"content": "decr",
"role": "assistant"
}
] |
def x(self, key, cas=0):
logger.debug('Deleting key %s', key)
self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS['delete'][
'struct'] % len(key), self.MAGIC['request'], self.COMMANDS['delete'
]['command'], len(key), 0, 0, 0, len(key), 0, cas, str_to_bytes(key)))
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,
extra_content) = self._get_response()
if status == self.STATUS['server_disconnected']:
return False
if status != self.STATUS['success'] and status not in (self.STATUS[
'key_not_found'], self.STATUS['key_exists']):
raise MemcachedException('Code: %d message: %s' % (status,
extra_content), status)
logger.debug('Key deleted %s', key)
return status != self.STATUS['key_exists']
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, cas=0):\n logger.debug('Deleting key %s', key)\n self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS['delete'][\n 'struct'] % len(key), self.MAGIC['request'], self.COMMANDS['delete'\n ]['command'], len(key), 0, 0, 0, len(key), 0, cas, str_to_bytes(key)))\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,\n extra_content) = self._get_response()\n if status == self.STATUS['server_disconnected']:\n return False\n if status != self.STATUS['success'] and status not in (self.STATUS[\n 'key_not_found'], self.STATUS['key_exists']):\n raise MemcachedException('Code: %d message: %s' % (status,\n extra_content), status)\n logger.debug('Key deleted %s', key)\n return status != self.STATUS['key_exists']\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, keys):
logger.debug('Deleting keys %r', keys)
if six.PY2:
msg = ''
else:
msg = b''
for key in keys:
msg += struct.pack(self.HEADER_STRUCT + self.COMMANDS['delete'][
'struct'] % len(key), self.MAGIC['request'], self.COMMANDS[
'delete']['command'], len(key), 0, 0, 0, len(key), 0, 0,
str_to_bytes(key))
msg += struct.pack(self.HEADER_STRUCT + self.COMMANDS['noop']['struct'],
self.MAGIC['request'], self.COMMANDS['noop']['command'], 0, 0, 0, 0,
0, 0, 0)
self._send(msg)
opcode = -1
retval = True
while opcode != self.COMMANDS['noop']['command']:
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque,
cas, extra_content) = self._get_response()
if status != self.STATUS['success']:
retval = False
if status == self.STATUS['server_disconnected']:
break
return retval
|
delete_multi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys):\n logger.debug('Deleting keys %r', keys)\n if six.PY2:\n msg = ''\n else:\n msg = b''\n for key in keys:\n msg += struct.pack(self.HEADER_STRUCT + self.COMMANDS['delete'][\n 'struct'] % len(key), self.MAGIC['request'], self.COMMANDS[\n 'delete']['command'], len(key), 0, 0, 0, len(key), 0, 0,\n str_to_bytes(key))\n msg += struct.pack(self.HEADER_STRUCT + self.COMMANDS['noop']['struct'],\n self.MAGIC['request'], self.COMMANDS['noop']['command'], 0, 0, 0, 0,\n 0, 0, 0)\n self._send(msg)\n opcode = -1\n retval = True\n while opcode != self.COMMANDS['noop']['command']:\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque,\n cas, extra_content) = self._get_response()\n if status != self.STATUS['success']:\n retval = False\n if status == self.STATUS['server_disconnected']:\n break\n return retval\n",
"role": "user"
},
{
"content": "delete_multi",
"role": "assistant"
}
] |
def x(self, time):
logger.info('Flushing memcached')
self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS['flush'][
'struct'], self.MAGIC['request'], self.COMMANDS['flush']['command'],
0, 4, 0, 0, 4, 0, 0, time))
(magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,
extra_content) = self._get_response()
if status not in (self.STATUS['success'], self.STATUS[
'server_disconnected']):
raise MemcachedException('Code: %d message: %s' % (status,
extra_content), status)
logger.debug('Memcached flushed')
return True
|
flush_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time):\n logger.info('Flushing memcached')\n self._send(struct.pack(self.HEADER_STRUCT + self.COMMANDS['flush'][\n 'struct'], self.MAGIC['request'], self.COMMANDS['flush']['command'],\n 0, 4, 0, 0, 4, 0, 0, time))\n (magic, opcode, keylen, extlen, datatype, status, bodylen, opaque, cas,\n extra_content) = self._get_response()\n if status not in (self.STATUS['success'], self.STATUS[\n 'server_disconnected']):\n raise MemcachedException('Code: %d message: %s' % (status,\n extra_content), status)\n logger.debug('Memcached flushed')\n return True\n",
"role": "user"
},
{
"content": "flush_all",
"role": "assistant"
}
] |
def x(self, key=None):
if key is not None:
if isinstance(key, text_type):
key = str_to_bytes(key)
keylen = len(key)
packed = struct.pack(self.HEADER_STRUCT + '%ds' % keylen, self.
MAGIC['request'], self.COMMANDS['stat']['command'], keylen, 0,
0, 0, keylen, 0, 0, key)
else:
packed = struct.pack(self.HEADER_STRUCT, self.MAGIC['request'],
self.COMMANDS['stat']['command'], 0, 0, 0, 0, 0, 0, 0)
self._send(packed)
value = {}
while True:
response = self._get_response()
status = response[5]
if status == self.STATUS['server_disconnected']:
break
keylen = response[2]
bodylen = response[6]
if keylen == 0 and bodylen == 0:
break
extra_content = response[-1]
key = extra_content[:keylen]
body = extra_content[keylen:bodylen]
value[key.decode() if isinstance(key, bytes) else key] = body
return value
|
stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n if key is not None:\n if isinstance(key, text_type):\n key = str_to_bytes(key)\n keylen = len(key)\n packed = struct.pack(self.HEADER_STRUCT + '%ds' % keylen, self.\n MAGIC['request'], self.COMMANDS['stat']['command'], keylen, 0, \n 0, 0, keylen, 0, 0, key)\n else:\n packed = struct.pack(self.HEADER_STRUCT, self.MAGIC['request'],\n self.COMMANDS['stat']['command'], 0, 0, 0, 0, 0, 0, 0)\n self._send(packed)\n value = {}\n while True:\n response = self._get_response()\n status = response[5]\n if status == self.STATUS['server_disconnected']:\n break\n keylen = response[2]\n bodylen = response[6]\n if keylen == 0 and bodylen == 0:\n break\n extra_content = response[-1]\n key = extra_content[:keylen]\n body = extra_content[keylen:bodylen]\n value[key.decode() if isinstance(key, bytes) else key] = body\n return value\n",
"role": "user"
},
{
"content": "stats",
"role": "assistant"
}
] |
def x(self, schema: str) ->'PrefixLibrary':
if '\n' in schema or '\r' in schema or ' ' in schema:
shex = schema
else:
shex = load_shex_file(schema)
for line in shex.split('\n'):
line = line.strip()
m = re.match('PREFIX\\s+(\\S+):\\s+<(\\S+)>', line)
if not m:
m = re.match('@prefix\\s+(\\S+):\\s+<(\\S+)>\\s+\\.', line)
if m:
setattr(self, m.group(1).upper(), Namespace(m.group(2)))
return self
|
add_shex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema: str) ->'PrefixLibrary':\n if '\\n' in schema or '\\r' in schema or ' ' in schema:\n shex = schema\n else:\n shex = load_shex_file(schema)\n for line in shex.split('\\n'):\n line = line.strip()\n m = re.match('PREFIX\\\\s+(\\\\S+):\\\\s+<(\\\\S+)>', line)\n if not m:\n m = re.match('@prefix\\\\s+(\\\\S+):\\\\s+<(\\\\S+)>\\\\s+\\\\.', line)\n if m:\n setattr(self, m.group(1).upper(), Namespace(m.group(2)))\n return self\n",
"role": "user"
},
{
"content": "add_shex",
"role": "assistant"
}
] |
def x(self, g: Graph) ->'PrefixLibrary':
for prefix, namespace in self:
g.bind(prefix.lower(), namespace)
return self
|
add_bindings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, g: Graph) ->'PrefixLibrary':\n for prefix, namespace in self:\n g.bind(prefix.lower(), namespace)\n return self\n",
"role": "user"
},
{
"content": "add_bindings",
"role": "assistant"
}
] |
def x(self, target: object, override: bool=False) ->int:
nret = 0
for k, v in self:
key = k.upper()
exists = hasattr(target, key)
if not exists or override and isinstance(getattr(target, k), (
Namespace, _RDFNamespace)):
setattr(target, k, v)
nret += 1
else:
print(
f'Warning: {key} is already defined in namespace {target}. Not overridden'
)
return nret
|
add_to_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target: object, override: bool=False) ->int:\n nret = 0\n for k, v in self:\n key = k.upper()\n exists = hasattr(target, key)\n if not exists or override and isinstance(getattr(target, k), (\n Namespace, _RDFNamespace)):\n setattr(target, k, v)\n nret += 1\n else:\n print(\n f'Warning: {key} is already defined in namespace {target}. Not overridden'\n )\n return nret\n",
"role": "user"
},
{
"content": "add_to_object",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.