source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(time_series, scaling_factor): Ns0 = np.size(time_series) Ns = np.int(np.floor(np.size(time_series) * scaling_factor)) ts_out = np.zeros((Ns, 1), dtype='float64') for k in range(0, Ns): cpos = int(np.min([Ns0 - 1, np.max([0.0, (k + 0.5) / scaling_factor - 0.5])])) cfrac = cpos - np.floor(cpos) cind = int(np.floor(cpos)) if cfrac > 0: ts_out[k] = time_series[cind] * (1 - cfrac) + time_series[cind + 1 ] * cfrac else: ts_out[k] = time_series[cind] return ts_out
upsample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time_series, scaling_factor):\n Ns0 = np.size(time_series)\n Ns = np.int(np.floor(np.size(time_series) * scaling_factor))\n ts_out = np.zeros((Ns, 1), dtype='float64')\n for k in range(0, Ns):\n cpos = int(np.min([Ns0 - 1, np.max([0.0, (k + 0.5) / scaling_factor -\n 0.5])]))\n cfrac = cpos - np.floor(cpos)\n cind = int(np.floor(cpos))\n if cfrac > 0:\n ts_out[k] = time_series[cind] * (1 - cfrac) + time_series[cind + 1\n ] * cfrac\n else:\n ts_out[k] = time_series[cind]\n return ts_out\n", "role": "user" }, { "content": "upsample", "role": "assistant" } ]
def x(ts1, ts2): Ns1 = np.size(ts1) Ns2 = np.size(ts2) ts_out = np.zeros((Ns1, 1), dtype='float64') ishift = int(np.floor(Ns2 / 2)) t1m = np.mean(ts1) t2m = np.mean(ts2) for k in range(0, Ns1): lstart = np.int(ishift - k) if lstart < 0: lstart = 0 lend = np.int(ishift - k + Ns2) imax = np.int(np.min([Ns2, Ns1 - k + ishift])) if lend > imax: lend = imax csum = 0 ts1sum = 0 ts1sum2 = 0 ts2sum = 0 ts2sum2 = 0 Nterms = lend - lstart for l in range(lstart, lend): csum += ts1[k + l - ishift] * ts2[l] ts1sum += ts1[k + l - ishift] ts1sum2 += ts1[k + l - ishift] * ts1[k + l - ishift] ts2sum += ts2[l] ts2sum2 += ts2[l] * ts2[l] ts1sum2 = np.max([t1m * t1m * 100, ts1sum2]) - ts1sum * ts1sum / Nterms ts2sum2 = np.max([t2m * t2m * 100, ts2sum2]) - ts2sum * ts2sum / Nterms ts_out[k] = (csum - 2.0 * ts1sum * ts2sum / Nterms + ts1sum * ts2sum / Nterms / Nterms) / np.sqrt(ts1sum2 * ts2sum2) best_shift = np.argmax(ts_out) - ishift return best_shift, ts_out
zncc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts1, ts2):\n Ns1 = np.size(ts1)\n Ns2 = np.size(ts2)\n ts_out = np.zeros((Ns1, 1), dtype='float64')\n ishift = int(np.floor(Ns2 / 2))\n t1m = np.mean(ts1)\n t2m = np.mean(ts2)\n for k in range(0, Ns1):\n lstart = np.int(ishift - k)\n if lstart < 0:\n lstart = 0\n lend = np.int(ishift - k + Ns2)\n imax = np.int(np.min([Ns2, Ns1 - k + ishift]))\n if lend > imax:\n lend = imax\n csum = 0\n ts1sum = 0\n ts1sum2 = 0\n ts2sum = 0\n ts2sum2 = 0\n Nterms = lend - lstart\n for l in range(lstart, lend):\n csum += ts1[k + l - ishift] * ts2[l]\n ts1sum += ts1[k + l - ishift]\n ts1sum2 += ts1[k + l - ishift] * ts1[k + l - ishift]\n ts2sum += ts2[l]\n ts2sum2 += ts2[l] * ts2[l]\n ts1sum2 = np.max([t1m * t1m * 100, ts1sum2]) - ts1sum * ts1sum / Nterms\n ts2sum2 = np.max([t2m * t2m * 100, ts2sum2]) - ts2sum * ts2sum / Nterms\n ts_out[k] = (csum - 2.0 * ts1sum * ts2sum / Nterms + ts1sum *\n ts2sum / Nterms / Nterms) / np.sqrt(ts1sum2 * ts2sum2)\n best_shift = np.argmax(ts_out) - ishift\n return best_shift, ts_out\n", "role": "user" }, { "content": "zncc", "role": "assistant" } ]
def x(ts1, ts2, nlevels): pyr1 = create_pyramid(ts1, nlevels) pyr2 = create_pyramid(ts2, nlevels) logger.debug('pyramid size = %d' % len(pyr1)) logger.debug('size of first element %d ' % np.size(pyr1[0])) logger.debug('size of last element %d ' % np.size(pyr1[-1])) ishift, corrfn = zncc(pyr1[-1], pyr2[-1]) for k in range(1, nlevels + 1): ishift, corrfn = refine_correlation(pyr1[-k - 1], pyr2[-k - 1], ishift * 2) return ishift
find_shift_pyr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ts1, ts2, nlevels):\n pyr1 = create_pyramid(ts1, nlevels)\n pyr2 = create_pyramid(ts2, nlevels)\n logger.debug('pyramid size = %d' % len(pyr1))\n logger.debug('size of first element %d ' % np.size(pyr1[0]))\n logger.debug('size of last element %d ' % np.size(pyr1[-1]))\n ishift, corrfn = zncc(pyr1[-1], pyr2[-1])\n for k in range(1, nlevels + 1):\n ishift, corrfn = refine_correlation(pyr1[-k - 1], pyr2[-k - 1], \n ishift * 2)\n return ishift\n", "role": "user" }, { "content": "find_shift_pyr", "role": "assistant" } ]
def x(filename, remove_begin_spurious=False, return_parser=False): file_data = open(filename, 'rb').read() parser = L3GArduinoParser() parser.parse(file_data[7:]) data = parser.data if parser.actual_data_rate: T = 1.0 / parser.actual_data_rate print('Found measured data rate %.3f ms (%.3f Hz)' % (1000 * T, 1.0 / T)) else: T = 1.0 / parser.data_rate print( 'Using data rate provided by gyro (probably off by a few percent!) %.3f ms (%.3f Hz)' % (1000 * T, 1.0 / T)) N = parser.data.shape[1] t = np.linspace(0, T * N, num=data.shape[1]) print(t.shape, data.shape) print( 'Loaded %d samples (%.2f seconds) with expected sample rate %.3f ms (%.3f Hz)' % (N, t[-1], T * 1000.0, 1.0 / T)) try: print('Actual sample rate is %.3f ms (%.3f Hz)' % (1000.0 / parser. actual_data_rate, parser.actual_data_rate)) except TypeError: pass if remove_begin_spurious: to_remove = int(0.3 / T) data[:, :to_remove] = 0.0 if return_parser: return np.deg2rad(data), t, T, parser else: return np.deg2rad(data), t, T
load_L3G_arduino
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, remove_begin_spurious=False, return_parser=False):\n file_data = open(filename, 'rb').read()\n parser = L3GArduinoParser()\n parser.parse(file_data[7:])\n data = parser.data\n if parser.actual_data_rate:\n T = 1.0 / parser.actual_data_rate\n print('Found measured data rate %.3f ms (%.3f Hz)' % (1000 * T, 1.0 /\n T))\n else:\n T = 1.0 / parser.data_rate\n print(\n 'Using data rate provided by gyro (probably off by a few percent!) %.3f ms (%.3f Hz)'\n % (1000 * T, 1.0 / T))\n N = parser.data.shape[1]\n t = np.linspace(0, T * N, num=data.shape[1])\n print(t.shape, data.shape)\n print(\n 'Loaded %d samples (%.2f seconds) with expected sample rate %.3f ms (%.3f Hz)'\n % (N, t[-1], T * 1000.0, 1.0 / T))\n try:\n print('Actual sample rate is %.3f ms (%.3f Hz)' % (1000.0 / parser.\n actual_data_rate, parser.actual_data_rate))\n except TypeError:\n pass\n if remove_begin_spurious:\n to_remove = int(0.3 / T)\n data[:, :to_remove] = 0.0\n if return_parser:\n return np.deg2rad(data), t, T, parser\n else:\n return np.deg2rad(data), t, T\n", "role": "user" }, { "content": "load_L3G_arduino", "role": "assistant" } ]
def x(r): theta = np.linalg.norm(r) v = r / theta R = crisp.rotations.axis_angle_to_rotation_matrix(v, theta) return R
to_rot_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(r):\n theta = np.linalg.norm(r)\n v = r / theta\n R = crisp.rotations.axis_angle_to_rotation_matrix(v, theta)\n return R\n", "role": "user" }, { "content": "to_rot_matrix", "role": "assistant" } ]
def x(image_sequences, imu_sequences, K): assert len(image_sequences) == len(imu_sequences) assert len(image_sequences) >= 2 sync_correspondences = [_get_point_correspondences(list(image_sequence) ) for image_sequence in image_sequences] PROCRUSTES_MAX_POINTS = 15 logger.debug('Running procrustes on track-retrack results') image_rotation_axes = [] for i, points in enumerate(sync_correspondences): if points.size < 1: logger.error('Shape of points are %s', str(points.shape)) raise Exception('Did not get enough points when tracking') num_points_to_use = min(PROCRUSTES_MAX_POINTS, points.shape[0]) logger.debug('Using %d tracks to calculate procrustes', num_points_to_use) idxs_to_use = np.random.permutation(points.shape[0])[:num_points_to_use ] assert points.shape[-1] == 2 x = points[idxs_to_use, 0, :].T.reshape(2, -1) y = points[idxs_to_use, -1, :].T.reshape(2, -1) x = np.vstack((x, np.ones((1, x.shape[1])))) y = np.vstack((y, np.ones((1, y.shape[1])))) K_inv = np.linalg.inv(K) X = K_inv.dot(x) Y = K_inv.dot(y) R, t = rotations.procrustes(X, Y, remove_mean=False) v, theta = rotations.rotation_matrix_to_axis_angle(R) image_rotation_axes.append(v) mean_error = np.mean(np.sqrt(np.sum((X - R.dot(Y)) ** 2, axis=0))) MEAN_ERROR_LIMIT = 0.1 logger.debug( 'Image sequence %d: Rotation axis %s, degrees %.2f, mean error %.3f' , i, v, np.rad2deg(theta), mean_error) if mean_error > MEAN_ERROR_LIMIT: logger.warning('Procrustes solution mean error %.3f > %.3f', mean_error, MEAN_ERROR_LIMIT) gyro_rotation_axes = [] for i, gyro_seq in enumerate(imu_sequences): assert gyro_seq.shape[0] == 3 v = principal_rotation_axis(gyro_seq) logger.debug('Gyro sequence %d: Rotation axis %s', i, v) gyro_rotation_axes.append(v) X = np.vstack(image_rotation_axes).T Y = np.vstack(gyro_rotation_axes).T R, t = rotations.procrustes(X, Y, remove_mean=False) return R, t
estimate_pose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(image_sequences, imu_sequences, K):\n assert len(image_sequences) == len(imu_sequences)\n assert len(image_sequences) >= 2\n sync_correspondences = [_get_point_correspondences(list(image_sequence)\n ) for image_sequence in image_sequences]\n PROCRUSTES_MAX_POINTS = 15\n logger.debug('Running procrustes on track-retrack results')\n image_rotation_axes = []\n for i, points in enumerate(sync_correspondences):\n if points.size < 1:\n logger.error('Shape of points are %s', str(points.shape))\n raise Exception('Did not get enough points when tracking')\n num_points_to_use = min(PROCRUSTES_MAX_POINTS, points.shape[0])\n logger.debug('Using %d tracks to calculate procrustes',\n num_points_to_use)\n idxs_to_use = np.random.permutation(points.shape[0])[:num_points_to_use\n ]\n assert points.shape[-1] == 2\n x = points[idxs_to_use, 0, :].T.reshape(2, -1)\n y = points[idxs_to_use, -1, :].T.reshape(2, -1)\n x = np.vstack((x, np.ones((1, x.shape[1]))))\n y = np.vstack((y, np.ones((1, y.shape[1]))))\n K_inv = np.linalg.inv(K)\n X = K_inv.dot(x)\n Y = K_inv.dot(y)\n R, t = rotations.procrustes(X, Y, remove_mean=False)\n v, theta = rotations.rotation_matrix_to_axis_angle(R)\n image_rotation_axes.append(v)\n mean_error = np.mean(np.sqrt(np.sum((X - R.dot(Y)) ** 2, axis=0)))\n MEAN_ERROR_LIMIT = 0.1\n logger.debug(\n 'Image sequence %d: Rotation axis %s, degrees %.2f, mean error %.3f'\n , i, v, np.rad2deg(theta), mean_error)\n if mean_error > MEAN_ERROR_LIMIT:\n logger.warning('Procrustes solution mean error %.3f > %.3f',\n mean_error, MEAN_ERROR_LIMIT)\n gyro_rotation_axes = []\n for i, gyro_seq in enumerate(imu_sequences):\n assert gyro_seq.shape[0] == 3\n v = principal_rotation_axis(gyro_seq)\n logger.debug('Gyro sequence %d: Rotation axis %s', i, v)\n gyro_rotation_axes.append(v)\n X = np.vstack(image_rotation_axes).T\n Y = np.vstack(gyro_rotation_axes).T\n R, t = rotations.procrustes(X, Y, remove_mean=False)\n return R, t\n", "role": "user" }, { "content": "estimate_pose", "role": "assistant" } ]
def x(image_sequence, imu_gyro, num_sequences=2): assert num_sequences >= 2 logger.info('Calculating optical flow') flow = tracking.optical_flow_magnitude(image_sequence) logger.debug('Prompting user for %d sequences' % num_sequences) imu_fake_timestamps = np.linspace(0, 1, num=imu_gyro.shape[1]) sync_sequences = [timesync.manual_sync_pick(flow, imu_fake_timestamps, imu_gyro) for i in range(num_sequences)] return sync_sequences
pick_manual
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(image_sequence, imu_gyro, num_sequences=2):\n assert num_sequences >= 2\n logger.info('Calculating optical flow')\n flow = tracking.optical_flow_magnitude(image_sequence)\n logger.debug('Prompting user for %d sequences' % num_sequences)\n imu_fake_timestamps = np.linspace(0, 1, num=imu_gyro.shape[1])\n sync_sequences = [timesync.manual_sync_pick(flow, imu_fake_timestamps,\n imu_gyro) for i in range(num_sequences)]\n return sync_sequences\n", "role": "user" }, { "content": "pick_manual", "role": "assistant" } ]
def x(gyro_data): N = np.zeros((3, 3)) for x in gyro_data.T: y = x.reshape(3, 1) N += y.dot(y.T) eig_val, eig_vec = np.linalg.eig(N) i = np.argmax(eig_val) v = eig_vec[:, i] s = 0 for x in gyro_data.T: s += v.T.dot(x.reshape(3, 1)) v *= np.sign(s) return v
principal_rotation_axis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gyro_data):\n N = np.zeros((3, 3))\n for x in gyro_data.T:\n y = x.reshape(3, 1)\n N += y.dot(y.T)\n eig_val, eig_vec = np.linalg.eig(N)\n i = np.argmax(eig_val)\n v = eig_vec[:, i]\n s = 0\n for x in gyro_data.T:\n s += v.T.dot(x.reshape(3, 1))\n v *= np.sign(s)\n return v\n", "role": "user" }, { "content": "principal_rotation_axis", "role": "assistant" } ]
def x(self, node): uri = node.attributes['uri'] doc_folder = os.path.dirname(self.builder.current_docname) if uri.startswith(doc_folder): uri = uri[len(doc_folder):] if uri.startswith('/'): uri = '.' + uri self.add('\n\n![image](%s)\n\n' % uri)
visit_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n uri = node.attributes['uri']\n doc_folder = os.path.dirname(self.builder.current_docname)\n if uri.startswith(doc_folder):\n uri = uri[len(doc_folder):]\n if uri.startswith('/'):\n uri = '.' + uri\n self.add('\\n\\n![image](%s)\\n\\n' % uri)\n", "role": "user" }, { "content": "visit_image", "role": "assistant" } ]
def x(pref_suff_map): def x(cls): for key, (prefix, suffix) in pref_suff_map.items(): setattr(cls, 'visit_' + key, _make_method(prefix)) setattr(cls, 'depart_' + key, _make_method(suffix)) return cls return dec
add_pref_suff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pref_suff_map):\n\n def x(cls):\n for key, (prefix, suffix) in pref_suff_map.items():\n setattr(cls, 'visit_' + key, _make_method(prefix))\n setattr(cls, 'depart_' + key, _make_method(suffix))\n return cls\n return dec\n", "role": "user" }, { "content": "add_pref_suff", "role": "assistant" } ]
def x(pass_thrus): def x(self, node): pass def x(cls): for element_name in pass_thrus: for meth_prefix in ('visit_', 'depart_'): meth_name = meth_prefix + element_name if hasattr(cls, meth_name): raise ValueError('method name {} already defined'. format(meth_name)) setattr(cls, meth_name, meth) return cls return dec
add_pass_thru
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pass_thrus):\n\n def x(self, node):\n pass\n\n def x(cls):\n for element_name in pass_thrus:\n for meth_prefix in ('visit_', 'depart_'):\n meth_name = meth_prefix + element_name\n if hasattr(cls, meth_name):\n raise ValueError('method name {} already defined'.\n format(meth_name))\n setattr(cls, meth_name, meth)\n return cls\n return dec\n", "role": "user" }, { "content": "add_pass_thru", "role": "assistant" } ]
def x(self): string = ''.join(self.content) lines = string.splitlines(True) if len(lines) == 0: return texts = [self.first_prefix + lines[0]] for line in lines[1:]: if line.strip() == '': texts.append('\n') else: texts.append(self.prefix + line) self.base.append(''.join(texts))
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n string = ''.join(self.content)\n lines = string.splitlines(True)\n if len(lines) == 0:\n return\n texts = [self.first_prefix + lines[0]]\n for line in lines[1:]:\n if line.strip() == '':\n texts.append('\\n')\n else:\n texts.append(self.prefix + line)\n self.base.append(''.join(texts))\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): key = self.get_public_key_hex() return ensure_bytes(hexlify(hash160(unhexlify(ensure_bytes(key)))))
identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n key = self.get_public_key_hex()\n return ensure_bytes(hexlify(hash160(unhexlify(ensure_bytes(key)))))\n", "role": "user" }, { "content": "identifier", "role": "assistant" } ]
def x(self, child_number, is_prime=None, as_private=True): boundary = 2147483648 if abs(child_number) >= boundary: raise ValueError('Invalid child number %s' % child_number) if is_prime is None: if child_number < 0: child_number = abs(child_number) is_prime = True else: is_prime = False elif child_number < 0 or child_number >= boundary: raise ValueError('Invalid child number. Must be between 0 and %s' % boundary) if not self.private_key and is_prime: raise ValueError('Cannot compute a prime child without a private key') if is_prime: child_number = child_number + boundary child_number_hex = long_to_hex(child_number, 8) if is_prime: data = b'00' + self.private_key.get_key() else: data = self.get_public_key_hex() data += child_number_hex I = hmac.new(unhexlify(ensure_bytes(self.chain_code)), msg=unhexlify( ensure_bytes(data)), digestmod=sha512).digest() I_L, I_R = I[:32], I[32:] if long_or_int(hexlify(I_L), 16) >= SECP256k1.order: raise InvalidPrivateKeyError('The derived key is too large.') c_i = hexlify(I_R) private_exponent = None public_pair = None if self.private_key: private_exponent = (long_or_int(hexlify(I_L), 16) + long_or_int( self.private_key.get_key(), 16)) % SECP256k1.order else: g = SECP256k1.generator I_L_long = long_or_int(hexlify(I_L), 16) point = _ECDSA_Public_key(g, g * I_L_long ).point + self.public_key.to_point() public_pair = PublicPair(point.x(), point.y()) child = self.__class__(chain_code=c_i, depth=self.depth + 1, parent_fingerprint=self.fingerprint, child_number=child_number_hex, private_exponent=private_exponent, public_pair=public_pair, network =self.network) if child.public_key.to_point() == INFINITY: raise InfinityPointException('The point at infinity is invalid.') if not as_private: return child.public_copy() return child
get_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child_number, is_prime=None, as_private=True):\n boundary = 2147483648\n if abs(child_number) >= boundary:\n raise ValueError('Invalid child number %s' % child_number)\n if is_prime is None:\n if child_number < 0:\n child_number = abs(child_number)\n is_prime = True\n else:\n is_prime = False\n elif child_number < 0 or child_number >= boundary:\n raise ValueError('Invalid child number. Must be between 0 and %s' %\n boundary)\n if not self.private_key and is_prime:\n raise ValueError('Cannot compute a prime child without a private key')\n if is_prime:\n child_number = child_number + boundary\n child_number_hex = long_to_hex(child_number, 8)\n if is_prime:\n data = b'00' + self.private_key.get_key()\n else:\n data = self.get_public_key_hex()\n data += child_number_hex\n I = hmac.new(unhexlify(ensure_bytes(self.chain_code)), msg=unhexlify(\n ensure_bytes(data)), digestmod=sha512).digest()\n I_L, I_R = I[:32], I[32:]\n if long_or_int(hexlify(I_L), 16) >= SECP256k1.order:\n raise InvalidPrivateKeyError('The derived key is too large.')\n c_i = hexlify(I_R)\n private_exponent = None\n public_pair = None\n if self.private_key:\n private_exponent = (long_or_int(hexlify(I_L), 16) + long_or_int(\n self.private_key.get_key(), 16)) % SECP256k1.order\n else:\n g = SECP256k1.generator\n I_L_long = long_or_int(hexlify(I_L), 16)\n point = _ECDSA_Public_key(g, g * I_L_long\n ).point + self.public_key.to_point()\n public_pair = PublicPair(point.x(), point.y())\n child = self.__class__(chain_code=c_i, depth=self.depth + 1,\n parent_fingerprint=self.fingerprint, child_number=child_number_hex,\n private_exponent=private_exponent, public_pair=public_pair, network\n =self.network)\n if child.public_key.to_point() == INFINITY:\n raise InfinityPointException('The point at infinity is invalid.')\n if not as_private:\n return child.public_copy()\n return child\n", "role": "user" }, { "content": "get_child", "role": "assistant" } ]
def x(self, child_private_key): if self.private_key: raise AssertionError('You already know the private key') if child_private_key.parent_fingerprint != self.fingerprint: raise ValueError('This is not a valid child') if child_private_key.child_number >= 2147483648: raise ValueError('Cannot crack private keys from private derivation') child_number_hex = long_to_hex(child_private_key.child_number, 8) data = self.get_public_key_hex() + child_number_hex I = hmac.new(unhexlify(ensure_bytes(self.chain_code)), msg=unhexlify( ensure_bytes(data)), digestmod=sha512).digest() I_L, I_R = I[:32], I[32:] privkey = PrivateKey(long_or_int(hexlify(I_L), 16), network=self.network) parent_private_key = child_private_key.private_key - privkey return self.__class__(chain_code=self.chain_code, depth=self.depth, parent_fingerprint=self.parent_fingerprint, child_number=self. child_number, private_key=parent_private_key, network=self.network)
crack_private_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child_private_key):\n if self.private_key:\n raise AssertionError('You already know the private key')\n if child_private_key.parent_fingerprint != self.fingerprint:\n raise ValueError('This is not a valid child')\n if child_private_key.child_number >= 2147483648:\n raise ValueError('Cannot crack private keys from private derivation')\n child_number_hex = long_to_hex(child_private_key.child_number, 8)\n data = self.get_public_key_hex() + child_number_hex\n I = hmac.new(unhexlify(ensure_bytes(self.chain_code)), msg=unhexlify(\n ensure_bytes(data)), digestmod=sha512).digest()\n I_L, I_R = I[:32], I[32:]\n privkey = PrivateKey(long_or_int(hexlify(I_L), 16), network=self.network)\n parent_private_key = child_private_key.private_key - privkey\n return self.__class__(chain_code=self.chain_code, depth=self.depth,\n parent_fingerprint=self.parent_fingerprint, child_number=self.\n child_number, private_key=parent_private_key, network=self.network)\n", "role": "user" }, { "content": "crack_private_key", "role": "assistant" } ]
def x(self): extended_key_hex = self.private_key.get_extended_key() extended_key_bytes = unhexlify(ensure_bytes(extended_key_hex)) + b'\x01' return base58.b58encode_check(extended_key_bytes)
export_to_wif
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n extended_key_hex = self.private_key.get_extended_key()\n extended_key_bytes = unhexlify(ensure_bytes(extended_key_hex)) + b'\\x01'\n return base58.b58encode_check(extended_key_bytes)\n", "role": "user" }, { "content": "export_to_wif", "role": "assistant" } ]
def x(dist): for filename in os.listdir(dist): full_path = os.path.join(dist, filename) if os.path.isfile(full_path): _shell('twine register ' + shlex.quote(full_path), check=False) _shell('twine upload ' + shlex.quote(dist + '/*'))
pypi_push
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dist):\n for filename in os.listdir(dist):\n full_path = os.path.join(dist, filename)\n if os.path.isfile(full_path):\n _shell('twine register ' + shlex.quote(full_path), check=False)\n _shell('twine upload ' + shlex.quote(dist + '/*'))\n", "role": "user" }, { "content": "pypi_push", "role": "assistant" } ]
def x(target): if not os.getenv(CIRCLECI_ENV_VAR): raise EnvironmentError('Must be on CircleCI to run this script') current_branch = os.getenv('CIRCLE_BRANCH') if target == 'PROD' and current_branch != 'master': raise EnvironmentError( f'Refusing to deploy to production from branch {current_branch!r}. Production deploys can only be made from master.' ) if target in ('PROD', 'TEST'): pypi_username = os.getenv(f'{target}_PYPI_USERNAME') pypi_password = os.getenv(f'{target}_PYPI_PASSWORD') else: raise ValueError( f"Deploy target must be 'PROD' or 'TEST', got {target!r}.") if not (pypi_username and pypi_password): raise EnvironmentError( f"Missing '{target}_PYPI_USERNAME' and/or '{target}_PYPI_PASSWORD' environment variables. These are required to push to PyPI." ) os.environ['TWINE_USERNAME'] = pypi_username os.environ['TWINE_PASSWORD'] = pypi_password _shell('git config --global user.email "dev@cloverhealth.com"') _shell('git config --global user.name "Circle CI"') _shell('git config push.default current') ret = _shell('make version', stdout=subprocess.PIPE) version = ret.stdout.decode('utf-8').strip() print(f'Deploying version {version!r}...') _shell(f'git tag -f -a {version} -m "Version {version}"') _shell( f'sed -i.bak "s/^__version__ = .*/__version__ = {version!r}/" */version.py' ) _shell('python setup.py sdist bdist_wheel') _shell('git add ChangeLog AUTHORS */version.py') _shell('git commit --no-verify -m "Merge autogenerated files [skip ci]"') _pypi_push('dist') _shell('git push --follow-tags') print(f'Deployment complete. Latest version is {version}.')
deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target):\n if not os.getenv(CIRCLECI_ENV_VAR):\n raise EnvironmentError('Must be on CircleCI to run this script')\n current_branch = os.getenv('CIRCLE_BRANCH')\n if target == 'PROD' and current_branch != 'master':\n raise EnvironmentError(\n f'Refusing to deploy to production from branch {current_branch!r}. Production deploys can only be made from master.'\n )\n if target in ('PROD', 'TEST'):\n pypi_username = os.getenv(f'{target}_PYPI_USERNAME')\n pypi_password = os.getenv(f'{target}_PYPI_PASSWORD')\n else:\n raise ValueError(\n f\"Deploy target must be 'PROD' or 'TEST', got {target!r}.\")\n if not (pypi_username and pypi_password):\n raise EnvironmentError(\n f\"Missing '{target}_PYPI_USERNAME' and/or '{target}_PYPI_PASSWORD' environment variables. These are required to push to PyPI.\"\n )\n os.environ['TWINE_USERNAME'] = pypi_username\n os.environ['TWINE_PASSWORD'] = pypi_password\n _shell('git config --global user.email \"dev@cloverhealth.com\"')\n _shell('git config --global user.name \"Circle CI\"')\n _shell('git config push.default current')\n ret = _shell('make version', stdout=subprocess.PIPE)\n version = ret.stdout.decode('utf-8').strip()\n print(f'Deploying version {version!r}...')\n _shell(f'git tag -f -a {version} -m \"Version {version}\"')\n _shell(\n f'sed -i.bak \"s/^__version__ = .*/__version__ = {version!r}/\" */version.py'\n )\n _shell('python setup.py sdist bdist_wheel')\n _shell('git add ChangeLog AUTHORS */version.py')\n _shell('git commit --no-verify -m \"Merge autogenerated files [skip ci]\"')\n _pypi_push('dist')\n _shell('git push --follow-tags')\n print(f'Deployment complete. Latest version is {version}.')\n", "role": "user" }, { "content": "deploy", "role": "assistant" } ]
def x(dd): return _s(dd['q']), _s(dd.get('r', NoResponse)), _s(dd.get('e', NoResponse) )
get_triplet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dd):\n return _s(dd['q']), _s(dd.get('r', NoResponse)), _s(dd.get('e', NoResponse)\n )\n", "role": "user" }, { "content": "get_triplet", "role": "assistant" } ]
def x(content_or_fp): try: data = yaml.load(content_or_fp, Loader=yaml.loader.BaseLoader) except Exception as e: raise type(e)('Malformed yaml file:\n%r' % format_exc()) try: ver = data['spec'] except: raise ValueError('The file does not specify a spec version') try: ver = tuple(map(int, ver.split('.'))) except: raise ValueError( "Invalid spec version format. Expect 'X.Y' (X and Y integers), found %s" % ver) if ver > SPEC_VERSION_TUPLE: raise ValueError( 'The spec version of the file is %s but the parser is %s. Please update pyvisa-sim.' % (ver, SPEC_VERSION)) return data
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content_or_fp):\n try:\n data = yaml.load(content_or_fp, Loader=yaml.loader.BaseLoader)\n except Exception as e:\n raise type(e)('Malformed yaml file:\\n%r' % format_exc())\n try:\n ver = data['spec']\n except:\n raise ValueError('The file does not specify a spec version')\n try:\n ver = tuple(map(int, ver.split('.')))\n except:\n raise ValueError(\n \"Invalid spec version format. Expect 'X.Y' (X and Y integers), found %s\"\n % ver)\n if ver > SPEC_VERSION_TUPLE:\n raise ValueError(\n 'The spec version of the file is %s but the parser is %s. Please update pyvisa-sim.'\n % (ver, SPEC_VERSION))\n return data\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(name): with closing(pkg_resources.resource_stream(__name__, name)) as fp: rbytes = fp.read() return _load(StringIO(rbytes.decode('utf-8')))
parse_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n with closing(pkg_resources.resource_stream(__name__, name)) as fp:\n rbytes = fp.read()\n return _load(StringIO(rbytes.decode('utf-8')))\n", "role": "user" }, { "content": "parse_resource", "role": "assistant" } ]
def x(name, comp, component_dict): for dia in component_dict.get('dialogues', ()): try: comp.add_dialogue(*_get_pair(dia)) except Exception as e: msg = 'In device %s, malformed dialogue %s\n%r' raise Exception(msg % (name, dia, e)) for prop_name, prop_dict in component_dict.get('properties', {}).items(): try: getter = _get_pair(prop_dict['getter'] ) if 'getter' in prop_dict else None setter = _get_triplet(prop_dict['setter'] ) if 'setter' in prop_dict else None comp.add_property(prop_name, prop_dict.get('default', ''), getter, setter, prop_dict.get('specs', {})) except Exception as e: msg = 'In device %s, malformed property %s\n%r' raise type(e)(msg % (name, prop_name, format_exc()))
update_component
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, comp, component_dict):\n for dia in component_dict.get('dialogues', ()):\n try:\n comp.add_dialogue(*_get_pair(dia))\n except Exception as e:\n msg = 'In device %s, malformed dialogue %s\\n%r'\n raise Exception(msg % (name, dia, e))\n for prop_name, prop_dict in component_dict.get('properties', {}).items():\n try:\n getter = _get_pair(prop_dict['getter']\n ) if 'getter' in prop_dict else None\n setter = _get_triplet(prop_dict['setter']\n ) if 'setter' in prop_dict else None\n comp.add_property(prop_name, prop_dict.get('default', ''),\n getter, setter, prop_dict.get('specs', {}))\n except Exception as e:\n msg = 'In device %s, malformed property %s\\n%r'\n raise type(e)(msg % (name, prop_name, format_exc()))\n", "role": "user" }, { "content": "update_component", "role": "assistant" } ]
def x(definition_dict, loader): bases = definition_dict.get('bases', ()) if bases: bases = (loader.get_comp_dict(required_version=SPEC_VERSION_TUPLE[0 ], **b) for b in bases) return SimpleChainmap(definition_dict, *bases) else: return definition_dict
get_bases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(definition_dict, loader):\n bases = definition_dict.get('bases', ())\n if bases:\n bases = (loader.get_comp_dict(required_version=SPEC_VERSION_TUPLE[0\n ], **b) for b in bases)\n return SimpleChainmap(definition_dict, *bases)\n else:\n return definition_dict\n", "role": "user" }, { "content": "get_bases", "role": "assistant" } ]
def x(device, ch_name, channel_dict, loader, resource_dict): channel_dict = get_bases(channel_dict, loader) r_ids = resource_dict.get('channel_ids', {}).get(ch_name, []) ids = r_ids if r_ids else channel_dict.get('ids', {}) can_select = False if channel_dict.get('can_select') == 'False' else True channels = Channels(device, ids, can_select) update_component(ch_name, channels, channel_dict) return channels
get_channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(device, ch_name, channel_dict, loader, resource_dict):\n channel_dict = get_bases(channel_dict, loader)\n r_ids = resource_dict.get('channel_ids', {}).get(ch_name, [])\n ids = r_ids if r_ids else channel_dict.get('ids', {})\n can_select = False if channel_dict.get('can_select') == 'False' else True\n channels = Channels(device, ids, can_select)\n update_component(ch_name, channels, channel_dict)\n return channels\n", "role": "user" }, { "content": "get_channel", "role": "assistant" } ]
def x(name, device_dict, loader, resource_dict): device = Device(name, device_dict.get('delimiter', ';').encode('utf-8')) device_dict = get_bases(device_dict, loader) err = device_dict.get('error', {}) device.add_error_handler(err) for itype, eom_dict in device_dict.get('eom', {}).items(): device.add_eom(itype, *_get_pair(eom_dict)) update_component(name, device, device_dict) for ch_name, ch_dict in device_dict.get('channels', {}).items(): device.add_channels(ch_name, get_channel(device, ch_name, ch_dict, loader, resource_dict)) return device
get_device
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, device_dict, loader, resource_dict):\n device = Device(name, device_dict.get('delimiter', ';').encode('utf-8'))\n device_dict = get_bases(device_dict, loader)\n err = device_dict.get('error', {})\n device.add_error_handler(err)\n for itype, eom_dict in device_dict.get('eom', {}).items():\n device.add_eom(itype, *_get_pair(eom_dict))\n update_component(name, device, device_dict)\n for ch_name, ch_dict in device_dict.get('channels', {}).items():\n device.add_channels(ch_name, get_channel(device, ch_name, ch_dict,\n loader, resource_dict))\n return device\n", "role": "user" }, { "content": "get_device", "role": "assistant" } ]
def x(filename, bundled): loader = Loader(filename, bundled) data = loader.data devices = Devices() for resource_name, resource_dict in data.get('resources', {}).items(): device_name = resource_dict['device'] dd = loader.get_device_dict(device_name, resource_dict.get( 'filename', None), resource_dict.get('bundled', False), SPEC_VERSION_TUPLE[0]) devices.add_device(resource_name, get_device(device_name, dd, loader, resource_dict)) return devices
get_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, bundled):\n loader = Loader(filename, bundled)\n data = loader.data\n devices = Devices()\n for resource_name, resource_dict in data.get('resources', {}).items():\n device_name = resource_dict['device']\n dd = loader.get_device_dict(device_name, resource_dict.get(\n 'filename', None), resource_dict.get('bundled', False),\n SPEC_VERSION_TUPLE[0])\n devices.add_device(resource_name, get_device(device_name, dd,\n loader, resource_dict))\n return devices\n", "role": "user" }, { "content": "get_devices", "role": "assistant" } ]
def x(self, string_value): value = self.validate_value(string_value) self._value = defaultdict(lambda : value)
init_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string_value):\n value = self.validate_value(string_value)\n self._value = defaultdict(lambda : value)\n", "role": "user" }, { "content": "init_value", "role": "assistant" } ]
def x(self, string_value): value = self.validate_value(string_value) self._value[self._channel._selected] = value
set_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string_value):\n value = self.validate_value(string_value)\n self._value[self._channel._selected] = value\n", "role": "user" }, { "content": "set_value", "role": "assistant" } ]
def x(self, query, response): self._dialogues['__default__'][to_bytes(query)] = to_bytes(response)
add_dialogue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, response):\n self._dialogues['__default__'][to_bytes(query)] = to_bytes(response)\n", "role": "user" }, { "content": "add_dialogue", "role": "assistant" } ]
def x(self, name, default_value, getter_pair, setter_triplet, specs): self._properties[name] = ChannelProperty(self, name, default_value, specs) if getter_pair: query, response = getter_pair self._getters['__default__'][to_bytes(query)] = name, response if setter_triplet: query, response, error = setter_triplet self._setters.append((name, stringparser.Parser(query), to_bytes( response), to_bytes(error)))
add_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, default_value, getter_pair, setter_triplet, specs):\n self._properties[name] = ChannelProperty(self, name, default_value, specs)\n if getter_pair:\n query, response = getter_pair\n self._getters['__default__'][to_bytes(query)] = name, response\n if setter_triplet:\n query, response, error = setter_triplet\n self._setters.append((name, stringparser.Parser(query), to_bytes(\n response), to_bytes(error)))\n", "role": "user" }, { "content": "add_property", "role": "assistant" } ]
def x(self, query): if not self.can_select: ch_id = self._device._properties['selected_channel'].get_value() if ch_id in self._ids: self._selected = ch_id else: return response = self._match_dialog(query, self._dialogues['__default__']) if response is not None: return response response = self._match_getters(query, self._getters['__default__']) if response is not None: return response else: for ch_id in self._ids: self._selected = ch_id response = self._match_dialog(query, self._dialogues[ch_id]) if response is not None: return response response = self._match_getters(query, self._getters[ch_id]) if response is not None: return response return self._match_setters(query)
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n if not self.can_select:\n ch_id = self._device._properties['selected_channel'].get_value()\n if ch_id in self._ids:\n self._selected = ch_id\n else:\n return\n response = self._match_dialog(query, self._dialogues['__default__'])\n if response is not None:\n return response\n response = self._match_getters(query, self._getters['__default__'])\n if response is not None:\n return response\n else:\n for ch_id in self._ids:\n self._selected = ch_id\n response = self._match_dialog(query, self._dialogues[ch_id])\n if response is not None:\n return response\n response = self._match_getters(query, self._getters[ch_id])\n if response is not None:\n return response\n return self._match_setters(query)\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self, query): q = query.decode('utf-8') for name, parser, response, error_response in self._setters: try: parsed = parser(q) logger.debug('Found response in setter of %s' % name) except ValueError: continue try: if isinstance(parsed, dict) and 'ch_id' in parsed: self._selected = parsed['ch_id'] self._properties[name].set_value(parsed['0']) else: self._properties[name].set_value(parsed) return response except ValueError: if isinstance(error_response, bytes): return error_response return self._device.error_response('command_error') return None
match_setters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n q = query.decode('utf-8')\n for name, parser, response, error_response in self._setters:\n try:\n parsed = parser(q)\n logger.debug('Found response in setter of %s' % name)\n except ValueError:\n continue\n try:\n if isinstance(parsed, dict) and 'ch_id' in parsed:\n self._selected = parsed['ch_id']\n self._properties[name].set_value(parsed['0'])\n else:\n self._properties[name].set_value(parsed)\n return response\n except ValueError:\n if isinstance(error_response, bytes):\n return error_response\n return self._device.error_response('command_error')\n return None\n", "role": "user" }, { "content": "match_setters", "role": "assistant" } ]
def x(): from . import __version__ from .parser import SPEC_VERSION d = OrderedDict() d['Version'] = '%s' % __version__ d['Spec version'] = SPEC_VERSION return d
get_debug_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from . import __version__\n from .parser import SPEC_VERSION\n d = OrderedDict()\n d['Version'] = '%s' % __version__\n d['Spec version'] = SPEC_VERSION\n return d\n", "role": "user" }, { "content": "get_debug_info", "role": "assistant" } ]
def x(self, session, resource_name, access_mode=constants.AccessModes. no_lock, open_timeout=constants.VI_TMO_IMMEDIATE): try: open_timeout = int(open_timeout) except ValueError: raise ValueError( 'open_timeout (%r) must be an integer (or compatible type)' % open_timeout) try: parsed = rname.parse_resource_name(resource_name) except rname.InvalidResourceName: return 0, constants.StatusCode.error_invalid_resource_name cls = sessions.Session.get_session_class(parsed.interface_type_const, parsed.resource_class) sess = cls(session, resource_name, parsed) try: sess.device = self.devices[sess.attrs[constants.VI_ATTR_RSRC_NAME]] except KeyError: return 0, constants.StatusCode.error_resource_not_found return self._register(sess), constants.StatusCode.success
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, resource_name, access_mode=constants.AccessModes.\n no_lock, open_timeout=constants.VI_TMO_IMMEDIATE):\n try:\n open_timeout = int(open_timeout)\n except ValueError:\n raise ValueError(\n 'open_timeout (%r) must be an integer (or compatible type)' %\n open_timeout)\n try:\n parsed = rname.parse_resource_name(resource_name)\n except rname.InvalidResourceName:\n return 0, constants.StatusCode.error_invalid_resource_name\n cls = sessions.Session.get_session_class(parsed.interface_type_const,\n parsed.resource_class)\n sess = cls(session, resource_name, parsed)\n try:\n sess.device = self.devices[sess.attrs[constants.VI_ATTR_RSRC_NAME]]\n except KeyError:\n return 0, constants.StatusCode.error_resource_not_found\n return self._register(sess), constants.StatusCode.success\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, session): try: del self.sessions[session] return constants.StatusCode.success except KeyError: return constants.StatusCode.error_invalid_object
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session):\n try:\n del self.sessions[session]\n return constants.StatusCode.success\n except KeyError:\n return constants.StatusCode.error_invalid_object\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, session, query='?*::INSTR'): resources = self.devices.list_resources() resources = rname.filter(resources, query) if resources: return resources raise errors.VisaIOError(errors.StatusCode.error_resource_not_found.value)
list_resources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, query='?*::INSTR'):\n resources = self.devices.list_resources()\n resources = rname.filter(resources, query)\n if resources:\n return resources\n raise errors.VisaIOError(errors.StatusCode.error_resource_not_found.value)\n", "role": "user" }, { "content": "list_resources", "role": "assistant" } ]
def x(self, session, count): try: sess = self.sessions[session] except KeyError: return b'', constants.StatusCode.error_invalid_object try: chunk, status = sess.read(count) if status == constants.StatusCode.error_timeout: raise errors.VisaIOError(constants.VI_ERROR_TMO) return chunk, status except AttributeError: return b'', constants.StatusCode.error_nonsupported_operation
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, count):\n try:\n sess = self.sessions[session]\n except KeyError:\n return b'', constants.StatusCode.error_invalid_object\n try:\n chunk, status = sess.read(count)\n if status == constants.StatusCode.error_timeout:\n raise errors.VisaIOError(constants.VI_ERROR_TMO)\n return chunk, status\n except AttributeError:\n return b'', constants.StatusCode.error_nonsupported_operation\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, session, data): try: sess = self.sessions[session] except KeyError: return constants.StatusCode.error_invalid_object try: return sess.write(data) except AttributeError: return constants.StatusCode.error_nonsupported_operation
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, data):\n try:\n sess = self.sessions[session]\n except KeyError:\n return constants.StatusCode.error_invalid_object\n try:\n return sess.write(data)\n except AttributeError:\n return constants.StatusCode.error_nonsupported_operation\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(cls, interface_type, resource_class): try: return cls._session_classes[interface_type, resource_class] except KeyError: raise ValueError('No class registered for %s, %s' % (interface_type, resource_class))
get_session_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, interface_type, resource_class):\n try:\n return cls._session_classes[interface_type, resource_class]\n except KeyError:\n raise ValueError('No class registered for %s, %s' % (interface_type,\n resource_class))\n", "role": "user" }, { "content": "get_session_class", "role": "assistant" } ]
def x(cls, interface_type, resource_class): def x(python_class): if (interface_type, resource_class) in cls._session_classes: logger.warning( '%s is already registered in the ResourceManager. Overwriting with %s' % ((interface_type, resource_class), python_class)) python_class.session_type = interface_type, resource_class cls._session_classes[interface_type, resource_class] = python_class return python_class return _internal
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, interface_type, resource_class):\n\n def x(python_class):\n if (interface_type, resource_class) in cls._session_classes:\n logger.warning(\n '%s is already registered in the ResourceManager. Overwriting with %s'\n % ((interface_type, resource_class), python_class))\n python_class.session_type = interface_type, resource_class\n cls._session_classes[interface_type, resource_class] = python_class\n return python_class\n return _internal\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(self, attribute): try: attr = attributes.AttributesByID[attribute] except KeyError: return 0, constants.StatusCode.error_nonsupported_attribute if not attr.in_resource(self.session_type): return 0, constants.StatusCode.error_nonsupported_attribute if not attr.read: raise Exception('Do not now how to handle write only attributes.') return self.attrs.setdefault(attribute, attr.default ), constants.StatusCode.success
get_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attribute):\n try:\n attr = attributes.AttributesByID[attribute]\n except KeyError:\n return 0, constants.StatusCode.error_nonsupported_attribute\n if not attr.in_resource(self.session_type):\n return 0, constants.StatusCode.error_nonsupported_attribute\n if not attr.read:\n raise Exception('Do not now how to handle write only attributes.')\n return self.attrs.setdefault(attribute, attr.default\n ), constants.StatusCode.success\n", "role": "user" }, { "content": "get_attribute", "role": "assistant" } ]
def x(self, attribute, attribute_state): try: attr = attributes.AttributesByID[attribute] except KeyError: return constants.StatusCode.error_nonsupported_attribute if not attr.in_resource(self.session_type): return constants.StatusCode.error_nonsupported_attribute if not attr.write: return constants.StatusCode.error_attribute_read_only try: self.attrs[attribute] = attribute_state except ValueError: return constants.StatusCode.error_nonsupported_attribute_state return constants.StatusCode.success
set_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attribute, attribute_state):\n try:\n attr = attributes.AttributesByID[attribute]\n except KeyError:\n return constants.StatusCode.error_nonsupported_attribute\n if not attr.in_resource(self.session_type):\n return constants.StatusCode.error_nonsupported_attribute\n if not attr.write:\n return constants.StatusCode.error_attribute_read_only\n try:\n self.attrs[attribute] = attribute_state\n except ValueError:\n return constants.StatusCode.error_nonsupported_attribute_state\n return constants.StatusCode.success\n", "role": "user" }, { "content": "set_attribute", "role": "assistant" } ]
def x(val): if val is NoResponse: return val val = val.replace('\\r', '\r').replace('\\n', '\n') return val.encode()
to_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val):\n if val is NoResponse:\n return val\n val = val.replace('\\\\r', '\\r').replace('\\\\n', '\\n')\n return val.encode()\n", "role": "user" }, { "content": "to_bytes", "role": "assistant" } ]
def x(self, string_value): specs = self.specs if 'type' in specs: value = specs['type'](string_value) else: value = string_value if 'min' in specs and value < specs['min']: raise ValueError if 'max' in specs and value > specs['max']: raise ValueError if 'valid' in specs and value not in specs['valid']: raise ValueError return value
validate_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string_value):\n specs = self.specs\n if 'type' in specs:\n value = specs['type'](string_value)\n else:\n value = string_value\n if 'min' in specs and value < specs['min']:\n raise ValueError\n if 'max' in specs and value > specs['max']:\n raise ValueError\n if 'valid' in specs and value not in specs['valid']:\n raise ValueError\n return value\n", "role": "user" }, { "content": "validate_value", "role": "assistant" } ]
def x(self, query, dialogues=None): if dialogues is None: dialogues = self._dialogues if query in dialogues: response = dialogues[query] logger.debug('Found response in queries: %s' % repr(response)) return response
match_dialog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, dialogues=None):\n if dialogues is None:\n dialogues = self._dialogues\n if query in dialogues:\n response = dialogues[query]\n logger.debug('Found response in queries: %s' % repr(response))\n return response\n", "role": "user" }, { "content": "match_dialog", "role": "assistant" } ]
def x(self, query, getters=None): if getters is None: getters = self._getters if query in getters: name, response = getters[query] logger.debug('Found response in getter of %s' % name) response = response.format(self._properties[name].get_value()) return response.encode('utf-8')
match_getters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, getters=None):\n if getters is None:\n getters = self._getters\n if query in getters:\n name, response = getters[query]\n logger.debug('Found response in getter of %s' % name)\n response = response.format(self._properties[name].get_value())\n return response.encode('utf-8')\n", "role": "user" }, { "content": "match_getters", "role": "assistant" } ]
def x(self, query): q = query.decode('utf-8') for name, parser, response, error_response in self._setters: try: value = parser(q) logger.debug('Found response in setter of %s' % name) except ValueError: continue try: self._properties[name].set_value(value) return response except ValueError: if isinstance(error_response, bytes): return error_response return self.error_response('command_error') return None
match_setters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n q = query.decode('utf-8')\n for name, parser, response, error_response in self._setters:\n try:\n value = parser(q)\n logger.debug('Found response in setter of %s' % name)\n except ValueError:\n continue\n try:\n self._properties[name].set_value(value)\n return response\n except ValueError:\n if isinstance(error_response, bytes):\n return error_response\n return self.error_response('command_error')\n return None\n", "role": "user" }, { "content": "match_setters", "role": "assistant" } ]
def x(self, error_input): if isinstance(error_input, dict): error_response = error_input.get('response', {}) cerr = error_response.get('command_error', NoResponse) qerr = error_response.get('query_error', NoResponse) response_dict = {'command_error': cerr, 'query_error': qerr} register_list = error_input.get('status_register', []) for register_dict in register_list: query = register_dict['q'] register = StatusRegister(register_dict) self._status_registers[to_bytes(query)] = register for key in register.keys(): self._error_map[key] = register queue_list = error_input.get('error_queue', []) for queue_dict in queue_list: query = queue_dict['q'] err_queue = ErrorQueue(queue_dict) self._error_queues[to_bytes(query)] = err_queue else: response_dict = {'command_error': error_input, 'query_error': error_input} for key, value in response_dict.items(): self._error_response[key] = to_bytes(value)
add_error_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, error_input):\n if isinstance(error_input, dict):\n error_response = error_input.get('response', {})\n cerr = error_response.get('command_error', NoResponse)\n qerr = error_response.get('query_error', NoResponse)\n response_dict = {'command_error': cerr, 'query_error': qerr}\n register_list = error_input.get('status_register', [])\n for register_dict in register_list:\n query = register_dict['q']\n register = StatusRegister(register_dict)\n self._status_registers[to_bytes(query)] = register\n for key in register.keys():\n self._error_map[key] = register\n queue_list = error_input.get('error_queue', [])\n for queue_dict in queue_list:\n query = queue_dict['q']\n err_queue = ErrorQueue(queue_dict)\n self._error_queues[to_bytes(query)] = err_queue\n else:\n response_dict = {'command_error': error_input, 'query_error':\n error_input}\n for key, value in response_dict.items():\n self._error_response[key] = to_bytes(value)\n", "role": "user" }, { "content": "add_error_handler", "role": "assistant" } ]
def x(self, type_class, query_termination, response_termination): interface_type, resource_class = type_class.split(' ') interface_type = getattr(constants.InterfaceType, interface_type.lower()) self._eoms[interface_type, resource_class] = to_bytes(query_termination ), to_bytes(response_termination)
add_eom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type_class, query_termination, response_termination):\n interface_type, resource_class = type_class.split(' ')\n interface_type = getattr(constants.InterfaceType, interface_type.lower())\n self._eoms[interface_type, resource_class] = to_bytes(query_termination\n ), to_bytes(response_termination)\n", "role": "user" }, { "content": "add_eom", "role": "assistant" } ]
def x(self, data): logger.debug('Writing into device input buffer: %r' % data) if not isinstance(data, bytes): raise TypeError('data must be an instance of bytes') if len(data) != 1: msg = 'data must have a length of 1, not %d' raise ValueError(msg % len(data)) self._input_buffer.extend(data) l = len(self._query_eom) if not self._input_buffer.endswith(self._query_eom): return try: message = bytes(self._input_buffer[:-l]) queries = message.split(self.delimiter) if self.delimiter else [message ] for query in queries: response = self._match(query) eom = self._response_eom if response is None: response = self.error_response('command_error') if response is not NoResponse: self._output_buffer.extend(response) self._output_buffer.extend(eom) finally: self._input_buffer = bytearray()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n logger.debug('Writing into device input buffer: %r' % data)\n if not isinstance(data, bytes):\n raise TypeError('data must be an instance of bytes')\n if len(data) != 1:\n msg = 'data must have a length of 1, not %d'\n raise ValueError(msg % len(data))\n self._input_buffer.extend(data)\n l = len(self._query_eom)\n if not self._input_buffer.endswith(self._query_eom):\n return\n try:\n message = bytes(self._input_buffer[:-l])\n queries = message.split(self.delimiter) if self.delimiter else [message\n ]\n for query in queries:\n response = self._match(query)\n eom = self._response_eom\n if response is None:\n response = self.error_response('command_error')\n if response is not NoResponse:\n self._output_buffer.extend(response)\n self._output_buffer.extend(eom)\n finally:\n self._input_buffer = bytearray()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): if self._output_buffer: b, self._output_buffer = self._output_buffer[0:1], self._output_buffer[ 1:] return b return b''
read
[ { "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._output_buffer:\n b, self._output_buffer = self._output_buffer[0:1], self._output_buffer[\n 1:]\n return b\n return b''\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, query): response = self._match_dialog(query) if response is not None: return response response = self._match_getters(query) if response is not None: return response response = self._match_registers(query) if response is not None: return response response = self._match_errors_queues(query) if response is not None: return response response = self._match_setters(query) if response is not None: return response if response is None: for channel in self._channels.values(): response = channel.match(query) if response: return response return None
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n response = self._match_dialog(query)\n if response is not None:\n return response\n response = self._match_getters(query)\n if response is not None:\n return response\n response = self._match_registers(query)\n if response is not None:\n return response\n response = self._match_errors_queues(query)\n if response is not None:\n return response\n response = self._match_setters(query)\n if response is not None:\n return response\n if response is None:\n for channel in self._channels.values():\n response = channel.match(query)\n if response:\n return response\n return None\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self, query): if query in self._status_registers: register = self._status_registers[query] response = register.value logger.debug('Found response in status register: %s', repr(response)) register.clear() return response
match_registers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n if query in self._status_registers:\n register = self._status_registers[query]\n response = register.value\n logger.debug('Found response in status register: %s', repr(response))\n register.clear()\n return response\n", "role": "user" }, { "content": "match_registers", "role": "assistant" } ]
def x(self, query): if query in self._error_queues: queue = self._error_queues[query] response = queue.value logger.debug('Found response in error queue: %s', repr(response)) return response
match_errors_queues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n if query in self._error_queues:\n queue = self._error_queues[query]\n response = queue.value\n logger.debug('Found response in error queue: %s', repr(response))\n return response\n", "role": "user" }, { "content": "match_errors_queues", "role": "assistant" } ]
def x(self, resource_name, device): if device.resource_name is not None: msg = 'The device %r is already assigned to %s' raise ValueError(msg % (device, device.resource_name)) device.resource_name = resource_name self._internal[device.resource_name] = device
add_device
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource_name, device):\n if device.resource_name is not None:\n msg = 'The device %r is already assigned to %s'\n raise ValueError(msg % (device, device.resource_name))\n device.resource_name = resource_name\n self._internal[device.resource_name] = device\n", "role": "user" }, { "content": "add_device", "role": "assistant" } ]
def x(self, *args, **kwargs): result = super(SequenceCursorPagination, self).get_ordering(*args, **kwargs ) if result[0] != '#': result = ('#',) + result return result
get_ordering
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n result = super(SequenceCursorPagination, self).get_ordering(*args, **kwargs\n )\n if result[0] != '#':\n result = ('#',) + result\n return result\n", "role": "user" }, { "content": "get_ordering", "role": "assistant" } ]
def x(self, instance, ordering): qs_order = getattr(instance, '#') result = super(SequenceCursorPagination, self)._get_position_from_instance( instance, ordering[1:]) return qs_order, result
get_position_from_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance, ordering):\n qs_order = getattr(instance, '#')\n result = super(SequenceCursorPagination, self)._get_position_from_instance(\n instance, ordering[1:])\n return qs_order, result\n", "role": "user" }, { "content": "get_position_from_instance", "role": "assistant" } ]
def x(self, request): encoded = request.query_params.get(self.cursor_query_param) if encoded is None: return None try: querystring = b64decode(encoded.encode('ascii')).decode('ascii') tokens = urlparse.parse_qs(querystring, keep_blank_values=True) offset = tokens.get('o', ['0'])[0] offset = _positive_int(offset, cutoff=self.offset_cutoff) reverse = tokens.get('r', ['0'])[0] reverse = bool(int(reverse)) position = tokens.get('p', None) except (TypeError, ValueError): raise NotFound(self.invalid_cursor_message) return Cursor(offset=offset, reverse=reverse, position=position)
decode_cursor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n encoded = request.query_params.get(self.cursor_query_param)\n if encoded is None:\n return None\n try:\n querystring = b64decode(encoded.encode('ascii')).decode('ascii')\n tokens = urlparse.parse_qs(querystring, keep_blank_values=True)\n offset = tokens.get('o', ['0'])[0]\n offset = _positive_int(offset, cutoff=self.offset_cutoff)\n reverse = tokens.get('r', ['0'])[0]\n reverse = bool(int(reverse))\n position = tokens.get('p', None)\n except (TypeError, ValueError):\n raise NotFound(self.invalid_cursor_message)\n return Cursor(offset=offset, reverse=reverse, position=position)\n", "role": "user" }, { "content": "decode_cursor", "role": "assistant" } ]
def x(it1, it2): assert len(it1) == len(it2 ), 'Can not element-wise multiply iterables of different length.' return list(map(mul, it1, it2))
multiply_iterables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(it1, it2):\n assert len(it1) == len(it2\n ), 'Can not element-wise multiply iterables of different length.'\n return list(map(mul, it1, it2))\n", "role": "user" }, { "content": "multiply_iterables", "role": "assistant" } ]
def x(cls, value1, value2): if isinstance(value1, Model) and isinstance(value2, Model): field_names = value1._meta.ordering if field_names != value2._meta.ordering: valid_field_names = set(cls._get_field_names(value1)) & set(cls ._get_field_names(value2)) raise FieldError( 'Ordering differs between models. Choices are: %s' % ', '. join(valid_field_names)) if not field_names: field_names = ['pk'] return cls._generate_comparator(field_names)(value1, value2) return cmp(value1, value2)
cmp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value1, value2):\n if isinstance(value1, Model) and isinstance(value2, Model):\n field_names = value1._meta.ordering\n if field_names != value2._meta.ordering:\n valid_field_names = set(cls._get_field_names(value1)) & set(cls\n ._get_field_names(value2))\n raise FieldError(\n 'Ordering differs between models. Choices are: %s' % ', '.\n join(valid_field_names))\n if not field_names:\n field_names = ['pk']\n return cls._generate_comparator(field_names)(value1, value2)\n return cmp(value1, value2)\n", "role": "user" }, { "content": "cmp", "role": "assistant" } ]
def x(cls, field_names): field_names = list(field_names) reverses = [1] * len(field_names) for i, field_name in enumerate(field_names): if field_name[0] == '-': reverses[i] = -1 field_names[i] = field_name[1:] field_names = [f.replace(LOOKUP_SEP, '.') for f in field_names] def x(i1, i2): v1 = attrgetter(*field_names)(i1) v2 = attrgetter(*field_names)(i2) if len(field_names) == 1: return cls._cmp(v1, v2) * reverses[0] order = multiply_iterables(list(map(cls._cmp, v1, v2)), reverses) try: return next(dropwhile(__not__, order)) except StopIteration: return 0 return comparator
generate_comparator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, field_names):\n field_names = list(field_names)\n reverses = [1] * len(field_names)\n for i, field_name in enumerate(field_names):\n if field_name[0] == '-':\n reverses[i] = -1\n field_names[i] = field_name[1:]\n field_names = [f.replace(LOOKUP_SEP, '.') for f in field_names]\n\n def x(i1, i2):\n v1 = attrgetter(*field_names)(i1)\n v2 = attrgetter(*field_names)(i2)\n if len(field_names) == 1:\n return cls._cmp(v1, v2) * reverses[0]\n order = multiply_iterables(list(map(cls._cmp, v1, v2)), reverses)\n try:\n return next(dropwhile(__not__, order))\n except StopIteration:\n return 0\n return comparator\n", "role": "user" }, { "content": "generate_comparator", "role": "assistant" } ]
def x(self): iterables = [] for i, qs in zip(self._queryset_idxs, self._querysets): it = iter(qs) try: value = next(it) except StopIteration: continue setattr(value, '#', i) iterables.append((it, i, value)) index = 0 _comparator = self._generate_comparator(self._order_by) def x(tuple_1, tuple_2): return _comparator(tuple_1[2], tuple_2[2]) comparator = functools.cmp_to_key(comparator) if self._standard_ordering: next_value_ind = 0 else: next_value_ind = -1 while iterables: if len(iterables) > 1: iterables = sorted(iterables, key=comparator) it, i, value = iterables[next_value_ind] else: it, i, value = iterables[0] if self._low_mark <= index: yield value index += 1 if index == self._high_mark: return try: value = next(it) setattr(value, '#', i) iterables[next_value_ind] = it, i, value except StopIteration: del iterables[next_value_ind]
ordered_iterator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n iterables = []\n for i, qs in zip(self._queryset_idxs, self._querysets):\n it = iter(qs)\n try:\n value = next(it)\n except StopIteration:\n continue\n setattr(value, '#', i)\n iterables.append((it, i, value))\n index = 0\n _comparator = self._generate_comparator(self._order_by)\n\n def x(tuple_1, tuple_2):\n return _comparator(tuple_1[2], tuple_2[2])\n comparator = functools.cmp_to_key(comparator)\n if self._standard_ordering:\n next_value_ind = 0\n else:\n next_value_ind = -1\n while iterables:\n if len(iterables) > 1:\n iterables = sorted(iterables, key=comparator)\n it, i, value = iterables[next_value_ind]\n else:\n it, i, value = iterables[0]\n if self._low_mark <= index:\n yield value\n index += 1\n if index == self._high_mark:\n return\n try:\n value = next(it)\n setattr(value, '#', i)\n iterables[next_value_ind] = it, i, value\n except StopIteration:\n del iterables[next_value_ind]\n", "role": "user" }, { "content": "ordered_iterator", "role": "assistant" } ]
def x(self): for i, qs in zip(self._queryset_idxs, self._querysets): for item in qs: setattr(item, '#', i) yield item
unordered_iterator
[ { "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, qs in zip(self._queryset_idxs, self._querysets):\n for item in qs:\n setattr(item, '#', i)\n yield item\n", "role": "user" }, { "content": "unordered_iterator", "role": "assistant" } ]
def x(self, negate, **kwargs): negate = bool(negate) for kwarg, value in kwargs.items(): parts = kwarg.split(LOOKUP_SEP) if parts[0] != '#': raise ValueError( "Keyword '%s' is not a valid keyword to filter over, it must begin with '#'." % kwarg) if len(parts) > 2: raise ValueError( "Keyword '%s' must not contain multiple lookup seperators." % kwarg) try: lookup = parts[1] except IndexError: lookup = 'exact' LOOKUP_TO_OPERATOR = {'exact': eq, 'iexact': eq, 'gt': gt, 'gte': ge, 'lt': lt, 'lte': le} try: operator = LOOKUP_TO_OPERATOR[lookup] if value is not None: value = int(value) self._queryset_idxs = filter(lambda i: operator(i, value) != negate, self._queryset_idxs) continue except KeyError: pass if lookup in ('contains', 'icontains'): value = six.text_type(value) self._queryset_idxs = filter(lambda i: (value in six.text_type( i)) != negate, self._queryset_idxs) elif lookup == 'in': self._queryset_idxs = filter(lambda i: (i in value) != negate, self._queryset_idxs) elif lookup in ('startswith', 'istartswith'): value = six.text_type(value) self._queryset_idxs = filter(lambda i: six.text_type(i). startswith(value) != negate, self._queryset_idxs) elif lookup in ('endswith', 'iendswith'): value = six.text_type(value) self._queryset_idxs = filter(lambda i: six.text_type(i). endswith(value) != negate, self._queryset_idxs) elif lookup == 'range': start, end = value self._queryset_idxs = filter(lambda i: (start <= i <= end) != negate, self._queryset_idxs) else: raise ValueError("Unsupported lookup '%s'" % lookup) self._queryset_idxs = list(self._queryset_idxs) self._querysets = [self._querysets[i] for i in self._queryset_idxs]
filter_or_exclude_querysets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, negate, **kwargs):\n negate = bool(negate)\n for kwarg, value in kwargs.items():\n parts = kwarg.split(LOOKUP_SEP)\n if parts[0] != '#':\n raise ValueError(\n \"Keyword '%s' is not a valid keyword to filter over, it must begin with '#'.\"\n % kwarg)\n if len(parts) > 2:\n raise ValueError(\n \"Keyword '%s' must not contain multiple lookup seperators.\" %\n kwarg)\n try:\n lookup = parts[1]\n except IndexError:\n lookup = 'exact'\n LOOKUP_TO_OPERATOR = {'exact': eq, 'iexact': eq, 'gt': gt, 'gte':\n ge, 'lt': lt, 'lte': le}\n try:\n operator = LOOKUP_TO_OPERATOR[lookup]\n if value is not None:\n value = int(value)\n self._queryset_idxs = filter(lambda i: operator(i, value) !=\n negate, self._queryset_idxs)\n continue\n except KeyError:\n pass\n if lookup in ('contains', 'icontains'):\n value = six.text_type(value)\n self._queryset_idxs = filter(lambda i: (value in six.text_type(\n i)) != negate, self._queryset_idxs)\n elif lookup == 'in':\n self._queryset_idxs = filter(lambda i: (i in value) != negate,\n self._queryset_idxs)\n elif lookup in ('startswith', 'istartswith'):\n value = six.text_type(value)\n self._queryset_idxs = filter(lambda i: six.text_type(i).\n startswith(value) != negate, self._queryset_idxs)\n elif lookup in ('endswith', 'iendswith'):\n value = six.text_type(value)\n self._queryset_idxs = filter(lambda i: six.text_type(i).\n endswith(value) != negate, self._queryset_idxs)\n elif lookup == 'range':\n start, end = value\n self._queryset_idxs = filter(lambda i: (start <= i <= end) !=\n negate, self._queryset_idxs)\n else:\n raise ValueError(\"Unsupported lookup '%s'\" % lookup)\n self._queryset_idxs = list(self._queryset_idxs)\n self._querysets = [self._querysets[i] for i in self._queryset_idxs]\n", "role": "user" }, { "content": "filter_or_exclude_querysets", "role": "assistant" } ]
def x(self, key_or_tag, f_val): self.reader.decoder.register(key_or_tag, f_val)
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key_or_tag, f_val):\n self.reader.decoder.register(key_or_tag, f_val)\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(self, stream, **kwargs): for o in self.reader.loadeach(stream): yield o
readeach
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stream, **kwargs):\n for o in self.reader.loadeach(stream):\n yield o\n", "role": "user" }, { "content": "readeach", "role": "assistant" } ]
def x(self, name, as_map_key=False): if is_cache_key(name) and name in self.key_to_value: return self.key_to_value[name] return self.encache(name) if is_cacheable(name, as_map_key) else name
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, as_map_key=False):\n if is_cache_key(name) and name in self.key_to_value:\n return self.key_to_value[name]\n return self.encache(name) if is_cacheable(name, as_map_key) else name\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(self, name, as_map_key=False): if name in self.key_to_value: return self.key_to_value[name] return self.encache(name) if is_cacheable(name, as_map_key) else name
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, as_map_key=False):\n if name in self.key_to_value:\n return self.key_to_value[name]\n return self.encache(name) if is_cacheable(name, as_map_key) else name\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(stream): chunk = stream.read(1) while chunk in SKIP: chunk = stream.read(1) if chunk == '"': chunk += stream.read(1) while not chunk.endswith('"'): if chunk[-1] == ESCAPE: chunk += stream.read(2) else: chunk += stream.read(1) return chunk
read_chunk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream):\n chunk = stream.read(1)\n while chunk in SKIP:\n chunk = stream.read(1)\n if chunk == '\"':\n chunk += stream.read(1)\n while not chunk.endswith('\"'):\n if chunk[-1] == ESCAPE:\n chunk += stream.read(2)\n else:\n chunk += stream.read(1)\n return chunk\n", "role": "user" }, { "content": "read_chunk", "role": "assistant" } ]
def x(stream, **kwargs): for s in yield_json(stream): yield json.loads(s, **kwargs)
items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream, **kwargs):\n for s in yield_json(stream):\n yield json.loads(s, **kwargs)\n", "role": "user" }, { "content": "items", "role": "assistant" } ]
def x(stream): buff = u'' arr_count = 0 obj_count = 0 while True: buff += read_chunk(stream) if buff.endswith('{'): obj_count += 1 if buff.endswith('['): arr_count += 1 if buff.endswith(']'): arr_count -= 1 if obj_count == arr_count == 0: json_item = copy(buff) buff = u'' yield json_item if buff.endswith('}'): obj_count -= 1 if obj_count == arr_count == 0: json_item = copy(buff) buff = u'' yield json_item
yield_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream):\n buff = u''\n arr_count = 0\n obj_count = 0\n while True:\n buff += read_chunk(stream)\n if buff.endswith('{'):\n obj_count += 1\n if buff.endswith('['):\n arr_count += 1\n if buff.endswith(']'):\n arr_count -= 1\n if obj_count == arr_count == 0:\n json_item = copy(buff)\n buff = u''\n yield json_item\n if buff.endswith('}'):\n obj_count -= 1\n if obj_count == arr_count == 0:\n json_item = copy(buff)\n buff = u''\n yield json_item\n", "role": "user" }, { "content": "yield_json", "role": "assistant" } ]
def x(self, m): for x in m.keys(): if len(self.handlers[x].tag(x)) != 1: return False return True
are_stringable_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, m):\n for x in m.keys():\n if len(self.handlers[x].tag(x)) != 1:\n return False\n return True\n", "role": "user" }, { "content": "are_stringable_keys", "role": "assistant" } ]
def x(self, obj, as_map_key, cache): handler = self.handlers[obj] tag = handler.tag(obj) f = marshal_dispatch.get(tag) if f: f(self, obj, handler.string_rep(obj) if as_map_key else handler.rep (obj), as_map_key, cache) else: self.emit_encoded(tag, handler, obj, as_map_key, cache)
marshal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, as_map_key, cache):\n handler = self.handlers[obj]\n tag = handler.tag(obj)\n f = marshal_dispatch.get(tag)\n if f:\n f(self, obj, handler.string_rep(obj) if as_map_key else handler.rep\n (obj), as_map_key, cache)\n else:\n self.emit_encoded(tag, handler, obj, as_map_key, cache)\n", "role": "user" }, { "content": "marshal", "role": "assistant" } ]
def x(self, obj, cache=None): if not cache: cache = RollingCache() handler = self.handlers[obj] tag = handler.tag(obj) if tag: if len(tag) == 1: self.marshal(TaggedValue(QUOTE, obj), False, cache) else: self.marshal(obj, False, cache) self.flush() else: raise AssertionError('Handler must provide a non-nil tag: ' + str( handler))
marshal_top
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, cache=None):\n if not cache:\n cache = RollingCache()\n handler = self.handlers[obj]\n tag = handler.tag(obj)\n if tag:\n if len(tag) == 1:\n self.marshal(TaggedValue(QUOTE, obj), False, cache)\n else:\n self.marshal(obj, False, cache)\n self.flush()\n else:\n raise AssertionError('Handler must provide a non-nil tag: ' + str(\n handler))\n", "role": "user" }, { "content": "marshal_top", "role": "assistant" } ]
def x(self, rep, as_map_key, cache): if self.are_stringable_keys(rep): return self.emit_map(rep, as_map_key, cache) return self.emit_cmap(rep, as_map_key, cache)
dispatch_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rep, as_map_key, cache):\n if self.are_stringable_keys(rep):\n return self.emit_map(rep, as_map_key, cache)\n return self.emit_cmap(rep, as_map_key, cache)\n", "role": "user" }, { "content": "dispatch_map", "role": "assistant" } ]
def x(self, m, _, cache): self.emit_array_start(None) self.marshal(MAP_AS_ARR, False, cache) for k, v in m.items(): self.marshal(k, True, cache) self.marshal(v, False, cache) self.emit_array_end()
emit_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, m, _, cache):\n self.emit_array_start(None)\n self.marshal(MAP_AS_ARR, False, cache)\n for k, v in m.items():\n self.marshal(k, True, cache)\n self.marshal(v, False, cache)\n self.emit_array_end()\n", "role": "user" }, { "content": "emit_map", "role": "assistant" } ]
def x(self, node, cache=None, as_map_key=False): if not cache: cache = RollingCache() return self._decode(node, cache, as_map_key)
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, cache=None, as_map_key=False):\n if not cache:\n cache = RollingCache()\n return self._decode(node, cache, as_map_key)\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(self, node, cache, as_map_key): if node: if node[0] == MAP_AS_ARR: returned_dict = {} for k, v in pairs(node[1:]): key = self._decode(k, cache, True) val = self._decode(v, cache, as_map_key) returned_dict[key] = val return transit_types.frozendict(returned_dict) decoded = self._decode(node[0], cache, as_map_key) if isinstance(decoded, Tag): return self.decode_tag(decoded.tag, self._decode(node[1], cache, as_map_key)) return tuple(self._decode(x, cache, as_map_key) for x in node)
decode_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, cache, as_map_key):\n if node:\n if node[0] == MAP_AS_ARR:\n returned_dict = {}\n for k, v in pairs(node[1:]):\n key = self._decode(k, cache, True)\n val = self._decode(v, cache, as_map_key)\n returned_dict[key] = val\n return transit_types.frozendict(returned_dict)\n decoded = self._decode(node[0], cache, as_map_key)\n if isinstance(decoded, Tag):\n return self.decode_tag(decoded.tag, self._decode(node[1], cache,\n as_map_key))\n return tuple(self._decode(x, cache, as_map_key) for x in node)\n", "role": "user" }, { "content": "decode_list", "role": "assistant" } ]
def x(self, string, cache, as_map_key): if is_cache_key(string): return self.parse_string(cache.decode(string, as_map_key), cache, as_map_key) if is_cacheable(string, as_map_key): cache.encode(string, as_map_key) return self.parse_string(string, cache, as_map_key)
decode_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string, cache, as_map_key):\n if is_cache_key(string):\n return self.parse_string(cache.decode(string, as_map_key), cache,\n as_map_key)\n if is_cacheable(string, as_map_key):\n cache.encode(string, as_map_key)\n return self.parse_string(string, cache, as_map_key)\n", "role": "user" }, { "content": "decode_string", "role": "assistant" } ]
def x(self, key_or_tag, obj): if key_or_tag == 'default_decoder': self.options['default_decoder'] = obj else: self.decoders[key_or_tag] = obj
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key_or_tag, obj):\n if key_or_tag == 'default_decoder':\n self.options['default_decoder'] = obj\n else:\n self.decoders[key_or_tag] = obj\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(u): if isinstance(u, pyversion.string_types): return uuid.UUID(u) a = ctypes.c_ulong(u[0]) b = ctypes.c_ulong(u[1]) combined = a.value << 64 | b.value return uuid.UUID(int=combined)
from_rep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(u):\n if isinstance(u, pyversion.string_types):\n return uuid.UUID(u)\n a = ctypes.c_ulong(u[0])\n b = ctypes.c_ulong(u[1])\n combined = a.value << 64 | b.value\n return uuid.UUID(int=combined)\n", "role": "user" }, { "content": "from_rep", "role": "assistant" } ]
def x(self): in_port = self.match.get_field(OxmOfbMatchField.OFPXMT_OFB_IN_PORT) return int.from_bytes(in_port, 'big')
in_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n in_port = self.match.get_field(OxmOfbMatchField.OFPXMT_OFB_IN_PORT)\n return int.from_bytes(in_port, 'big')\n", "role": "user" }, { "content": "in_port", "role": "assistant" } ]
def x(self, buff, offset=0): begin = offset for attribute_name, class_attribute in self.get_class_attributes(): if type(class_attribute).__name__ != 'Header': attribute = deepcopy(class_attribute) if attribute_name == 'actions': length = self.actions_len.value attribute.unpack(buff[begin:begin + length]) else: attribute.unpack(buff, begin) setattr(self, attribute_name, attribute) begin += attribute.get_size()
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff, offset=0):\n begin = offset\n for attribute_name, class_attribute in self.get_class_attributes():\n if type(class_attribute).__name__ != 'Header':\n attribute = deepcopy(class_attribute)\n if attribute_name == 'actions':\n length = self.actions_len.value\n attribute.unpack(buff[begin:begin + length])\n else:\n attribute.unpack(buff, begin)\n setattr(self, attribute_name, attribute)\n begin += attribute.get_size()\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self): if isinstance(self.actions, ListOfActions): self.actions_len = self.actions.get_size() else: self.actions_len = ListOfActions(self.actions).get_size()
update_actions_len
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if isinstance(self.actions, ListOfActions):\n self.actions_len = self.actions.get_size()\n else:\n self.actions_len = ListOfActions(self.actions).get_size()\n", "role": "user" }, { "content": "update_actions_len", "role": "assistant" } ]
def x(self): is_valid_range = self.in_port > 0 and self.in_port <= Port.OFPP_MAX is_valid_virtual_in_ports = self.in_port in _VIRT_IN_PORTS if (is_valid_range or is_valid_virtual_in_ports) is False: raise ValidationError(f'{self.in_port} is not a valid input port.')
validate_in_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n is_valid_range = self.in_port > 0 and self.in_port <= Port.OFPP_MAX\n is_valid_virtual_in_ports = self.in_port in _VIRT_IN_PORTS\n if (is_valid_range or is_valid_virtual_in_ports) is False:\n raise ValidationError(f'{self.in_port} is not a valid input port.')\n", "role": "user" }, { "content": "validate_in_port", "role": "assistant" } ]
def x(self, value=None): backup = self.body if not value: value = self.body if hasattr(value, 'pack'): self.body = value.pack() stats_request_packed = super().pack() self.body = backup return stats_request_packed
pack
[ { "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 backup = self.body\n if not value:\n value = self.body\n if hasattr(value, 'pack'):\n self.body = value.pack()\n stats_request_packed = super().pack()\n self.body = backup\n return stats_request_packed\n", "role": "user" }, { "content": "pack", "role": "assistant" } ]
def x(self, buff, offset=0): super().unpack(buff) class_name = self._get_body_class() buff = self.body.value self.body = FixedTypeList(pyof_class=class_name) self.body.unpack(buff)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff, offset=0):\n super().unpack(buff)\n class_name = self._get_body_class()\n buff = self.body.value\n self.body = FixedTypeList(pyof_class=class_name)\n self.body.unpack(buff)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self): if self.value <= 1: return InstructionsProperty elif self.value <= 3: return NextTablesProperty elif self.value <= 7: return ActionsProperty return OxmProperty
find_class
[ { "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.value <= 1:\n return InstructionsProperty\n elif self.value <= 3:\n return NextTablesProperty\n elif self.value <= 7:\n return ActionsProperty\n return OxmProperty\n", "role": "user" }, { "content": "find_class", "role": "assistant" } ]
def x(self, buff=None, offset=0): property_type = UBInt16(enum_ref=TableFeaturePropType) property_type.unpack(buff, offset) self.__class__ = TableFeaturePropType(property_type.value).find_class() length = UBInt16() length.unpack(buff, offset=offset + 2) super().unpack(buff[:offset + length.value], offset=offset)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff=None, offset=0):\n property_type = UBInt16(enum_ref=TableFeaturePropType)\n property_type.unpack(buff, offset)\n self.__class__ = TableFeaturePropType(property_type.value).find_class()\n length = UBInt16()\n length.unpack(buff, offset=offset + 2)\n super().unpack(buff[:offset + length.value], offset=offset)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self, buff=None, offset=0): length = UBInt16() length.unpack(buff, offset) super().unpack(buff[:offset + length.value], offset)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff=None, offset=0):\n length = UBInt16()\n length.unpack(buff, offset)\n super().unpack(buff[:offset + length.value], offset)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(message_type): message_type = str(message_type) if message_type not in MESSAGE_TYPES: raise ValueError('"{}" is not known.'.format(message_type)) message_class = MESSAGE_TYPES.get(message_type) message_instance = message_class() return message_instance
new_message_from_message_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message_type):\n message_type = str(message_type)\n if message_type not in MESSAGE_TYPES:\n raise ValueError('\"{}\" is not known.'.format(message_type))\n message_class = MESSAGE_TYPES.get(message_type)\n message_instance = message_class()\n return message_instance\n", "role": "user" }, { "content": "new_message_from_message_type", "role": "assistant" } ]
def x(header): message_type = header.message_type if not isinstance(message_type, Type): try: if isinstance(message_type, str): message_type = Type[message_type] elif isinstance(message_type, int): message_type = Type(message_type) except ValueError: raise ValueError message = new_message_from_message_type(message_type) message.header.xid = header.xid message.header.length = header.length return message
new_message_from_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(header):\n message_type = header.message_type\n if not isinstance(message_type, Type):\n try:\n if isinstance(message_type, str):\n message_type = Type[message_type]\n elif isinstance(message_type, int):\n message_type = Type(message_type)\n except ValueError:\n raise ValueError\n message = new_message_from_message_type(message_type)\n message.header.xid = header.xid\n message.header.length = header.length\n return message\n", "role": "user" }, { "content": "new_message_from_header", "role": "assistant" } ]
def x(buffer): hdr_size = Header().get_size() hdr_buff, msg_buff = buffer[:hdr_size], buffer[hdr_size:] header = Header() header.unpack(hdr_buff) message = new_message_from_header(header) message.unpack(msg_buff) return message
unpack_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(buffer):\n hdr_size = Header().get_size()\n hdr_buff, msg_buff = buffer[:hdr_size], buffer[hdr_size:]\n header = Header()\n header.unpack(hdr_buff)\n message = new_message_from_header(header)\n message.unpack(msg_buff)\n return message\n", "role": "user" }, { "content": "unpack_message", "role": "assistant" } ]
def x(self, buff=None, offset=0): band_type = UBInt16(enum_ref=MeterBandType) band_type.unpack(buff, offset) self.__class__ = MeterBandType(band_type.value).find_class() length = UBInt16() length.unpack(buff, offset=offset + 2) super().unpack(buff[:offset + length.value], offset)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff=None, offset=0):\n band_type = UBInt16(enum_ref=MeterBandType)\n band_type.unpack(buff, offset)\n self.__class__ = MeterBandType(band_type.value).find_class()\n length = UBInt16()\n length.unpack(buff, offset=offset + 2)\n super().unpack(buff[:offset + length.value], offset)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self, value=None): buff = self.body if not value: value = self.body if value: if isinstance(value, (list, FixedTypeList)): obj = self._get_body_instance() obj.extend(value) elif hasattr(value, 'pack'): obj = value self.body = obj.pack() multipart_packed = super().pack() self.body = buff return multipart_packed
pack
[ { "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 buff = self.body\n if not value:\n value = self.body\n if value:\n if isinstance(value, (list, FixedTypeList)):\n obj = self._get_body_instance()\n obj.extend(value)\n elif hasattr(value, 'pack'):\n obj = value\n self.body = obj.pack()\n multipart_packed = super().pack()\n self.body = buff\n return multipart_packed\n", "role": "user" }, { "content": "pack", "role": "assistant" } ]
def x(self, buff, offset=0): super().unpack(buff[offset:]) self._unpack_body()
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff, offset=0):\n super().unpack(buff[offset:])\n self._unpack_body()\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self): obj = self._get_body_instance() obj.unpack(self.body.value) self.body = obj
unpack_body
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n obj = self._get_body_instance()\n obj.unpack(self.body.value)\n self.body = obj\n", "role": "user" }, { "content": "unpack_body", "role": "assistant" } ]
def x(self): exp_header = ExperimenterMultipartHeader simple_body = {MultipartType.OFPMP_DESC: Desc, MultipartType. OFPMP_GROUP_FEATURES: GroupFeatures, MultipartType. OFPMP_METER_FEATURES: MeterFeatures, MultipartType. OFPMP_EXPERIMENTER: exp_header} array_of_bodies = {MultipartType.OFPMP_FLOW: FlowStats, MultipartType. OFPMP_AGGREGATE: AggregateStatsReply, MultipartType.OFPMP_TABLE: TableStats, MultipartType.OFPMP_PORT_STATS: PortStats, MultipartType.OFPMP_QUEUE: QueueStats, MultipartType.OFPMP_GROUP: GroupStats, MultipartType.OFPMP_GROUP_DESC: GroupDescStats, MultipartType.OFPMP_METER: MeterStats, MultipartType. OFPMP_METER_CONFIG: MeterConfig, MultipartType.OFPMP_TABLE_FEATURES: TableFeatures, MultipartType.OFPMP_PORT_DESC: Port} if isinstance(self.multipart_type, (int, UBInt16)): self.multipart_type = self.multipart_type.enum_ref(self. multipart_type.value) pyof_class = simple_body.get(self.multipart_type, None) if pyof_class: return pyof_class() array_of_class = array_of_bodies.get(self.multipart_type, None) if array_of_class: return FixedTypeList(pyof_class=array_of_class) return BinaryData(b'')
get_body_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n exp_header = ExperimenterMultipartHeader\n simple_body = {MultipartType.OFPMP_DESC: Desc, MultipartType.\n OFPMP_GROUP_FEATURES: GroupFeatures, MultipartType.\n OFPMP_METER_FEATURES: MeterFeatures, MultipartType.\n OFPMP_EXPERIMENTER: exp_header}\n array_of_bodies = {MultipartType.OFPMP_FLOW: FlowStats, MultipartType.\n OFPMP_AGGREGATE: AggregateStatsReply, MultipartType.OFPMP_TABLE:\n TableStats, MultipartType.OFPMP_PORT_STATS: PortStats,\n MultipartType.OFPMP_QUEUE: QueueStats, MultipartType.OFPMP_GROUP:\n GroupStats, MultipartType.OFPMP_GROUP_DESC: GroupDescStats,\n MultipartType.OFPMP_METER: MeterStats, MultipartType.\n OFPMP_METER_CONFIG: MeterConfig, MultipartType.OFPMP_TABLE_FEATURES:\n TableFeatures, MultipartType.OFPMP_PORT_DESC: Port}\n if isinstance(self.multipart_type, (int, UBInt16)):\n self.multipart_type = self.multipart_type.enum_ref(self.\n multipart_type.value)\n pyof_class = simple_body.get(self.multipart_type, None)\n if pyof_class:\n return pyof_class()\n array_of_class = array_of_bodies.get(self.multipart_type, None)\n if array_of_class:\n return FixedTypeList(pyof_class=array_of_class)\n return BinaryData(b'')\n", "role": "user" }, { "content": "get_body_instance", "role": "assistant" } ]
def x(self, buff, offset=0): unpack_length = UBInt16() unpack_length.unpack(buff, offset) super().unpack(buff[:offset + unpack_length], offset)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff, offset=0):\n unpack_length = UBInt16()\n unpack_length.unpack(buff, offset)\n super().unpack(buff[:offset + unpack_length], offset)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]
def x(self, buff=None, offset=0): length = UBInt16() length.unpack(buff, offset) length.unpack(buff, offset=offset + MeterStats.meter_id.get_size()) super().unpack(buff[:offset + length.value], offset=offset)
unpack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff=None, offset=0):\n length = UBInt16()\n length.unpack(buff, offset)\n length.unpack(buff, offset=offset + MeterStats.meter_id.get_size())\n super().unpack(buff[:offset + length.value], offset=offset)\n", "role": "user" }, { "content": "unpack", "role": "assistant" } ]