source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(slug, value, category=None, expire=None, date=None):
get_r().set_metric(slug, value, category=category, expire=expire, date=date
)
|
set_metric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug, value, category=None, expire=None, date=None):\n get_r().set_metric(slug, value, category=category, expire=expire, date=date\n )\n",
"role": "user"
},
{
"content": "set_metric",
"role": "assistant"
}
] |
def x(slug, num=1, category=None, expire=None, date=None):
get_r().metric(slug, num=num, category=category, expire=expire, date=date)
|
metric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug, num=1, category=None, expire=None, date=None):\n get_r().metric(slug, num=num, category=category, expire=expire, date=date)\n",
"role": "user"
},
{
"content": "metric",
"role": "assistant"
}
] |
def x(self, previous_precedence=0):
lhs = self.atom()
return self.operator(lhs, previous_precedence)
|
expression
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, previous_precedence=0):\n lhs = self.atom()\n return self.operator(lhs, previous_precedence)\n",
"role": "user"
},
{
"content": "expression",
"role": "assistant"
}
] |
def x(self):
if self.tokens.accept(grammar.param):
return self.param()
if self.tokens.accept(grammar.let):
return self.let()
if self.tokens.accept(grammar.select):
return self.select()
if self.tokens.accept(grammar.select_any):
return self.select_any()
self.tokens.reject(grammar.sql_keyword)
if self.tokens.accept(grammar.if_if):
return self.if_if()
if self.tokens.accept(grammar.prefix):
operator = self.tokens.matched.operator
start = self.tokens.matched.start
expr = self.expression(operator.precedence)
return operator.handler(expr, start=start, end=expr.end, source=
self.original)
if self.tokens.accept(grammar.literal):
return ast.Literal(self.tokens.matched.value, source=self.original,
start=self.tokens.matched.start, end=self.tokens.matched.end)
if self.tokens.accept(grammar.builtin):
return self.builtin(self.tokens.matched.value)
if self.tokens.accept(grammar.application):
return self.application(ast.Var(self.tokens.matched.value, source=
self.original, start=self.tokens.matched.start, end=self.tokens
.matched.first.end))
if self.tokens.accept(common_grammar.symbol):
return ast.Var(self.tokens.matched.value, source=self.original,
start=self.tokens.matched.start, end=self.tokens.matched.end)
if self.tokens.accept(common_grammar.lparen):
start = self.tokens.matched.start
expressions = [self.expression()]
while self.tokens.accept(common_grammar.comma):
expressions.append(self.expression())
self.tokens.expect(common_grammar.rparen)
if len(expressions) == 1:
return expressions[0]
else:
return ast.Repeat(*expressions, source=self.original, start=
start, end=self.tokens.matched.end)
if self.tokens.accept(common_grammar.lbracket):
return self.list()
if self.tokens.peek(0):
return self.error('Was not expecting %r here.' % self.tokens.peek(0
).name, start_token=self.tokens.peek(0))
else:
return self.error('Unexpected end of input.')
|
atom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.tokens.accept(grammar.param):\n return self.param()\n if self.tokens.accept(grammar.let):\n return self.let()\n if self.tokens.accept(grammar.select):\n return self.select()\n if self.tokens.accept(grammar.select_any):\n return self.select_any()\n self.tokens.reject(grammar.sql_keyword)\n if self.tokens.accept(grammar.if_if):\n return self.if_if()\n if self.tokens.accept(grammar.prefix):\n operator = self.tokens.matched.operator\n start = self.tokens.matched.start\n expr = self.expression(operator.precedence)\n return operator.handler(expr, start=start, end=expr.end, source=\n self.original)\n if self.tokens.accept(grammar.literal):\n return ast.Literal(self.tokens.matched.value, source=self.original,\n start=self.tokens.matched.start, end=self.tokens.matched.end)\n if self.tokens.accept(grammar.builtin):\n return self.builtin(self.tokens.matched.value)\n if self.tokens.accept(grammar.application):\n return self.application(ast.Var(self.tokens.matched.value, source=\n self.original, start=self.tokens.matched.start, end=self.tokens\n .matched.first.end))\n if self.tokens.accept(common_grammar.symbol):\n return ast.Var(self.tokens.matched.value, source=self.original,\n start=self.tokens.matched.start, end=self.tokens.matched.end)\n if self.tokens.accept(common_grammar.lparen):\n start = self.tokens.matched.start\n expressions = [self.expression()]\n while self.tokens.accept(common_grammar.comma):\n expressions.append(self.expression())\n self.tokens.expect(common_grammar.rparen)\n if len(expressions) == 1:\n return expressions[0]\n else:\n return ast.Repeat(*expressions, source=self.original, start=\n start, end=self.tokens.matched.end)\n if self.tokens.accept(common_grammar.lbracket):\n return self.list()\n if self.tokens.peek(0):\n return self.error('Was not expecting %r here.' % self.tokens.peek(0\n ).name, start_token=self.tokens.peek(0))\n else:\n return self.error('Unexpected end of input.')\n",
"role": "user"
},
{
"content": "atom",
"role": "assistant"
}
] |
def x(self, precedence):
match = grammar.infix(self.tokens)
if not match:
return
if match.operator.precedence < precedence:
return
return self.tokens.accept(grammar.infix)
|
accept_operator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, precedence):\n match = grammar.infix(self.tokens)\n if not match:\n return\n if match.operator.precedence < precedence:\n return\n return self.tokens.accept(grammar.infix)\n",
"role": "user"
},
{
"content": "accept_operator",
"role": "assistant"
}
] |
def x(self, lhs, min_precedence):
while self.accept_operator(precedence=min_precedence):
operator = self.tokens.matched.operator
if operator.suffix:
rhs = self.expression()
self.tokens.expect(common_grammar.match_tokens(operator.suffix))
rhs.end = self.tokens.matched.end
elif operator.name == '.':
rhs = self.dot_rhs()
else:
rhs = self.atom()
next_min_precedence = operator.precedence
if operator.assoc == 'left':
next_min_precedence += 1
while self.tokens.match(grammar.infix):
if self.tokens.matched.operator.precedence < next_min_precedence:
break
rhs = self.operator(rhs, self.tokens.matched.operator.precedence)
lhs = operator.handler(lhs, rhs, start=lhs.start, end=rhs.end,
source=self.original)
return lhs
|
operator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lhs, min_precedence):\n while self.accept_operator(precedence=min_precedence):\n operator = self.tokens.matched.operator\n if operator.suffix:\n rhs = self.expression()\n self.tokens.expect(common_grammar.match_tokens(operator.suffix))\n rhs.end = self.tokens.matched.end\n elif operator.name == '.':\n rhs = self.dot_rhs()\n else:\n rhs = self.atom()\n next_min_precedence = operator.precedence\n if operator.assoc == 'left':\n next_min_precedence += 1\n while self.tokens.match(grammar.infix):\n if self.tokens.matched.operator.precedence < next_min_precedence:\n break\n rhs = self.operator(rhs, self.tokens.matched.operator.precedence)\n lhs = operator.handler(lhs, rhs, start=lhs.start, end=rhs.end,\n source=self.original)\n return lhs\n",
"role": "user"
},
{
"content": "operator",
"role": "assistant"
}
] |
def x(self):
self.tokens.expect(common_grammar.symbol)
return ast.Literal(self.tokens.matched.value, start=self.tokens.matched
.start, end=self.tokens.matched.end, source=self.original)
|
dot_rhs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.tokens.expect(common_grammar.symbol)\n return ast.Literal(self.tokens.matched.value, start=self.tokens.matched\n .start, end=self.tokens.matched.end, source=self.original)\n",
"role": "user"
},
{
"content": "dot_rhs",
"role": "assistant"
}
] |
def x(self):
if self.tokens.accept(grammar.select_any):
return self.select_any()
if self.tokens.accept(grammar.select_all):
self.tokens.expect(grammar.select_from)
return self.select_from()
return self.select_what()
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.tokens.accept(grammar.select_any):\n return self.select_any()\n if self.tokens.accept(grammar.select_all):\n self.tokens.expect(grammar.select_from)\n return self.select_from()\n return self.select_what()\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, expr):
if isinstance(expr, ast.Var):
return expr.value
if isinstance(expr, ast.Resolve):
return expr.rhs.value
if isinstance(expr, ast.Select) and isinstance(expr.rhs, ast.Literal):
name = self._guess_name_of(expr.lhs)
if name is not None:
return '%s_%s' % (name, expr.rhs.value)
if isinstance(expr, ast.Apply) and isinstance(expr.func, ast.Var):
return expr.func.value
|
guess_name_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expr):\n if isinstance(expr, ast.Var):\n return expr.value\n if isinstance(expr, ast.Resolve):\n return expr.rhs.value\n if isinstance(expr, ast.Select) and isinstance(expr.rhs, ast.Literal):\n name = self._guess_name_of(expr.lhs)\n if name is not None:\n return '%s_%s' % (name, expr.rhs.value)\n if isinstance(expr, ast.Apply) and isinstance(expr.func, ast.Var):\n return expr.func.value\n",
"role": "user"
},
{
"content": "guess_name_of",
"role": "assistant"
}
] |
def x(self, source_expression):
start = self.tokens.matched.start
limit_count_expression = self.expression()
if self.tokens.accept(grammar.select_offset):
offset_start = self.tokens.matched.start
offset_end = self.tokens.matched.end
offset_count_expression = self.expression()
offset_source_expression = ast.Apply(ast.Var('drop', start=
offset_start, end=offset_end, source=self.original),
offset_count_expression, source_expression, start=offset_start,
end=offset_count_expression.end, source=self.original)
source_expression = offset_source_expression
limit_expression = ast.Apply(ast.Var('take', start=start, end=
limit_count_expression.end, source=self.original),
limit_count_expression, source_expression, start=start, end=self.
tokens.matched.end, source=self.original)
return limit_expression
|
select_limit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_expression):\n start = self.tokens.matched.start\n limit_count_expression = self.expression()\n if self.tokens.accept(grammar.select_offset):\n offset_start = self.tokens.matched.start\n offset_end = self.tokens.matched.end\n offset_count_expression = self.expression()\n offset_source_expression = ast.Apply(ast.Var('drop', start=\n offset_start, end=offset_end, source=self.original),\n offset_count_expression, source_expression, start=offset_start,\n end=offset_count_expression.end, source=self.original)\n source_expression = offset_source_expression\n limit_expression = ast.Apply(ast.Var('take', start=start, end=\n limit_count_expression.end, source=self.original),\n limit_count_expression, source_expression, start=start, end=self.\n tokens.matched.end, source=self.original)\n return limit_expression\n",
"role": "user"
},
{
"content": "select_limit",
"role": "assistant"
}
] |
def x(self, keyword):
keyword_start = self.tokens.matched.first.start
keyword_end = self.tokens.matched.first.end
self.tokens.expect(common_grammar.lparen)
if self.tokens.matched.start != keyword_end:
return self.error('No whitespace allowed between function and lparen.',
start_token=self.tokens.matched.first)
expr_type = grammar.BUILTINS[keyword.lower()]
arguments = [self.expression()]
while self.tokens.accept(common_grammar.comma):
arguments.append(self.expression())
self.tokens.expect(common_grammar.rparen)
if expr_type.arity and expr_type.arity != len(arguments):
return self.error('%s expects %d arguments, but was passed %d.' % (
keyword, expr_type.arity, len(arguments)), start_token=self.
tokens.matched.first)
return expr_type(*arguments, start=keyword_start, end=self.tokens.
matched.end, source=self.original)
|
builtin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyword):\n keyword_start = self.tokens.matched.first.start\n keyword_end = self.tokens.matched.first.end\n self.tokens.expect(common_grammar.lparen)\n if self.tokens.matched.start != keyword_end:\n return self.error('No whitespace allowed between function and lparen.',\n start_token=self.tokens.matched.first)\n expr_type = grammar.BUILTINS[keyword.lower()]\n arguments = [self.expression()]\n while self.tokens.accept(common_grammar.comma):\n arguments.append(self.expression())\n self.tokens.expect(common_grammar.rparen)\n if expr_type.arity and expr_type.arity != len(arguments):\n return self.error('%s expects %d arguments, but was passed %d.' % (\n keyword, expr_type.arity, len(arguments)), start_token=self.\n tokens.matched.first)\n return expr_type(*arguments, start=keyword_start, end=self.tokens.\n matched.end, source=self.original)\n",
"role": "user"
},
{
"content": "builtin",
"role": "assistant"
}
] |
def x(self, func):
start = self.tokens.matched.start
if self.tokens.accept(common_grammar.rparen):
return ast.Apply(func, start=start, end=self.tokens.matched.end,
source=self.original)
arguments = [self.expression()]
while self.tokens.accept(common_grammar.comma):
arguments.append(self.expression())
self.tokens.expect(common_grammar.rparen)
return ast.Apply(func, *arguments, start=start, end=self.tokens.matched
.end, source=self.original)
|
application
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n start = self.tokens.matched.start\n if self.tokens.accept(common_grammar.rparen):\n return ast.Apply(func, start=start, end=self.tokens.matched.end,\n source=self.original)\n arguments = [self.expression()]\n while self.tokens.accept(common_grammar.comma):\n arguments.append(self.expression())\n self.tokens.expect(common_grammar.rparen)\n return ast.Apply(func, *arguments, start=start, end=self.tokens.matched\n .end, source=self.original)\n",
"role": "user"
},
{
"content": "application",
"role": "assistant"
}
] |
def x(self):
start = self.tokens.matched.start
if self.tokens.accept(common_grammar.rbracket):
return ast.Tuple(start=start, end=self.tokens.matched.end, source=
self.original)
elements = [self.expression()]
while self.tokens.accept(common_grammar.comma):
elements.append(self.expression())
self.tokens.expect(common_grammar.rbracket)
return ast.Tuple(*elements, start=start, end=self.tokens.matched.end,
source=self.original)
|
list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n start = self.tokens.matched.start\n if self.tokens.accept(common_grammar.rbracket):\n return ast.Tuple(start=start, end=self.tokens.matched.end, source=\n self.original)\n elements = [self.expression()]\n while self.tokens.accept(common_grammar.comma):\n elements.append(self.expression())\n self.tokens.expect(common_grammar.rbracket)\n return ast.Tuple(*elements, start=start, end=self.tokens.matched.end,\n source=self.original)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self):
only_value = None
for value in six.itervalues(self.ordered_dict):
if only_value is not None:
raise ValueError('%r is not a singleton.' % self)
only_value = value
if only_value is self.__UnsetSentinel or only_value is None:
raise ValueError('%r is empty.' % self)
return only_value
|
get_singleton
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n only_value = None\n for value in six.itervalues(self.ordered_dict):\n if only_value is not None:\n raise ValueError('%r is not a singleton.' % self)\n only_value = value\n if only_value is self.__UnsetSentinel or only_value is None:\n raise ValueError('%r is empty.' % self)\n return only_value\n",
"role": "user"
},
{
"content": "get_singleton",
"role": "assistant"
}
] |
def x(self):
value = int(psutil.cpu_percent())
set_metric('cpu', value, category=self.category)
gauge('cpu', value)
|
cpu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = int(psutil.cpu_percent())\n set_metric('cpu', value, category=self.category)\n gauge('cpu', value)\n",
"role": "user"
},
{
"content": "cpu",
"role": "assistant"
}
] |
def x(self):
value = int(psutil.virtual_memory().percent)
set_metric('memory', value, category=self.category)
gauge('memory', value)
|
mem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = int(psutil.virtual_memory().percent)\n set_metric('memory', value, category=self.category)\n gauge('memory', value)\n",
"role": "user"
},
{
"content": "mem",
"role": "assistant"
}
] |
def x(self):
mountpoints = [p.mountpoint for p in psutil.disk_partitions() if p.
device.endswith(self.device)]
if len(mountpoints) != 1:
raise CommandError('Unknown device: {0}'.format(self.device))
value = int(psutil.disk_usage(mountpoints[0]).percent)
set_metric('disk-{0}'.format(self.device), value, category=self.category)
gauge('disk-{0}'.format(self.device), value)
|
disk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mountpoints = [p.mountpoint for p in psutil.disk_partitions() if p.\n device.endswith(self.device)]\n if len(mountpoints) != 1:\n raise CommandError('Unknown device: {0}'.format(self.device))\n value = int(psutil.disk_usage(mountpoints[0]).percent)\n set_metric('disk-{0}'.format(self.device), value, category=self.category)\n gauge('disk-{0}'.format(self.device), value)\n",
"role": "user"
},
{
"content": "disk",
"role": "assistant"
}
] |
def x(self):
data = psutil.network_io_counters(pernic=True)
if self.device not in data:
raise CommandError('Unknown device: {0}'.format(self.device))
value = data[self.device].bytes_sent
metric('net-{0}-sent'.format(self.device), value, category=self.category)
gauge('net-{0}-sent'.format(self.device), value)
value = data[self.device].bytes_recv
metric('net-{0}-recv'.format(self.device), value, category=self.category)
|
net
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = psutil.network_io_counters(pernic=True)\n if self.device not in data:\n raise CommandError('Unknown device: {0}'.format(self.device))\n value = data[self.device].bytes_sent\n metric('net-{0}-sent'.format(self.device), value, category=self.category)\n gauge('net-{0}-sent'.format(self.device), value)\n value = data[self.device].bytes_recv\n metric('net-{0}-recv'.format(self.device), value, category=self.category)\n",
"role": "user"
},
{
"content": "net",
"role": "assistant"
}
] |
def x(obj, protocol):
if isinstance(obj, type):
raise TypeError(
'First argument to implements must be an instance. Got %r.' % obj)
return isinstance(obj, protocol) or issubclass(AnyType, protocol)
|
implements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, protocol):\n if isinstance(obj, type):\n raise TypeError(\n 'First argument to implements must be an instance. Got %r.' % obj)\n return isinstance(obj, protocol) or issubclass(AnyType, protocol)\n",
"role": "user"
},
{
"content": "implements",
"role": "assistant"
}
] |
def x(cls, protocol):
if not isinstance(cls, type):
raise TypeError('First argument to isa must be a type. Got %s.' %
repr(cls))
if not isinstance(protocol, type):
raise TypeError(
'Second argument to isa must be a type or a Protocol. Got an instance of %r.'
% type(protocol))
return issubclass(cls, protocol) or issubclass(AnyType, protocol)
|
isa
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, protocol):\n if not isinstance(cls, type):\n raise TypeError('First argument to isa must be a type. Got %s.' %\n repr(cls))\n if not isinstance(protocol, type):\n raise TypeError(\n 'Second argument to isa must be a type or a Protocol. Got an instance of %r.'\n % type(protocol))\n return issubclass(cls, protocol) or issubclass(AnyType, protocol)\n",
"role": "user"
},
{
"content": "isa",
"role": "assistant"
}
] |
def x(cls, for_type):
for function in cls.required():
if not function.implemented_for_type(for_type):
raise TypeError(
"%r doesn't implement %r so it cannot participate in the protocol %r."
% (for_type, function.func.__name__, cls))
cls.register(for_type)
|
implemented
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, for_type):\n for function in cls.required():\n if not function.implemented_for_type(for_type):\n raise TypeError(\n \"%r doesn't implement %r so it cannot participate in the protocol %r.\"\n % (for_type, function.func.__name__, cls))\n cls.register(for_type)\n",
"role": "user"
},
{
"content": "implemented",
"role": "assistant"
}
] |
def x(cls, for_type=None, for_types=None):
for type_ in cls.__get_type_args(for_type, for_types):
implementations = {}
for function in cls.required():
method = getattr(type_, function.__name__, None)
if not callable(method):
raise TypeError(
'%s.implicit invokation on type %r is missing instance method %r.'
% (cls.__name__, type_, function.__name__))
implementations[function] = method
for function in cls.optional():
method = getattr(type_, function.__name__, None)
if callable(method):
implementations[function] = method
return cls.implement(for_type=type_, implementations=implementations)
|
implicit_static
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, for_type=None, for_types=None):\n for type_ in cls.__get_type_args(for_type, for_types):\n implementations = {}\n for function in cls.required():\n method = getattr(type_, function.__name__, None)\n if not callable(method):\n raise TypeError(\n '%s.implicit invokation on type %r is missing instance method %r.'\n % (cls.__name__, type_, function.__name__))\n implementations[function] = method\n for function in cls.optional():\n method = getattr(type_, function.__name__, None)\n if callable(method):\n implementations[function] = method\n return cls.implement(for_type=type_, implementations=implementations)\n",
"role": "user"
},
{
"content": "implicit_static",
"role": "assistant"
}
] |
def x(func_name):
def x(obj, *args):
method = getattr(obj, func_name, None)
if not callable(method):
raise NotImplementedError(
'Instance method %r is not implemented by %r.' % (func_name,
obj))
return method(*args)
return _late_dynamic_dispatcher
|
build_late_dispatcher
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func_name):\n\n def x(obj, *args):\n method = getattr(obj, func_name, None)\n if not callable(method):\n raise NotImplementedError(\n 'Instance method %r is not implemented by %r.' % (func_name,\n obj))\n return method(*args)\n return _late_dynamic_dispatcher\n",
"role": "user"
},
{
"content": "build_late_dispatcher",
"role": "assistant"
}
] |
def x(cls, for_type=None, for_types=None):
for type_ in cls.__get_type_args(for_type, for_types):
implementations = {}
for function in cls.functions():
implementations[function] = cls._build_late_dispatcher(func_name
=function.__name__)
cls.implement(for_type=type_, implementations=implementations)
|
implicit_dynamic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, for_type=None, for_types=None):\n for type_ in cls.__get_type_args(for_type, for_types):\n implementations = {}\n for function in cls.functions():\n implementations[function] = cls._build_late_dispatcher(func_name\n =function.__name__)\n cls.implement(for_type=type_, implementations=implementations)\n",
"role": "user"
},
{
"content": "implicit_dynamic",
"role": "assistant"
}
] |
def x(cls, implementations, for_type=None, for_types=None):
for type_ in cls.__get_type_args(for_type, for_types):
cls._implement_for_type(for_type=type_, implementations=implementations
)
|
implement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, implementations, for_type=None, for_types=None):\n for type_ in cls.__get_type_args(for_type, for_types):\n cls._implement_for_type(for_type=type_, implementations=implementations\n )\n",
"role": "user"
},
{
"content": "implement",
"role": "assistant"
}
] |
def x(self, source):
if self.OBJECTFILTER_WORDS.search(source):
syntax_ = 'objectfilter'
else:
syntax_ = None
return query.Query(source, syntax=syntax_)
|
parse_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source):\n if self.OBJECTFILTER_WORDS.search(source):\n syntax_ = 'objectfilter'\n else:\n syntax_ = None\n return query.Query(source, syntax=syntax_)\n",
"role": "user"
},
{
"content": "parse_query",
"role": "assistant"
}
] |
def x(self):
rules = None
tag = None
for line in self.original:
match = self.TAG_DECL_LINE.match(line)
if match:
if tag and rules:
yield tag, rules
rules = []
tag = match.group(1)
continue
match = self.TAG_RULE_LINE.match(line)
if match:
source = match.group(1)
rules.append(self._parse_query(source))
|
parse_tagfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rules = None\n tag = None\n for line in self.original:\n match = self.TAG_DECL_LINE.match(line)\n if match:\n if tag and rules:\n yield tag, rules\n rules = []\n tag = match.group(1)\n continue\n match = self.TAG_RULE_LINE.match(line)\n if match:\n source = match.group(1)\n rules.append(self._parse_query(source))\n",
"role": "user"
},
{
"content": "parse_tagfile",
"role": "assistant"
}
] |
def x(expr):
lhs = normalize(expr.lhs)
rhs = normalize(expr.rhs)
return type(expr)(lhs, rhs, start=lhs.start, end=rhs.end)
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expr):\n lhs = normalize(expr.lhs)\n rhs = normalize(expr.rhs)\n return type(expr)(lhs, rhs, start=lhs.start, end=rhs.end)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(expr):
args = [normalize(arg) for arg in expr.args]
return type(expr)(expr.func, *args, start=expr.start, end=expr.end)
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expr):\n args = [normalize(arg) for arg in expr.args]\n return type(expr)(expr.func, *args, start=expr.start, end=expr.end)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(expr):
children = []
for child in expr.children:
branch = normalize(child)
if branch is None:
continue
if type(branch) is type(expr):
children.extend(branch.children)
else:
children.append(branch)
if len(children) == 0:
return None
if len(children) == 1:
return children[0]
return type(expr)(*children, start=children[0].start, end=children[-1].end)
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expr):\n children = []\n for child in expr.children:\n branch = normalize(child)\n if branch is None:\n continue\n if type(branch) is type(expr):\n children.extend(branch.children)\n else:\n children.append(branch)\n if len(children) == 0:\n return None\n if len(children) == 1:\n return children[0]\n return type(expr)(*children, start=children[0].start, end=children[-1].end)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(items):
seen = set()
for item in items:
if item not in seen:
yield item
seen.add(item)
|
dedupe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items):\n seen = set()\n for item in items:\n if item not in seen:\n yield item\n seen.add(item)\n",
"role": "user"
},
{
"content": "dedupe",
"role": "assistant"
}
] |
def x(self, granularity, since, to=None):
if since is None:
since = datetime.utcnow() - timedelta(days=7)
if to is None:
to = datetime.utcnow()
elapsed = to - since
if granularity == 'seconds':
units = elapsed.total_seconds()
units = 300 if units > 300 else units
elif granularity == 'minutes':
units = elapsed.total_seconds() / 60
units = 480 if units > 480 else units
elif granularity == 'hourly':
granularity = 'hours'
units = elapsed.total_seconds() / 3600
units = 720 if units > 720 else units
else:
granularity = 'days'
units = elapsed.days + 1
return (to - timedelta(**{granularity: u}) for u in range(int(units)))
|
date_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, granularity, since, to=None):\n if since is None:\n since = datetime.utcnow() - timedelta(days=7)\n if to is None:\n to = datetime.utcnow()\n elapsed = to - since\n if granularity == 'seconds':\n units = elapsed.total_seconds()\n units = 300 if units > 300 else units\n elif granularity == 'minutes':\n units = elapsed.total_seconds() / 60\n units = 480 if units > 480 else units\n elif granularity == 'hourly':\n granularity = 'hours'\n units = elapsed.total_seconds() / 3600\n units = 720 if units > 720 else units\n else:\n granularity = 'days'\n units = elapsed.days + 1\n return (to - timedelta(**{granularity: u}) for u in range(int(units)))\n",
"role": "user"
},
{
"content": "date_range",
"role": "assistant"
}
] |
def x(self, category):
key = self._category_key(category)
slugs = self.r.smembers(key)
return slugs
|
category_slugs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category):\n key = self._category_key(category)\n slugs = self.r.smembers(key)\n return slugs\n",
"role": "user"
},
{
"content": "category_slugs",
"role": "assistant"
}
] |
def x(self, slug, category):
key = self._category_key(category)
self.r.sadd(key, slug)
self.r.sadd(self._categories_key, category)
|
categorize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, category):\n key = self._category_key(category)\n self.r.sadd(key, slug)\n self.r.sadd(self._categories_key, category)\n",
"role": "user"
},
{
"content": "categorize",
"role": "assistant"
}
] |
def x(self):
keep = False
for g in GRANULARITIES:
if g == app_settings.MIN_GRANULARITY and not keep:
keep = True
elif g == app_settings.MAX_GRANULARITY and keep:
keep = False
yield g
if keep:
yield g
|
granularities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n keep = False\n for g in GRANULARITIES:\n if g == app_settings.MIN_GRANULARITY and not keep:\n keep = True\n elif g == app_settings.MAX_GRANULARITY and keep:\n keep = False\n yield g\n if keep:\n yield g\n",
"role": "user"
},
{
"content": "granularities",
"role": "assistant"
}
] |
def x(self, slug, date):
patts = OrderedDict()
metric_key_patterns = self._metric_key_patterns()
for g in self._granularities():
date_string = date.strftime(metric_key_patterns[g]['date_format'])
patts[g] = metric_key_patterns[g]['key'].format(slug, date_string)
return patts
|
build_key_patterns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, date):\n patts = OrderedDict()\n metric_key_patterns = self._metric_key_patterns()\n for g in self._granularities():\n date_string = date.strftime(metric_key_patterns[g]['date_format'])\n patts[g] = metric_key_patterns[g]['key'].format(slug, date_string)\n return patts\n",
"role": "user"
},
{
"content": "build_key_patterns",
"role": "assistant"
}
] |
def x(self, slug, date=None, granularity='all'):
slug = slugify(slug)
if date is None:
date = datetime.utcnow()
patts = self._build_key_patterns(slug, date)
if granularity == 'all':
return list(patts.values())
return [patts[granularity]]
|
build_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, date=None, granularity='all'):\n slug = slugify(slug)\n if date is None:\n date = datetime.utcnow()\n patts = self._build_key_patterns(slug, date)\n if granularity == 'all':\n return list(patts.values())\n return [patts[granularity]]\n",
"role": "user"
},
{
"content": "build_keys",
"role": "assistant"
}
] |
def x(self):
result = OrderedDict()
categories = sorted(self.r.smembers(self._categories_key))
for category in categories:
result[category] = self._category_slugs(category)
categorized_metrics = set([slug for sublist in result.values() for slug in
sublist])
f = lambda slug: slug not in categorized_metrics
uncategorized = list(set(filter(f, self.metric_slugs())))
if len(uncategorized) > 0:
result['Uncategorized'] = uncategorized
return result
|
metric_slugs_by_category
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = OrderedDict()\n categories = sorted(self.r.smembers(self._categories_key))\n for category in categories:\n result[category] = self._category_slugs(category)\n categorized_metrics = set([slug for sublist in result.values() for slug in\n sublist])\n f = lambda slug: slug not in categorized_metrics\n uncategorized = list(set(filter(f, self.metric_slugs())))\n if len(uncategorized) > 0:\n result['Uncategorized'] = uncategorized\n return result\n",
"role": "user"
},
{
"content": "metric_slugs_by_category",
"role": "assistant"
}
] |
def x(self, slug):
prefix = 'm:{0}:*'.format(slug)
keys = self.r.keys(prefix)
self.r.delete(*keys)
self.r.srem(self._metric_slugs_key, slug)
|
delete_metric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug):\n prefix = 'm:{0}:*'.format(slug)\n keys = self.r.keys(prefix)\n self.r.delete(*keys)\n self.r.srem(self._metric_slugs_key, slug)\n",
"role": "user"
},
{
"content": "delete_metric",
"role": "assistant"
}
] |
def x(self, slug, value, category=None, expire=None, date=None):
keys = self._build_keys(slug, date=date)
self.r.sadd(self._metric_slugs_key, slug)
data = {}
for k in keys:
data[k] = value
self.r.mset(data)
if category:
self._categorize(slug, category)
if expire:
for k in keys:
self.r.expire(k, expire)
|
set_metric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, value, category=None, expire=None, date=None):\n keys = self._build_keys(slug, date=date)\n self.r.sadd(self._metric_slugs_key, slug)\n data = {}\n for k in keys:\n data[k] = value\n self.r.mset(data)\n if category:\n self._categorize(slug, category)\n if expire:\n for k in keys:\n self.r.expire(k, expire)\n",
"role": "user"
},
{
"content": "set_metric",
"role": "assistant"
}
] |
def x(self, slug, num=1, category=None, expire=None, date=None):
self.r.sadd(self._metric_slugs_key, slug)
if category:
self._categorize(slug, category)
keys = self._build_keys(slug, date=date)
pipe = self.r.pipeline()
for key in keys:
pipe.incr(key, num)
if expire:
pipe.expire(key, expire)
pipe.execute()
|
metric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, num=1, category=None, expire=None, date=None):\n self.r.sadd(self._metric_slugs_key, slug)\n if category:\n self._categorize(slug, category)\n keys = self._build_keys(slug, date=date)\n pipe = self.r.pipeline()\n for key in keys:\n pipe.incr(key, num)\n if expire:\n pipe.expire(key, expire)\n pipe.execute()\n",
"role": "user"
},
{
"content": "metric",
"role": "assistant"
}
] |
def x(self, slug):
results = OrderedDict()
granularities = self._granularities()
keys = self._build_keys(slug)
for granularity, key in zip(granularities, keys):
results[granularity] = self.r.get(key)
return results
|
get_metric
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug):\n results = OrderedDict()\n granularities = self._granularities()\n keys = self._build_keys(slug)\n for granularity, key in zip(granularities, keys):\n results[granularity] = self.r.get(key)\n return results\n",
"role": "user"
},
{
"content": "get_metric",
"role": "assistant"
}
] |
def x(self, slug_list):
keys = ['seconds', 'minutes', 'hours', 'day', 'week', 'month', 'year']
key_mapping = {gran: key for gran, key in zip(GRANULARITIES, keys)}
keys = [key_mapping[gran] for gran in self._granularities()]
results = []
for slug in slug_list:
metrics = self.r.mget(*self._build_keys(slug))
if any(metrics):
results.append((slug, dict(zip(keys, metrics))))
return results
|
get_metrics
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug_list):\n keys = ['seconds', 'minutes', 'hours', 'day', 'week', 'month', 'year']\n key_mapping = {gran: key for gran, key in zip(GRANULARITIES, keys)}\n keys = [key_mapping[gran] for gran in self._granularities()]\n results = []\n for slug in slug_list:\n metrics = self.r.mget(*self._build_keys(slug))\n if any(metrics):\n results.append((slug, dict(zip(keys, metrics))))\n return results\n",
"role": "user"
},
{
"content": "get_metrics",
"role": "assistant"
}
] |
def x(self, category):
slug_list = self._category_slugs(category)
return self.get_metrics(slug_list)
|
get_category_metrics
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category):\n slug_list = self._category_slugs(category)\n return self.get_metrics(slug_list)\n",
"role": "user"
},
{
"content": "get_category_metrics",
"role": "assistant"
}
] |
def x(self, category):
category_key = self._category_key(category)
self.r.delete(category_key)
self.r.srem(self._categories_key, category)
|
delete_category
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category):\n category_key = self._category_key(category)\n self.r.delete(category_key)\n self.r.srem(self._categories_key, category)\n",
"role": "user"
},
{
"content": "delete_category",
"role": "assistant"
}
] |
def x(self, category, metric_slugs):
key = self._category_key(category)
if len(metric_slugs) == 0:
self.delete_category(category)
else:
self.r.sadd(key, *metric_slugs)
self.r.sadd(self._categories_key, category)
|
reset_category
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category, metric_slugs):\n key = self._category_key(category)\n if len(metric_slugs) == 0:\n self.delete_category(category)\n else:\n self.r.sadd(key, *metric_slugs)\n self.r.sadd(self._categories_key, category)\n",
"role": "user"
},
{
"content": "reset_category",
"role": "assistant"
}
] |
def x(self, slugs, since=None, to=None, granularity='daily'):
if not type(slugs) == list:
slugs = [slugs]
keys = []
for slug in slugs:
for date in self._date_range(granularity, since, to):
keys += self._build_keys(slug, date, granularity)
keys = list(dedupe(keys))
results = [(0 if v is None else v) for v in self.r.mget(keys)]
results = zip(keys, results)
return sorted(results, key=lambda t: t[0])
|
get_metric_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slugs, since=None, to=None, granularity='daily'):\n if not type(slugs) == list:\n slugs = [slugs]\n keys = []\n for slug in slugs:\n for date in self._date_range(granularity, since, to):\n keys += self._build_keys(slug, date, granularity)\n keys = list(dedupe(keys))\n results = [(0 if v is None else v) for v in self.r.mget(keys)]\n results = zip(keys, results)\n return sorted(results, key=lambda t: t[0])\n",
"role": "user"
},
{
"content": "get_metric_history",
"role": "assistant"
}
] |
def x(self, slugs, since=None, granularity='daily'):
history = self.get_metric_history(slugs, since, granularity=granularity)
_history = []
periods = ['Period']
for s in slugs:
column = [s]
for key, value in history:
if template_tags.metric_slug(key) == s:
column.append(value)
period = template_tags.strip_metric_prefix(key)
if period not in periods:
periods.append(period)
_history.append(column)
_history.insert(0, periods)
return list(zip(*_history))
|
get_metric_history_as_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slugs, since=None, granularity='daily'):\n history = self.get_metric_history(slugs, since, granularity=granularity)\n _history = []\n periods = ['Period']\n for s in slugs:\n column = [s]\n for key, value in history:\n if template_tags.metric_slug(key) == s:\n column.append(value)\n period = template_tags.strip_metric_prefix(key)\n if period not in periods:\n periods.append(period)\n _history.append(column)\n _history.insert(0, periods)\n return list(zip(*_history))\n",
"role": "user"
},
{
"content": "get_metric_history_as_columns",
"role": "assistant"
}
] |
def x(self, slugs, since=None, granularity='daily'):
slugs = sorted(slugs)
history = self.get_metric_history(slugs, since, granularity=granularity)
periods = []
data = OrderedDict()
for k, v in history:
period = template_tags.strip_metric_prefix(k)
if period not in periods:
periods.append(period)
slug = template_tags.metric_slug(k)
if slug not in data:
data[slug] = []
data[slug].append(v)
metrics = {'periods': periods, 'data': []}
for slug, values in data.items():
metrics['data'].append({'slug': slug, 'values': values})
return metrics
|
get_metric_history_chart_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slugs, since=None, granularity='daily'):\n slugs = sorted(slugs)\n history = self.get_metric_history(slugs, since, granularity=granularity)\n periods = []\n data = OrderedDict()\n for k, v in history:\n period = template_tags.strip_metric_prefix(k)\n if period not in periods:\n periods.append(period)\n slug = template_tags.metric_slug(k)\n if slug not in data:\n data[slug] = []\n data[slug].append(v)\n metrics = {'periods': periods, 'data': []}\n for slug, values in data.items():\n metrics['data'].append({'slug': slug, 'values': values})\n return metrics\n",
"role": "user"
},
{
"content": "get_metric_history_chart_data",
"role": "assistant"
}
] |
def x(self, slug, current_value):
k = self._gauge_key(slug)
self.r.sadd(self._gauge_slugs_key, slug)
self.r.set(k, current_value)
|
gauge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug, current_value):\n k = self._gauge_key(slug)\n self.r.sadd(self._gauge_slugs_key, slug)\n self.r.set(k, current_value)\n",
"role": "user"
},
{
"content": "gauge",
"role": "assistant"
}
] |
def x(self, slug):
key = self._gauge_key(slug)
self.r.delete(key)
self.r.srem(self._gauge_slugs_key, slug)
|
delete_gauge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slug):\n key = self._gauge_key(slug)\n self.r.delete(key)\n self.r.srem(self._gauge_slugs_key, slug)\n",
"role": "user"
},
{
"content": "delete_gauge",
"role": "assistant"
}
] |
def x(slugs, years, link_type='detail', granularity=None):
now = datetime.utcnow()
if type(slugs) in [list, set]:
slugs = '+'.join(s.lower().strip() for s in slugs)
granularity = granularity.lower().strip() if granularity else 'daily'
slug_values = [(slugs, now - timedelta(days=1), 'Today', granularity),
(slugs, now - timedelta(days=7), '1 Week', granularity), (slugs,
now - timedelta(days=30), '30 Days', granularity), (slugs, now -
timedelta(days=60), '60 Days', granularity), (slugs, now -
timedelta(days=90), '90 Days', granularity)]
for y in range(1, years + 1):
t = now - timedelta(days=365 * y)
text = '{0} Years'.format(y)
slug_values.append((slugs, t, text, granularity))
return {'slug_values': slug_values, 'link_type': link_type.lower().strip()}
|
metrics_since
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slugs, years, link_type='detail', granularity=None):\n now = datetime.utcnow()\n if type(slugs) in [list, set]:\n slugs = '+'.join(s.lower().strip() for s in slugs)\n granularity = granularity.lower().strip() if granularity else 'daily'\n slug_values = [(slugs, now - timedelta(days=1), 'Today', granularity),\n (slugs, now - timedelta(days=7), '1 Week', granularity), (slugs, \n now - timedelta(days=30), '30 Days', granularity), (slugs, now -\n timedelta(days=60), '60 Days', granularity), (slugs, now -\n timedelta(days=90), '90 Days', granularity)]\n for y in range(1, years + 1):\n t = now - timedelta(days=365 * y)\n text = '{0} Years'.format(y)\n slug_values.append((slugs, t, text, granularity))\n return {'slug_values': slug_values, 'link_type': link_type.lower().strip()}\n",
"role": "user"
},
{
"content": "metrics_since",
"role": "assistant"
}
] |
def x(slug, maximum=9000, size=200, coerce='float'):
coerce_options = {'float': float, 'int': int, 'str': str}
coerce = coerce_options.get(coerce, float)
redis = get_r()
value = coerce(redis.get_gauge(slug))
if value < maximum and coerce == float:
diff = round(maximum - value, 2)
elif value < maximum:
diff = maximum - value
else:
diff = 0
return {'slug': slug, 'current_value': value, 'max_value': maximum,
'size': size, 'diff': diff}
|
gauge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug, maximum=9000, size=200, coerce='float'):\n coerce_options = {'float': float, 'int': int, 'str': str}\n coerce = coerce_options.get(coerce, float)\n redis = get_r()\n value = coerce(redis.get_gauge(slug))\n if value < maximum and coerce == float:\n diff = round(maximum - value, 2)\n elif value < maximum:\n diff = maximum - value\n else:\n diff = 0\n return {'slug': slug, 'current_value': value, 'max_value': maximum,\n 'size': size, 'diff': diff}\n",
"role": "user"
},
{
"content": "gauge",
"role": "assistant"
}
] |
def x(slug, with_data_table=False):
r = get_r()
granularities = list(r._granularities())
metrics = r.get_metric(slug)
metrics_data = []
for g in granularities:
metrics_data.append((g, metrics[g]))
return {'granularities': [g.title() for g in granularities], 'slug':
slug, 'metrics': metrics_data, 'with_data_table': with_data_table}
|
metric_detail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug, with_data_table=False):\n r = get_r()\n granularities = list(r._granularities())\n metrics = r.get_metric(slug)\n metrics_data = []\n for g in granularities:\n metrics_data.append((g, metrics[g]))\n return {'granularities': [g.title() for g in granularities], 'slug':\n slug, 'metrics': metrics_data, 'with_data_table': with_data_table}\n",
"role": "user"
},
{
"content": "metric_detail",
"role": "assistant"
}
] |
def x(slug, granularity='daily', since=None, to=None, with_data_table=False):
r = get_r()
try:
if since and len(since) == 10:
since = datetime.strptime(since, '%Y-%m-%d')
elif since and len(since) == 19:
since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')
if to and len(to) == 10:
to = datetime.strptime(since, '%Y-%m-%d')
elif to and len(to) == 19:
to = datetime.strptime(to, '%Y-%m-%d %H:%M:%S')
except (TypeError, ValueError):
pass
metric_history = r.get_metric_history(slugs=slug, since=since, to=to,
granularity=granularity)
return {'since': since, 'to': to, 'slug': slug, 'granularity':
granularity, 'metric_history': metric_history, 'with_data_table':
with_data_table}
|
metric_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug, granularity='daily', since=None, to=None, with_data_table=False):\n r = get_r()\n try:\n if since and len(since) == 10:\n since = datetime.strptime(since, '%Y-%m-%d')\n elif since and len(since) == 19:\n since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')\n if to and len(to) == 10:\n to = datetime.strptime(since, '%Y-%m-%d')\n elif to and len(to) == 19:\n to = datetime.strptime(to, '%Y-%m-%d %H:%M:%S')\n except (TypeError, ValueError):\n pass\n metric_history = r.get_metric_history(slugs=slug, since=since, to=to,\n granularity=granularity)\n return {'since': since, 'to': to, 'slug': slug, 'granularity':\n granularity, 'metric_history': metric_history, 'with_data_table':\n with_data_table}\n",
"role": "user"
},
{
"content": "metric_history",
"role": "assistant"
}
] |
def x(slug_list, with_data_table=False):
r = get_r()
metrics_data = []
granularities = r._granularities()
keys = ['seconds', 'minutes', 'hours', 'day', 'week', 'month', 'year']
key_mapping = {gran: key for gran, key in zip(GRANULARITIES, keys)}
keys = [key_mapping[gran] for gran in granularities]
for slug, data in r.get_metrics(slug_list):
values = [data[t] for t in keys]
metrics_data.append((slug, values))
return {'chart_id': 'metric-aggregate-{0}'.format('-'.join(slug_list)),
'slugs': slug_list, 'metrics': metrics_data, 'with_data_table':
with_data_table, 'granularities': [g.title() for g in keys]}
|
aggregate_detail
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slug_list, with_data_table=False):\n r = get_r()\n metrics_data = []\n granularities = r._granularities()\n keys = ['seconds', 'minutes', 'hours', 'day', 'week', 'month', 'year']\n key_mapping = {gran: key for gran, key in zip(GRANULARITIES, keys)}\n keys = [key_mapping[gran] for gran in granularities]\n for slug, data in r.get_metrics(slug_list):\n values = [data[t] for t in keys]\n metrics_data.append((slug, values))\n return {'chart_id': 'metric-aggregate-{0}'.format('-'.join(slug_list)),\n 'slugs': slug_list, 'metrics': metrics_data, 'with_data_table':\n with_data_table, 'granularities': [g.title() for g in keys]}\n",
"role": "user"
},
{
"content": "aggregate_detail",
"role": "assistant"
}
] |
def x(slugs, granularity='daily', since=None, with_data_table=False):
r = get_r()
slugs = list(slugs)
try:
if since and len(since) == 10:
since = datetime.strptime(since, '%Y-%m-%d')
elif since and len(since) == 19:
since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')
except (TypeError, ValueError):
pass
history = r.get_metric_history_chart_data(slugs=slugs, since=since,
granularity=granularity)
return {'chart_id': 'metric-aggregate-history-{0}'.format('-'.join(
slugs)), 'slugs': slugs, 'since': since, 'granularity': granularity,
'metric_history': history, 'with_data_table': with_data_table}
|
aggregate_history
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slugs, granularity='daily', since=None, with_data_table=False):\n r = get_r()\n slugs = list(slugs)\n try:\n if since and len(since) == 10:\n since = datetime.strptime(since, '%Y-%m-%d')\n elif since and len(since) == 19:\n since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')\n except (TypeError, ValueError):\n pass\n history = r.get_metric_history_chart_data(slugs=slugs, since=since,\n granularity=granularity)\n return {'chart_id': 'metric-aggregate-history-{0}'.format('-'.join(\n slugs)), 'slugs': slugs, 'since': since, 'granularity': granularity,\n 'metric_history': history, 'with_data_table': with_data_table}\n",
"role": "user"
},
{
"content": "aggregate_history",
"role": "assistant"
}
] |
def x(query, replacements=None, vars=None, allow_io=False, libs=('stdcore',
'stdmath')):
if vars is None:
vars = {}
if allow_io:
libs = list(libs)
libs.append('stdio')
query = q.Query(query, params=replacements)
stdcore_included = False
for lib in libs:
if lib == 'stdcore':
stdcore_included = True
continue
if lib == 'stdio' and not allow_io:
raise ValueError(
"Attempting to include 'stdio' but IO not enabled. Pass allow_io=True."
)
module = std_core.LibraryModule.ALL_MODULES.get(lib)
if not lib:
raise ValueError('There is no standard library module %r.' % lib)
vars = scope.ScopeStack(module, vars)
if not stdcore_included:
raise ValueError("EFILTER cannot work without standard lib 'stdcore'.")
results = solve.solve(query, vars).value
return results
|
apply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, replacements=None, vars=None, allow_io=False, libs=('stdcore',\n 'stdmath')):\n if vars is None:\n vars = {}\n if allow_io:\n libs = list(libs)\n libs.append('stdio')\n query = q.Query(query, params=replacements)\n stdcore_included = False\n for lib in libs:\n if lib == 'stdcore':\n stdcore_included = True\n continue\n if lib == 'stdio' and not allow_io:\n raise ValueError(\n \"Attempting to include 'stdio' but IO not enabled. Pass allow_io=True.\"\n )\n module = std_core.LibraryModule.ALL_MODULES.get(lib)\n if not lib:\n raise ValueError('There is no standard library module %r.' % lib)\n vars = scope.ScopeStack(module, vars)\n if not stdcore_included:\n raise ValueError(\"EFILTER cannot work without standard lib 'stdcore'.\")\n results = solve.solve(query, vars).value\n return results\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(func, arg_types=None, return_type=None):
class UserFunction(std_core.TypedFunction):
name = func.__name__
def x(self, *args, **kwargs):
return func(*args, **kwargs)
@classmethod
def x(cls):
return arg_types
@classmethod
def x(cls):
return return_type
return UserFunction()
|
user_func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, arg_types=None, return_type=None):\n\n\n class UserFunction(std_core.TypedFunction):\n name = func.__name__\n\n def x(self, *args, **kwargs):\n return func(*args, **kwargs)\n\n @classmethod\n def x(cls):\n return arg_types\n\n @classmethod\n def x(cls):\n return return_type\n return UserFunction()\n",
"role": "user"
},
{
"content": "user_func",
"role": "assistant"
}
] |
def x(query, replacements=None, root_type=None, libs=('stdcore', 'stdmath')):
if root_type:
type_scope = scope.ScopeStack(std_core.MODULE, root_type)
else:
type_scope = scope.ScopeStack(std_core.MODULE)
stdcore_included = False
for lib in libs:
if lib == 'stdcore':
stdcore_included = True
continue
module = std_core.LibraryModule.ALL_MODULES.get(lib)
if not module:
raise TypeError('No standard library module %r.' % lib)
type_scope = scope.ScopeStack(module, type_scope)
if not stdcore_included:
raise TypeError("'stdcore' must always be included.")
query = q.Query(query, params=replacements)
return infer_type.infer_type(query, type_scope)
|
infer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, replacements=None, root_type=None, libs=('stdcore', 'stdmath')):\n if root_type:\n type_scope = scope.ScopeStack(std_core.MODULE, root_type)\n else:\n type_scope = scope.ScopeStack(std_core.MODULE)\n stdcore_included = False\n for lib in libs:\n if lib == 'stdcore':\n stdcore_included = True\n continue\n module = std_core.LibraryModule.ALL_MODULES.get(lib)\n if not module:\n raise TypeError('No standard library module %r.' % lib)\n type_scope = scope.ScopeStack(module, type_scope)\n if not stdcore_included:\n raise TypeError(\"'stdcore' must always be included.\")\n query = q.Query(query, params=replacements)\n return infer_type.infer_type(query, type_scope)\n",
"role": "user"
},
{
"content": "infer",
"role": "assistant"
}
] |
def x(query, data, replacements=None):
query = q.Query(query, params=replacements)
for entry in data:
if solve.solve(query, entry).value:
yield entry
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, data, replacements=None):\n query = q.Query(query, params=replacements)\n for entry in data:\n if solve.solve(query, entry).value:\n yield entry\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, steps=1):
try:
tokens = iter(self)
for _ in six.moves.range(steps):
next(tokens)
return next(tokens)
except StopIteration:
return None
|
peek
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, steps=1):\n try:\n tokens = iter(self)\n for _ in six.moves.range(steps):\n next(tokens)\n return next(tokens)\n except StopIteration:\n return None\n",
"role": "user"
},
{
"content": "peek",
"role": "assistant"
}
] |
def x(self, steps=1):
for _ in six.moves.range(steps):
self.next_token()
|
skip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, steps=1):\n for _ in six.moves.range(steps):\n self.next_token()\n",
"role": "user"
},
{
"content": "skip",
"role": "assistant"
}
] |
def x(self):
if self.lookahead:
self.current_token = self.lookahead.popleft()
return self.current_token
self.current_token = self._parse_next_token()
return self.current_token
|
next_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.lookahead:\n self.current_token = self.lookahead.popleft()\n return self.current_token\n self.current_token = self._parse_next_token()\n return self.current_token\n",
"role": "user"
},
{
"content": "next_token",
"role": "assistant"
}
] |
def x(self):
while self._position < self.limit:
token = self._next_pattern()
if token:
return token
return None
|
parse_next_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while self._position < self.limit:\n token = self._next_pattern()\n if token:\n return token\n return None\n",
"role": "user"
},
{
"content": "parse_next_token",
"role": "assistant"
}
] |
def x(self):
current_state = self.state_stack[-1]
position = self._position
for pattern in self.patterns:
if current_state not in pattern.states:
continue
m = pattern.regex.match(self.source, position)
if not m:
continue
position = m.end()
token = None
if pattern.next_state:
self.state_stack.append(pattern.next_state)
if pattern.action:
callback = getattr(self, pattern.action, None)
if callback is None:
raise RuntimeError(
'No method defined for pattern action %s!' % pattern.action
)
if 'token' in m.groups():
value = m.group('token')
else:
value = m.group(0)
token = callback(string=value, match=m, pattern=pattern)
self._position = position
return token
self._error("Don't know how to match next. Did you forget quotes?",
start=self._position, end=self._position + 1)
|
next_pattern
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current_state = self.state_stack[-1]\n position = self._position\n for pattern in self.patterns:\n if current_state not in pattern.states:\n continue\n m = pattern.regex.match(self.source, position)\n if not m:\n continue\n position = m.end()\n token = None\n if pattern.next_state:\n self.state_stack.append(pattern.next_state)\n if pattern.action:\n callback = getattr(self, pattern.action, None)\n if callback is None:\n raise RuntimeError(\n 'No method defined for pattern action %s!' % pattern.action\n )\n if 'token' in m.groups():\n value = m.group('token')\n else:\n value = m.group(0)\n token = callback(string=value, match=m, pattern=pattern)\n self._position = position\n return token\n self._error(\"Don't know how to match next. Did you forget quotes?\",\n start=self._position, end=self._position + 1)\n",
"role": "user"
},
{
"content": "next_pattern",
"role": "assistant"
}
] |
def x(self, message, start, end=None):
raise errors.EfilterParseError(source=self.source, start=start, end=end,
message=message)
|
error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, start, end=None):\n raise errors.EfilterParseError(source=self.source, start=start, end=end,\n message=message)\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
def x(self, string, match, pattern, **_):
return grammar.Token(name=pattern.name, value=string, start=match.start
(), end=match.end())
|
emit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, match, pattern, **_):\n return grammar.Token(name=pattern.name, value=string, start=match.start\n (), end=match.end())\n",
"role": "user"
},
{
"content": "emit",
"role": "assistant"
}
] |
def x():
try:
with open('PKG-INFO', 'r') as fp:
rgx = re.compile('Version: (\\d+)')
for line in fp.readlines():
match = rgx.match(line)
if match:
return match.group(1)
except IOError:
return None
|
get_pkg_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n with open('PKG-INFO', 'r') as fp:\n rgx = re.compile('Version: (\\\\d+)')\n for line in fp.readlines():\n match = rgx.match(line)\n if match:\n return match.group(1)\n except IOError:\n return None\n",
"role": "user"
},
{
"content": "get_pkg_version",
"role": "assistant"
}
] |
def x(dev_version=False):
if dev_version:
version = git_dev_version()
if not version:
raise RuntimeError('Could not generate dev version from git.')
return version
return '1!%d.%d' % (MAJOR, MINOR)
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dev_version=False):\n if dev_version:\n version = git_dev_version()\n if not version:\n raise RuntimeError('Could not generate dev version from git.')\n return version\n return '1!%d.%d' % (MAJOR, MINOR)\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self):
try:
self._prof.prof('heartbeat thread started', uid=self._uid)
mq_connection = pika.BlockingConnection(pika.ConnectionParameters(
host=self._mq_hostname, port=self._port))
mq_channel = mq_connection.channel()
response = True
while response and not self._hb_terminate.is_set():
response = False
corr_id = str(uuid.uuid4())
mq_channel.basic_publish(exchange='', routing_key=self.
_hb_request_q, properties=pika.BasicProperties(reply_to=
self._hb_response_q, correlation_id=corr_id), body='request')
self._logger.info('Sent heartbeat request')
mq_connection.sleep(self._hb_interval)
method_frame, props, body = mq_channel.basic_get(queue=self.
_hb_response_q)
if body:
if corr_id == props.correlation_id:
self._logger.info('Received heartbeat response')
response = True
mq_channel.basic_ack(delivery_tag=method_frame.delivery_tag
)
except KeyboardInterrupt:
self._logger.exception(
'Execution interrupted by user (you probably hit Ctrl+C), ' +
'trying to cancel tmgr process gracefully...')
raise KeyboardInterrupt
except Exception as ex:
self._logger.exception('Heartbeat failed with error: %s' % ex)
raise
finally:
try:
mq_connection.close()
except:
self._logger.warning('mq_connection not created')
self._prof.prof('terminating heartbeat thread', uid=self._uid)
|
heartbeat
|
[
{
"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._prof.prof('heartbeat thread started', uid=self._uid)\n mq_connection = pika.BlockingConnection(pika.ConnectionParameters(\n host=self._mq_hostname, port=self._port))\n mq_channel = mq_connection.channel()\n response = True\n while response and not self._hb_terminate.is_set():\n response = False\n corr_id = str(uuid.uuid4())\n mq_channel.basic_publish(exchange='', routing_key=self.\n _hb_request_q, properties=pika.BasicProperties(reply_to=\n self._hb_response_q, correlation_id=corr_id), body='request')\n self._logger.info('Sent heartbeat request')\n mq_connection.sleep(self._hb_interval)\n method_frame, props, body = mq_channel.basic_get(queue=self.\n _hb_response_q)\n if body:\n if corr_id == props.correlation_id:\n self._logger.info('Received heartbeat response')\n response = True\n mq_channel.basic_ack(delivery_tag=method_frame.delivery_tag\n )\n except KeyboardInterrupt:\n self._logger.exception(\n 'Execution interrupted by user (you probably hit Ctrl+C), ' +\n 'trying to cancel tmgr process gracefully...')\n raise KeyboardInterrupt\n except Exception as ex:\n self._logger.exception('Heartbeat failed with error: %s' % ex)\n raise\n finally:\n try:\n mq_connection.close()\n except:\n self._logger.warning('mq_connection not created')\n self._prof.prof('terminating heartbeat thread', uid=self._uid)\n",
"role": "user"
},
{
"content": "heartbeat",
"role": "assistant"
}
] |
def x(self, uid, rmgr, logger, mq_hostname, port, pending_queue,
completed_queue):
raise NotImplementedError('_tmgr() method ' +
'not implemented in TaskManager for %s' % self._rts)
|
tmgr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid, rmgr, logger, mq_hostname, port, pending_queue,\n completed_queue):\n raise NotImplementedError('_tmgr() method ' + \n 'not implemented in TaskManager for %s' % self._rts)\n",
"role": "user"
},
{
"content": "tmgr",
"role": "assistant"
}
] |
def x(self):
idx = 0
generator = self._generator_func()
first_value = next(generator)
self._value_type = type(first_value)
yield first_value
for idx, value in enumerate(generator):
if not isinstance(value, self._value_type):
raise TypeError(
'All values of a repeated var must be of the same type. First argument was of type %r, but argument %r is of type %r.'
% (self._value_type, value, repeated.value_type(value)))
self._watermark = max(self._watermark, idx + 1)
yield value
if idx + 1 < self._watermark:
raise ValueError(
'LazyRepetition %r was previously able to iterate its generator up to idx %d, but this time iteration stopped after idx %d! Generator function %r is not stable.'
% (self, self._watermark, idx + 1, self._generator_func))
if self._count is not None and self._watermark >= self._count:
raise ValueError(
'LazyRepetition %r previously iterated only up to idx %d but was now able to reach idx %d! Generator function %r is not stable.'
% (self, self._count - 1, idx + 1, self._generator_func))
self._count = self._watermark + 1
|
getvalues
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n idx = 0\n generator = self._generator_func()\n first_value = next(generator)\n self._value_type = type(first_value)\n yield first_value\n for idx, value in enumerate(generator):\n if not isinstance(value, self._value_type):\n raise TypeError(\n 'All values of a repeated var must be of the same type. First argument was of type %r, but argument %r is of type %r.'\n % (self._value_type, value, repeated.value_type(value)))\n self._watermark = max(self._watermark, idx + 1)\n yield value\n if idx + 1 < self._watermark:\n raise ValueError(\n 'LazyRepetition %r was previously able to iterate its generator up to idx %d, but this time iteration stopped after idx %d! Generator function %r is not stable.'\n % (self, self._watermark, idx + 1, self._generator_func))\n if self._count is not None and self._watermark >= self._count:\n raise ValueError(\n 'LazyRepetition %r previously iterated only up to idx %d but was now able to reach idx %d! Generator function %r is not stable.'\n % (self, self._count - 1, idx + 1, self._generator_func))\n self._count = self._watermark + 1\n",
"role": "user"
},
{
"content": "getvalues",
"role": "assistant"
}
] |
def x(self, other):
self_sorted = ordered.ordered(self.getvalues())
other_sorted = ordered.ordered(repeated.getvalues(other))
return self_sorted == other_sorted
|
value_eq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n self_sorted = ordered.ordered(self.getvalues())\n other_sorted = ordered.ordered(repeated.getvalues(other))\n return self_sorted == other_sorted\n",
"role": "user"
},
{
"content": "value_eq",
"role": "assistant"
}
] |
def x(func):
def x(*args, **kwargs):
import traceback
stack = traceback.extract_stack()
r = func(*args, **kwargs)
func_name = func.__name__
print('@depth %d, trace %s -> %s(*%r, **%r) => %r' % (len(stack),
' -> '.join('%s:%d:%s' % x[0:3] for x in stack[-5:-2]),
func_name, args, kwargs, r))
return r
return audited_func
|
call_audit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(*args, **kwargs):\n import traceback\n stack = traceback.extract_stack()\n r = func(*args, **kwargs)\n func_name = func.__name__\n print('@depth %d, trace %s -> %s(*%r, **%r) => %r' % (len(stack),\n ' -> '.join('%s:%d:%s' % x[0:3] for x in stack[-5:-2]),\n func_name, args, kwargs, r))\n return r\n return audited_func\n",
"role": "user"
},
{
"content": "call_audit",
"role": "assistant"
}
] |
def x(args, kwargs):
_ = kwargs
if not args:
raise ValueError(
'Multimethods must be passed at least one positional arg.')
if not isinstance(args[0], type):
raise TypeError(
'class_multimethod must be called with a type, not instance.')
return args[0]
|
class_dispatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, kwargs):\n _ = kwargs\n if not args:\n raise ValueError(\n 'Multimethods must be passed at least one positional arg.')\n if not isinstance(args[0], type):\n raise TypeError(\n 'class_multimethod must be called with a type, not instance.')\n return args[0]\n",
"role": "user"
},
{
"content": "class_dispatch",
"role": "assistant"
}
] |
def x(self, prefer, over):
self._write_lock.acquire()
try:
if self._preferred(preferred=over, over=prefer):
raise ValueError('Type %r is already preferred over %r.' % (
over, prefer))
prefs = self._prefer_table.setdefault(prefer, set())
prefs.add(over)
finally:
self._write_lock.release()
|
prefer_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prefer, over):\n self._write_lock.acquire()\n try:\n if self._preferred(preferred=over, over=prefer):\n raise ValueError('Type %r is already preferred over %r.' % (\n over, prefer))\n prefs = self._prefer_table.setdefault(prefer, set())\n prefs.add(over)\n finally:\n self._write_lock.release()\n",
"role": "user"
},
{
"content": "prefer_type",
"role": "assistant"
}
] |
def x(self, dispatch_type):
result = self._dispatch_table.get(dispatch_type)
if result:
return result
with self._write_lock:
try:
dispatch_mro = dispatch_type.mro()
except TypeError:
dispatch_mro = ()
best_match = None
result_type = None
for candidate_type, candidate_func in self.implementations:
if not issubclass(dispatch_type, candidate_type):
continue
try:
match = dispatch_mro.index(candidate_type)
except ValueError:
match = None
if best_match is None:
if result and match is None:
if self._preferred(candidate_type, over=result_type):
result = candidate_func
result_type = candidate_type
elif self._preferred(result_type, over=candidate_type):
pass
else:
raise TypeError(
'Two candidate implementations found for multimethod function %s (dispatch type %s) and neither is preferred.'
% (self.func_name, dispatch_type))
else:
result = candidate_func
result_type = candidate_type
best_match = match
if (match or 0) < (best_match or 0):
result = candidate_func
result_type = candidate_type
best_match = match
self._dispatch_table[dispatch_type] = result
return result
|
find_and_cache_best_function
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dispatch_type):\n result = self._dispatch_table.get(dispatch_type)\n if result:\n return result\n with self._write_lock:\n try:\n dispatch_mro = dispatch_type.mro()\n except TypeError:\n dispatch_mro = ()\n best_match = None\n result_type = None\n for candidate_type, candidate_func in self.implementations:\n if not issubclass(dispatch_type, candidate_type):\n continue\n try:\n match = dispatch_mro.index(candidate_type)\n except ValueError:\n match = None\n if best_match is None:\n if result and match is None:\n if self._preferred(candidate_type, over=result_type):\n result = candidate_func\n result_type = candidate_type\n elif self._preferred(result_type, over=candidate_type):\n pass\n else:\n raise TypeError(\n 'Two candidate implementations found for multimethod function %s (dispatch type %s) and neither is preferred.'\n % (self.func_name, dispatch_type))\n else:\n result = candidate_func\n result_type = candidate_type\n best_match = match\n if (match or 0) < (best_match or 0):\n result = candidate_func\n result_type = candidate_type\n best_match = match\n self._dispatch_table[dispatch_type] = result\n return result\n",
"role": "user"
},
{
"content": "find_and_cache_best_function",
"role": "assistant"
}
] |
def x(for_type=None, for_types=None):
if for_type:
if for_types:
raise ValueError('Cannot pass both for_type and for_types.')
for_types = for_type,
elif for_types:
if not isinstance(for_types, tuple):
raise TypeError(
'for_types must be passed as a tuple of types (classes).')
else:
raise ValueError('Must pass either for_type or for_types.')
return for_types
|
get_types
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(for_type=None, for_types=None):\n if for_type:\n if for_types:\n raise ValueError('Cannot pass both for_type and for_types.')\n for_types = for_type,\n elif for_types:\n if not isinstance(for_types, tuple):\n raise TypeError(\n 'for_types must be passed as a tuple of types (classes).')\n else:\n raise ValueError('Must pass either for_type or for_types.')\n return for_types\n",
"role": "user"
},
{
"content": "get_types",
"role": "assistant"
}
] |
def x(self, for_type=None, for_types=None):
for_types = self.__get_types(for_type, for_types)
def x(implementation):
self.implement(implementation, for_types=for_types)
return self
return _decorator
|
implementation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, for_type=None, for_types=None):\n for_types = self.__get_types(for_type, for_types)\n\n def x(implementation):\n self.implement(implementation, for_types=for_types)\n return self\n return _decorator\n",
"role": "user"
},
{
"content": "implementation",
"role": "assistant"
}
] |
def x(self, implementation, for_type=None, for_types=None):
unbound_implementation = self.__get_unbound_function(implementation)
for_types = self.__get_types(for_type, for_types)
for t in for_types:
self._write_lock.acquire()
try:
self.implementations.append((t, unbound_implementation))
finally:
self._write_lock.release()
|
implement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, implementation, for_type=None, for_types=None):\n unbound_implementation = self.__get_unbound_function(implementation)\n for_types = self.__get_types(for_type, for_types)\n for t in for_types:\n self._write_lock.acquire()\n try:\n self.implementations.append((t, unbound_implementation))\n finally:\n self._write_lock.release()\n",
"role": "user"
},
{
"content": "implement",
"role": "assistant"
}
] |
def x(values):
results = []
for v in values:
try:
results.append(int(v))
except (TypeError, ValueError):
results.append(0)
return results
|
to_int_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values):\n results = []\n for v in values:\n try:\n results.append(int(v))\n except (TypeError, ValueError):\n results.append(0)\n return results\n",
"role": "user"
},
{
"content": "to_int_list",
"role": "assistant"
}
] |
def x(self):
self._prof.prof('validating rdesc', uid=self._uid)
self._logger.debug('Validating resource description')
expected_keys = ['resource', 'walltime', 'cpus']
for key in expected_keys:
if key not in self._resource_desc:
raise MissingError(obj='resource description',
missing_attribute=key)
if not isinstance(self._resource_desc['resource'], str):
raise TypeError(expected_type=str, actual_type=type(self.
_resource_desc['resource']))
if not isinstance(self._resource_desc['walltime'], int):
raise TypeError(expected_type=int, actual_type=type(self.
_resource_desc['walltime']))
if not isinstance(self._resource_desc['cpus'], int):
raise TypeError(expected_type=int, actual_type=type(self.
_resource_desc['cpus']))
if 'gpus' in self._resource_desc:
if not isinstance(self._resource_desc['gpus'], int):
raise TypeError(expected_type=int, actual_type=type(self.
_resource_desc['project']))
if 'project' in self._resource_desc:
if not isinstance(self._resource_desc['project'], str
) and not self._resource_desc['project']:
raise TypeError(expected_type=str, actual_type=type(self.
_resource_desc['project']))
if 'access_schema' in self._resource_desc:
if not isinstance(self._resource_desc['access_schema'], str):
raise TypeError(expected_type=str, actual_type=type(self.
_resource_desc['access_schema']))
if 'queue' in self._resource_desc:
if not isinstance(self._resource_desc['queue'], str):
raise TypeError(expected_type=str, actual_type=type(self.
_resource_desc['queue']))
if not isinstance(self._rts_config, dict):
raise TypeError(expected_type=dict, actual_type=type(self._rts_config))
self._validated = True
self._logger.info('Resource description validated')
self._prof.prof('rdesc validated', uid=self._uid)
return self._validated
|
validate_resource_desc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._prof.prof('validating rdesc', uid=self._uid)\n self._logger.debug('Validating resource description')\n expected_keys = ['resource', 'walltime', 'cpus']\n for key in expected_keys:\n if key not in self._resource_desc:\n raise MissingError(obj='resource description',\n missing_attribute=key)\n if not isinstance(self._resource_desc['resource'], str):\n raise TypeError(expected_type=str, actual_type=type(self.\n _resource_desc['resource']))\n if not isinstance(self._resource_desc['walltime'], int):\n raise TypeError(expected_type=int, actual_type=type(self.\n _resource_desc['walltime']))\n if not isinstance(self._resource_desc['cpus'], int):\n raise TypeError(expected_type=int, actual_type=type(self.\n _resource_desc['cpus']))\n if 'gpus' in self._resource_desc:\n if not isinstance(self._resource_desc['gpus'], int):\n raise TypeError(expected_type=int, actual_type=type(self.\n _resource_desc['project']))\n if 'project' in self._resource_desc:\n if not isinstance(self._resource_desc['project'], str\n ) and not self._resource_desc['project']:\n raise TypeError(expected_type=str, actual_type=type(self.\n _resource_desc['project']))\n if 'access_schema' in self._resource_desc:\n if not isinstance(self._resource_desc['access_schema'], str):\n raise TypeError(expected_type=str, actual_type=type(self.\n _resource_desc['access_schema']))\n if 'queue' in self._resource_desc:\n if not isinstance(self._resource_desc['queue'], str):\n raise TypeError(expected_type=str, actual_type=type(self.\n _resource_desc['queue']))\n if not isinstance(self._rts_config, dict):\n raise TypeError(expected_type=dict, actual_type=type(self._rts_config))\n self._validated = True\n self._logger.info('Resource description validated')\n self._prof.prof('rdesc validated', uid=self._uid)\n return self._validated\n",
"role": "user"
},
{
"content": "validate_resource_desc",
"role": "assistant"
}
] |
def x(self):
if self._validated:
self._prof.prof('populating rmgr', uid=self._uid)
self._logger.debug('Populating resource manager object')
self._resource = self._resource_desc['resource']
self._walltime = self._resource_desc['walltime']
self._cpus = self._resource_desc['cpus']
self._gpus = self._resource_desc.get('gpus', 0)
self._project = self._resource_desc.get('project', None)
self._access_schema = self._resource_desc.get('access_schema', None)
self._queue = self._resource_desc.get('queue', None)
self._logger.debug('Resource manager population successful')
self._prof.prof('rmgr populated', uid=self._uid)
else:
raise EnTKError('Resource description not validated')
|
populate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._validated:\n self._prof.prof('populating rmgr', uid=self._uid)\n self._logger.debug('Populating resource manager object')\n self._resource = self._resource_desc['resource']\n self._walltime = self._resource_desc['walltime']\n self._cpus = self._resource_desc['cpus']\n self._gpus = self._resource_desc.get('gpus', 0)\n self._project = self._resource_desc.get('project', None)\n self._access_schema = self._resource_desc.get('access_schema', None)\n self._queue = self._resource_desc.get('queue', None)\n self._logger.debug('Resource manager population successful')\n self._prof.prof('rmgr populated', uid=self._uid)\n else:\n raise EnTKError('Resource description not validated')\n",
"role": "user"
},
{
"content": "populate",
"role": "assistant"
}
] |
def x(self, **kwargs):
data = super(GaugesView, self).get_context_data(**kwargs)
data.update({'gauges': get_r().gauge_slugs()})
return data
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n data = super(GaugesView, self).get_context_data(**kwargs)\n data.update({'gauges': get_r().gauge_slugs()})\n return data\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self, **kwargs):
data = super(MetricsListView, self).get_context_data(**kwargs)
data.update({'metrics': get_r().metric_slugs_by_category()})
return data
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n data = super(MetricsListView, self).get_context_data(**kwargs)\n data.update({'metrics': get_r().metric_slugs_by_category()})\n return data\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self, **kwargs):
data = super(MetricDetailView, self).get_context_data(**kwargs)
data['slug'] = kwargs['slug']
data['granularities'] = list(get_r()._granularities())
return data
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n data = super(MetricDetailView, self).get_context_data(**kwargs)\n data['slug'] = kwargs['slug']\n data['granularities'] = list(get_r()._granularities())\n return data\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self, **kwargs):
data = super(MetricHistoryView, self).get_context_data(**kwargs)
since = self.request.GET.get('since', None)
if since and len(since) == 10:
since = datetime.strptime(since, '%Y-%m-%d')
elif since and len(since) == 19:
since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')
data.update({'since': since, 'slug': kwargs['slug'], 'granularity':
kwargs['granularity'], 'granularities': list(get_r()._granularities())}
)
return data
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n data = super(MetricHistoryView, self).get_context_data(**kwargs)\n since = self.request.GET.get('since', None)\n if since and len(since) == 10:\n since = datetime.strptime(since, '%Y-%m-%d')\n elif since and len(since) == 19:\n since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')\n data.update({'since': since, 'slug': kwargs['slug'], 'granularity':\n kwargs['granularity'], 'granularities': list(get_r()._granularities())}\n )\n return data\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self):
slugs = '+'.join(self.metric_slugs)
url = reverse('redis_metric_aggregate_detail', args=[slugs])
return url.replace('%2B', '+')
|
get_success_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n slugs = '+'.join(self.metric_slugs)\n url = reverse('redis_metric_aggregate_detail', args=[slugs])\n return url.replace('%2B', '+')\n",
"role": "user"
},
{
"content": "get_success_url",
"role": "assistant"
}
] |
def x(self, form):
self.metric_slugs = [k.strip() for k in form.cleaned_data['metrics']]
return super(AggregateFormView, self).form_valid(form)
|
form_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form):\n self.metric_slugs = [k.strip() for k in form.cleaned_data['metrics']]\n return super(AggregateFormView, self).form_valid(form)\n",
"role": "user"
},
{
"content": "form_valid",
"role": "assistant"
}
] |
def x(self, **kwargs):
r = get_r()
category = kwargs.pop('category', None)
data = super(AggregateDetailView, self).get_context_data(**kwargs)
if category:
slug_set = r._category_slugs(category)
else:
slug_set = set(kwargs['slugs'].split('+'))
data['granularities'] = list(r._granularities())
data['slugs'] = slug_set
data['category'] = category
return data
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n r = get_r()\n category = kwargs.pop('category', None)\n data = super(AggregateDetailView, self).get_context_data(**kwargs)\n if category:\n slug_set = r._category_slugs(category)\n else:\n slug_set = set(kwargs['slugs'].split('+'))\n data['granularities'] = list(r._granularities())\n data['slugs'] = slug_set\n data['category'] = category\n return data\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self, **kwargs):
r = get_r()
data = super(AggregateHistoryView, self).get_context_data(**kwargs)
slug_set = set(kwargs['slugs'].split('+'))
granularity = kwargs.get('granularity', 'daily')
since = self.request.GET.get('since', None)
if since and len(since) == 10:
since = datetime.strptime(since, '%Y-%m-%d')
elif since and len(since) == 19:
since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')
data.update({'slugs': slug_set, 'granularity': granularity, 'since':
since, 'granularities': list(r._granularities())})
return data
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n r = get_r()\n data = super(AggregateHistoryView, self).get_context_data(**kwargs)\n slug_set = set(kwargs['slugs'].split('+'))\n granularity = kwargs.get('granularity', 'daily')\n since = self.request.GET.get('since', None)\n if since and len(since) == 10:\n since = datetime.strptime(since, '%Y-%m-%d')\n elif since and len(since) == 19:\n since = datetime.strptime(since, '%Y-%m-%d %H:%M:%S')\n data.update({'slugs': slug_set, 'granularity': granularity, 'since':\n since, 'granularities': list(r._granularities())})\n return data\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
self.initial = {'category_name': kwargs.get('category_name', None)}
return super(CategoryFormView, self).get(*args, **kwargs)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self.initial = {'category_name': kwargs.get('category_name', None)}\n return super(CategoryFormView, self).get(*args, **kwargs)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, form):
form.categorize_metrics()
return super(CategoryFormView, self).form_valid(form)
|
form_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, form):\n form.categorize_metrics()\n return super(CategoryFormView, self).form_valid(form)\n",
"role": "user"
},
{
"content": "form_valid",
"role": "assistant"
}
] |
def x(self):
pipeline_desc_as_dict = {'uid': self._uid, 'name': self._name, 'state':
self._state, 'state_history': self._state_history, 'completed':
self._completed_flag.is_set()}
return pipeline_desc_as_dict
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pipeline_desc_as_dict = {'uid': self._uid, 'name': self._name, 'state':\n self._state, 'state_history': self._state_history, 'completed':\n self._completed_flag.is_set()}\n return pipeline_desc_as_dict\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, d):
if 'uid' in d:
if d['uid']:
self._uid = d['uid']
if 'name' in d:
if d['name']:
self._name = d['name']
if 'state' in d:
if isinstance(d['state'], str) or isinstance(d['state'], unicode):
if d['state'] in states._pipeline_state_values.keys():
self._state = d['state']
else:
raise ValueError(obj=self._uid, attribute='state',
expected_value=states._pipeline_state_values.keys(),
actual_value=d['state'])
else:
raise TypeError(entity='state', expected_type=str, actual_type=
type(d['state']))
else:
self._state = states.INITIAL
if 'state_history' in d:
if isinstance(d['state_history'], list):
self._state_history = d['state_history']
else:
raise TypeError(entity='state_history', expected_type=list,
actual_type=type(d['state_history']))
if 'completed' in d:
if isinstance(d['completed'], bool):
if d['completed']:
self._completed_flag.set()
else:
raise TypeError(entity='completed', expected_type=bool,
actual_type=type(d['completed']))
|
from_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d):\n if 'uid' in d:\n if d['uid']:\n self._uid = d['uid']\n if 'name' in d:\n if d['name']:\n self._name = d['name']\n if 'state' in d:\n if isinstance(d['state'], str) or isinstance(d['state'], unicode):\n if d['state'] in states._pipeline_state_values.keys():\n self._state = d['state']\n else:\n raise ValueError(obj=self._uid, attribute='state',\n expected_value=states._pipeline_state_values.keys(),\n actual_value=d['state'])\n else:\n raise TypeError(entity='state', expected_type=str, actual_type=\n type(d['state']))\n else:\n self._state = states.INITIAL\n if 'state_history' in d:\n if isinstance(d['state_history'], list):\n self._state_history = d['state_history']\n else:\n raise TypeError(entity='state_history', expected_type=list,\n actual_type=type(d['state_history']))\n if 'completed' in d:\n if isinstance(d['completed'], bool):\n if d['completed']:\n self._completed_flag.set()\n else:\n raise TypeError(entity='completed', expected_type=bool,\n actual_type=type(d['completed']))\n",
"role": "user"
},
{
"content": "from_dict",
"role": "assistant"
}
] |
def x(self, stages):
if not stages:
raise TypeError(expected_type=Stage, actual_type=type(stages))
if not isinstance(stages, list):
stages = [stages]
for value in stages:
if not isinstance(value, Stage):
raise TypeError(expected_type=Stage, actual_type=type(value))
return stages
|
validate_entities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stages):\n if not stages:\n raise TypeError(expected_type=Stage, actual_type=type(stages))\n if not isinstance(stages, list):\n stages = [stages]\n for value in stages:\n if not isinstance(value, Stage):\n raise TypeError(expected_type=Stage, actual_type=type(value))\n return stages\n",
"role": "user"
},
{
"content": "validate_entities",
"role": "assistant"
}
] |
def x(self, sid):
self._uid = ru.generate_id('pipeline.%(item_counter)04d', ru.ID_CUSTOM,
namespace=sid)
for stage in self._stages:
stage._assign_uid(sid)
self._pass_uid()
|
assign_uid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid):\n self._uid = ru.generate_id('pipeline.%(item_counter)04d', ru.ID_CUSTOM,\n namespace=sid)\n for stage in self._stages:\n stage._assign_uid(sid)\n self._pass_uid()\n",
"role": "user"
},
{
"content": "assign_uid",
"role": "assistant"
}
] |
def x(self):
for stage in self._stages:
stage.parent_pipeline['uid'] = self._uid
stage.parent_pipeline['name'] = self._name
stage._pass_uid()
|
pass_uid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for stage in self._stages:\n stage.parent_pipeline['uid'] = self._uid\n stage.parent_pipeline['name'] = self._name\n stage._pass_uid()\n",
"role": "user"
},
{
"content": "pass_uid",
"role": "assistant"
}
] |
def x(src, length=16, sep='.'):
filtr = ''.join([(len(repr(chr(x))) == 3 and chr(x) or sep) for x in
range(256)])
lines = []
for c in xrange(0, len(src), length):
chars = src[c:c + length]
hexstring = ' '.join([('%02x' % ord(x)) for x in chars])
if len(hexstring) > 24:
hexstring = '%s %s' % (hexstring[:24], hexstring[24:])
printable = ''.join([('%s' % (ord(x) <= 127 and filtr[ord(x)] or
sep)) for x in chars])
lines.append(' %02x: %-*s |%s|\n' % (c, length * 3, hexstring,
printable))
print(''.join(lines))
|
hexdump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, length=16, sep='.'):\n filtr = ''.join([(len(repr(chr(x))) == 3 and chr(x) or sep) for x in\n range(256)])\n lines = []\n for c in xrange(0, len(src), length):\n chars = src[c:c + length]\n hexstring = ' '.join([('%02x' % ord(x)) for x in chars])\n if len(hexstring) > 24:\n hexstring = '%s %s' % (hexstring[:24], hexstring[24:])\n printable = ''.join([('%s' % (ord(x) <= 127 and filtr[ord(x)] or\n sep)) for x in chars])\n lines.append(' %02x: %-*s |%s|\\n' % (c, length * 3, hexstring,\n printable))\n print(''.join(lines))\n",
"role": "user"
},
{
"content": "hexdump",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.