source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(hexval: str, allow_short: bool=False) ->str:
return rgb2termhex(*hex2rgb(hexval, allow_short=allow_short))
|
hex2termhex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hexval: str, allow_short: bool=False) ->str:\n return rgb2termhex(*hex2rgb(hexval, allow_short=allow_short))\n",
"role": "user"
},
{
"content": "hex2termhex",
"role": "assistant"
}
] |
def x() ->None:
for code in sorted(term2hex_map):
print(' '.join(('\x1b[48;5;{code}m{code:<3}:{hexval:<6}\x1b[0m',
'\x1b[38;5;{code}m{code:<3}:{hexval:<6}\x1b[0m')).format(code=
code, hexval=term2hex_map[code]))
|
print_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->None:\n for code in sorted(term2hex_map):\n print(' '.join(('\\x1b[48;5;{code}m{code:<3}:{hexval:<6}\\x1b[0m',\n '\\x1b[38;5;{code}m{code:<3}:{hexval:<6}\\x1b[0m')).format(code=\n code, hexval=term2hex_map[code]))\n",
"role": "user"
},
{
"content": "print_all",
"role": "assistant"
}
] |
def x(r: int, g: int, b: int) ->str:
return '{:02x}{:02x}{:02x}'.format(r, g, b)
|
rgb2hex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r: int, g: int, b: int) ->str:\n return '{:02x}{:02x}{:02x}'.format(r, g, b)\n",
"role": "user"
},
{
"content": "rgb2hex",
"role": "assistant"
}
] |
def x(r: int, g: int, b: int) ->str:
return hex2term_map[rgb2termhex(r, g, b)]
|
rgb2term
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r: int, g: int, b: int) ->str:\n return hex2term_map[rgb2termhex(r, g, b)]\n",
"role": "user"
},
{
"content": "rgb2term",
"role": "assistant"
}
] |
def x(r: int, g: int, b: int) ->str:
incs = [0, 95, 135, 175, 215, 255]
res = []
parts = r, g, b
for part in parts:
if part < 0 or part > 255:
raise ValueError('Expecting 0-255 for RGB code, got: {!r}'.
format(parts))
i = 0
while i < len(incs) - 1:
s, b = incs[i], incs[i + 1]
if s <= part <= b:
s1 = abs(s - part)
b1 = abs(b - part)
if s1 < b1:
closest = s
else:
closest = b
res.append(closest)
break
i += 1
return rgb2hex(*res)
|
rgb2termhex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r: int, g: int, b: int) ->str:\n incs = [0, 95, 135, 175, 215, 255]\n res = []\n parts = r, g, b\n for part in parts:\n if part < 0 or part > 255:\n raise ValueError('Expecting 0-255 for RGB code, got: {!r}'.\n format(parts))\n i = 0\n while i < len(incs) - 1:\n s, b = incs[i], incs[i + 1]\n if s <= part <= b:\n s1 = abs(s - part)\n b1 = abs(b - part)\n if s1 < b1:\n closest = s\n else:\n closest = b\n res.append(closest)\n break\n i += 1\n return rgb2hex(*res)\n",
"role": "user"
},
{
"content": "rgb2termhex",
"role": "assistant"
}
] |
def x(code: Numeric, default: Optional[str]=None) ->str:
try:
val = term2hex_map.get('{:02}'.format(int(code), default))
except ValueError:
raise ValueError('Expecting an int or number string, got: {} ({})'.
format(code, getattr(code, '__name__', type(code).__name__)))
return val
|
term2hex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code: Numeric, default: Optional[str]=None) ->str:\n try:\n val = term2hex_map.get('{:02}'.format(int(code), default))\n except ValueError:\n raise ValueError('Expecting an int or number string, got: {} ({})'.\n format(code, getattr(code, '__name__', type(code).__name__)))\n return val\n",
"role": "user"
},
{
"content": "term2hex",
"role": "assistant"
}
] |
def x(self, code: int) ->None:
if -1 < code < 256:
self.code = '{:02}'.format(code)
self.hexval = term2hex(code)
self.rgb = hex2rgb(self.hexval)
else:
raise ValueError(' '.join((
'Code must be in the range 0-255, inclusive.', 'Got: {} ({})'))
.format(code, getattr(code, '__name__', type(code).__name__)))
|
init_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code: int) ->None:\n if -1 < code < 256:\n self.code = '{:02}'.format(code)\n self.hexval = term2hex(code)\n self.rgb = hex2rgb(self.hexval)\n else:\n raise ValueError(' '.join((\n 'Code must be in the range 0-255, inclusive.', 'Got: {} ({})'))\n .format(code, getattr(code, '__name__', type(code).__name__)))\n",
"role": "user"
},
{
"content": "init_code",
"role": "assistant"
}
] |
def x(self, hexval: str) ->None:
self.hexval = hex2termhex(fix_hex(hexval))
self.code = hex2term(self.hexval)
self.rgb = hex2rgb(self.hexval)
|
init_hex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hexval: str) ->None:\n self.hexval = hex2termhex(fix_hex(hexval))\n self.code = hex2term(self.hexval)\n self.rgb = hex2rgb(self.hexval)\n",
"role": "user"
},
{
"content": "init_hex",
"role": "assistant"
}
] |
def x(self, r: int, g: int, b: int) ->None:
if self.rgb_mode:
self.rgb = r, g, b
self.hexval = rgb2hex(r, g, b)
else:
self.rgb = hex2rgb(rgb2termhex(r, g, b))
self.hexval = rgb2termhex(r, g, b)
self.code = hex2term(self.hexval)
|
init_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r: int, g: int, b: int) ->None:\n if self.rgb_mode:\n self.rgb = r, g, b\n self.hexval = rgb2hex(r, g, b)\n else:\n self.rgb = hex2rgb(rgb2termhex(r, g, b))\n self.hexval = rgb2termhex(r, g, b)\n self.code = hex2term(self.hexval)\n",
"role": "user"
},
{
"content": "init_rgb",
"role": "assistant"
}
] |
def x(self) ->str:
if self.rgb_mode:
colorcode = '\x1b[38;2;{};{};{}m'.format(*self.rgb)
else:
colorcode = '\x1b[38;5;{}m'.format(self.code)
return '{code}{s}\x1b[0m'.format(code=colorcode, s=self)
|
example
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n if self.rgb_mode:\n colorcode = '\\x1b[38;2;{};{};{}m'.format(*self.rgb)\n else:\n colorcode = '\\x1b[38;5;{}m'.format(self.code)\n return '{code}{s}\\x1b[0m'.format(code=colorcode, s=self)\n",
"role": "user"
},
{
"content": "example",
"role": "assistant"
}
] |
def x(cls, code: int) ->'ColorCode':
c = cls()
c._init_code(code)
return c
|
from_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, code: int) ->'ColorCode':\n c = cls()\n c._init_code(code)\n return c\n",
"role": "user"
},
{
"content": "from_code",
"role": "assistant"
}
] |
def x(cls, hexval: str) ->'ColorCode':
c = cls()
c._init_hex(hexval)
return c
|
from_hex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, hexval: str) ->'ColorCode':\n c = cls()\n c._init_hex(hexval)\n return c\n",
"role": "user"
},
{
"content": "from_hex",
"role": "assistant"
}
] |
def x(cls, r: int, g: int, b: int) ->'ColorCode':
c = cls()
c._init_rgb(r, g, b)
return c
|
from_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, r: int, g: int, b: int) ->'ColorCode':\n c = cls()\n c._init_rgb(r, g, b)\n return c\n",
"role": "user"
},
{
"content": "from_rgb",
"role": "assistant"
}
] |
def x(func):
def x(**kwarg):
with session_withcommit() as session:
a = func(**kwarg)
session.add(a)
return session.query(songs).order_by(songs.song_id.desc()).first(
).song_id
return wrap
|
commit
|
[
{
"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(**kwarg):\n with session_withcommit() as session:\n a = func(**kwarg)\n session.add(a)\n return session.query(songs).order_by(songs.song_id.desc()).first(\n ).song_id\n return wrap\n",
"role": "user"
},
{
"content": "commit",
"role": "assistant"
}
] |
def x() ->Iterator:
with session_withcommit() as session:
val = session.query(songs).all()
for row in val:
yield row
|
get_songs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->Iterator:\n with session_withcommit() as session:\n val = session.query(songs).all()\n for row in val:\n yield row\n",
"role": "user"
},
{
"content": "get_songs",
"role": "assistant"
}
] |
def x():
try:
hub = _local.hub
except AttributeError:
assert fibers.current().parent is None
hub = _local.hub = Hub()
return hub
|
get_hub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n hub = _local.hub\n except AttributeError:\n assert fibers.current().parent is None\n hub = _local.hub = Hub()\n return hub\n",
"role": "user"
},
{
"content": "get_hub",
"role": "assistant"
}
] |
def x(secs):
hub = get_hub()
try:
with switch_back(secs, hub):
hub.switch()
except Timeout:
pass
|
sleep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(secs):\n hub = get_hub()\n try:\n with switch_back(secs, hub):\n hub.switch()\n except Timeout:\n pass\n",
"role": "user"
},
{
"content": "sleep",
"role": "assistant"
}
] |
def x(self, value=None):
if self._hub is None or not self._fiber.is_alive():
return
self._hub.run_callback(self._fiber.switch, value)
self._hub = self._fiber = None
|
switch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None):\n if self._hub is None or not self._fiber.is_alive():\n return\n self._hub.run_callback(self._fiber.switch, value)\n self._hub = self._fiber = None\n",
"role": "user"
},
{
"content": "switch",
"role": "assistant"
}
] |
def x(self, typ, val=None, tb=None):
if self._hub is None or not self._fiber.is_alive():
return
self._hub.run_callback(self._fiber.throw, typ, val, tb)
self._hub = self._fiber = None
|
throw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, typ, val=None, tb=None):\n if self._hub is None or not self._fiber.is_alive():\n return\n self._hub.run_callback(self._fiber.throw, typ, val, tb)\n self._hub = self._fiber = None\n",
"role": "user"
},
{
"content": "throw",
"role": "assistant"
}
] |
def x(self):
if self._loop is None:
return
if fibers.current().parent is not None:
raise RuntimeError('close() may only be called in the root fiber')
elif compat.get_thread_ident() != self._thread:
raise RuntimeError('cannot close() from a different thread')
self._closing = True
self._interrupt_loop()
self.switch()
|
close
|
[
{
"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._loop is None:\n return\n if fibers.current().parent is not None:\n raise RuntimeError('close() may only be called in the root fiber')\n elif compat.get_thread_ident() != self._thread:\n raise RuntimeError('cannot close() from a different thread')\n self._closing = True\n self._interrupt_loop()\n self.switch()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
if self._loop is None or not self.is_alive():
raise RuntimeError('hub is closed/dead')
elif fibers.current() is self:
raise RuntimeError('cannot switch to myself')
elif compat.get_thread_ident() != self._thread:
raise RuntimeError('cannot switch from a different thread')
value = super(Hub, self).switch()
if fibers.current().parent is None and not self.is_alive(
) and self._loop is not None:
raise RuntimeError('hub exited unexpectedly')
return value
|
switch
|
[
{
"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._loop is None or not self.is_alive():\n raise RuntimeError('hub is closed/dead')\n elif fibers.current() is self:\n raise RuntimeError('cannot switch to myself')\n elif compat.get_thread_ident() != self._thread:\n raise RuntimeError('cannot switch from a different thread')\n value = super(Hub, self).switch()\n if fibers.current().parent is None and not self.is_alive(\n ) and self._loop is not None:\n raise RuntimeError('hub exited unexpectedly')\n return value\n",
"role": "user"
},
{
"content": "switch",
"role": "assistant"
}
] |
def x(self):
for i in range(len(self._callbacks)):
callback, args = self._callbacks.popleft()
try:
callback(*args)
except Exception:
self._log.exception('Ignoring exception in callback:')
|
run_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for i in range(len(self._callbacks)):\n callback, args = self._callbacks.popleft()\n try:\n callback(*args)\n except Exception:\n self._log.exception('Ignoring exception in callback:')\n",
"role": "user"
},
{
"content": "run_callbacks",
"role": "assistant"
}
] |
def x(self, callback, *args):
if self._loop is None:
raise RuntimeError('hub is closed')
elif not callable(callback):
raise TypeError('"callback": expecting a callable')
self._callbacks.append((callback, args))
self._interrupt_loop()
|
run_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, *args):\n if self._loop is None:\n raise RuntimeError('hub is closed')\n elif not callable(callback):\n raise TypeError('\"callback\": expecting a callable')\n self._callbacks.append((callback, args))\n self._interrupt_loop()\n",
"role": "user"
},
{
"content": "run_callback",
"role": "assistant"
}
] |
def x(message):
method = message.get('method')
msgid = message.get('id')
error = message.get('error')
if method and msgid is not None:
return 'method call "{}", id = "{}"'.format(method, msgid)
elif method:
return 'notification "{}"'.format(method)
elif error is not None and msgid is not None:
return 'error reply to id = "{}"'.format(msgid)
elif error is not None:
code = error.get('code', '(none)')
return 'error reply: {}'.format(errorcode.get(code, code))
else:
return 'method return for id = "{}"'.format(msgid)
|
message_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n method = message.get('method')\n msgid = message.get('id')\n error = message.get('error')\n if method and msgid is not None:\n return 'method call \"{}\", id = \"{}\"'.format(method, msgid)\n elif method:\n return 'notification \"{}\"'.format(method)\n elif error is not None and msgid is not None:\n return 'error reply to id = \"{}\"'.format(msgid)\n elif error is not None:\n code = error.get('code', '(none)')\n return 'error reply: {}'.format(errorcode.get(code, code))\n else:\n return 'method return for id = \"{}\"'.format(msgid)\n",
"role": "user"
},
{
"content": "message_info",
"role": "assistant"
}
] |
def x(self):
msgid = self._id_template.format(self._next_id)
self._next_id += 1
return msgid
|
next_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n msgid = self._id_template.format(self._next_id)\n self._next_id += 1\n return msgid\n",
"role": "user"
},
{
"content": "next_id",
"role": "assistant"
}
] |
def x(version):
clsname = 'JsonRpcV{}'.format(version.rstrip('.0'))
cls = globals()[clsname]
return cls(version)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version):\n clsname = 'JsonRpcV{}'.format(version.rstrip('.0'))\n cls = globals()[clsname]\n return cls(version)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, message):
if self._error:
raise compat.saved_exc(self._error)
elif self._transport is None:
raise JsonRpcError('not connected')
self._version.check_message(message)
self._writer.write(serialize(message))
|
send_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if self._error:\n raise compat.saved_exc(self._error)\n elif self._transport is None:\n raise JsonRpcError('not connected')\n self._version.check_message(message)\n self._writer.write(serialize(message))\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(self, method, *args):
message = self._version.create_request(method, args)
msgid = message['id']
try:
with switch_back(self._timeout) as switcher:
self._method_calls[msgid] = switcher
self.send_message(message)
args, _ = self._hub.switch()
finally:
self._method_calls.pop(msgid, None)
response = args[0]
assert response['id'] == msgid
error = response.get('error')
if error is not None:
raise JsonRpcError('error response calling "{}"'.format(method), error)
return response['result']
|
call_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *args):\n message = self._version.create_request(method, args)\n msgid = message['id']\n try:\n with switch_back(self._timeout) as switcher:\n self._method_calls[msgid] = switcher\n self.send_message(message)\n args, _ = self._hub.switch()\n finally:\n self._method_calls.pop(msgid, None)\n response = args[0]\n assert response['id'] == msgid\n error = response.get('error')\n if error is not None:\n raise JsonRpcError('error response calling \"{}\"'.format(method), error)\n return response['result']\n",
"role": "user"
},
{
"content": "call_method",
"role": "assistant"
}
] |
def x(self, method, *args):
message = self._version.create_request(method, args, notification=True)
self.send_message(message)
|
send_notification
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *args):\n message = self._version.create_request(method, args, notification=True)\n self.send_message(message)\n",
"role": "user"
},
{
"content": "send_notification",
"role": "assistant"
}
] |
def x(self, request, result=None, error=None):
message = self._version.create_response(request, result, error)
self.send_message(message)
|
send_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, result=None, error=None):\n message = self._version.create_response(request, result, error)\n self.send_message(message)\n",
"role": "user"
},
{
"content": "send_response",
"role": "assistant"
}
] |
def x(pobj):
sig = getattr(pobj, 'dbusSignature', None)
if sig is not None:
return sig
elif isinstance(pobj, int):
return 'i'
elif isinstance(pobj, six.integer_types):
return 'x'
elif isinstance(pobj, float):
return 'd'
elif isinstance(pobj, six.string_types):
return 's'
elif isinstance(pobj, list):
vtype = type(pobj[0])
same = True
for v in pobj[1:]:
if not vtype is type(v):
same = False
if same:
return 'a' + sigFromPy(pobj[0])
else:
return 'av'
elif isinstance(pobj, dict):
same = True
vtype = None
for k, v in six.iteritems(pobj):
if vtype is None:
vtype = type(v)
elif not vtype is type(v):
same = False
if same:
return 'a{' + sigFromPy(k) + sigFromPy(v) + '}'
else:
return 'a{' + sigFromPy(k) + 'v}'
else:
raise MarshallingError('Invalid Python type for variant: ' + repr(pobj)
)
|
sigFromPy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pobj):\n sig = getattr(pobj, 'dbusSignature', None)\n if sig is not None:\n return sig\n elif isinstance(pobj, int):\n return 'i'\n elif isinstance(pobj, six.integer_types):\n return 'x'\n elif isinstance(pobj, float):\n return 'd'\n elif isinstance(pobj, six.string_types):\n return 's'\n elif isinstance(pobj, list):\n vtype = type(pobj[0])\n same = True\n for v in pobj[1:]:\n if not vtype is type(v):\n same = False\n if same:\n return 'a' + sigFromPy(pobj[0])\n else:\n return 'av'\n elif isinstance(pobj, dict):\n same = True\n vtype = None\n for k, v in six.iteritems(pobj):\n if vtype is None:\n vtype = type(v)\n elif not vtype is type(v):\n same = False\n if same:\n return 'a{' + sigFromPy(k) + sigFromPy(v) + '}'\n else:\n return 'a{' + sigFromPy(k) + 'v}'\n else:\n raise MarshallingError('Invalid Python type for variant: ' + repr(pobj)\n )\n",
"role": "user"
},
{
"content": "sigFromPy",
"role": "assistant"
}
] |
def x(compoundSig):
i = 0
start = 0
end = len(compoundSig)
def x(idx, b, e):
depth = 1
while idx < end:
subc = compoundSig[idx]
if subc == b:
depth += 1
elif subc == e:
depth -= 1
if depth == 0:
return idx
idx += 1
while i < end:
c = compoundSig[i]
if c == '(':
x = find_end(i + 1, '(', ')')
yield compoundSig[i:x + 1]
i = x
elif c == '{':
x = find_end(i + 1, '{', '}')
yield compoundSig[i:x + 1]
i = x
elif c == 'a':
start = i
g = genCompleteTypes(compoundSig[i + 1:])
ct = six.next(g)
i += len(ct)
yield 'a' + ct
else:
yield c
i += 1
|
genCompleteTypes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(compoundSig):\n i = 0\n start = 0\n end = len(compoundSig)\n\n def x(idx, b, e):\n depth = 1\n while idx < end:\n subc = compoundSig[idx]\n if subc == b:\n depth += 1\n elif subc == e:\n depth -= 1\n if depth == 0:\n return idx\n idx += 1\n while i < end:\n c = compoundSig[i]\n if c == '(':\n x = find_end(i + 1, '(', ')')\n yield compoundSig[i:x + 1]\n i = x\n elif c == '{':\n x = find_end(i + 1, '{', '}')\n yield compoundSig[i:x + 1]\n i = x\n elif c == 'a':\n start = i\n g = genCompleteTypes(compoundSig[i + 1:])\n ct = six.next(g)\n i += len(ct)\n yield 'a' + ct\n else:\n yield c\n i += 1\n",
"role": "user"
},
{
"content": "genCompleteTypes",
"role": "assistant"
}
] |
def x(compoundSignature, variableList, startByte=0, lendian=True):
chunks = list()
bstart = startByte
if hasattr(variableList, 'dbusOrder'):
order = getattr(variableList, 'dbusOrder')
variableList = [getattr(variableList, attr_name) for attr_name in order
]
for ct, var in zip(genCompleteTypes(compoundSignature), variableList):
tcode = ct[0]
padding = pad[tcode](startByte)
if padding:
startByte += len(padding)
chunks.append(padding)
nbytes, vchunks = marshallers[tcode](ct, var, startByte, lendian)
startByte += nbytes
chunks.extend(vchunks)
return startByte - bstart, chunks
|
marshal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(compoundSignature, variableList, startByte=0, lendian=True):\n chunks = list()\n bstart = startByte\n if hasattr(variableList, 'dbusOrder'):\n order = getattr(variableList, 'dbusOrder')\n variableList = [getattr(variableList, attr_name) for attr_name in order\n ]\n for ct, var in zip(genCompleteTypes(compoundSignature), variableList):\n tcode = ct[0]\n padding = pad[tcode](startByte)\n if padding:\n startByte += len(padding)\n chunks.append(padding)\n nbytes, vchunks = marshallers[tcode](ct, var, startByte, lendian)\n startByte += nbytes\n chunks.extend(vchunks)\n return startByte - bstart, chunks\n",
"role": "user"
},
{
"content": "marshal",
"role": "assistant"
}
] |
def x(compoundSignature, data, offset=0, lendian=True):
values = list()
start_offset = offset
for ct in genCompleteTypes(compoundSignature):
tcode = ct[0]
offset += len(pad[tcode](offset))
nbytes, value = unmarshallers[tcode](ct, data, offset, lendian)
offset += nbytes
values.append(value)
return offset - start_offset, values
|
unmarshal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(compoundSignature, data, offset=0, lendian=True):\n values = list()\n start_offset = offset\n for ct in genCompleteTypes(compoundSignature):\n tcode = ct[0]\n offset += len(pad[tcode](offset))\n nbytes, value = unmarshallers[tcode](ct, data, offset, lendian)\n offset += nbytes\n values.append(value)\n return offset - start_offset, values\n",
"role": "user"
},
{
"content": "unmarshal",
"role": "assistant"
}
] |
def x(func, *args, **kwargs):
fiber = Fiber(func, args, **kwargs)
fiber.start()
return fiber
|
spawn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n fiber = Fiber(func, args, **kwargs)\n fiber.start()\n return fiber\n",
"role": "user"
},
{
"content": "spawn",
"role": "assistant"
}
] |
def x(self):
target = getattr(self._target, '__qualname__', self._target.__name__)
self._log.debug('starting fiber {}, target {}', self.name, target)
self._hub.run_callback(self.switch)
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target = getattr(self._target, '__qualname__', self._target.__name__)\n self._log.debug('starting fiber {}, target {}', self.name, target)\n self._hub.run_callback(self.switch)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, message=None):
if not self.is_alive():
return
if message is None:
message = 'cancelled by Fiber.cancel()'
self._hub.run_callback(self.throw, Cancelled, Cancelled(message))
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None):\n if not self.is_alive():\n return\n if message is None:\n message = 'cancelled by Fiber.cancel()'\n self._hub.run_callback(self.throw, Cancelled, Cancelled(message))\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self, matches: list) ->Optional[dict]:
diff_counter: dict = {}
largest = 0
largest_count = 0
song_id = -1
for sid, diff in matches:
if diff not in diff_counter:
diff_counter[diff] = {}
if sid not in diff_counter[diff]:
diff_counter[diff][sid] = 0
diff_counter[diff][sid] += 1
if diff_counter[diff][sid] > largest_count:
largest = diff
largest_count = diff_counter[diff][sid]
song_id = sid
song = database.get_song_by_id(song_id)
if song:
songname = song.song_name
else:
return None
nseconds = round(float(largest) / fingerprint.DEFAULT_FS * fingerprint.
DEFAULT_WINDOW_SIZE * fingerprint.DEFAULT_OVERLAP_RATIO, 5)
song = {'song_id': song_id, 'song_name': songname, MetaMusic.CONFIDENCE:
largest_count, MetaMusic.OFFSET: int(largest), 'offset_seconds':
nseconds, 'file_sha1': binascii.hexlify(song.file_sha1).decode('utf-8')
}
return song
|
align_matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matches: list) ->Optional[dict]:\n diff_counter: dict = {}\n largest = 0\n largest_count = 0\n song_id = -1\n for sid, diff in matches:\n if diff not in diff_counter:\n diff_counter[diff] = {}\n if sid not in diff_counter[diff]:\n diff_counter[diff][sid] = 0\n diff_counter[diff][sid] += 1\n if diff_counter[diff][sid] > largest_count:\n largest = diff\n largest_count = diff_counter[diff][sid]\n song_id = sid\n song = database.get_song_by_id(song_id)\n if song:\n songname = song.song_name\n else:\n return None\n nseconds = round(float(largest) / fingerprint.DEFAULT_FS * fingerprint.\n DEFAULT_WINDOW_SIZE * fingerprint.DEFAULT_OVERLAP_RATIO, 5)\n song = {'song_id': song_id, 'song_name': songname, MetaMusic.CONFIDENCE:\n largest_count, MetaMusic.OFFSET: int(largest), 'offset_seconds':\n nseconds, 'file_sha1': binascii.hexlify(song.file_sha1).decode('utf-8')\n }\n return song\n",
"role": "user"
},
{
"content": "align_matches",
"role": "assistant"
}
] |
def x(address):
if isinstance(address, six.string_types):
return address
elif isinstance(address, tuple) and len(address) >= 2 and ':' in address[0
]:
return '[{}]:{}'.format(address[0], address[1])
elif isinstance(address, tuple) and len(address) >= 2:
return '{}:{}'.format(*address)
else:
raise TypeError('illegal address type: {!s}'.format(type(address)))
|
saddr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address):\n if isinstance(address, six.string_types):\n return address\n elif isinstance(address, tuple) and len(address) >= 2 and ':' in address[0\n ]:\n return '[{}]:{}'.format(address[0], address[1])\n elif isinstance(address, tuple) and len(address) >= 2:\n return '{}:{}'.format(*address)\n else:\n raise TypeError('illegal address type: {!s}'.format(type(address)))\n",
"role": "user"
},
{
"content": "saddr",
"role": "assistant"
}
] |
def x(address):
if not isinstance(address, six.string_types):
raise TypeError('expecting a string')
if address.startswith('['):
p1 = address.find(']:')
if p1 == -1:
raise ValueError
return address[1:p1], int(address[p1 + 2:])
elif ':' in address:
p1 = address.find(':')
return address[:p1], int(address[p1 + 1:])
else:
return address
|
paddr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address):\n if not isinstance(address, six.string_types):\n raise TypeError('expecting a string')\n if address.startswith('['):\n p1 = address.find(']:')\n if p1 == -1:\n raise ValueError\n return address[1:p1], int(address[p1 + 2:])\n elif ':' in address:\n p1 = address.find(':')\n return address[:p1], int(address[p1 + 1:])\n else:\n return address\n",
"role": "user"
},
{
"content": "paddr",
"role": "assistant"
}
] |
def x(node, service=0, family=0, socktype=0, protocol=0, flags=0, timeout=30):
hub = get_hub()
with switch_back(timeout) as switcher:
request = pyuv.dns.getaddrinfo(hub.loop, node, service, family,
socktype, protocol, flags, callback=switcher)
switcher.add_cleanup(request.cancel)
result = hub.switch()
result, error = result[0]
if error:
message = pyuv.errno.strerror(error)
raise pyuv.error.UVError(error, message)
return result
|
getaddrinfo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node, service=0, family=0, socktype=0, protocol=0, flags=0, timeout=30):\n hub = get_hub()\n with switch_back(timeout) as switcher:\n request = pyuv.dns.getaddrinfo(hub.loop, node, service, family,\n socktype, protocol, flags, callback=switcher)\n switcher.add_cleanup(request.cancel)\n result = hub.switch()\n result, error = result[0]\n if error:\n message = pyuv.errno.strerror(error)\n raise pyuv.error.UVError(error, message)\n return result\n",
"role": "user"
},
{
"content": "getaddrinfo",
"role": "assistant"
}
] |
def x(sockaddr, flags=0, timeout=30):
hub = get_hub()
with switch_back(timeout) as switcher:
request = pyuv.dns.getnameinfo(hub.loop, sockaddr, flags, callback=
switcher)
switcher.add_cleanup(request.cancel)
result = hub.switch()
result, error = result[0]
if error:
message = pyuv.errno.strerror(error)
raise pyuv.error.UVError(error, message)
return result
|
getnameinfo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sockaddr, flags=0, timeout=30):\n hub = get_hub()\n with switch_back(timeout) as switcher:\n request = pyuv.dns.getnameinfo(hub.loop, sockaddr, flags, callback=\n switcher)\n switcher.add_cleanup(request.cancel)\n result = hub.switch()\n result, error = result[0]\n if error:\n message = pyuv.errno.strerror(error)\n raise pyuv.error.UVError(error, message)\n return result\n",
"role": "user"
},
{
"content": "getnameinfo",
"role": "assistant"
}
] |
def x(s: Union[str, 'ChainedBase']) ->List[str]:
return codegrabpat.findall(str(s))
|
get_codes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s: Union[str, 'ChainedBase']) ->List[str]:\n return codegrabpat.findall(str(s))\n",
"role": "user"
},
{
"content": "get_codes",
"role": "assistant"
}
] |
def x(s: Union[str, 'ChainedBase']) ->Dict[int, str]:
indices = {}
i = 0
codes = get_codes(s)
for code in codes:
codeindex = s.index(code)
realindex = i + codeindex
indices[realindex] = code
codelen = len(code)
i = realindex + codelen
s = s[codeindex + codelen:]
return indices
|
get_code_indices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s: Union[str, 'ChainedBase']) ->Dict[int, str]:\n indices = {}\n i = 0\n codes = get_codes(s)\n for code in codes:\n codeindex = s.index(code)\n realindex = i + codeindex\n indices[realindex] = code\n codelen = len(code)\n i = realindex + codelen\n s = s[codeindex + codelen:]\n return indices\n",
"role": "user"
},
{
"content": "get_code_indices",
"role": "assistant"
}
] |
def x(s: Union[str, 'ChainedBase']) ->Dict[int, str]:
codes = get_code_indices(s)
if not codes:
return {i: c for i, c in enumerate(s)}
indices = {}
for codeindex in sorted(codes):
code = codes[codeindex]
if codeindex == 0:
indices[codeindex] = code
continue
start = max(indices or {(0): ''}, key=int)
startcode = indices.get(start, '')
startlen = start + len(startcode)
indices.update({i: s[i] for i in range(startlen, codeindex)})
indices[codeindex] = code
if not indices:
return {i: c for i, c in enumerate(s)}
lastindex = max(indices, key=int)
lastitem = indices[lastindex]
start = lastindex + len(lastitem)
textlen = len(s)
if start < textlen - 1:
indices.update({i: s[i] for i in range(start, textlen)})
return indices
|
get_indices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s: Union[str, 'ChainedBase']) ->Dict[int, str]:\n codes = get_code_indices(s)\n if not codes:\n return {i: c for i, c in enumerate(s)}\n indices = {}\n for codeindex in sorted(codes):\n code = codes[codeindex]\n if codeindex == 0:\n indices[codeindex] = code\n continue\n start = max(indices or {(0): ''}, key=int)\n startcode = indices.get(start, '')\n startlen = start + len(startcode)\n indices.update({i: s[i] for i in range(startlen, codeindex)})\n indices[codeindex] = code\n if not indices:\n return {i: c for i, c in enumerate(s)}\n lastindex = max(indices, key=int)\n lastitem = indices[lastindex]\n start = lastindex + len(lastitem)\n textlen = len(s)\n if start < textlen - 1:\n indices.update({i: s[i] for i in range(start, textlen)})\n return indices\n",
"role": "user"
},
{
"content": "get_indices",
"role": "assistant"
}
] |
def x(s: Union[str, 'ChainedBase']) ->str:
return codepat.sub('', str(s) if s or s == 0 else '')
|
strip_codes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s: Union[str, 'ChainedBase']) ->str:\n return codepat.sub('', str(s) if s or s == 0 else '')\n",
"role": "user"
},
{
"content": "strip_codes",
"role": "assistant"
}
] |
def x(self, events, callback):
if self._poll is None:
raise RuntimeError('poll instance is closed')
if events & ~(READABLE | WRITABLE):
raise ValueError('illegal event mask: {}'.format(events))
if events & READABLE:
self._readers += 1
if events & WRITABLE:
self._writers += 1
handle = add_callback(self, callback, events)
self._sync()
return handle
|
add_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, events, callback):\n if self._poll is None:\n raise RuntimeError('poll instance is closed')\n if events & ~(READABLE | WRITABLE):\n raise ValueError('illegal event mask: {}'.format(events))\n if events & READABLE:\n self._readers += 1\n if events & WRITABLE:\n self._writers += 1\n handle = add_callback(self, callback, events)\n self._sync()\n return handle\n",
"role": "user"
},
{
"content": "add_callback",
"role": "assistant"
}
] |
def x(self, handle):
if self._poll is None:
raise RuntimeError('poll instance is closed')
remove_callback(self, handle)
if handle.extra & READABLE:
self._readers -= 1
if handle.extra & WRITABLE:
self._writers -= 1
self._sync()
|
remove_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n if self._poll is None:\n raise RuntimeError('poll instance is closed')\n remove_callback(self, handle)\n if handle.extra & READABLE:\n self._readers -= 1\n if handle.extra & WRITABLE:\n self._writers -= 1\n self._sync()\n",
"role": "user"
},
{
"content": "remove_callback",
"role": "assistant"
}
] |
def x(self, handle, events):
if self._poll is None:
raise RuntimeError('poll instance is closed')
if not has_callback(self, handle):
raise ValueError('no such callback')
if events & ~(READABLE | WRITABLE):
raise ValueError('illegal event mask: {}'.format(events))
if handle.extra == events:
return
if handle.extra & READABLE:
self._readers -= 1
if handle.extra & WRITABLE:
self._writers -= 1
if events & READABLE:
self._readers += 1
if events & WRITABLE:
self._writers += 1
handle.extra = events
self._sync()
|
update_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, events):\n if self._poll is None:\n raise RuntimeError('poll instance is closed')\n if not has_callback(self, handle):\n raise ValueError('no such callback')\n if events & ~(READABLE | WRITABLE):\n raise ValueError('illegal event mask: {}'.format(events))\n if handle.extra == events:\n return\n if handle.extra & READABLE:\n self._readers -= 1\n if handle.extra & WRITABLE:\n self._writers -= 1\n if events & READABLE:\n self._readers += 1\n if events & WRITABLE:\n self._writers += 1\n handle.extra = events\n self._sync()\n",
"role": "user"
},
{
"content": "update_callback",
"role": "assistant"
}
] |
def x(self):
if self._poll is None:
return
self._poll.close()
self._poll = None
self._readers = 0
self._writers = 0
self._events = 0
clear_callbacks(self)
|
close
|
[
{
"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._poll is None:\n return\n self._poll.close()\n self._poll = None\n self._readers = 0\n self._writers = 0\n self._events = 0\n clear_callbacks(self)\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, fd, events, callback):
if self._mpoll is None:
raise RuntimeError('Poller instance is closed')
try:
mpoll = self._mpoll[fd]
except KeyError:
mpoll = self._mpoll[fd] = MultiPoll(self._loop, fd)
handle = mpoll.add_callback(events, callback)
return handle
|
add_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd, events, callback):\n if self._mpoll is None:\n raise RuntimeError('Poller instance is closed')\n try:\n mpoll = self._mpoll[fd]\n except KeyError:\n mpoll = self._mpoll[fd] = MultiPoll(self._loop, fd)\n handle = mpoll.add_callback(events, callback)\n return handle\n",
"role": "user"
},
{
"content": "add_callback",
"role": "assistant"
}
] |
def x(self, fd, handle):
if self._mpoll is None:
raise RuntimeError('Poller instance is closed')
mpoll = self._mpoll.get(fd)
if mpoll is None:
raise ValueError('not watching fd {}'.format(fd))
mpoll.remove_callback(handle)
|
remove_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd, handle):\n if self._mpoll is None:\n raise RuntimeError('Poller instance is closed')\n mpoll = self._mpoll.get(fd)\n if mpoll is None:\n raise ValueError('not watching fd {}'.format(fd))\n mpoll.remove_callback(handle)\n",
"role": "user"
},
{
"content": "remove_callback",
"role": "assistant"
}
] |
def x(self, fd, handle, events):
if self._mpoll is None:
raise RuntimeError('Poller instance is closed')
mpoll = self._mpoll.get(fd)
if mpoll is None:
raise ValueError('not watching fd {}'.format(fd))
mpoll.update_callback(handle, events)
|
update_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fd, handle, events):\n if self._mpoll is None:\n raise RuntimeError('Poller instance is closed')\n mpoll = self._mpoll.get(fd)\n if mpoll is None:\n raise ValueError('not watching fd {}'.format(fd))\n mpoll.update_callback(handle, events)\n",
"role": "user"
},
{
"content": "update_callback",
"role": "assistant"
}
] |
def x(self):
if self._mpoll is None:
return
for mpoll in self._mpoll.values():
mpoll.close()
self._mpoll.clear()
self._mpoll = None
|
close
|
[
{
"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._mpoll is None:\n return\n for mpoll in self._mpoll.values():\n mpoll.close()\n self._mpoll.clear()\n self._mpoll = None\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
if not self.authOrder:
raise DBusAuthenticationFailed()
self.authMech = self.authOrder.pop()
if self.authMech == 'DBUS_COOKIE_SHA1':
self.sendAuthMessage('AUTH ' + self.authMech + ' ' + hexlify(
getpass.getuser()))
elif self.authMech == 'ANONYMOUS':
self.sendAuthMessage('AUTH ' + self.authMech + ' ' + hexlify('txdbus'))
else:
self.sendAuthMessage('AUTH ' + self.authMech)
|
authTryNextMethod
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.authOrder:\n raise DBusAuthenticationFailed()\n self.authMech = self.authOrder.pop()\n if self.authMech == 'DBUS_COOKIE_SHA1':\n self.sendAuthMessage('AUTH ' + self.authMech + ' ' + hexlify(\n getpass.getuser()))\n elif self.authMech == 'ANONYMOUS':\n self.sendAuthMessage('AUTH ' + self.authMech + ' ' + hexlify('txdbus'))\n else:\n self.sendAuthMessage('AUTH ' + self.authMech)\n",
"role": "user"
},
{
"content": "authTryNextMethod",
"role": "assistant"
}
] |
def x(self, cookie_context, cookie_id):
if self.cookie_dir is None:
cookie_dir = os.path.expanduser('~/.dbus-keyrings')
else:
cookie_dir = self.cookie_dir
dstat = os.stat(cookie_dir)
if dstat.st_mode & 54:
raise Exception(
'User keyrings directory is writeable by other users. Aborting authentication'
)
import pwd
if dstat.st_uid != pwd.getpwuid(os.geteuid()).pw_uid:
raise Exception(
'Keyrings directory is not owned by the current user. Aborting authentication!'
)
f = open(os.path.join(cookie_dir, cookie_context), 'r')
try:
for line in f:
try:
k_id, k_time, k_cookie_hex = line.split()
if k_id == cookie_id:
return k_cookie_hex
except:
pass
finally:
f.close()
|
authGetDBusCookie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cookie_context, cookie_id):\n if self.cookie_dir is None:\n cookie_dir = os.path.expanduser('~/.dbus-keyrings')\n else:\n cookie_dir = self.cookie_dir\n dstat = os.stat(cookie_dir)\n if dstat.st_mode & 54:\n raise Exception(\n 'User keyrings directory is writeable by other users. Aborting authentication'\n )\n import pwd\n if dstat.st_uid != pwd.getpwuid(os.geteuid()).pw_uid:\n raise Exception(\n 'Keyrings directory is not owned by the current user. Aborting authentication!'\n )\n f = open(os.path.join(cookie_dir, cookie_context), 'r')\n try:\n for line in f:\n try:\n k_id, k_time, k_cookie_hex = line.split()\n if k_id == cookie_id:\n return k_cookie_hex\n except:\n pass\n finally:\n f.close()\n",
"role": "user"
},
{
"content": "authGetDBusCookie",
"role": "assistant"
}
] |
def x(obj, callback, args=()):
callbacks = obj._callbacks
node = Node(callback, args)
if callbacks is None:
obj._callbacks = node
return node
if not isinstance(callbacks, dllist):
obj._callbacks = dllist()
obj._callbacks.insert(callbacks)
callbacks = obj._callbacks
callbacks.insert(node)
return node
|
add_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, callback, args=()):\n callbacks = obj._callbacks\n node = Node(callback, args)\n if callbacks is None:\n obj._callbacks = node\n return node\n if not isinstance(callbacks, dllist):\n obj._callbacks = dllist()\n obj._callbacks.insert(callbacks)\n callbacks = obj._callbacks\n callbacks.insert(node)\n return node\n",
"role": "user"
},
{
"content": "add_callback",
"role": "assistant"
}
] |
def x(obj, handle):
callbacks = obj._callbacks
if callbacks is handle:
obj._callbacks = None
elif isinstance(callbacks, dllist):
callbacks.remove(handle)
if not callbacks:
obj._callbacks = None
|
remove_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, handle):\n callbacks = obj._callbacks\n if callbacks is handle:\n obj._callbacks = None\n elif isinstance(callbacks, dllist):\n callbacks.remove(handle)\n if not callbacks:\n obj._callbacks = None\n",
"role": "user"
},
{
"content": "remove_callback",
"role": "assistant"
}
] |
def x(obj, handle):
callbacks = obj._callbacks
if not callbacks:
return False
if isinstance(callbacks, Node):
return handle is callbacks
else:
return handle in callbacks
|
has_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, handle):\n callbacks = obj._callbacks\n if not callbacks:\n return False\n if isinstance(callbacks, Node):\n return handle is callbacks\n else:\n return handle in callbacks\n",
"role": "user"
},
{
"content": "has_callback",
"role": "assistant"
}
] |
def x(obj):
callbacks = obj._callbacks
if not callbacks:
return
if isinstance(callbacks, Node):
node = callbacks
obj._callbacks = None
else:
node = callbacks.first
callbacks.remove(node)
if not callbacks:
obj._callbacks = None
return node.data, node.extra
|
pop_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n callbacks = obj._callbacks\n if not callbacks:\n return\n if isinstance(callbacks, Node):\n node = callbacks\n obj._callbacks = None\n else:\n node = callbacks.first\n callbacks.remove(node)\n if not callbacks:\n obj._callbacks = None\n return node.data, node.extra\n",
"role": "user"
},
{
"content": "pop_callback",
"role": "assistant"
}
] |
def x(obj):
callbacks = obj._callbacks
if isinstance(callbacks, dllist):
callbacks.clear()
obj._callbacks = None
|
clear_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n callbacks = obj._callbacks\n if isinstance(callbacks, dllist):\n callbacks.clear()\n obj._callbacks = None\n",
"role": "user"
},
{
"content": "clear_callbacks",
"role": "assistant"
}
] |
def x(obj, func, log=None):
callbacks = obj._callbacks
if isinstance(callbacks, Node):
node = callbacks
try:
if not func(node.data, node.extra):
obj._callbacks = None
except Exception:
if log is None:
log = logging.get_logger()
log.exception('uncaught exception in callback')
elif isinstance(callbacks, dllist):
for node in callbacks:
try:
if func(node.data, node.extra):
continue
callbacks.remove(node)
except Exception:
if log is None:
log = logging.get_logger()
log.exception('uncaught exception in callback')
if not callbacks:
obj._callbacks = None
|
walk_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, func, log=None):\n callbacks = obj._callbacks\n if isinstance(callbacks, Node):\n node = callbacks\n try:\n if not func(node.data, node.extra):\n obj._callbacks = None\n except Exception:\n if log is None:\n log = logging.get_logger()\n log.exception('uncaught exception in callback')\n elif isinstance(callbacks, dllist):\n for node in callbacks:\n try:\n if func(node.data, node.extra):\n continue\n callbacks.remove(node)\n except Exception:\n if log is None:\n log = logging.get_logger()\n log.exception('uncaught exception in callback')\n if not callbacks:\n obj._callbacks = None\n",
"role": "user"
},
{
"content": "walk_callbacks",
"role": "assistant"
}
] |
def x(obj, log=None):
def x(callback, args):
return callback(*args)
return walk_callbacks(obj, run_callback, log)
|
run_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, log=None):\n\n def x(callback, args):\n return callback(*args)\n return walk_callbacks(obj, run_callback, log)\n",
"role": "user"
},
{
"content": "run_callbacks",
"role": "assistant"
}
] |
def x(configuration_model):
class AutoConfigModelSerializer(ModelSerializer):
"""Serializer class for configuration models."""
class Meta(object):
"""Meta information for AutoConfigModelSerializer."""
model = configuration_model
fields = '__all__'
def x(self, validated_data):
if 'changed_by_username' in self.context:
model = get_user_model()
validated_data['changed_by'] = model.objects.get(username=
self.context['changed_by_username'])
return super(AutoConfigModelSerializer, self).create(validated_data
)
return AutoConfigModelSerializer
|
get_serializer_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configuration_model):\n\n\n class AutoConfigModelSerializer(ModelSerializer):\n \"\"\"Serializer class for configuration models.\"\"\"\n\n\n class Meta(object):\n \"\"\"Meta information for AutoConfigModelSerializer.\"\"\"\n model = configuration_model\n fields = '__all__'\n\n def x(self, validated_data):\n if 'changed_by_username' in self.context:\n model = get_user_model()\n validated_data['changed_by'] = model.objects.get(username=\n self.context['changed_by_username'])\n return super(AutoConfigModelSerializer, self).create(validated_data\n )\n return AutoConfigModelSerializer\n",
"role": "user"
},
{
"content": "get_serializer_class",
"role": "assistant"
}
] |
def x(stream, username):
parsed_json = JSONParser().parse(stream)
serializer_class = get_serializer_class(apps.get_model(parsed_json[
'model']))
list_serializer = serializer_class(data=parsed_json['data'], context={
'changed_by_username': username}, many=True)
if list_serializer.is_valid():
model_class = serializer_class.Meta.model
for data in reversed(list_serializer.validated_data):
if model_class.equal_to_current(data):
list_serializer.validated_data.remove(data)
entries_created = len(list_serializer.validated_data)
list_serializer.save()
return entries_created
else:
raise Exception(list_serializer.error_messages)
|
deserialize_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, username):\n parsed_json = JSONParser().parse(stream)\n serializer_class = get_serializer_class(apps.get_model(parsed_json[\n 'model']))\n list_serializer = serializer_class(data=parsed_json['data'], context={\n 'changed_by_username': username}, many=True)\n if list_serializer.is_valid():\n model_class = serializer_class.Meta.model\n for data in reversed(list_serializer.validated_data):\n if model_class.equal_to_current(data):\n list_serializer.validated_data.remove(data)\n entries_created = len(list_serializer.validated_data)\n list_serializer.save()\n return entries_created\n else:\n raise Exception(list_serializer.error_messages)\n",
"role": "user"
},
{
"content": "deserialize_json",
"role": "assistant"
}
] |
def x(self):
return [f.name for f in self.model._meta.get_fields() if not f.one_to_many]
|
get_displayable_field_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [f.name for f in self.model._meta.get_fields() if not f.one_to_many]\n",
"role": "user"
},
{
"content": "get_displayable_field_names",
"role": "assistant"
}
] |
def x(self, request, queryset):
if queryset.count() != 1:
self.message_user(request, _(
'Please select a single configuration to revert to.'))
return
target = queryset[0]
target.id = None
self.save_model(request, target, None, False)
self.message_user(request, _('Reverted configuration.'))
return HttpResponseRedirect(reverse('admin:{}_{}_change'.format(self.
model._meta.app_label, self.model._meta.model_name), args=(target.id,))
)
|
revert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n if queryset.count() != 1:\n self.message_user(request, _(\n 'Please select a single configuration to revert to.'))\n return\n target = queryset[0]\n target.id = None\n self.save_model(request, target, None, False)\n self.message_user(request, _('Reverted configuration.'))\n return HttpResponseRedirect(reverse('admin:{}_{}_change'.format(self.\n model._meta.app_label, self.model._meta.model_name), args=(target.id,))\n )\n",
"role": "user"
},
{
"content": "revert",
"role": "assistant"
}
] |
def x(self, changelist):
show_all = self.used_parameters.get(self.parameter_name) == '1'
return {'display': _('Current Configuration'), 'selected': not show_all,
'query_string': changelist.get_query_string({}, [self.parameter_name])
}, {'display': _('All (Show History)'), 'selected': show_all,
'query_string': changelist.get_query_string({self.parameter_name:
'1'}, [])}
|
choices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, changelist):\n show_all = self.used_parameters.get(self.parameter_name) == '1'\n return {'display': _('Current Configuration'), 'selected': not show_all,\n 'query_string': changelist.get_query_string({}, [self.parameter_name])\n }, {'display': _('All (Show History)'), 'selected': show_all,\n 'query_string': changelist.get_query_string({self.parameter_name:\n '1'}, [])}\n",
"role": "user"
},
{
"content": "choices",
"role": "assistant"
}
] |
def x(self, request):
if request.GET.get(ShowHistoryFilter.parameter_name) == '1':
queryset = self.model.objects.with_active_flag()
else:
queryset = self.model.objects.current_set()
ordering = self.get_ordering(request)
if ordering:
return queryset.order_by(*ordering)
return queryset
|
get_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if request.GET.get(ShowHistoryFilter.parameter_name) == '1':\n queryset = self.model.objects.with_active_flag()\n else:\n queryset = self.model.objects.current_set()\n ordering = self.get_ordering(request)\n if ordering:\n return queryset.order_by(*ordering)\n return queryset\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(self, inst):
if not inst.is_active:
return u'--'
update_url = reverse('admin:{}_{}_add'.format(self.model._meta.
app_label, self.model._meta.model_name))
update_url += '?source={}'.format(inst.pk)
return u'<a href="{}">{}</a>'.format(update_url, _('Update'))
|
edit_link
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inst):\n if not inst.is_active:\n return u'--'\n update_url = reverse('admin:{}_{}_add'.format(self.model._meta.\n app_label, self.model._meta.model_name))\n update_url += '?source={}'.format(inst.pk)\n return u'<a href=\"{}\">{}</a>'.format(update_url, _('Update'))\n",
"role": "user"
},
{
"content": "edit_link",
"role": "assistant"
}
] |
def x(context):
ctx = original_submit_row(context)
if context.get('readonly', False):
ctx.update({'show_delete_link': False, 'show_save_as_new': False,
'show_save_and_add_another': False, 'show_save_and_continue':
False, 'show_save': False})
else:
return ctx
|
submit_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n ctx = original_submit_row(context)\n if context.get('readonly', False):\n ctx.update({'show_delete_link': False, 'show_save_as_new': False,\n 'show_save_and_add_another': False, 'show_save_and_continue': \n False, 'show_save': False})\n else:\n return ctx\n",
"role": "user"
},
{
"content": "submit_row",
"role": "assistant"
}
] |
def x(self):
return self.values(*self.model.KEY_FIELDS).annotate(max=models.Max('pk')
).values('max')
|
current_ids_subquery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.values(*self.model.KEY_FIELDS).annotate(max=models.Max('pk')\n ).values('max')\n",
"role": "user"
},
{
"content": "current_ids_subquery",
"role": "assistant"
}
] |
def x(self):
assert self.model.KEY_FIELDS != (
), 'Just use model.current() if there are no KEY_FIELDS'
return self.get_queryset().filter(pk__in=self._current_ids_subquery()
).annotate(is_active=models.Value(1, output_field=models.
IntegerField()))
|
current_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.model.KEY_FIELDS != (\n ), 'Just use model.current() if there are no KEY_FIELDS'\n return self.get_queryset().filter(pk__in=self._current_ids_subquery()\n ).annotate(is_active=models.Value(1, output_field=models.\n IntegerField()))\n",
"role": "user"
},
{
"content": "current_set",
"role": "assistant"
}
] |
def x(self):
if self.model.KEY_FIELDS:
return self.get_queryset().annotate(is_active=models.
ExpressionWrapper(models.Q(pk__in=self._current_ids_subquery()),
output_field=models.IntegerField()))
return self.get_queryset().annotate(is_active=models.ExpressionWrapper(
models.Q(pk=self.model.current().pk), output_field=models.
IntegerField()))
|
with_active_flag
|
[
{
"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.model.KEY_FIELDS:\n return self.get_queryset().annotate(is_active=models.\n ExpressionWrapper(models.Q(pk__in=self._current_ids_subquery()),\n output_field=models.IntegerField()))\n return self.get_queryset().annotate(is_active=models.ExpressionWrapper(\n models.Q(pk=self.model.current().pk), output_field=models.\n IntegerField()))\n",
"role": "user"
},
{
"content": "with_active_flag",
"role": "assistant"
}
] |
def x(self, force_insert=False, force_update=False, using=None,
update_fields=None):
self.pk = None
super(ConfigurationModel, self).save(force_insert, force_update, using,
update_fields)
cache.delete(self.cache_key_name(*[getattr(self, key) for key in self.
KEY_FIELDS]))
if self.KEY_FIELDS:
cache.delete(self.key_values_cache_key_name())
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_insert=False, force_update=False, using=None,\n update_fields=None):\n self.pk = None\n super(ConfigurationModel, self).save(force_insert, force_update, using,\n update_fields)\n cache.delete(self.cache_key_name(*[getattr(self, key) for key in self.\n KEY_FIELDS]))\n if self.KEY_FIELDS:\n cache.delete(self.key_values_cache_key_name())\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(cls, *args):
if cls.KEY_FIELDS != ():
if len(args) != len(cls.KEY_FIELDS):
raise TypeError(
'cache_key_name() takes exactly {} arguments ({} given)'.
format(len(cls.KEY_FIELDS), len(args)))
return 'configuration/{}/current/{}'.format(cls.__name__, ','.join(
six.text_type(arg) for arg in args))
else:
return 'configuration/{}/current'.format(cls.__name__)
|
cache_key_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args):\n if cls.KEY_FIELDS != ():\n if len(args) != len(cls.KEY_FIELDS):\n raise TypeError(\n 'cache_key_name() takes exactly {} arguments ({} given)'.\n format(len(cls.KEY_FIELDS), len(args)))\n return 'configuration/{}/current/{}'.format(cls.__name__, ','.join(\n six.text_type(arg) for arg in args))\n else:\n return 'configuration/{}/current'.format(cls.__name__)\n",
"role": "user"
},
{
"content": "cache_key_name",
"role": "assistant"
}
] |
def x(cls, *args):
cached = cache.get(cls.cache_key_name(*args))
if cached is not None:
return cached
key_dict = dict(zip(cls.KEY_FIELDS, args))
try:
current = cls.objects.filter(**key_dict).order_by('-change_date')[0]
except IndexError:
current = cls(**key_dict)
cache.set(cls.cache_key_name(*args), current, cls.cache_timeout)
return current
|
current
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args):\n cached = cache.get(cls.cache_key_name(*args))\n if cached is not None:\n return cached\n key_dict = dict(zip(cls.KEY_FIELDS, args))\n try:\n current = cls.objects.filter(**key_dict).order_by('-change_date')[0]\n except IndexError:\n current = cls(**key_dict)\n cache.set(cls.cache_key_name(*args), current, cls.cache_timeout)\n return current\n",
"role": "user"
},
{
"content": "current",
"role": "assistant"
}
] |
def x(cls, *key_fields):
key_fields = key_fields or cls.KEY_FIELDS
return 'configuration/{}/key_values/{}'.format(cls.__name__, ','.join(
key_fields))
|
key_values_cache_key_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *key_fields):\n key_fields = key_fields or cls.KEY_FIELDS\n return 'configuration/{}/key_values/{}'.format(cls.__name__, ','.join(\n key_fields))\n",
"role": "user"
},
{
"content": "key_values_cache_key_name",
"role": "assistant"
}
] |
def x(cls, *key_fields, **kwargs):
flat = kwargs.pop('flat', False)
assert not kwargs, "'flat' is the only kwarg accepted"
key_fields = key_fields or cls.KEY_FIELDS
cache_key = cls.key_values_cache_key_name(*key_fields)
cached = cache.get(cache_key)
if cached is not None:
return cached
values = list(cls.objects.values_list(*key_fields, flat=flat).order_by(
).distinct())
cache.set(cache_key, values, cls.cache_timeout)
return values
|
key_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *key_fields, **kwargs):\n flat = kwargs.pop('flat', False)\n assert not kwargs, \"'flat' is the only kwarg accepted\"\n key_fields = key_fields or cls.KEY_FIELDS\n cache_key = cls.key_values_cache_key_name(*key_fields)\n cached = cache.get(cache_key)\n if cached is not None:\n return cached\n values = list(cls.objects.values_list(*key_fields, flat=flat).order_by(\n ).distinct())\n cache.set(cache_key, values, cls.cache_timeout)\n return values\n",
"role": "user"
},
{
"content": "key_values",
"role": "assistant"
}
] |
def x(self, instance, fields_to_ignore=('id', 'change_date', 'changed_by')):
for field in self._meta.get_fields():
if not field.many_to_many and field.name not in fields_to_ignore:
if getattr(instance, field.name) != getattr(self, field.name):
return False
return True
|
fields_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, fields_to_ignore=('id', 'change_date', 'changed_by')):\n for field in self._meta.get_fields():\n if not field.many_to_many and field.name not in fields_to_ignore:\n if getattr(instance, field.name) != getattr(self, field.name):\n return False\n return True\n",
"role": "user"
},
{
"content": "fields_equal",
"role": "assistant"
}
] |
def x(cls, json, fields_to_ignore=('id', 'change_date', 'changed_by')):
info = model_meta.get_field_info(cls)
for field_name, relation_info in info.relations.items():
if relation_info.to_many and field_name in json:
json.pop(field_name)
new_instance = cls(**json)
key_field_args = tuple(getattr(new_instance, key) for key in cls.KEY_FIELDS
)
current = cls.current(*key_field_args)
if current.id is not None:
return current.fields_equal(new_instance, fields_to_ignore)
return False
|
equal_to_current
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json, fields_to_ignore=('id', 'change_date', 'changed_by')):\n info = model_meta.get_field_info(cls)\n for field_name, relation_info in info.relations.items():\n if relation_info.to_many and field_name in json:\n json.pop(field_name)\n new_instance = cls(**json)\n key_field_args = tuple(getattr(new_instance, key) for key in cls.KEY_FIELDS\n )\n current = cls.current(*key_field_args)\n if current.id is not None:\n return current.fields_equal(new_instance, fields_to_ignore)\n return False\n",
"role": "user"
},
{
"content": "equal_to_current",
"role": "assistant"
}
] |
def x(cls, wrapped_func):
def x(*args, **kwargs):
with transaction.atomic():
return wrapped_func(*args, **kwargs)
return _create_atomic_wrapper
|
create_atomic_wrapper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, wrapped_func):\n\n def x(*args, **kwargs):\n with transaction.atomic():\n return wrapped_func(*args, **kwargs)\n return _create_atomic_wrapper\n",
"role": "user"
},
{
"content": "create_atomic_wrapper",
"role": "assistant"
}
] |
def x(cls, **initkwargs):
view = super(AtomicMixin, cls).as_view(**initkwargs)
return cls.create_atomic_wrapper(view)
|
as_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **initkwargs):\n view = super(AtomicMixin, cls).as_view(**initkwargs)\n return cls.create_atomic_wrapper(view)\n",
"role": "user"
},
{
"content": "as_view",
"role": "assistant"
}
] |
def x(config_model):
def x(func):
@wraps(func)
def x(*args, **kwargs):
if not config_model.current().enabled:
return HttpResponseNotFound()
return func(*args, **kwargs)
return _inner
return _decorator
|
require_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_model):\n\n def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n if not config_model.current().enabled:\n return HttpResponseNotFound()\n return func(*args, **kwargs)\n return _inner\n return _decorator\n",
"role": "user"
},
{
"content": "require_config",
"role": "assistant"
}
] |
def x(file, feature_layers):
tile = VectorTile(extents)
for layer in feature_layers:
tile.addFeatures(layer['features'], layer['name'])
tile.complete()
data = tile.out.SerializeToString()
file.write(struct.pack('>I', len(data)))
file.write(data)
|
merge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, feature_layers):\n tile = VectorTile(extents)\n for layer in feature_layers:\n tile.addFeatures(layer['features'], layer['name'])\n tile.complete()\n data = tile.out.SerializeToString()\n file.write(struct.pack('>I', len(data)))\n file.write(data)\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(shape):
if shape.type in ('Polygon', 'MultiPolygon') and not shape.is_valid:
shape = shape.buffer(0)
if not shape.is_valid:
return None
return shape
|
make_valid_if_necessary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(shape):\n if shape.type in ('Polygon', 'MultiPolygon') and not shape.is_valid:\n shape = shape.buffer(0)\n if not shape.is_valid:\n return None\n return shape\n",
"role": "user"
},
{
"content": "make_valid_if_necessary",
"role": "assistant"
}
] |
def x(dest_props, src_props):
props_size = 0
if src_props:
for k, v in src_props.items():
if v is not None:
props_size += len(k) + _sizeof(v)
dest_props[k] = v
return props_size
|
accumulate_props
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dest_props, src_props):\n props_size = 0\n if src_props:\n for k, v in src_props.items():\n if v is not None:\n props_size += len(k) + _sizeof(v)\n dest_props[k] = v\n return props_size\n",
"role": "user"
},
{
"content": "accumulate_props",
"role": "assistant"
}
] |
def x(coord, metatile_zoom, nominal_zoom, tile_size):
from tilequeue.tile import coord_children_subrange
from tilequeue.tile import metatile_zoom_from_size
assert tile_size >= 256
assert tile_size <= 256 * (1 << metatile_zoom)
assert _is_power_of_2(tile_size)
delta = metatile_zoom_from_size(tile_size // 256)
zoom = nominal_zoom - delta
return list(coord_children_subrange(coord, zoom, zoom))
|
metatile_children_with_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coord, metatile_zoom, nominal_zoom, tile_size):\n from tilequeue.tile import coord_children_subrange\n from tilequeue.tile import metatile_zoom_from_size\n assert tile_size >= 256\n assert tile_size <= 256 * (1 << metatile_zoom)\n assert _is_power_of_2(tile_size)\n delta = metatile_zoom_from_size(tile_size // 256)\n zoom = nominal_zoom - delta\n return list(coord_children_subrange(coord, zoom, zoom))\n",
"role": "user"
},
{
"content": "metatile_children_with_size",
"role": "assistant"
}
] |
def x(coord, metatile_zoom, cfg_tile_sizes, max_zoom):
from tilequeue.tile import metatile_zoom_from_size
tile_size_by_zoom = {}
nominal_zoom = coord.zoom + metatile_zoom
for tile_size in cfg_tile_sizes:
assert tile_size >= 256
assert tile_size <= 256 * (1 << metatile_zoom)
assert _is_power_of_2(tile_size)
if coord.zoom >= max_zoom:
tile_sizes = []
tile_sizes.extend(cfg_tile_sizes)
lowest_tile_size = min(tile_sizes)
while lowest_tile_size > 256:
lowest_tile_size //= 2
tile_sizes.append(lowest_tile_size)
tile_size_by_zoom[nominal_zoom] = tile_sizes
elif coord.zoom <= 0:
tile_size_by_zoom[nominal_zoom] = cfg_tile_sizes
max_tile_size = max(cfg_tile_sizes)
max_tile_zoom = metatile_zoom_from_size(max_tile_size // 256)
assert max_tile_zoom <= metatile_zoom
for delta in range(0, metatile_zoom - max_tile_zoom):
z = nominal_zoom - (delta + 1)
tile_size_by_zoom[z] = [max_tile_size]
else:
tile_size_by_zoom[nominal_zoom] = cfg_tile_sizes
return tile_size_by_zoom
|
calculate_sizes_by_zoom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coord, metatile_zoom, cfg_tile_sizes, max_zoom):\n from tilequeue.tile import metatile_zoom_from_size\n tile_size_by_zoom = {}\n nominal_zoom = coord.zoom + metatile_zoom\n for tile_size in cfg_tile_sizes:\n assert tile_size >= 256\n assert tile_size <= 256 * (1 << metatile_zoom)\n assert _is_power_of_2(tile_size)\n if coord.zoom >= max_zoom:\n tile_sizes = []\n tile_sizes.extend(cfg_tile_sizes)\n lowest_tile_size = min(tile_sizes)\n while lowest_tile_size > 256:\n lowest_tile_size //= 2\n tile_sizes.append(lowest_tile_size)\n tile_size_by_zoom[nominal_zoom] = tile_sizes\n elif coord.zoom <= 0:\n tile_size_by_zoom[nominal_zoom] = cfg_tile_sizes\n max_tile_size = max(cfg_tile_sizes)\n max_tile_zoom = metatile_zoom_from_size(max_tile_size // 256)\n assert max_tile_zoom <= metatile_zoom\n for delta in range(0, metatile_zoom - max_tile_zoom):\n z = nominal_zoom - (delta + 1)\n tile_size_by_zoom[z] = [max_tile_size]\n else:\n tile_size_by_zoom[nominal_zoom] = cfg_tile_sizes\n return tile_size_by_zoom\n",
"role": "user"
},
{
"content": "calculate_sizes_by_zoom",
"role": "assistant"
}
] |
def x(coord, metatile_zoom, cfg_tile_sizes, max_zoom):
tile_sizes_by_zoom = calculate_sizes_by_zoom(coord, metatile_zoom,
cfg_tile_sizes, max_zoom)
cut_coords_by_zoom = {}
for nominal_zoom, tile_sizes in tile_sizes_by_zoom.iteritems():
cut_coords = []
for tile_size in tile_sizes:
cut_coords.extend(metatile_children_with_size(coord,
metatile_zoom, nominal_zoom, tile_size))
cut_coords_by_zoom[nominal_zoom] = cut_coords
return cut_coords_by_zoom
|
calculate_cut_coords_by_zoom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coord, metatile_zoom, cfg_tile_sizes, max_zoom):\n tile_sizes_by_zoom = calculate_sizes_by_zoom(coord, metatile_zoom,\n cfg_tile_sizes, max_zoom)\n cut_coords_by_zoom = {}\n for nominal_zoom, tile_sizes in tile_sizes_by_zoom.iteritems():\n cut_coords = []\n for tile_size in tile_sizes:\n cut_coords.extend(metatile_children_with_size(coord,\n metatile_zoom, nominal_zoom, tile_size))\n cut_coords_by_zoom[nominal_zoom] = cut_coords\n return cut_coords_by_zoom\n",
"role": "user"
},
{
"content": "calculate_cut_coords_by_zoom",
"role": "assistant"
}
] |
def x(src, dst):
orig_os_replace_func = getattr(os, 'replace', None)
if orig_os_replace_func is not None:
orig_os_replace_func(src, dst)
return
if os.name == 'posix':
os.rename(src, dst)
return
try:
os.rename(src, dst)
error = None
except OSError as e:
error = e
if error is None:
return
for i in range(5):
try:
os.remove(dst)
except OSError:
pass
try:
os.rename(src, dst)
error = None
except OSError as e:
error = e
continue
break
if error is not None:
raise_from(OSError('failed to replace'), error)
|
os_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, dst):\n orig_os_replace_func = getattr(os, 'replace', None)\n if orig_os_replace_func is not None:\n orig_os_replace_func(src, dst)\n return\n if os.name == 'posix':\n os.rename(src, dst)\n return\n try:\n os.rename(src, dst)\n error = None\n except OSError as e:\n error = e\n if error is None:\n return\n for i in range(5):\n try:\n os.remove(dst)\n except OSError:\n pass\n try:\n os.rename(src, dst)\n error = None\n except OSError as e:\n error = e\n continue\n break\n if error is not None:\n raise_from(OSError('failed to replace'), error)\n",
"role": "user"
},
{
"content": "os_replace",
"role": "assistant"
}
] |
def x(tile_data_1, tile_data_2, fmt):
if fmt and fmt == zip_format:
return metatiles_are_equal(tile_data_1, tile_data_2)
else:
return tile_data_1 == tile_data_2
|
tiles_are_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tile_data_1, tile_data_2, fmt):\n if fmt and fmt == zip_format:\n return metatiles_are_equal(tile_data_1, tile_data_2)\n else:\n return tile_data_1 == tile_data_2\n",
"role": "user"
},
{
"content": "tiles_are_equal",
"role": "assistant"
}
] |
def x(store, tile_data, coord, format):
existing_data = store.read_tile(coord, format)
if not existing_data or not tiles_are_equal(existing_data, tile_data,
format):
store.write_tile(tile_data, coord, format)
return True
else:
return False
|
write_tile_if_changed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store, tile_data, coord, format):\n existing_data = store.read_tile(coord, format)\n if not existing_data or not tiles_are_equal(existing_data, tile_data,\n format):\n store.write_tile(tile_data, coord, format)\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "write_tile_if_changed",
"role": "assistant"
}
] |
def x(container, yamlkeys, value):
key = yamlkeys[0]
rest = yamlkeys[1:]
if len(rest) == 0:
container[key] = value
elif key in container:
_override_cfg(container[key], rest, value)
else:
subtree = {}
_override_cfg(subtree, rest, value)
container[key] = subtree
|
override_cfg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container, yamlkeys, value):\n key = yamlkeys[0]\n rest = yamlkeys[1:]\n if len(rest) == 0:\n container[key] = value\n elif key in container:\n _override_cfg(container[key], rest, value)\n else:\n subtree = {}\n _override_cfg(subtree, rest, value)\n container[key] = subtree\n",
"role": "user"
},
{
"content": "override_cfg",
"role": "assistant"
}
] |
def x(coord, zoom_start, zoom_stop):
if zoom_start <= coord.zoom:
yield coord
for child_coord in coord_children_range(coord, zoom_stop):
if zoom_start <= child_coord.zoom:
yield child_coord
|
coord_pyramid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coord, zoom_start, zoom_stop):\n if zoom_start <= coord.zoom:\n yield coord\n for child_coord in coord_children_range(coord, zoom_stop):\n if zoom_start <= child_coord.zoom:\n yield child_coord\n",
"role": "user"
},
{
"content": "coord_pyramid",
"role": "assistant"
}
] |
def x(coords, zoom_start, zoom_stop):
for coord in coords:
for child in coord_pyramid(coord, zoom_start, zoom_stop):
yield child
|
coord_pyramids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coords, zoom_start, zoom_stop):\n for coord in coords:\n for child in coord_pyramid(coord, zoom_start, zoom_stop):\n yield child\n",
"role": "user"
},
{
"content": "coord_pyramids",
"role": "assistant"
}
] |
def x(cfg, peripherals, args):
logger = make_logger(cfg, 'enqueue_tiles_of_interest')
logger.info('Enqueueing tiles of interest')
logger.info('Fetching tiles of interest ...')
tiles_of_interest = peripherals.toi.fetch_tiles_of_interest()
n_toi = len(tiles_of_interest)
logger.info('Fetching tiles of interest ... done')
rawr_yaml = cfg.yml.get('rawr')
assert rawr_yaml, 'Missing rawr yaml'
group_by_zoom = rawr_yaml.get('group-zoom')
assert group_by_zoom, 'Missing rawr group-zoom'
assert isinstance(group_by_zoom, int), 'Invalid rawr group-zoom'
if args.zoom_start is None:
zoom_start = group_by_zoom
else:
zoom_start = args.zoom_start
if args.zoom_stop is None:
zoom_stop = cfg.max_zoom + 1
else:
zoom_stop = args.zoom_stop
assert zoom_start >= group_by_zoom
assert zoom_stop > zoom_start
ungrouped = []
coords_at_group_zoom = set()
for coord_int in tiles_of_interest:
coord = coord_unmarshall_int(coord_int)
if coord.zoom < zoom_start:
ungrouped.append(coord)
if coord.zoom >= group_by_zoom:
coord_at_group_zoom = coord.zoomTo(group_by_zoom).container()
coords_at_group_zoom.add(coord_at_group_zoom)
pyramids = coord_pyramids(coords_at_group_zoom, zoom_start, zoom_stop)
coords_to_enqueue = chain(ungrouped, pyramids)
queue_writer = peripherals.queue_writer
n_queued, n_in_flight = queue_writer.enqueue_batch(coords_to_enqueue)
logger.info('%d enqueued - %d in flight' % (n_queued, n_in_flight))
logger.info('%d tiles of interest processed' % n_toi)
|
tilequeue_enqueue_full_pyramid_from_toi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cfg, peripherals, args):\n logger = make_logger(cfg, 'enqueue_tiles_of_interest')\n logger.info('Enqueueing tiles of interest')\n logger.info('Fetching tiles of interest ...')\n tiles_of_interest = peripherals.toi.fetch_tiles_of_interest()\n n_toi = len(tiles_of_interest)\n logger.info('Fetching tiles of interest ... done')\n rawr_yaml = cfg.yml.get('rawr')\n assert rawr_yaml, 'Missing rawr yaml'\n group_by_zoom = rawr_yaml.get('group-zoom')\n assert group_by_zoom, 'Missing rawr group-zoom'\n assert isinstance(group_by_zoom, int), 'Invalid rawr group-zoom'\n if args.zoom_start is None:\n zoom_start = group_by_zoom\n else:\n zoom_start = args.zoom_start\n if args.zoom_stop is None:\n zoom_stop = cfg.max_zoom + 1\n else:\n zoom_stop = args.zoom_stop\n assert zoom_start >= group_by_zoom\n assert zoom_stop > zoom_start\n ungrouped = []\n coords_at_group_zoom = set()\n for coord_int in tiles_of_interest:\n coord = coord_unmarshall_int(coord_int)\n if coord.zoom < zoom_start:\n ungrouped.append(coord)\n if coord.zoom >= group_by_zoom:\n coord_at_group_zoom = coord.zoomTo(group_by_zoom).container()\n coords_at_group_zoom.add(coord_at_group_zoom)\n pyramids = coord_pyramids(coords_at_group_zoom, zoom_start, zoom_stop)\n coords_to_enqueue = chain(ungrouped, pyramids)\n queue_writer = peripherals.queue_writer\n n_queued, n_in_flight = queue_writer.enqueue_batch(coords_to_enqueue)\n logger.info('%d enqueued - %d in flight' % (n_queued, n_in_flight))\n logger.info('%d tiles of interest processed' % n_toi)\n",
"role": "user"
},
{
"content": "tilequeue_enqueue_full_pyramid_from_toi",
"role": "assistant"
}
] |
def x(cfg, peripherals, args):
from tilequeue.stats import RawrTileEnqueueStatsHandler
from tilequeue.rawr import make_rawr_enqueuer_from_cfg
logger = make_logger(cfg, 'enqueue_random_pyramids')
rawr_yaml = cfg.yml.get('rawr')
assert rawr_yaml, 'Missing rawr yaml'
group_by_zoom = rawr_yaml.get('group-zoom')
assert group_by_zoom, 'Missing rawr group-zoom'
assert isinstance(group_by_zoom, int), 'Invalid rawr group-zoom'
if args.zoom_start is None:
zoom_start = group_by_zoom
else:
zoom_start = args.zoom_start
if args.zoom_stop is None:
zoom_stop = cfg.max_zoom + 1
else:
zoom_stop = args.zoom_stop
assert zoom_start >= group_by_zoom
assert zoom_stop > zoom_start
gridsize = args.gridsize
total_samples = getattr(args, 'n-samples')
samples_per_cell = total_samples / (gridsize * gridsize)
tileset_dim = 2 ** group_by_zoom
scale_factor = float(tileset_dim) / float(gridsize)
stats = make_statsd_client_from_cfg(cfg)
stats_handler = RawrTileEnqueueStatsHandler(stats)
rawr_enqueuer = make_rawr_enqueuer_from_cfg(cfg, logger, stats_handler,
peripherals.msg_marshaller)
for grid_y in xrange(gridsize):
tile_y_min = int(grid_y * scale_factor)
tile_y_max = int((grid_y + 1) * scale_factor)
for grid_x in xrange(gridsize):
tile_x_min = int(grid_x * scale_factor)
tile_x_max = int((grid_x + 1) * scale_factor)
cell_samples = set()
for i in xrange(samples_per_cell):
while True:
rand_x = randrange(tile_x_min, tile_x_max)
rand_y = randrange(tile_y_min, tile_y_max)
sample = rand_x, rand_y
if sample in cell_samples:
continue
cell_samples.add(sample)
break
for x, y in cell_samples:
coord = Coordinate(zoom=group_by_zoom, column=x, row=y)
pyramid = coord_pyramid(coord, zoom_start, zoom_stop)
rawr_enqueuer(pyramid)
|
tilequeue_enqueue_random_pyramids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cfg, peripherals, args):\n from tilequeue.stats import RawrTileEnqueueStatsHandler\n from tilequeue.rawr import make_rawr_enqueuer_from_cfg\n logger = make_logger(cfg, 'enqueue_random_pyramids')\n rawr_yaml = cfg.yml.get('rawr')\n assert rawr_yaml, 'Missing rawr yaml'\n group_by_zoom = rawr_yaml.get('group-zoom')\n assert group_by_zoom, 'Missing rawr group-zoom'\n assert isinstance(group_by_zoom, int), 'Invalid rawr group-zoom'\n if args.zoom_start is None:\n zoom_start = group_by_zoom\n else:\n zoom_start = args.zoom_start\n if args.zoom_stop is None:\n zoom_stop = cfg.max_zoom + 1\n else:\n zoom_stop = args.zoom_stop\n assert zoom_start >= group_by_zoom\n assert zoom_stop > zoom_start\n gridsize = args.gridsize\n total_samples = getattr(args, 'n-samples')\n samples_per_cell = total_samples / (gridsize * gridsize)\n tileset_dim = 2 ** group_by_zoom\n scale_factor = float(tileset_dim) / float(gridsize)\n stats = make_statsd_client_from_cfg(cfg)\n stats_handler = RawrTileEnqueueStatsHandler(stats)\n rawr_enqueuer = make_rawr_enqueuer_from_cfg(cfg, logger, stats_handler,\n peripherals.msg_marshaller)\n for grid_y in xrange(gridsize):\n tile_y_min = int(grid_y * scale_factor)\n tile_y_max = int((grid_y + 1) * scale_factor)\n for grid_x in xrange(gridsize):\n tile_x_min = int(grid_x * scale_factor)\n tile_x_max = int((grid_x + 1) * scale_factor)\n cell_samples = set()\n for i in xrange(samples_per_cell):\n while True:\n rand_x = randrange(tile_x_min, tile_x_max)\n rand_y = randrange(tile_y_min, tile_y_max)\n sample = rand_x, rand_y\n if sample in cell_samples:\n continue\n cell_samples.add(sample)\n break\n for x, y in cell_samples:\n coord = Coordinate(zoom=group_by_zoom, column=x, row=y)\n pyramid = coord_pyramid(coord, zoom_start, zoom_stop)\n rawr_enqueuer(pyramid)\n",
"role": "user"
},
{
"content": "tilequeue_enqueue_random_pyramids",
"role": "assistant"
}
] |
def x(toi_set, peripherals):
count_by_zoom = defaultdict(int)
total = 0
for coord_int in toi_set:
coord = coord_unmarshall_int(coord_int)
count_by_zoom[coord.zoom] += 1
total += 1
peripherals.stats.gauge('tiles-of-interest.count', total)
for zoom, count in count_by_zoom.items():
peripherals.stats.gauge('tiles-of-interest.by-zoom.z{:02d}'.format(
zoom), count)
|
emit_toi_stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(toi_set, peripherals):\n count_by_zoom = defaultdict(int)\n total = 0\n for coord_int in toi_set:\n coord = coord_unmarshall_int(coord_int)\n count_by_zoom[coord.zoom] += 1\n total += 1\n peripherals.stats.gauge('tiles-of-interest.count', total)\n for zoom, count in count_by_zoom.items():\n peripherals.stats.gauge('tiles-of-interest.by-zoom.z{:02d}'.format(\n zoom), count)\n",
"role": "user"
},
{
"content": "emit_toi_stats",
"role": "assistant"
}
] |
def x(cfg, peripherals):
logger = make_logger(cfg, 'load_tiles_of_interest')
toi_filename = 'toi.txt'
logger.info('Loading tiles of interest from %s ... ', toi_filename)
with open(toi_filename, 'r') as f:
new_toi = load_set_from_fp(f)
logger.info('Loading tiles of interest from %s ... done', toi_filename)
logger.info('Setting new TOI (with %s tiles) ... ', len(new_toi))
peripherals.toi.set_tiles_of_interest(new_toi)
emit_toi_stats(new_toi, peripherals)
logger.info('Setting new TOI (with %s tiles) ... done', len(new_toi))
logger.info('Loading tiles of interest ... done')
|
tilequeue_load_tiles_of_interest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cfg, peripherals):\n logger = make_logger(cfg, 'load_tiles_of_interest')\n toi_filename = 'toi.txt'\n logger.info('Loading tiles of interest from %s ... ', toi_filename)\n with open(toi_filename, 'r') as f:\n new_toi = load_set_from_fp(f)\n logger.info('Loading tiles of interest from %s ... done', toi_filename)\n logger.info('Setting new TOI (with %s tiles) ... ', len(new_toi))\n peripherals.toi.set_tiles_of_interest(new_toi)\n emit_toi_stats(new_toi, peripherals)\n logger.info('Setting new TOI (with %s tiles) ... done', len(new_toi))\n logger.info('Loading tiles of interest ... done')\n",
"role": "user"
},
{
"content": "tilequeue_load_tiles_of_interest",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.