source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(x): if not x: return 0 x = x - 1 x, e = divmod(x, 10) n = 0 if e < 9: x, d = divmod(x, 9) d = d + 1 n = x * 10 + d else: n = x + 1 return n * 10 ** e
decompress_amount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n if not x:\n return 0\n x = x - 1\n x, e = divmod(x, 10)\n n = 0\n if e < 9:\n x, d = divmod(x, 9)\n d = d + 1\n n = x * 10 + d\n else:\n n = x + 1\n return n * 10 ** e\n", "role": "user" }, { "content": "decompress_amount", "role": "assistant" } ]
def x(target): bn = _BigInteger(target).serialize() size = len(bn) if size <= 3: word = target << 8 * (3 - size) else: word = target >> 8 * (size - 3) if word & 8388608: word >>= 8 size += 1 word |= size << 24 if target < 0: word |= 8388608 return word
compact_from_target
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target):\n bn = _BigInteger(target).serialize()\n size = len(bn)\n if size <= 3:\n word = target << 8 * (3 - size)\n else:\n word = target >> 8 * (size - 3)\n if word & 8388608:\n word >>= 8\n size += 1\n word |= size << 24\n if target < 0:\n word |= 8388608\n return word\n", "role": "user" }, { "content": "compact_from_target", "role": "assistant" } ]
def x(bits): size = bits >> 24 word = bits & 8388607 if size < 3: word >>= 8 * (3 - size) else: word <<= 8 * (size - 3) if bits & 8388608: word = -word return word
target_from_compact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bits):\n size = bits >> 24\n word = bits & 8388607\n if size < 3:\n word >>= 8 * (3 - size)\n else:\n word <<= 8 * (size - 3)\n if bits & 8388608:\n word = -word\n return word\n", "role": "user" }, { "content": "target_from_compact", "role": "assistant" } ]
def x(a, b): for xa in a: try: xb = next(b) d = cmp(xa, xb) if d: return d except StopIteration: return 1 try: next(b) return -1 except StopIteration: return 0
icmp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n for xa in a:\n try:\n xb = next(b)\n d = cmp(xa, xb)\n if d:\n return d\n except StopIteration:\n return 1\n try:\n next(b)\n return -1\n except StopIteration:\n return 0\n", "role": "user" }, { "content": "icmp", "role": "assistant" } ]
def x(self): other = _ChainedHashAlgorithm(self._algorithms) other._hobj = deepcopy(self._hobj) other._fobj = deepcopy(self._fobj) return other
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n other = _ChainedHashAlgorithm(self._algorithms)\n other._hobj = deepcopy(self._hobj)\n other._fobj = deepcopy(self._fobj)\n return other\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self): hobj = self._hobj for hashname in self._algorithms[1:]: fobj = hashlib.new(hashname) fobj.update(hobj.digest()) hobj = fobj self._fobj = hobj
finalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n hobj = self._hobj\n for hashname in self._algorithms[1:]:\n fobj = hashlib.new(hashname)\n fobj.update(hobj.digest())\n hobj = fobj\n self._fobj = hobj\n", "role": "user" }, { "content": "finalize", "role": "assistant" } ]
def x(self, *args): for string in args: self._hobj.update(string) self._fobj = None
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n for string in args:\n self._hobj.update(string)\n self._fobj = None\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self): if getattr(self, '_fobj', None) is not None: return self._fobj.digest_size else: return hashlib.new(self._algorithms[-1]).digest_size
digest_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if getattr(self, '_fobj', None) is not None:\n return self._fobj.digest_size\n else:\n return hashlib.new(self._algorithms[-1]).digest_size\n", "role": "user" }, { "content": "digest_size", "role": "assistant" } ]
def x(self, string=None, *args, **kwargs): if len(self): hobj = _ChainedHashAlgorithm(self, *args, **kwargs) else: hobj = _NopHashAlgorithm(*args, **kwargs) if string is not None: hobj.update(string) return hobj
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string=None, *args, **kwargs):\n if len(self):\n hobj = _ChainedHashAlgorithm(self, *args, **kwargs)\n else:\n hobj = _NopHashAlgorithm(*args, **kwargs)\n if string is not None:\n hobj.update(string)\n return hobj\n", "role": "user" }, { "content": "new", "role": "assistant" } ]
def x(self): if getattr(self, '_count', None) is None: self._count = getattr(self.node, 'count', 0) return self._count
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if getattr(self, '_count', None) is None:\n self._count = getattr(self.node, 'count', 0)\n return self._count\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(self): if getattr(self, '_size', None) is None: self._size = getattr(self.node, 'size', 0) return self._size
size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if getattr(self, '_size', None) is None:\n self._size = getattr(self.node, 'size', 0)\n return self._size\n", "role": "user" }, { "content": "size", "role": "assistant" } ]
def x(self): path = [(self, 0, Bits())] while path: node, idx, prefix = path.pop() if idx == 0 and node.value is not None and not node.prune_value: yield self._unpickle_key(prefix), self._unpickle_value(node.value) if idx < len(node.children): path.append((node, idx + 1, prefix)) link = node.children[idx] if not link.pruned: path.append((link.node, 0, prefix + link.prefix))
forward_iterator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n path = [(self, 0, Bits())]\n while path:\n node, idx, prefix = path.pop()\n if idx == 0 and node.value is not None and not node.prune_value:\n yield self._unpickle_key(prefix), self._unpickle_value(node.value)\n if idx < len(node.children):\n path.append((node, idx + 1, prefix))\n link = node.children[idx]\n if not link.pruned:\n path.append((link.node, 0, prefix + link.prefix))\n", "role": "user" }, { "content": "forward_iterator", "role": "assistant" } ]
def x(self, key, path=None): prefix, subkey, node = Bits(), key, self while prefix != key: for idx, link in enumerate(node.children): if subkey.startswith(link.prefix): if link.pruned: return prefix, node subkey = subkey[len(link.prefix):] prefix += link.prefix if path is not None: path.append((node, idx, link.prefix)) node = link.node break else: break return prefix, node
get_node_by_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, path=None):\n prefix, subkey, node = Bits(), key, self\n while prefix != key:\n for idx, link in enumerate(node.children):\n if subkey.startswith(link.prefix):\n if link.pruned:\n return prefix, node\n subkey = subkey[len(link.prefix):]\n prefix += link.prefix\n if path is not None:\n path.append((node, idx, link.prefix))\n node = link.node\n break\n else:\n break\n return prefix, node\n", "role": "user" }, { "content": "get_node_by_key", "role": "assistant" } ]
def x(self, key, value=None): _key = self._prepare_key(key) prefix, node = self._get_node_by_key(_key) if prefix == _key and node.value is not None: return self._unpickle_value(node.value) else: return value
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value=None):\n _key = self._prepare_key(key)\n prefix, node = self._get_node_by_key(_key)\n if prefix == _key and node.value is not None:\n return self._unpickle_value(node.value)\n else:\n return value\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, other=None, **kwargs): if other is None: other = () if hasattr(other, 'keys'): for key in other: self._update(key, other[key]) else: for key, value in other: self._update(key, value) for key, value in six.iteritems(kwargs): self._update(key, value)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other=None, **kwargs):\n if other is None:\n other = ()\n if hasattr(other, 'keys'):\n for key in other:\n self._update(key, other[key])\n else:\n for key, value in other:\n self._update(key, value)\n for key, value in six.iteritems(kwargs):\n self._update(key, value)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, prefixes): _prefixes, prefixes = set(map(lambda k: self._prepare_key(k), prefixes) ), list() for t in lookahead(sorted(_prefixes)): if t[1] is not None: if t[0] == commonprefix(t): continue prefixes.append(t[0]) length = 0 for prefix in prefixes: length += self._trim(prefix) return length
trim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefixes):\n _prefixes, prefixes = set(map(lambda k: self._prepare_key(k), prefixes)\n ), list()\n for t in lookahead(sorted(_prefixes)):\n if t[1] is not None:\n if t[0] == commonprefix(t):\n continue\n prefixes.append(t[0])\n length = 0\n for prefix in prefixes:\n length += self._trim(prefix)\n return length\n", "role": "user" }, { "content": "trim", "role": "assistant" } ]
def x(self, script, file=None): if file is None: file = self._file self._dump(script, file, self._protocol, self._version)
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, script, file=None):\n if file is None:\n file = self._file\n self._dump(script, file, self._protocol, self._version)\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(self, script): string = BytesIO() self._dump(script, string, self._protocol, self._version) return string.getvalue()
dumps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, script):\n string = BytesIO()\n self._dump(script, string, self._protocol, self._version)\n return string.getvalue()\n", "role": "user" }, { "content": "dumps", "role": "assistant" } ]
def x(self, file=None): if file is None: file = self._file script_class = self.get_script_class() script = self._load(file, self._protocol, self._version) return script_class(script)
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file=None):\n if file is None:\n file = self._file\n script_class = self.get_script_class()\n script = self._load(file, self._protocol, self._version)\n return script_class(script)\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, string): script_class = self.get_script_class() script = self._load(BytesIO(string), self._protocol, self._version) return script_class(script)
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n script_class = self.get_script_class()\n script = self._load(BytesIO(string), self._protocol, self._version)\n return script_class(script)\n", "role": "user" }, { "content": "loads", "role": "assistant" } ]
def x(*args): if not args: return 0 def x(h): if isinstance(h, numbers.Integral): return h if hasattr(h, 'hash'): return h.hash return merkle(h) if len(args) == 1: return _to_hash(args[0]) return hash256(b''.join(map(lambda h: hash256.serialize(h), map( _to_hash, args)))).intdigest()
merkle_hash256
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args):\n if not args:\n return 0\n\n def x(h):\n if isinstance(h, numbers.Integral):\n return h\n if hasattr(h, 'hash'):\n return h.hash\n return merkle(h)\n if len(args) == 1:\n return _to_hash(args[0])\n return hash256(b''.join(map(lambda h: hash256.serialize(h), map(\n _to_hash, args)))).intdigest()\n", "role": "user" }, { "content": "merkle_hash256", "role": "assistant" } ]
def x(hashes, func=_merkle_hash256): hashes = list(iter(hashes)) if not hashes: return func() if len(hashes) == 1: return func(*hashes) while len(hashes) > 1: hashes.append(hashes[-1]) hashes = list(func(l, r) for l, r in zip(*((iter(hashes),) * 2))) return hashes[0]
merkle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hashes, func=_merkle_hash256):\n hashes = list(iter(hashes))\n if not hashes:\n return func()\n if len(hashes) == 1:\n return func(*hashes)\n while len(hashes) > 1:\n hashes.append(hashes[-1])\n hashes = list(func(l, r) for l, r in zip(*((iter(hashes),) * 2)))\n return hashes[0]\n", "role": "user" }, { "content": "merkle", "role": "assistant" } ]
def x(self): left_is_hash = isinstance(self.left, numbers.Integral) right_is_hash = isinstance(self.right, numbers.Integral) if all([left_is_hash, right_is_hash]) or self.right is None: if all((self.size >= 1, self.length, self.prune is not self.LEFT_NODE) ): yield 0, self.left if all((self.size >= 2, self.length, self.prune is not self.RIGHT_NODE) ): yield 1, self.right if self.left is not None and not left_is_hash: for idx, hash_ in self.left.iteritems(): yield idx, hash_ if self.right is not None and not right_is_hash: offset = 2 ** ((self.size - 1).bit_length() - 1) for idx, hash_ in self.right.iteritems(): yield offset + idx, hash_
iteritems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n left_is_hash = isinstance(self.left, numbers.Integral)\n right_is_hash = isinstance(self.right, numbers.Integral)\n if all([left_is_hash, right_is_hash]) or self.right is None:\n if all((self.size >= 1, self.length, self.prune is not self.LEFT_NODE)\n ):\n yield 0, self.left\n if all((self.size >= 2, self.length, self.prune is not self.RIGHT_NODE)\n ):\n yield 1, self.right\n if self.left is not None and not left_is_hash:\n for idx, hash_ in self.left.iteritems():\n yield idx, hash_\n if self.right is not None and not right_is_hash:\n offset = 2 ** ((self.size - 1).bit_length() - 1)\n for idx, hash_ in self.right.iteritems():\n yield offset + idx, hash_\n", "role": "user" }, { "content": "iteritems", "role": "assistant" } ]
def x(self, index, path=None): left_size = 2 ** ((self.size - 1).bit_length() - 1) if index < 0 or self.size <= index: return None, self, index if index < left_size: if self.prune is self.LEFT_NODE: return None, self, index if isinstance(self.left, numbers.Integral): return self.left, self, index if path is not None: path.append((node, index, self.LEFT_NODE)) return self.left._get_by_index(index, path) else: if self.prune is self.RIGHT_NODE: return None, self, index if isinstance(self.right, numbers.Integral): return self.right, self, index if path is not None: path.append((node, index, self.RIGHT_NODE)) return self.right._get_by_index(index - left_size, path)
get_by_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, path=None):\n left_size = 2 ** ((self.size - 1).bit_length() - 1)\n if index < 0 or self.size <= index:\n return None, self, index\n if index < left_size:\n if self.prune is self.LEFT_NODE:\n return None, self, index\n if isinstance(self.left, numbers.Integral):\n return self.left, self, index\n if path is not None:\n path.append((node, index, self.LEFT_NODE))\n return self.left._get_by_index(index, path)\n else:\n if self.prune is self.RIGHT_NODE:\n return None, self, index\n if isinstance(self.right, numbers.Integral):\n return self.right, self, index\n if path is not None:\n path.append((node, index, self.RIGHT_NODE))\n return self.right._get_by_index(index - left_size, path)\n", "role": "user" }, { "content": "get_by_index", "role": "assistant" } ]
def x(b, errors='strict'): len_ = len(b) n = BigInteger.deserialize(BytesIO(b), len_) res = [] while n > 0: n, r = divmod(n, 58) res.append(b58digits[r]) res = ''.join(res[::-1]) pad = 0 for c in b: if c == six.int2byte(0): pad += 1 else: break return b58digits[0] * pad + res, len_
b58encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(b, errors='strict'):\n len_ = len(b)\n n = BigInteger.deserialize(BytesIO(b), len_)\n res = []\n while n > 0:\n n, r = divmod(n, 58)\n res.append(b58digits[r])\n res = ''.join(res[::-1])\n pad = 0\n for c in b:\n if c == six.int2byte(0):\n pad += 1\n else:\n break\n return b58digits[0] * pad + res, len_\n", "role": "user" }, { "content": "b58encode", "role": "assistant" } ]
def x(s, errors='strict'): if not s: return b'', 0 n = 0 for c in s: n *= 58 if c not in b58digits: raise InvalidBase58Error( u'character %r is not a valid base58 character' % c) digit = b58digits.index(c) n += digit res = BigInteger(n).serialize((n.bit_length() + 7) // 8 or 1) pad = 0 for c in s[:-1]: if c == b58digits[0]: pad += 1 else: break return b'\x00' * pad + res, len(s)
b58decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, errors='strict'):\n if not s:\n return b'', 0\n n = 0\n for c in s:\n n *= 58\n if c not in b58digits:\n raise InvalidBase58Error(\n u'character %r is not a valid base58 character' % c)\n digit = b58digits.index(c)\n n += digit\n res = BigInteger(n).serialize((n.bit_length() + 7) // 8 or 1)\n pad = 0\n for c in s[:-1]:\n if c == b58digits[0]:\n pad += 1\n else:\n break\n return b'\\x00' * pad + res, len(s)\n", "role": "user" }, { "content": "b58decode", "role": "assistant" } ]
def x(torrent_path): my_torrent = Torrent.from_file(torrent_path) size = my_torrent.total_size click.secho('Name: %s' % my_torrent.name, fg='blue') click.secho('Files:') for file_tuple in my_torrent.files: click.secho(file_tuple.name) click.secho('Hash: %s' % my_torrent.info_hash, fg='blue') click.secho('Size: %s (%s)' % (humanize_filesize(size), size), fg='blue') click.secho('Magnet: %s' % my_torrent.get_magnet(), fg='yellow')
info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(torrent_path):\n my_torrent = Torrent.from_file(torrent_path)\n size = my_torrent.total_size\n click.secho('Name: %s' % my_torrent.name, fg='blue')\n click.secho('Files:')\n for file_tuple in my_torrent.files:\n click.secho(file_tuple.name)\n click.secho('Hash: %s' % my_torrent.info_hash, fg='blue')\n click.secho('Size: %s (%s)' % (humanize_filesize(size), size), fg='blue')\n click.secho('Magnet: %s' % my_torrent.get_magnet(), fg='yellow')\n", "role": "user" }, { "content": "info", "role": "assistant" } ]
def x(source, dest, tracker, open_trackers, comment, cache): source_title = path.basename(source).replace('.', '_').replace(' ', '_') dest = '%s.torrent' % path.join(dest, source_title) click.secho('Creating torrent from %s ...' % source) my_torrent = Torrent.create_from(source) if comment: my_torrent.comment = comment urls = [] if tracker: urls = tracker.split(',') if open_trackers: click.secho('Fetching an up-to-date open tracker list ...') try: urls.extend(get_open_trackers_from_remote()) except RemoteDownloadError: click.secho('Failed. Using built-in open tracker list.', fg= 'red', err=True) urls.extend(get_open_trackers_from_local()) if urls: my_torrent.announce_urls = urls my_torrent.to_file(dest) click.secho('Torrent file created: %s' % dest, fg='green') click.secho('Torrent info hash: %s' % my_torrent.info_hash, fg='blue') if cache: click.secho('Uploading to %s torrent cache service ...') try: result = upload_to_cache_server(dest) click.secho('Cached torrent URL: %s' % result, fg='yellow') except RemoteUploadError as e: click.secho('Failed: %s' % e, fg='red', err=True)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, dest, tracker, open_trackers, comment, cache):\n source_title = path.basename(source).replace('.', '_').replace(' ', '_')\n dest = '%s.torrent' % path.join(dest, source_title)\n click.secho('Creating torrent from %s ...' % source)\n my_torrent = Torrent.create_from(source)\n if comment:\n my_torrent.comment = comment\n urls = []\n if tracker:\n urls = tracker.split(',')\n if open_trackers:\n click.secho('Fetching an up-to-date open tracker list ...')\n try:\n urls.extend(get_open_trackers_from_remote())\n except RemoteDownloadError:\n click.secho('Failed. Using built-in open tracker list.', fg=\n 'red', err=True)\n urls.extend(get_open_trackers_from_local())\n if urls:\n my_torrent.announce_urls = urls\n my_torrent.to_file(dest)\n click.secho('Torrent file created: %s' % dest, fg='green')\n click.secho('Torrent info hash: %s' % my_torrent.info_hash, fg='blue')\n if cache:\n click.secho('Uploading to %s torrent cache service ...')\n try:\n result = upload_to_cache_server(dest)\n click.secho('Cached torrent URL: %s' % result, fg='yellow')\n except RemoteUploadError as e:\n click.secho('Failed: %s' % e, fg='red', err=True)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self): files = [] info = self._struct.get('info') if not info: return files if 'files' in info: base = info['name'] for f in info['files']: files.append(TorrentFile(join(base, *f['path']), f['length'])) else: files.append(TorrentFile(info['name'], info['length'])) return files
files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n files = []\n info = self._struct.get('info')\n if not info:\n return files\n if 'files' in info:\n base = info['name']\n for f in info['files']:\n files.append(TorrentFile(join(base, *f['path']), f['length']))\n else:\n files.append(TorrentFile(info['name'], info['length']))\n return files\n", "role": "user" }, { "content": "files", "role": "assistant" } ]
def x(self): info = self._struct.get('info') if not info: return None return sha1(Bencode.encode(info)).hexdigest()
info_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n info = self._struct.get('info')\n if not info:\n return None\n return sha1(Bencode.encode(info)).hexdigest()\n", "role": "user" }, { "content": "info_hash", "role": "assistant" } ]
def x(self): urls = self._struct.get('announce-list') if not urls: urls = self._struct.get('announce') if not urls: return [] urls = [[urls]] return urls
announce_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n urls = self._struct.get('announce-list')\n if not urls:\n urls = self._struct.get('announce')\n if not urls:\n return []\n urls = [[urls]]\n return urls\n", "role": "user" }, { "content": "announce_urls", "role": "assistant" } ]
def x(self, detailed=True): result = 'magnet:?xt=urn:btih:' + self.info_hash def x(): urls = self.announce_urls if not urls: return trackers = [] urls = urls[0] for url in urls: trackers.append(('tr', url)) if trackers: return urlencode(trackers) def x(): webseeds = [('ws', url) for url in self.webseeds] if webseeds: return urlencode(webseeds) params_map = {'tr': add_tr, 'ws': add_ws} if detailed: details = [] if isinstance(detailed, _ITERABLE_TYPES): requested_params = detailed else: requested_params = params_map.keys() for param in requested_params: param_val = params_map[param]() param_val and details.append(param_val) if details: result += '&%s' % '&'.join(details) return result
get_magnet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, detailed=True):\n result = 'magnet:?xt=urn:btih:' + self.info_hash\n\n def x():\n urls = self.announce_urls\n if not urls:\n return\n trackers = []\n urls = urls[0]\n for url in urls:\n trackers.append(('tr', url))\n if trackers:\n return urlencode(trackers)\n\n def x():\n webseeds = [('ws', url) for url in self.webseeds]\n if webseeds:\n return urlencode(webseeds)\n params_map = {'tr': add_tr, 'ws': add_ws}\n if detailed:\n details = []\n if isinstance(detailed, _ITERABLE_TYPES):\n requested_params = detailed\n else:\n requested_params = params_map.keys()\n for param in requested_params:\n param_val = params_map[param]()\n param_val and details.append(param_val)\n if details:\n result += '&%s' % '&'.join(details)\n return result\n", "role": "user" }, { "content": "get_magnet", "role": "assistant" } ]
def x(self, filepath=None): if filepath is None and self._filepath is None: raise TorrentError( 'Unable to save torrent to file: no filepath supplied.') if filepath is not None: self._filepath = filepath with open(self._filepath, mode='wb') as f: f.write(self.to_string())
to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath=None):\n if filepath is None and self._filepath is None:\n raise TorrentError(\n 'Unable to save torrent to file: no filepath supplied.')\n if filepath is not None:\n self._filepath = filepath\n with open(self._filepath, mode='wb') as f:\n f.write(self.to_string())\n", "role": "user" }, { "content": "to_file", "role": "assistant" } ]
def x(cls, src_path): is_dir = isdir(src_path) target_files, size_data = cls._get_target_files_info(src_path) SIZE_MIN = 32768 SIZE_DEFAULT = 262144 SIZE_MAX = 1048576 CHUNKS_MIN = 1000 CHUNKS_MAX = 2200 size_piece = SIZE_MIN if size_data > SIZE_MIN: size_piece = SIZE_DEFAULT if size_piece > SIZE_MAX: size_piece = SIZE_MAX def x(filepath): with open(filepath, 'rb') as f: while True: chunk = f.read(size_piece - len(pieces_buffer)) chunk_size = len(chunk) if chunk_size == 0: break yield chunk pieces = bytearray() pieces_buffer = bytearray() for fpath, _, _ in target_files: for chunk in read(fpath): pieces_buffer += chunk if len(pieces_buffer) == size_piece: pieces += sha1(pieces_buffer).digest()[:20] pieces_buffer = bytearray() if len(pieces_buffer): pieces += sha1(pieces_buffer).digest()[:20] pieces_buffer = bytearray() info = {'name': basename(src_path), 'pieces': bytes(pieces), 'piece length': size_piece} if is_dir: files = [] for _, length, path in target_files: files.append({'length': length, 'path': path}) info['files'] = files else: info['length'] = target_files[0][1] torrent = cls({'info': info}) torrent.created_by = get_app_version() torrent.creation_date = datetime.utcnow() return torrent
create_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, src_path):\n is_dir = isdir(src_path)\n target_files, size_data = cls._get_target_files_info(src_path)\n SIZE_MIN = 32768\n SIZE_DEFAULT = 262144\n SIZE_MAX = 1048576\n CHUNKS_MIN = 1000\n CHUNKS_MAX = 2200\n size_piece = SIZE_MIN\n if size_data > SIZE_MIN:\n size_piece = SIZE_DEFAULT\n if size_piece > SIZE_MAX:\n size_piece = SIZE_MAX\n\n def x(filepath):\n with open(filepath, 'rb') as f:\n while True:\n chunk = f.read(size_piece - len(pieces_buffer))\n chunk_size = len(chunk)\n if chunk_size == 0:\n break\n yield chunk\n pieces = bytearray()\n pieces_buffer = bytearray()\n for fpath, _, _ in target_files:\n for chunk in read(fpath):\n pieces_buffer += chunk\n if len(pieces_buffer) == size_piece:\n pieces += sha1(pieces_buffer).digest()[:20]\n pieces_buffer = bytearray()\n if len(pieces_buffer):\n pieces += sha1(pieces_buffer).digest()[:20]\n pieces_buffer = bytearray()\n info = {'name': basename(src_path), 'pieces': bytes(pieces),\n 'piece length': size_piece}\n if is_dir:\n files = []\n for _, length, path in target_files:\n files.append({'length': length, 'path': path})\n info['files'] = files\n else:\n info['length'] = target_files[0][1]\n torrent = cls({'info': info})\n torrent.created_by = get_app_version()\n torrent.creation_date = datetime.utcnow()\n return torrent\n", "role": "user" }, { "content": "create_from", "role": "assistant" } ]
def x(cls, filepath): torrent = cls(Bencode.read_file(filepath)) torrent._filepath = filepath return torrent
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filepath):\n torrent = cls(Bencode.read_file(filepath))\n torrent._filepath = filepath\n return torrent\n", "role": "user" }, { "content": "from_file", "role": "assistant" } ]
def x(bytes_size): if not bytes_size: return '0 B' names = 'B', 'KB', 'MB', 'GB', 'TB', 'PB', 'EB', 'ZB', 'YB' name_idx = int(math.floor(math.log(bytes_size, 1024))) size = round(bytes_size / math.pow(1024, name_idx), 2) return '%s %s' % (size, names[name_idx])
humanize_filesize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bytes_size):\n if not bytes_size:\n return '0 B'\n names = 'B', 'KB', 'MB', 'GB', 'TB', 'PB', 'EB', 'ZB', 'YB'\n name_idx = int(math.floor(math.log(bytes_size, 1024)))\n size = round(bytes_size / math.pow(1024, name_idx), 2)\n return '%s %s' % (size, names[name_idx])\n", "role": "user" }, { "content": "humanize_filesize", "role": "assistant" } ]
def x(fpath): url_base = 'http://torrage.info' url_upload = '%s/autoupload.php' % url_base url_download = '%s/torrent.php?h=' % url_base file_field = 'torrent' try: import requests response = requests.post(url_upload, files={file_field: open(fpath, 'rb')}, timeout=REMOTE_TIMEOUT) response.raise_for_status() info_cache = response.text return url_download + info_cache except (ImportError, requests.RequestException) as e: raise RemoteUploadError('Unable to upload to %s: %s' % (url_upload, e))
upload_to_cache_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fpath):\n url_base = 'http://torrage.info'\n url_upload = '%s/autoupload.php' % url_base\n url_download = '%s/torrent.php?h=' % url_base\n file_field = 'torrent'\n try:\n import requests\n response = requests.post(url_upload, files={file_field: open(fpath,\n 'rb')}, timeout=REMOTE_TIMEOUT)\n response.raise_for_status()\n info_cache = response.text\n return url_download + info_cache\n except (ImportError, requests.RequestException) as e:\n raise RemoteUploadError('Unable to upload to %s: %s' % (url_upload, e))\n", "role": "user" }, { "content": "upload_to_cache_server", "role": "assistant" } ]
def x(): url_base = ( 'https://raw.githubusercontent.com/idlesign/torrentool/master/torrentool/repo' ) url = '%s/%s' % (url_base, OPEN_TRACKERS_FILENAME) try: import requests response = requests.get(url, timeout=REMOTE_TIMEOUT) response.raise_for_status() open_trackers = response.text.splitlines() except (ImportError, requests.RequestException) as e: raise RemoteDownloadError('Unable to download from %s: %s' % (url, e)) return open_trackers
get_open_trackers_from_remote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n url_base = (\n 'https://raw.githubusercontent.com/idlesign/torrentool/master/torrentool/repo'\n )\n url = '%s/%s' % (url_base, OPEN_TRACKERS_FILENAME)\n try:\n import requests\n response = requests.get(url, timeout=REMOTE_TIMEOUT)\n response.raise_for_status()\n open_trackers = response.text.splitlines()\n except (ImportError, requests.RequestException) as e:\n raise RemoteDownloadError('Unable to download from %s: %s' % (url, e))\n return open_trackers\n", "role": "user" }, { "content": "get_open_trackers_from_remote", "role": "assistant" } ]
def x(): with open(path.join(path.dirname(__file__), 'repo', OPEN_TRACKERS_FILENAME) ) as f: open_trackers = map(str.strip, f.readlines()) return list(open_trackers)
get_open_trackers_from_local
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with open(path.join(path.dirname(__file__), 'repo', OPEN_TRACKERS_FILENAME)\n ) as f:\n open_trackers = map(str.strip, f.readlines())\n return list(open_trackers)\n", "role": "user" }, { "content": "get_open_trackers_from_local", "role": "assistant" } ]
def x(cls, value): val_encoding = 'utf-8' def x(v): try: v_enc = encode(v, val_encoding) except UnicodeDecodeError: if PY3: raise else: v_enc = v prefix = encode('%s:' % len(v_enc), val_encoding) return prefix + v_enc def x(val): if isinstance(val, str_type): result = encode_str(val) elif isinstance(val, int_types): result = encode('i%se' % val, val_encoding) elif isinstance(val, (list, set, tuple)): result = encode('l', val_encoding) for item in val: result += encode_(item) result += encode('e', val_encoding) elif isinstance(val, dict): result = encode('d', val_encoding) for k, v in OrderedDict(sorted(val.items(), key=itemgetter(0)) ).items(): result += encode_str(k) + encode_(v) result += encode('e', val_encoding) elif isinstance(val, byte_types): result = encode('%s:' % len(val), val_encoding) result += val else: raise BencodeEncodingError('Unable to encode `%s` %s' % (type( val), val)) return result return encode_(value)
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value):\n val_encoding = 'utf-8'\n\n def x(v):\n try:\n v_enc = encode(v, val_encoding)\n except UnicodeDecodeError:\n if PY3:\n raise\n else:\n v_enc = v\n prefix = encode('%s:' % len(v_enc), val_encoding)\n return prefix + v_enc\n\n def x(val):\n if isinstance(val, str_type):\n result = encode_str(val)\n elif isinstance(val, int_types):\n result = encode('i%se' % val, val_encoding)\n elif isinstance(val, (list, set, tuple)):\n result = encode('l', val_encoding)\n for item in val:\n result += encode_(item)\n result += encode('e', val_encoding)\n elif isinstance(val, dict):\n result = encode('d', val_encoding)\n for k, v in OrderedDict(sorted(val.items(), key=itemgetter(0))\n ).items():\n result += encode_str(k) + encode_(v)\n result += encode('e', val_encoding)\n elif isinstance(val, byte_types):\n result = encode('%s:' % len(val), val_encoding)\n result += val\n else:\n raise BencodeEncodingError('Unable to encode `%s` %s' % (type(\n val), val))\n return result\n return encode_(value)\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(cls, encoded): def x(items): k_v_pair = zip(*([iter(items)] * 2)) return OrderedDict(sorted(k_v_pair, key=itemgetter(0))) def x(items): return list(items) stack_items = [] stack_containers = [] def x(): target_container = stack_containers.pop() subitems = [] while True: subitem = stack_items.pop() subitems.append(subitem) if subitem is target_container: break container_creator = subitems.pop() container = container_creator(reversed(subitems)) stack_items.append(container) def x(till_char, sequence): number = '' char_sub_idx = 0 for char_sub_idx, char_sub in enumerate(sequence): char_sub = chr_(char_sub) if char_sub == till_char: break number += char_sub number = int(number or 0) char_sub_idx += 1 return number, char_sub_idx while encoded: char = encoded[0] char = chr_(char) if char == 'd': stack_items.append(create_dict) stack_containers.append(create_dict) encoded = encoded[1:] elif char == 'l': stack_items.append(create_list) stack_containers.append(create_list) encoded = encoded[1:] elif char == 'i': number, char_sub_idx = parse_forward('e', encoded[1:]) char_sub_idx += 1 stack_items.append(number) encoded = encoded[char_sub_idx:] elif char.isdigit(): str_len, char_sub_idx = parse_forward(':', encoded) last_char_idx = char_sub_idx + str_len string = encoded[char_sub_idx:last_char_idx] try: string = string.decode('utf-8') except UnicodeDecodeError: pass stack_items.append(string) encoded = encoded[last_char_idx:] elif char == 'e': compress_stack() encoded = encoded[1:] else: raise BencodeDecodingError('Unable to interpret `%s` char.' % char) if len(stack_items) == 1: stack_items = stack_items.pop() return stack_items
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, encoded):\n\n def x(items):\n k_v_pair = zip(*([iter(items)] * 2))\n return OrderedDict(sorted(k_v_pair, key=itemgetter(0)))\n\n def x(items):\n return list(items)\n stack_items = []\n stack_containers = []\n\n def x():\n target_container = stack_containers.pop()\n subitems = []\n while True:\n subitem = stack_items.pop()\n subitems.append(subitem)\n if subitem is target_container:\n break\n container_creator = subitems.pop()\n container = container_creator(reversed(subitems))\n stack_items.append(container)\n\n def x(till_char, sequence):\n number = ''\n char_sub_idx = 0\n for char_sub_idx, char_sub in enumerate(sequence):\n char_sub = chr_(char_sub)\n if char_sub == till_char:\n break\n number += char_sub\n number = int(number or 0)\n char_sub_idx += 1\n return number, char_sub_idx\n while encoded:\n char = encoded[0]\n char = chr_(char)\n if char == 'd':\n stack_items.append(create_dict)\n stack_containers.append(create_dict)\n encoded = encoded[1:]\n elif char == 'l':\n stack_items.append(create_list)\n stack_containers.append(create_list)\n encoded = encoded[1:]\n elif char == 'i':\n number, char_sub_idx = parse_forward('e', encoded[1:])\n char_sub_idx += 1\n stack_items.append(number)\n encoded = encoded[char_sub_idx:]\n elif char.isdigit():\n str_len, char_sub_idx = parse_forward(':', encoded)\n last_char_idx = char_sub_idx + str_len\n string = encoded[char_sub_idx:last_char_idx]\n try:\n string = string.decode('utf-8')\n except UnicodeDecodeError:\n pass\n stack_items.append(string)\n encoded = encoded[last_char_idx:]\n elif char == 'e':\n compress_stack()\n encoded = encoded[1:]\n else:\n raise BencodeDecodingError('Unable to interpret `%s` char.' % char)\n if len(stack_items) == 1:\n stack_items = stack_items.pop()\n return stack_items\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(cls, string): if PY3 and not isinstance(string, byte_types): string = string.encode() return cls.decode(string)
read_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, string):\n if PY3 and not isinstance(string, byte_types):\n string = string.encode()\n return cls.decode(string)\n", "role": "user" }, { "content": "read_string", "role": "assistant" } ]
def x(cls, filepath): with open(filepath, mode='rb') as f: contents = f.read() return cls.decode(contents)
read_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filepath):\n with open(filepath, mode='rb') as f:\n contents = f.read()\n return cls.decode(contents)\n", "role": "user" }, { "content": "read_file", "role": "assistant" } ]
def x(cspDict): policy = [('%s %s' % (k, v)) for k, v in cspDict.items() if v != ''] return '; '.join(policy)
create_csp_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cspDict):\n policy = [('%s %s' % (k, v)) for k, v in cspDict.items() if v != '']\n return '; '.join(policy)\n", "role": "user" }, { "content": "create_csp_header", "role": "assistant" } ]
def x(csp={}): _csp = csp_default().read() _csp.update(csp) _header = '' if 'report-only' in _csp and _csp['report-only'] is True: _header = 'Content-Security-Policy-Report-Only' else: _header = 'Content-Security-Policy' if 'report-only' in _csp: del _csp['report-only'] _headers = {_header: create_csp_header(_csp)} def x(f): @wraps(f) def x(*args, **kwargs): resp = make_response(f(*args, **kwargs)) h = resp.headers for header, value in _headers.items(): h[header] = value return resp return decorated_function return decorator
csp_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(csp={}):\n _csp = csp_default().read()\n _csp.update(csp)\n _header = ''\n if 'report-only' in _csp and _csp['report-only'] is True:\n _header = 'Content-Security-Policy-Report-Only'\n else:\n _header = 'Content-Security-Policy'\n if 'report-only' in _csp:\n del _csp['report-only']\n _headers = {_header: create_csp_header(_csp)}\n\n def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n resp = make_response(f(*args, **kwargs))\n h = resp.headers\n for header, value in _headers.items():\n h[header] = value\n return resp\n return decorated_function\n return decorator\n", "role": "user" }, { "content": "csp_header", "role": "assistant" } ]
def x(self): with open(self.default_file) as json_file: try: return json.load(json_file) except Exception as e: raise 'empty file'
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with open(self.default_file) as json_file:\n try:\n return json.load(json_file)\n except Exception as e:\n raise 'empty file'\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, updates={}): try: csp = self.read() except: csp = {'default-src': "'self'"} self.write(csp) csp.update(updates) self.write(csp)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, updates={}):\n try:\n csp = self.read()\n except:\n csp = {'default-src': \"'self'\"}\n self.write(csp)\n csp.update(updates)\n self.write(csp)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self): image_set_pk = self.kwargs.get('pk', None) if image_set_pk is None: return self.request.user.image_sets.create() return get_object_or_404(self.get_queryset(), pk=image_set_pk)
get_image_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n image_set_pk = self.kwargs.get('pk', None)\n if image_set_pk is None:\n return self.request.user.image_sets.create()\n return get_object_or_404(self.get_queryset(), pk=image_set_pk)\n", "role": "user" }, { "content": "get_image_set", "role": "assistant" } ]
def x(__init__, app, args, kwargs): __init__(*args, **kwargs) tracing = app.settings.get('opentracing_tracing') tracer_callable = app.settings.get('opentracing_tracer_callable') tracer_parameters = app.settings.get('opentracing_tracer_parameters', {}) if tracer_callable is not None: if not callable(tracer_callable): tracer_callable = _get_callable_from_name(tracer_callable) tracer = tracer_callable(**tracer_parameters) tracing = TornadoTracing(tracer) if tracing is None: tracing = TornadoTracing() app.settings['opentracing_tracing'] = tracing tracing._trace_all = app.settings.get('opentracing_trace_all', DEFAULT_TRACE_ALL) tracing._trace_client = app.settings.get('opentracing_trace_client', DEFAULT_TRACE_CLIENT) tracing._start_span_cb = app.settings.get('opentracing_start_span_cb', None ) httpclient._set_tracing_enabled(tracing._trace_client) if tracing._trace_client: httpclient._set_tracing_info(tracing._tracer_obj, tracing. _start_span_cb)
tracer_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(__init__, app, args, kwargs):\n __init__(*args, **kwargs)\n tracing = app.settings.get('opentracing_tracing')\n tracer_callable = app.settings.get('opentracing_tracer_callable')\n tracer_parameters = app.settings.get('opentracing_tracer_parameters', {})\n if tracer_callable is not None:\n if not callable(tracer_callable):\n tracer_callable = _get_callable_from_name(tracer_callable)\n tracer = tracer_callable(**tracer_parameters)\n tracing = TornadoTracing(tracer)\n if tracing is None:\n tracing = TornadoTracing()\n app.settings['opentracing_tracing'] = tracing\n tracing._trace_all = app.settings.get('opentracing_trace_all',\n DEFAULT_TRACE_ALL)\n tracing._trace_client = app.settings.get('opentracing_trace_client',\n DEFAULT_TRACE_CLIENT)\n tracing._start_span_cb = app.settings.get('opentracing_start_span_cb', None\n )\n httpclient._set_tracing_enabled(tracing._trace_client)\n if tracing._trace_client:\n httpclient._set_tracing_info(tracing._tracer_obj, tracing.\n _start_span_cb)\n", "role": "user" }, { "content": "tracer_config", "role": "assistant" } ]
def x(self, *attributes): @wrapt.decorator def x(wrapped, instance, args, kwargs): if self._trace_all: return wrapped(*args, **kwargs) handler = instance with tracer_stack_context(): try: self._apply_tracing(handler, list(attributes)) result = wrapped(*args, **kwargs) if callable(getattr(result, 'add_done_callback', None)): callback = functools.partial(self. _finish_tracing_callback, handler=handler) result.add_done_callback(callback) else: self._finish_tracing(handler) except Exception as exc: self._finish_tracing(handler, error=exc) raise return result return wrapper
trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *attributes):\n\n @wrapt.decorator\n def x(wrapped, instance, args, kwargs):\n if self._trace_all:\n return wrapped(*args, **kwargs)\n handler = instance\n with tracer_stack_context():\n try:\n self._apply_tracing(handler, list(attributes))\n result = wrapped(*args, **kwargs)\n if callable(getattr(result, 'add_done_callback', None)):\n callback = functools.partial(self.\n _finish_tracing_callback, handler=handler)\n result.add_done_callback(callback)\n else:\n self._finish_tracing(handler)\n except Exception as exc:\n self._finish_tracing(handler, error=exc)\n raise\n return result\n return wrapper\n", "role": "user" }, { "content": "trace", "role": "assistant" } ]
def x(self, handler, attributes): operation_name = self._get_operation_name(handler) headers = handler.request.headers request = handler.request try: span_ctx = self._tracer.extract(opentracing.Format.HTTP_HEADERS, headers) scope = self._tracer.start_active_span(operation_name, child_of= span_ctx) except (opentracing.InvalidCarrierException, opentracing. SpanContextCorruptedException): scope = self._tracer.start_active_span(operation_name) setattr(request, SCOPE_ATTR, scope) scope.span.set_tag(tags.COMPONENT, 'tornado') scope.span.set_tag(tags.SPAN_KIND, tags.SPAN_KIND_RPC_SERVER) scope.span.set_tag(tags.HTTP_METHOD, request.method) scope.span.set_tag(tags.HTTP_URL, request.uri) for attr in attributes: if hasattr(request, attr): payload = str(getattr(request, attr)) if payload: scope.span.set_tag(attr, payload) self._call_start_span_cb(scope.span, request) return scope
apply_tracing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler, attributes):\n operation_name = self._get_operation_name(handler)\n headers = handler.request.headers\n request = handler.request\n try:\n span_ctx = self._tracer.extract(opentracing.Format.HTTP_HEADERS,\n headers)\n scope = self._tracer.start_active_span(operation_name, child_of=\n span_ctx)\n except (opentracing.InvalidCarrierException, opentracing.\n SpanContextCorruptedException):\n scope = self._tracer.start_active_span(operation_name)\n setattr(request, SCOPE_ATTR, scope)\n scope.span.set_tag(tags.COMPONENT, 'tornado')\n scope.span.set_tag(tags.SPAN_KIND, tags.SPAN_KIND_RPC_SERVER)\n scope.span.set_tag(tags.HTTP_METHOD, request.method)\n scope.span.set_tag(tags.HTTP_URL, request.uri)\n for attr in attributes:\n if hasattr(request, attr):\n payload = str(getattr(request, attr))\n if payload:\n scope.span.set_tag(attr, payload)\n self._call_start_span_cb(scope.span, request)\n return scope\n", "role": "user" }, { "content": "apply_tracing", "role": "assistant" } ]
def x(func, handler, args, kwargs): tracing = handler.settings.get('opentracing_tracing') with tracer_stack_context(): if tracing._trace_all: attrs = handler.settings.get('opentracing_traced_attributes', []) tracing._apply_tracing(handler, attrs) return func(*args, **kwargs)
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, handler, args, kwargs):\n tracing = handler.settings.get('opentracing_tracing')\n with tracer_stack_context():\n if tracing._trace_all:\n attrs = handler.settings.get('opentracing_traced_attributes', [])\n tracing._apply_tracing(handler, attrs)\n return func(*args, **kwargs)\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(func, handler, args, kwargs): tracing = handler.settings.get('opentracing_tracing') tracing._finish_tracing(handler) return func(*args, **kwargs)
on_finish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, handler, args, kwargs):\n tracing = handler.settings.get('opentracing_tracing')\n tracing._finish_tracing(handler)\n return func(*args, **kwargs)\n", "role": "user" }, { "content": "on_finish", "role": "assistant" } ]
def x(func, handler, args, kwargs): value = args[1] if len(args) == 3 else None if value is None: return func(*args, **kwargs) tracing = handler.settings.get('opentracing_tracing') if not isinstance(value, HTTPError) or 500 <= value.status_code <= 599: tracing._finish_tracing(handler, error=value) return func(*args, **kwargs)
log_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, handler, args, kwargs):\n value = args[1] if len(args) == 3 else None\n if value is None:\n return func(*args, **kwargs)\n tracing = handler.settings.get('opentracing_tracing')\n if not isinstance(value, HTTPError) or 500 <= value.status_code <= 599:\n tracing._finish_tracing(handler, error=value)\n return func(*args, **kwargs)\n", "role": "user" }, { "content": "log_exception", "role": "assistant" } ]
def x(self) ->'SchemaTreeNode': sn = self while sn.parent: sn = sn.parent return sn
schema_root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->'SchemaTreeNode':\n sn = self\n while sn.parent:\n sn = sn.parent\n return sn\n", "role": "user" }, { "content": "schema_root", "role": "assistant" } ]
def x(self) ->ContentType: return self._ctype if self._ctype else self.parent.content_type()
content_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->ContentType:\n return self._ctype if self._ctype else self.parent.content_type()\n", "role": "user" }, { "content": "content_type", "role": "assistant" } ]
def x(self) ->Optional['InternalNode']: parent = self.parent while parent: if isinstance(parent, DataNode): return parent parent = parent.parent
data_parent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Optional['InternalNode']:\n parent = self.parent\n while parent:\n if isinstance(parent, DataNode):\n return parent\n parent = parent.parent\n", "role": "user" }, { "content": "data_parent", "role": "assistant" } ]
def x(self) ->InstanceName: dp = self.data_parent() return self.name if dp and self.ns == dp.ns else self.ns + ':' + self.name
iname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->InstanceName:\n dp = self.data_parent()\n return self.name if dp and self.ns == dp.ns else self.ns + ':' + self.name\n", "role": "user" }, { "content": "iname", "role": "assistant" } ]
def x(self) ->DataPath: dp = self.data_parent() return (dp.data_path() if dp else '') + '/' + self.iname()
data_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->DataPath:\n dp = self.data_parent()\n return (dp.data_path() if dp else '') + '/' + self.iname()\n", "role": "user" }, { "content": "data_path", "role": "assistant" } ]
def x(self) ->Dict[str, Any]: res = {'kind': self._yang_class()} if self.mandatory: res['mandatory'] = True if self.description: res['description'] = self.description return res
node_digest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Dict[str, Any]:\n res = {'kind': self._yang_class()}\n if self.mandatory:\n res['mandatory'] = True\n if self.description:\n res['description'] = self.description\n return res\n", "role": "user" }, { "content": "node_digest", "role": "assistant" } ]
def x(self, iname: InstanceName) ->QualName: p, s, loc = iname.partition(':') return (loc, p) if s else (p, self.ns)
iname2qname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iname: InstanceName) ->QualName:\n p, s, loc = iname.partition(':')\n return (loc, p) if s else (p, self.ns)\n", "role": "user" }, { "content": "iname2qname", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: for s in stmt.substatements: if s.prefix: key = sctx.schema_data.modules[sctx.text_mid].prefix_map[s.prefix][ 0] + ':' + s.keyword else: key = s.keyword mname = SchemaNode._stmt_callback.get(key, '_noop') method = getattr(self, mname) method(s, sctx)
handle_substatements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n for s in stmt.substatements:\n if s.prefix:\n key = sctx.schema_data.modules[sctx.text_mid].prefix_map[s.prefix][\n 0] + ':' + s.keyword\n else:\n key = s.keyword\n mname = SchemaNode._stmt_callback.get(key, '_noop')\n method = getattr(self, mname)\n method(s, sctx)\n", "role": "user" }, { "content": "handle_substatements", "role": "assistant" } ]
def x(self, xpath: 'Expr', init: 'TerminalNode') ->Optional['DataNode']: if isinstance(xpath, LocationPath): lft = self._follow_leafref(xpath.left, init) if lft is None: return None return lft._follow_leafref(xpath.right, init) elif isinstance(xpath, Step): if xpath.axis == Axis.parent: return self.data_parent() elif xpath.axis == Axis.child: if isinstance(self, InternalNode) and xpath.qname: qname = xpath.qname if xpath.qname[1] else (xpath.qname[0], init.ns) return self.get_data_child(*qname) elif isinstance(xpath, Root): return self.schema_root() return None
follow_leafref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xpath: 'Expr', init: 'TerminalNode') ->Optional['DataNode']:\n if isinstance(xpath, LocationPath):\n lft = self._follow_leafref(xpath.left, init)\n if lft is None:\n return None\n return lft._follow_leafref(xpath.right, init)\n elif isinstance(xpath, Step):\n if xpath.axis == Axis.parent:\n return self.data_parent()\n elif xpath.axis == Axis.child:\n if isinstance(self, InternalNode) and xpath.qname:\n qname = xpath.qname if xpath.qname[1] else (xpath.qname[0],\n init.ns)\n return self.get_data_child(*qname)\n elif isinstance(xpath, Root):\n return self.schema_root()\n return None\n", "role": "user" }, { "content": "follow_leafref", "role": "assistant" } ]
def x(self, no_type: bool=False) ->str: return self._tree_line_prefix() + ' ' + self.iname()
tree_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, no_type: bool=False) ->str:\n return self._tree_line_prefix() + ' ' + self.iname()\n", "role": "user" }, { "content": "tree_line", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: if not hasattr(self, 'default_deny'): return if stmt.keyword == 'default-deny-all': self.default_deny = DefaultDeny.all elif stmt.keyword == 'default-deny-write': self.default_deny = DefaultDeny.write
nacm_default_deny_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n if not hasattr(self, 'default_deny'):\n return\n if stmt.keyword == 'default-deny-all':\n self.default_deny = DefaultDeny.all\n elif stmt.keyword == 'default-deny-write':\n self.default_deny = DefaultDeny.write\n", "role": "user" }, { "content": "nacm_default_deny_stmt", "role": "assistant" } ]
def x(self, name: YangIdentifier, ns: YangIdentifier=None) ->Optional[ SchemaNode]: ns = ns if ns else self.ns todo = [] for child in self.children: if child.name is None: todo.append(child) elif child.name == name and child.ns == ns: return child for c in todo: grandchild = c.get_child(name, ns) if grandchild is not None: return grandchild
get_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name: YangIdentifier, ns: YangIdentifier=None) ->Optional[\n SchemaNode]:\n ns = ns if ns else self.ns\n todo = []\n for child in self.children:\n if child.name is None:\n todo.append(child)\n elif child.name == name and child.ns == ns:\n return child\n for c in todo:\n grandchild = c.get_child(name, ns)\n if grandchild is not None:\n return grandchild\n", "role": "user" }, { "content": "get_child", "role": "assistant" } ]
def x(self, route: SchemaRoute) ->Optional[SchemaNode]: node = self for p in route: node = node.get_child(*p) if node is None: return None return node
get_schema_descendant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, route: SchemaRoute) ->Optional[SchemaNode]:\n node = self\n for p in route:\n node = node.get_child(*p)\n if node is None:\n return None\n return node\n", "role": "user" }, { "content": "get_schema_descendant", "role": "assistant" } ]
def x(self, name: YangIdentifier, ns: YangIdentifier=None) ->Optional[ 'DataNode']: ns = ns if ns else self.ns todo = [] for child in self.children: if child.name == name and child.ns == ns: if isinstance(child, DataNode): return child todo.insert(0, child) elif not isinstance(child, DataNode): todo.append(child) for c in todo: res = c.get_data_child(name, ns) if res: return res
get_data_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name: YangIdentifier, ns: YangIdentifier=None) ->Optional[\n 'DataNode']:\n ns = ns if ns else self.ns\n todo = []\n for child in self.children:\n if child.name == name and child.ns == ns:\n if isinstance(child, DataNode):\n return child\n todo.insert(0, child)\n elif not isinstance(child, DataNode):\n todo.append(child)\n for c in todo:\n res = c.get_data_child(name, ns)\n if res:\n return res\n", "role": "user" }, { "content": "get_data_child", "role": "assistant" } ]
def x(self, ctype: ContentType=None) ->List[SchemaNode]: if ctype is None: ctype = self.content_type() return [c for c in self.children if not isinstance(c, (RpcActionNode, NotificationNode)) and c.content_type().value & ctype.value != 0]
filter_children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctype: ContentType=None) ->List[SchemaNode]:\n if ctype is None:\n ctype = self.content_type()\n return [c for c in self.children if not isinstance(c, (RpcActionNode,\n NotificationNode)) and c.content_type().value & ctype.value != 0]\n", "role": "user" }, { "content": "filter_children", "role": "assistant" } ]
def x(self) ->List['DataNode']: res = [] for child in self.children: if isinstance(child, DataNode): res.append(child) elif not isinstance(child, SchemaTreeNode): res.extend(child.data_children()) return res
data_children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->List['DataNode']:\n res = []\n for child in self.children:\n if isinstance(child, DataNode):\n res.append(child)\n elif not isinstance(child, SchemaTreeNode):\n res.extend(child.data_children())\n return res\n", "role": "user" }, { "content": "data_children", "role": "assistant" } ]
def x(self, rval: RawObject, jptr: JSONPointer='') ->ObjectValue: if not isinstance(rval, dict): raise RawTypeError(jptr, 'object') res = ObjectValue() for qn in rval: if qn.startswith('@'): if qn != '@': tgt = qn[1:] if tgt not in rval: raise MissingAnnotationTarget(jptr, tgt) jptr += '/' + tgt res[qn] = self._process_metadata(rval[qn], jptr) else: cn = self._iname2qname(qn) ch = self.get_data_child(*cn) npath = jptr + '/' + qn if ch is None: raise RawMemberError(npath) res[ch.iname()] = ch.from_raw(rval[qn], npath) return res
from_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rval: RawObject, jptr: JSONPointer='') ->ObjectValue:\n if not isinstance(rval, dict):\n raise RawTypeError(jptr, 'object')\n res = ObjectValue()\n for qn in rval:\n if qn.startswith('@'):\n if qn != '@':\n tgt = qn[1:]\n if tgt not in rval:\n raise MissingAnnotationTarget(jptr, tgt)\n jptr += '/' + tgt\n res[qn] = self._process_metadata(rval[qn], jptr)\n else:\n cn = self._iname2qname(qn)\n ch = self.get_data_child(*cn)\n npath = jptr + '/' + qn\n if ch is None:\n raise RawMemberError(npath)\n res[ch.iname()] = ch.from_raw(rval[qn], npath)\n return res\n", "role": "user" }, { "content": "from_raw", "role": "assistant" } ]
def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType ) ->None: if scope.value & ValidationScope.syntax.value: self._check_schema_pattern(inst, ctype) for m in inst: inst._member(m).validate(scope, ctype) super()._validate(inst, scope, ctype)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType\n ) ->None:\n if scope.value & ValidationScope.syntax.value:\n self._check_schema_pattern(inst, ctype)\n for m in inst:\n inst._member(m).validate(scope, ctype)\n super()._validate(inst, scope, ctype)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self) ->Set[InstanceName]: return frozenset([c.iname() for c in self.data_children()])
child_inst_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Set[InstanceName]:\n return frozenset([c.iname() for c in self.data_children()])\n", "role": "user" }, { "content": "child_inst_names", "role": "assistant" } ]
def x(self) ->None: self.schema_pattern = self._schema_pattern() for dc in self.data_children(): if isinstance(dc, InternalNode): dc._make_schema_patterns()
make_schema_patterns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n self.schema_pattern = self._schema_pattern()\n for dc in self.data_children():\n if isinstance(dc, InternalNode):\n dc._make_schema_patterns()\n", "role": "user" }, { "content": "make_schema_patterns", "role": "assistant" } ]
def x(self, node: SchemaNode, stmt: Statement, sctx: SchemaContext) ->None: if not sctx.schema_data.if_features(stmt, sctx.text_mid): return node.name = stmt.argument node.ns = sctx.default_ns node._get_description(stmt) self._add_child(node) node._handle_substatements(stmt, sctx)
handle_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node: SchemaNode, stmt: Statement, sctx: SchemaContext) ->None:\n if not sctx.schema_data.if_features(stmt, sctx.text_mid):\n return\n node.name = stmt.argument\n node.ns = sctx.default_ns\n node._get_description(stmt)\n self._add_child(node)\n node._handle_substatements(stmt, sctx)\n", "role": "user" }, { "content": "handle_child", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: if not sctx.schema_data.if_features(stmt, sctx.text_mid): return path = sctx.schema_data.sni2route(stmt.argument, sctx) target = self.get_schema_descendant(path) if stmt.find1('when'): gr = GroupNode() target._add_child(gr) target = gr target._handle_substatements(stmt, sctx)
augment_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n if not sctx.schema_data.if_features(stmt, sctx.text_mid):\n return\n path = sctx.schema_data.sni2route(stmt.argument, sctx)\n target = self.get_schema_descendant(path)\n if stmt.find1('when'):\n gr = GroupNode()\n target._add_child(gr)\n target = gr\n target._handle_substatements(stmt, sctx)\n", "role": "user" }, { "content": "augment_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: target = self.get_schema_descendant(sctx.schema_data.sni2route(stmt. argument, sctx)) if not sctx.schema_data.if_features(stmt, sctx.text_mid): target.parent.children.remove(target) else: target._handle_substatements(stmt, sctx)
refine_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n target = self.get_schema_descendant(sctx.schema_data.sni2route(stmt.\n argument, sctx))\n if not sctx.schema_data.if_features(stmt, sctx.text_mid):\n target.parent.children.remove(target)\n else:\n target._handle_substatements(stmt, sctx)\n", "role": "user" }, { "content": "refine_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: if not sctx.schema_data.if_features(stmt, sctx.text_mid): return grp, gid = sctx.schema_data.get_definition(stmt, sctx) if stmt.find1('when'): sn = GroupNode() self._add_child(sn) else: sn = self sn._handle_substatements(grp, gid) for augst in stmt.find_all('augment'): sn._augment_stmt(augst, sctx) for refst in stmt.find_all('refine'): sn._refine_stmt(refst, sctx)
uses_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n if not sctx.schema_data.if_features(stmt, sctx.text_mid):\n return\n grp, gid = sctx.schema_data.get_definition(stmt, sctx)\n if stmt.find1('when'):\n sn = GroupNode()\n self._add_child(sn)\n else:\n sn = self\n sn._handle_substatements(grp, gid)\n for augst in stmt.find_all('augment'):\n sn._augment_stmt(augst, sctx)\n for refst in stmt.find_all('refine'):\n sn._refine_stmt(refst, sctx)\n", "role": "user" }, { "content": "uses_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(ContainerNode(), stmt, sctx)
container_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(ContainerNode(), stmt, sctx)\n", "role": "user" }, { "content": "container_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: if not sctx.schema_data.if_features(stmt, sctx.text_mid): return id = stmt.argument, sctx.schema_data.namespace(sctx.text_mid) adj = sctx.schema_data.identity_adjs.setdefault(id, IdentityAdjacency()) for bst in stmt.find_all('base'): bid = sctx.schema_data.translate_pname(bst.argument, sctx.text_mid) adj.bases.add(bid) badj = sctx.schema_data.identity_adjs.setdefault(bid, IdentityAdjacency()) badj.derivs.add(id) sctx.schema_data.identity_adjs[id] = adj
identity_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n if not sctx.schema_data.if_features(stmt, sctx.text_mid):\n return\n id = stmt.argument, sctx.schema_data.namespace(sctx.text_mid)\n adj = sctx.schema_data.identity_adjs.setdefault(id, IdentityAdjacency())\n for bst in stmt.find_all('base'):\n bid = sctx.schema_data.translate_pname(bst.argument, sctx.text_mid)\n adj.bases.add(bid)\n badj = sctx.schema_data.identity_adjs.setdefault(bid,\n IdentityAdjacency())\n badj.derivs.add(id)\n sctx.schema_data.identity_adjs[id] = adj\n", "role": "user" }, { "content": "identity_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(ListNode(), stmt, sctx)
list_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(ListNode(), stmt, sctx)\n", "role": "user" }, { "content": "list_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(ChoiceNode(), stmt, sctx)
choice_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(ChoiceNode(), stmt, sctx)\n", "role": "user" }, { "content": "choice_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(CaseNode(), stmt, sctx)
case_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(CaseNode(), stmt, sctx)\n", "role": "user" }, { "content": "case_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: node = LeafNode() node.type = DataType._resolve_type(stmt.find1('type', required=True), sctx) self._handle_child(node, stmt, sctx)
leaf_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n node = LeafNode()\n node.type = DataType._resolve_type(stmt.find1('type', required=True), sctx)\n self._handle_child(node, stmt, sctx)\n", "role": "user" }, { "content": "leaf_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: node = LeafListNode() node.type = DataType._resolve_type(stmt.find1('type', required=True), sctx) self._handle_child(node, stmt, sctx)
leaf_list_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n node = LeafListNode()\n node.type = DataType._resolve_type(stmt.find1('type', required=True), sctx)\n self._handle_child(node, stmt, sctx)\n", "role": "user" }, { "content": "leaf_list_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(RpcActionNode(), stmt, sctx)
rpc_action_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(RpcActionNode(), stmt, sctx)\n", "role": "user" }, { "content": "rpc_action_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(NotificationNode(), stmt, sctx)
notification_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(NotificationNode(), stmt, sctx)\n", "role": "user" }, { "content": "notification_stmt", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: self._handle_child(AnydataNode(), stmt, sctx)
anydata_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n self._handle_child(AnydataNode(), stmt, sctx)\n", "role": "user" }, { "content": "anydata_stmt", "role": "assistant" } ]
def x(self, indent: str, no_types: bool, val_count: bool) ->str: def x(sn): return f' {{{sn.val_count}}}\n' if val_count else '\n' if not self.children: return '' cs = [] for c in self.children: cs.extend(c._flatten()) cs.sort(key=lambda x: x.qual_name) res = '' for c in cs[:-1]: res += indent + c._tree_line(no_types) + suffix(c) + c._ascii_tree( indent + '| ', no_types, val_count) return res + indent + cs[-1]._tree_line(no_types) + suffix(cs[-1]) + cs[-1 ]._ascii_tree(indent + ' ', no_types, val_count)
ascii_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indent: str, no_types: bool, val_count: bool) ->str:\n\n def x(sn):\n return f' {{{sn.val_count}}}\\n' if val_count else '\\n'\n if not self.children:\n return ''\n cs = []\n for c in self.children:\n cs.extend(c._flatten())\n cs.sort(key=lambda x: x.qual_name)\n res = ''\n for c in cs[:-1]:\n res += indent + c._tree_line(no_types) + suffix(c) + c._ascii_tree(\n indent + '| ', no_types, val_count)\n return res + indent + cs[-1]._tree_line(no_types) + suffix(cs[-1]) + cs[-1\n ]._ascii_tree(indent + ' ', no_types, val_count)\n", "role": "user" }, { "content": "ascii_tree", "role": "assistant" } ]
def x(self, stmt: Statement, sctx: SchemaContext) ->None: if not sctx.schema_data.if_features(stmt, sctx.text_mid): return dst = stmt.find1('description') self.annotations[stmt.argument, sctx.default_ns] = Annotation(DataType. _resolve_type(stmt.find1('type', required=True), sctx), dst. argument if dst else None)
annotation_stmt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stmt: Statement, sctx: SchemaContext) ->None:\n if not sctx.schema_data.if_features(stmt, sctx.text_mid):\n return\n dst = stmt.find1('description')\n self.annotations[stmt.argument, sctx.default_ns] = Annotation(DataType.\n _resolve_type(stmt.find1('type', required=True), sctx), dst.\n argument if dst else None)\n", "role": "user" }, { "content": "annotation_stmt", "role": "assistant" } ]
def x(self, rval: RawValue) ->'ObjectMember': val = self.from_raw(rval) return ObjectMember(self.iname(), {}, val, None, self, datetime.now())
orphan_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rval: RawValue) ->'ObjectMember':\n val = self.from_raw(rval)\n return ObjectMember(self.iname(), {}, val, None, self, datetime.now())\n", "role": "user" }, { "content": "orphan_instance", "role": "assistant" } ]
def x(self, route: 'InstanceRoute') ->Optional[Tuple['InstanceRoute', 'InstanceRoute']]: sroute = [] sn = self while sn: sroute.append(sn.iname()) sn = sn.data_parent() i = 0 while True: if not sroute: break inst = sroute.pop() if inst != route[i].iname(): return None while True: i += 1 if i >= len(route) or isinstance(route[i], MemberName): break if not sroute: return InstanceRoute(route[:i]), InstanceRoute(route[i:]) if i >= len(route): return None
split_instance_route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, route: 'InstanceRoute') ->Optional[Tuple['InstanceRoute',\n 'InstanceRoute']]:\n sroute = []\n sn = self\n while sn:\n sroute.append(sn.iname())\n sn = sn.data_parent()\n i = 0\n while True:\n if not sroute:\n break\n inst = sroute.pop()\n if inst != route[i].iname():\n return None\n while True:\n i += 1\n if i >= len(route) or isinstance(route[i], MemberName):\n break\n if not sroute:\n return InstanceRoute(route[:i]), InstanceRoute(route[i:])\n if i >= len(route):\n return None\n", "role": "user" }, { "content": "split_instance_route", "role": "assistant" } ]
def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType ) ->None: if scope.value & ValidationScope.semantics.value: self._check_must(inst) super()._validate(inst, scope, ctype)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType\n ) ->None:\n if scope.value & ValidationScope.semantics.value:\n self._check_must(inst)\n super()._validate(inst, scope, ctype)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self) ->ContentType: if self._ctype: return self._ctype return ContentType.config if self.parent.config else ContentType.nonconfig
content_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->ContentType:\n if self._ctype:\n return self._ctype\n return ContentType.config if self.parent.config else ContentType.nonconfig\n", "role": "user" }, { "content": "content_type", "role": "assistant" } ]
def x(self, rval: RawScalar, jptr: JSONPointer='') ->ScalarValue: res = self.type.from_raw(rval) if res is None: raise RawTypeError(jptr, self.type.yang_type() + ' value') return res
from_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rval: RawScalar, jptr: JSONPointer='') ->ScalarValue:\n res = self.type.from_raw(rval)\n if res is None:\n raise RawTypeError(jptr, self.type.yang_type() + ' value')\n return res\n", "role": "user" }, { "content": "from_raw", "role": "assistant" } ]
def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType ) ->None: if (scope.value & ValidationScope.syntax.value and inst.value not in self.type): raise YangTypeError(inst.json_pointer(), self.type.error_tag, self. type.error_message) if (isinstance(self.type, LinkType) and scope.value & ValidationScope. semantics.value and self.type.require_instance): try: tgt = inst._deref() except YangsonException: tgt = [] if not tgt: raise SemanticError(inst.json_pointer(), 'instance-required') super()._validate(inst, scope, ctype)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType\n ) ->None:\n if (scope.value & ValidationScope.syntax.value and inst.value not in\n self.type):\n raise YangTypeError(inst.json_pointer(), self.type.error_tag, self.\n type.error_message)\n if (isinstance(self.type, LinkType) and scope.value & ValidationScope.\n semantics.value and self.type.require_instance):\n try:\n tgt = inst._deref()\n except YangsonException:\n tgt = []\n if not tgt:\n raise SemanticError(inst.json_pointer(), 'instance-required')\n super()._validate(inst, scope, ctype)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, no_type: bool=False) ->str: return super()._tree_line() + ('!' if self.presence else '')
tree_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, no_type: bool=False) ->str:\n return super()._tree_line() + ('!' if self.presence else '')\n", "role": "user" }, { "content": "tree_line", "role": "assistant" } ]
def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType ) ->None: if isinstance(inst, ArrayEntry): super()._validate(inst, scope, ctype) else: if scope.value & ValidationScope.semantics.value: self._check_list_props(inst) self._check_cardinality(inst) for e in inst: super()._validate(e, scope, ctype)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inst: 'InstanceNode', scope: ValidationScope, ctype: ContentType\n ) ->None:\n if isinstance(inst, ArrayEntry):\n super()._validate(inst, scope, ctype)\n else:\n if scope.value & ValidationScope.semantics.value:\n self._check_list_props(inst)\n self._check_cardinality(inst)\n for e in inst:\n super()._validate(e, scope, ctype)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, rval: RawList, jptr: JSONPointer='') ->ArrayValue: if not isinstance(rval, list): raise RawTypeError(jptr, 'array') res = ArrayValue() i = 0 for en in rval: i += 1 res.append(self.entry_from_raw(en, f'{jptr}/{i}')) return res
from_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rval: RawList, jptr: JSONPointer='') ->ArrayValue:\n if not isinstance(rval, list):\n raise RawTypeError(jptr, 'array')\n res = ArrayValue()\n i = 0\n for en in rval:\n i += 1\n res.append(self.entry_from_raw(en, f'{jptr}/{i}'))\n return res\n", "role": "user" }, { "content": "from_raw", "role": "assistant" } ]
def x(self, rval: RawEntry, jptr: JSONPointer='') ->EntryValue: return super().from_raw(rval, jptr)
entry_from_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rval: RawEntry, jptr: JSONPointer='') ->EntryValue:\n return super().from_raw(rval, jptr)\n", "role": "user" }, { "content": "entry_from_raw", "role": "assistant" } ]