source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(signal, sender, definition, existing_model_class, **kwargs): referenced_models = set() if existing_model_class: for field in existing_model_class._meta.local_fields: if isinstance(field, RelatedField): remote_field_model = get_remote_field_model(field) if not isinstance(remote_field_model, string_types): referenced_models.add(remote_field_model) for field in sender._meta.local_fields: if isinstance(field, RelatedField): remote_field_model = get_remote_field_model(field) if not isinstance(remote_field_model, string_types): referenced_models.add(remote_field_model) if issubclass(remote_field_model, MutableModel ) and remote_field_model._definition != sender._definition: remote_field_model._dependencies.add(sender._definition) related_model_defs = ModelDefinition.objects.filter(Q( fielddefinitions__foreignkeydefinition__to=definition) | Q( fielddefinitions__manytomanyfielddefinition__to=definition)).distinct() for model_def in related_model_defs: if model_def != definition: sender._dependencies.add(model_def.model_class()._definition) for model_class in referenced_models: clear_opts_related_cache(model_class)
mutable_model_prepared
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(signal, sender, definition, existing_model_class, **kwargs):\n referenced_models = set()\n if existing_model_class:\n for field in existing_model_...
def x(definition_cls, definition_pk): try: return definition_cls.objects.get(pk=definition_pk).model_class() except definition_cls.DoesNotExist: pass
model_class_from_pk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(definition_cls, definition_pk):\n try:\n return definition_cls.objects.get(pk=definition_pk).model_class()\n except definition_cls.DoesNotExist:\n...
def x(self): if self.lookup == '?': return else: lookups = self.lookup.split(LOOKUP_SEP) opts = self.model_def.model_class()._meta valid = True while len(lookups): lookup = lookups.pop(0) try: field = opts.get_field(lookup) except FieldDoesNotExist: valid = False else: if isinstance(field, models.ForeignKey): opts = get_remote_field_model(field)._meta elif len(lookups): valid = False finally: if not valid: msg = _("This field doesn't exist") raise ValidationError({'lookup': [msg]})
clean
[ { "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.lookup == '?':\n return\n else:\n lookups = self.lookup.split(LOOKUP_SEP)\n opts = self.model_def.model_class()._me...
def x(): parser = argparse.ArgumentParser(description='Bagfile reader') parser.add_argument('-b', '--bag', help='Bag file to read', required= True, type=str) parser.add_argument('-s', '--series', help='Msg data fields to graph', required=True, nargs='*') parser.add_argument('-y ', '--ylim', help='Set min and max y lim', required=False, nargs=2) parser.add_argument('-c', '--combined', help='Graph them all on one', required=False, action='store_true', dest='sharey') return parser
buildParser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(description='Bagfile reader')\n parser.add_argument('-b', '--bag', help='Bag file to read', required=\n True...
def x(topics, fields): keys = {} for field in fields: for topic in topics: if field.startswith(topic): keys[field] = topic, field[len(topic) + 1:] return keys
parse_series_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(topics, fields):\n keys = {}\n for field in fields:\n for topic in topics:\n if field.startswith(topic):\n keys[field] =...
def x(bag_name, include=None, exclude=None, parse_header=False, seconds=False): yaml_info = get_bag_info(bag_name) bag_topics = get_topics(yaml_info) bag_topics = prune_topics(bag_topics, include, exclude) length = get_length(bag_topics, yaml_info) msgs_to_read, msg_type = get_msg_info(yaml_info, bag_topics, parse_header) bag = rosbag.Bag(bag_name) dmap = create_data_map(msgs_to_read) datastore = {} for topic in dmap.keys(): for f, key in dmap[topic].iteritems(): t = msg_type[topic][f] if isinstance(t, int) or isinstance(t, float): arr = np.empty(length) arr.fill(np.NAN) elif isinstance(t, list): arr = np.empty(length) arr.fill(np.NAN) for i in range(len(t)): key_i = '{0}{1}'.format(key, i) datastore[key_i] = arr.copy() continue else: arr = np.empty(length, dtype=np.object) datastore[key] = arr index = np.empty(length) index.fill(np.NAN) for idx, (topic, msg, mt) in enumerate(bag.read_messages(topics=bag_topics) ): try: if seconds: index[idx] = msg.header.stamp.to_sec() else: index[idx] = msg.header.stamp.to_nsec() except: if seconds: index[idx] = mt.to_sec() else: index[idx] = mt.to_nsec() fields = dmap[topic] for f, key in fields.iteritems(): try: d = get_message_data(msg, f) if isinstance(d, tuple): for i, val in enumerate(d): key_i = '{0}{1}'.format(key, i) datastore[key_i][idx] = val else: datastore[key][idx] = d except: pass bag.close() if not seconds: index = pd.to_datetime(index, unit='ns') return pd.DataFrame(data=datastore, index=index)
bag_to_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bag_name, include=None, exclude=None, parse_header=False, seconds=False):\n yaml_info = get_bag_info(bag_name)\n bag_topics = get_topics(yaml_info)\n ...
def x(topics, yaml_info): total = 0 info = yaml_info['topics'] for topic in topics: for t in info: if t['topic'] == topic: total = total + t['messages'] break return total
get_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(topics, yaml_info):\n total = 0\n info = yaml_info['topics']\n for topic in topics:\n for t in info:\n if t['topic'] == topic:\n ...
def x(msgs_to_read): dmap = {} for topic in msgs_to_read.keys(): base_name = get_key_name(topic) + '__' fields = {} for f in msgs_to_read[topic]: key = (base_name + f).replace('.', '_') fields[f] = key dmap[topic] = fields return dmap
create_data_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msgs_to_read):\n dmap = {}\n for topic in msgs_to_read.keys():\n base_name = get_key_name(topic) + '__'\n fields = {}\n for f in msg...
def x(bag_topics, include, exclude): topics_to_use = set() if include is None: for t in bag_topics: topics_to_use.add(t) elif isinstance(include, basestring): check = re.compile(include) for t in bag_topics: if re.match(check, t) is not None: topics_to_use.add(t) else: try: for topic in include: if topic in bag_topics: topics_to_use.add(topic) except: warnings.warn('Error in topic selection Using All!') topics_to_use = set() for t in bag_topics: topics_to_use.add(t) to_remove = set() if exclude is None: pass elif isinstance(exclude, basestring): check = re.compile(exclude) for t in list(topics_to_use): if re.match(check, t) is not None: to_remove.add(t) else: for remove in exclude: if remove in exclude: to_remove.add(remove) topics_to_use = topics_to_use - to_remove return list(topics_to_use)
prune_topics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bag_topics, include, exclude):\n topics_to_use = set()\n if include is None:\n for t in bag_topics:\n topics_to_use.add(t)\n elif is...
def x(yaml_info, topics, parse_header=True): topic_info = yaml_info['topics'] msgs = {} classes = {} for topic in topics: base_key = get_key_name(topic) msg_paths = [] msg_types = {} for info in topic_info: if info['topic'] == topic: msg_class = get_message_class(info['type']) if msg_class is None: warnings.warn('Could not find types for ' + topic + ' skpping ') else: msg_paths, msg_types = get_base_fields(msg_class(), '', parse_header) msgs[topic] = msg_paths classes[topic] = msg_types return msgs, classes
get_msg_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yaml_info, topics, parse_header=True):\n topic_info = yaml_info['topics']\n msgs = {}\n classes = {}\n for topic in topics:\n base_key = get...
def x(bag_file): bag_info = yaml.load(subprocess.Popen(['rosbag', 'info', '--yaml', bag_file], stdout=subprocess.PIPE).communicate()[0]) return bag_info
get_bag_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bag_file):\n bag_info = yaml.load(subprocess.Popen(['rosbag', 'info', '--yaml',\n bag_file], stdout=subprocess.PIPE).communicate()[0])\n return ba...
def x(yaml_info): names = [] topics = yaml_info['topics'] for topic in topics: names.append(topic['topic']) return names
get_topics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yaml_info):\n names = []\n topics = yaml_info['topics']\n for topic in topics:\n names.append(topic['topic'])\n return names\n", "role":...
def x(msg, prefix='', parse_header=True): slots = msg.__slots__ ret_val = [] msg_types = dict() for i in slots: slot_msg = getattr(msg, i) if not parse_header and i == 'header': continue if hasattr(slot_msg, '__slots__'): subs, type_map = get_base_fields(slot_msg, prefix=prefix + i + '.', parse_header=parse_header) for i in subs: ret_val.append(i) for k, v in type_map.items(): msg_types[k] = v else: ret_val.append(prefix + i) msg_types[prefix + i] = slot_msg return ret_val, msg_types
get_base_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, prefix='', parse_header=True):\n slots = msg.__slots__\n ret_val = []\n msg_types = dict()\n for i in slots:\n slot_msg = getattr(msg, ...
def x(msg, key): data = msg paths = key.split('.') for i in paths: data = getattr(data, i) return data
get_message_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, key):\n data = msg\n paths = key.split('.')\n for i in paths:\n data = getattr(data, i)\n return data\n", "role": "user" }, { ...
def x(): parser = argparse.ArgumentParser(description= 'Script to parse bagfile to csv file') parser.add_argument('bag', help='Bag file to read', type=str) parser.add_argument('-i', '--include', help= 'list or regex for topics to include', nargs='*') parser.add_argument('-e', '--exclude', help= 'list or regex for topics to exclude', nargs='*') parser.add_argument('-o', '--output', help='name of the output file', nargs='*') parser.add_argument('-f', '--fill', help= 'Fill the bag forward and backwards so no missing values when present', action='store_true') parser.add_argument('--include-header', help= 'Include the header fields. By default they are excluded', action= 'store_true') return parser
buildParser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(description=\n 'Script to parse bagfile to csv file')\n parser.add_argument('bag', help='Bag file to read', ...
def x(self): if isinstance(self.payload, string_types): return self.payload return json.dumps(self.payload, cls=StandardJSONEncoder)
jsonify_payload
[ { "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.payload, string_types):\n return self.payload\n return json.dumps(self.payload, cls=StandardJSONEncoder)\n", "role...
def x(self): payload = self.payload sending_metadata = {'success': False} post_attributes = {'timeout': self.timeout} if self.custom_headers: post_attributes['headers'] = self.custom_headers if not post_attributes.get('headers', None): post_attributes['headers'] = {} post_attributes['headers']['Content-Type'] = self.encoding post_attributes['data'] = self.format_payload() if self.signing_secret: post_attributes['headers']['x-hub-signature'] = self.create_signature( post_attributes['data'], self.signing_secret) for i, wait in enumerate(range(len(self.attempts) - 1)): self.attempt = i + 1 sending_metadata['attempt'] = self.attempt try: print(self.url) self.response = requests.post(self.url, **post_attributes) if sys.version > '3': self.response_content = self.response.content.decode('utf-8') else: self.response_content = self.response.content sending_metadata['status_code'] = self.response.status_code if (self.response.status_code >= 200 and self.response. status_code < 300): self.notify('Attempt {}: Successfully sent webhook {}'. format(self.attempt, self.hash_value)) sending_metadata['response'] = self.response_content sending_metadata['success'] = True break else: self.error = 'Status code (%d). Message: %s' % (self. response.status_code, self.response.text) except Exception as ex: err_formatted = str(ex).replace('"', "'") sending_metadata['response'] = ( '{"status_code": 500, "status":"failure","error":"' + err_formatted + '"}') self.error = err_formatted self.notify('Attempt {}: Could not send webhook {}'.format(self. attempt, self.hash_value)) self.notify_debug('Webhook {}. Body: {}'.format(self.hash_value, self.payload)) if self.attempt == len(self.attempts) - 1: self.notify_error('Failed to send webhook {}. Body: {}'.format( self.hash_value, self.payload)) else: sleep(wait) sending_metadata['error'] = None if sending_metadata['success' ] or not self.error else self.error sending_metadata['post_attributes'] = post_attributes merged_dict = sending_metadata.copy() if isinstance(payload, string_types): payload = {'payload': payload} if self.hash_value is not None and len(self.hash_value) > 0: payload['hash'] = self.hash_value merged_dict.update(payload) return merged_dict
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n payload = self.payload\n sending_metadata = {'success': False}\n post_attributes = {'timeout': self.timeout}\n if self.custom_headers:\n ...
def x(self, signatureKey): try: parts = ByteUtil.split(self.serialized, len(self.serialized) - self .__class__.SIGNATURE_LENGTH, self.__class__.SIGNATURE_LENGTH) if not Curve.verifySignature(signatureKey, parts[0], parts[1]): raise InvalidMessageException('Invalid signature!') except InvalidKeyException as e: raise InvalidMessageException(e)
verifySignature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signatureKey):\n try:\n parts = ByteUtil.split(self.serialized, len(self.serialized) - self\n .__class__.SIGNATURE_LENGTH, self.__cl...
def x(self, signatureKey, serialized): try: return Curve.calculateSignature(signatureKey, serialized) except InvalidKeyException as e: raise AssertionError(e)
getSignature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signatureKey, serialized):\n try:\n return Curve.calculateSignature(signatureKey, serialized)\n except InvalidKeyException as e:\n ra...
def x(self, sessionRecord, message): messageVersion = message.getMessageVersion() theirIdentityKey = message.getIdentityKey() unsignedPreKeyId = None if not self.identityKeyStore.isTrustedIdentity(self.recipientId, theirIdentityKey): raise UntrustedIdentityException(self.recipientId, theirIdentityKey) if messageVersion == 2: unsignedPreKeyId = self.processV2(sessionRecord, message) elif messageVersion == 3: unsignedPreKeyId = self.processV3(sessionRecord, message) else: raise AssertionError('Unkown version %s' % messageVersion) self.identityKeyStore.saveIdentity(self.recipientId, theirIdentityKey) return unsignedPreKeyId
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sessionRecord, message):\n messageVersion = message.getMessageVersion()\n theirIdentityKey = message.getIdentityKey()\n unsignedPreKeyId = None\...
def x(self, sessionRecord, message): if message.getPreKeyId() is None: raise InvalidKeyIdException('V2 message requires one time prekey id!') if not self.preKeyStore.containsPreKey(message.getPreKeyId() ) and self.sessionStore.containsSession(self.recipientId, self.deviceId ): logging.warn( "We've already processed the prekey part of this V2 session, letting bundled message fall through..." ) return None ourPreKey = self.preKeyStore.loadPreKey(message.getPreKeyId()).getKeyPair() parameters = BobAxolotlParameters.newBuilder() parameters.setOurIdentityKey(self.identityKeyStore.getIdentityKeyPair() ).setOurSignedPreKey(ourPreKey).setOurRatchetKey(ourPreKey ).setOurOneTimePreKey(None).setTheirIdentityKey(message. getIdentityKey()).setTheirBaseKey(message.getBaseKey()) if not sessionRecord.isFresh(): sessionRecord.archiveCurrentState() RatchetingSession.initializeSessionAsBob(sessionRecord.getSessionState( ), message.getMessageVersion(), parameters.create()) sessionRecord.getSessionState().setLocalRegistrationId(self. identityKeyStore.getLocalRegistrationId()) sessionRecord.getSessionState().setRemoteRegistrationId(message. getRegistrationId()) sessionRecord.getSessionState().setAliceBaseKey(message.getBaseKey(). serialize()) if message.getPreKeyId() != Medium.MAX_VALUE: return message.getPreKeyId() else: return None
processV2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sessionRecord, message):\n if message.getPreKeyId() is None:\n raise InvalidKeyIdException('V2 message requires one time prekey id!')\n if n...
def x(self, sessionRecord, message): if sessionRecord.hasSessionState(message.getMessageVersion(), message. getBaseKey().serialize()): logger.warn( "We've already setup a session for this V3 message, letting bundled message fall through..." ) return None ourSignedPreKey = self.signedPreKeyStore.loadSignedPreKey(message. getSignedPreKeyId()).getKeyPair() parameters = BobAxolotlParameters.newBuilder() parameters.setTheirBaseKey(message.getBaseKey()).setTheirIdentityKey( message.getIdentityKey()).setOurIdentityKey(self.identityKeyStore. getIdentityKeyPair()).setOurSignedPreKey(ourSignedPreKey ).setOurRatchetKey(ourSignedPreKey) if message.getPreKeyId() is not None: parameters.setOurOneTimePreKey(self.preKeyStore.loadPreKey(message. getPreKeyId()).getKeyPair()) else: parameters.setOurOneTimePreKey(None) if not sessionRecord.isFresh(): sessionRecord.archiveCurrentState() RatchetingSession.initializeSessionAsBob(sessionRecord.getSessionState( ), message.getMessageVersion(), parameters.create()) sessionRecord.getSessionState().setLocalRegistrationId(self. identityKeyStore.getLocalRegistrationId()) sessionRecord.getSessionState().setRemoteRegistrationId(message. getRegistrationId()) sessionRecord.getSessionState().setAliceBaseKey(message.getBaseKey(). serialize()) if message.getPreKeyId() is not None and message.getPreKeyId( ) != Medium.MAX_VALUE: return message.getPreKeyId() else: return None
processV3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sessionRecord, message):\n if sessionRecord.hasSessionState(message.getMessageVersion(), message.\n getBaseKey().serialize()):\n logger....
def x(self, preKey): if not self.identityKeyStore.isTrustedIdentity(self.recipientId, preKey .getIdentityKey()): raise UntrustedIdentityException(self.recipientId, preKey. getIdentityKey()) if preKey.getSignedPreKey() is not None and not Curve.verifySignature( preKey.getIdentityKey().getPublicKey(), preKey.getSignedPreKey(). serialize(), preKey.getSignedPreKeySignature()): raise InvalidKeyException('Invalid signature on device key!') if preKey.getSignedPreKey() is None and preKey.getPreKey() is None: raise InvalidKeyException( 'Both signed and unsigned prekeys are absent!') supportsV3 = preKey.getSignedPreKey() is not None sessionRecord = self.sessionStore.loadSession(self.recipientId, self. deviceId) ourBaseKey = Curve.generateKeyPair() theirSignedPreKey = preKey.getSignedPreKey( ) if supportsV3 else preKey.getPreKey() theirOneTimePreKey = preKey.getPreKey() theirOneTimePreKeyId = preKey.getPreKeyId( ) if theirOneTimePreKey is not None else None parameters = AliceAxolotlParameters.newBuilder() parameters.setOurBaseKey(ourBaseKey).setOurIdentityKey(self. identityKeyStore.getIdentityKeyPair()).setTheirIdentityKey(preKey. getIdentityKey()).setTheirSignedPreKey(theirSignedPreKey ).setTheirRatchetKey(theirSignedPreKey).setTheirOneTimePreKey( theirOneTimePreKey if supportsV3 else None) if not sessionRecord.isFresh(): sessionRecord.archiveCurrentState() RatchetingSession.initializeSessionAsAlice(sessionRecord. getSessionState(), 3 if supportsV3 else 2, parameters.create()) sessionRecord.getSessionState().setUnacknowledgedPreKeyMessage( theirOneTimePreKeyId, preKey.getSignedPreKeyId(), ourBaseKey. getPublicKey()) sessionRecord.getSessionState().setLocalRegistrationId(self. identityKeyStore.getLocalRegistrationId()) sessionRecord.getSessionState().setRemoteRegistrationId(preKey. getRegistrationId()) sessionRecord.getSessionState().setAliceBaseKey(ourBaseKey.getPublicKey ().serialize()) self.sessionStore.storeSession(self.recipientId, self.deviceId, sessionRecord) self.identityKeyStore.saveIdentity(self.recipientId, preKey. getIdentityKey())
processPreKeyBundle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, preKey):\n if not self.identityKeyStore.isTrustedIdentity(self.recipientId, preKey\n .getIdentityKey()):\n raise UntrustedIdentityExcept...
def x(self, senderKeyName, senderKeyDistributionMessage): senderKeyRecord = self.senderKeyStore.loadSenderKey(senderKeyName) senderKeyRecord.addSenderKeyState(senderKeyDistributionMessage.getId(), senderKeyDistributionMessage.getIteration(), senderKeyDistributionMessage.getChainKey(), senderKeyDistributionMessage.getSignatureKey()) self.senderKeyStore.storeSenderKey(senderKeyName, senderKeyRecord)
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, senderKeyName, senderKeyDistributionMessage):\n senderKeyRecord = self.senderKeyStore.loadSenderKey(senderKeyName)\n senderKeyRecord.addSenderKeySt...
def x(self, senderKeyName): try: senderKeyRecord = self.senderKeyStore.loadSenderKey(senderKeyName) if senderKeyRecord.isEmpty(): senderKeyRecord.setSenderKeyState(KeyHelper.generateSenderKeyId (), 0, KeyHelper.generateSenderKey(), KeyHelper. generateSenderSigningKey()) self.senderKeyStore.storeSenderKey(senderKeyName, senderKeyRecord) state = senderKeyRecord.getSenderKeyState() return SenderKeyDistributionMessage(state.getKeyId(), state. getSenderChainKey().getIteration(), state.getSenderChainKey(). getSeed(), state.getSigningKeyPublic()) except (InvalidKeyException, InvalidKeyIdException) as e: raise AssertionError(e)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, senderKeyName):\n try:\n senderKeyRecord = self.senderKeyStore.loadSenderKey(senderKeyName)\n if senderKeyRecord.isEmpty():\n ...
def x(sessionState, sessionVersion, parameters): if RatchetingSession.isAlice(parameters.getOurBaseKey().getPublicKey(), parameters.getTheirBaseKey()): aliceParameters = AliceAxolotlParameters.newBuilder() aliceParameters.setOurBaseKey(parameters.getOurBaseKey() ).setOurIdentityKey(parameters.getOurIdentityKey() ).setTheirRatchetKey(parameters.getTheirRatchetKey() ).setTheirIdentityKey(parameters.getTheirIdentityKey() ).setTheirSignedPreKey(parameters.getTheirBaseKey() ).setTheirOneTimePreKey(None) RatchetingSession.initializeSessionAsAlice(sessionState, sessionVersion, aliceParameters.create()) else: bobParameters = BobAxolotlParameters.newBuilder() bobParameters.setOurIdentityKey(parameters.getOurIdentityKey() ).setOurRatchetKey(parameters.getOurRatchetKey() ).setOurSignedPreKey(parameters.getOurBaseKey() ).setOurOneTimePreKey(None).setTheirBaseKey(parameters. getTheirBaseKey()).setTheirIdentityKey(parameters. getTheirIdentityKey()) RatchetingSession.initializeSessionAsBob(sessionState, sessionVersion, bobParameters.create())
initializeSession
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sessionState, sessionVersion, parameters):\n if RatchetingSession.isAlice(parameters.getOurBaseKey().getPublicKey(),\n parameters.getTheirBaseKey()):...
def x(sessionState, sessionVersion, parameters): sessionState.setSessionVersion(sessionVersion) sessionState.setRemoteIdentityKey(parameters.getTheirIdentityKey()) sessionState.setLocalIdentityKey(parameters.getOurIdentityKey(). getPublicKey()) sendingRatchetKey = Curve.generateKeyPair() secrets = bytearray() if sessionVersion >= 3: secrets.extend(RatchetingSession.getDiscontinuityBytes()) secrets.extend(Curve.calculateAgreement(parameters.getTheirSignedPreKey (), parameters.getOurIdentityKey().getPrivateKey())) secrets.extend(Curve.calculateAgreement(parameters.getTheirIdentityKey( ).getPublicKey(), parameters.getOurBaseKey().getPrivateKey())) secrets.extend(Curve.calculateAgreement(parameters.getTheirSignedPreKey (), parameters.getOurBaseKey().getPrivateKey())) if sessionVersion >= 3 and parameters.getTheirOneTimePreKey() is not None: secrets.extend(Curve.calculateAgreement(parameters. getTheirOneTimePreKey(), parameters.getOurBaseKey(). getPrivateKey())) derivedKeys = RatchetingSession.calculateDerivedKeys(sessionVersion, secrets) sendingChain = derivedKeys.getRootKey().createChain(parameters. getTheirRatchetKey(), sendingRatchetKey) sessionState.addReceiverChain(parameters.getTheirRatchetKey(), derivedKeys.getChainKey()) sessionState.setSenderChain(sendingRatchetKey, sendingChain[1]) sessionState.setRootKey(sendingChain[0])
initializeSessionAsAlice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sessionState, sessionVersion, parameters):\n sessionState.setSessionVersion(sessionVersion)\n sessionState.setRemoteIdentityKey(parameters.getTheirIdenti...
def x(sessionState, sessionVersion, parameters): sessionState.setSessionVersion(sessionVersion) sessionState.setRemoteIdentityKey(parameters.getTheirIdentityKey()) sessionState.setLocalIdentityKey(parameters.getOurIdentityKey(). getPublicKey()) secrets = bytearray() if sessionVersion >= 3: secrets.extend(RatchetingSession.getDiscontinuityBytes()) secrets.extend(Curve.calculateAgreement(parameters.getTheirIdentityKey( ).getPublicKey(), parameters.getOurSignedPreKey().getPrivateKey())) secrets.extend(Curve.calculateAgreement(parameters.getTheirBaseKey(), parameters.getOurIdentityKey().getPrivateKey())) secrets.extend(Curve.calculateAgreement(parameters.getTheirBaseKey(), parameters.getOurSignedPreKey().getPrivateKey())) if sessionVersion >= 3 and parameters.getOurOneTimePreKey() is not None: secrets.extend(Curve.calculateAgreement(parameters.getTheirBaseKey( ), parameters.getOurOneTimePreKey().getPrivateKey())) derivedKeys = RatchetingSession.calculateDerivedKeys(sessionVersion, secrets) sessionState.setSenderChain(parameters.getOurRatchetKey(), derivedKeys. getChainKey()) sessionState.setRootKey(derivedKeys.getRootKey())
initializeSessionAsBob
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sessionState, sessionVersion, parameters):\n sessionState.setSessionVersion(sessionVersion)\n sessionState.setRemoteIdentityKey(parameters.getTheirIdenti...
def x(self, id, iteration, chainKey, signatureKey): self.senderKeyStates.append(SenderKeyState(id, iteration, chainKey, signatureKey))
addSenderKeyState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, iteration, chainKey, signatureKey):\n self.senderKeyStates.append(SenderKeyState(id, iteration, chainKey,\n signatureKey))\n", "role": ...
def x(self, id, iteration, chainKey, signatureKey): del self.senderKeyStates[:] self.senderKeyStates.append(SenderKeyState(id, iteration, chainKey, signatureKeyPair=signatureKey))
setSenderKeyState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, iteration, chainKey, signatureKey):\n del self.senderKeyStates[:]\n self.senderKeyStates.append(SenderKeyState(id, iteration, chainKey,\n ...
def x(self, paddedMessage): if sys.version_info >= (3, 0) and not type(paddedMessage) in (bytes, bytearray) or type(paddedMessage) is unicode: paddedMessage = bytearray(paddedMessage.encode()) else: paddedMessage = bytearray(paddedMessage) sessionRecord = self.sessionStore.loadSession(self.recipientId, self. deviceId) sessionState = sessionRecord.getSessionState() chainKey = sessionState.getSenderChainKey() messageKeys = chainKey.getMessageKeys() senderEphemeral = sessionState.getSenderRatchetKey() previousCounter = sessionState.getPreviousCounter() sessionVersion = sessionState.getSessionVersion() ciphertextBody = self.getCiphertext(sessionVersion, messageKeys, paddedMessage) ciphertextMessage = WhisperMessage(sessionVersion, messageKeys. getMacKey(), senderEphemeral, chainKey.getIndex(), previousCounter, ciphertextBody, sessionState.getLocalIdentityKey(), sessionState. getRemoteIdentityKey()) if sessionState.hasUnacknowledgedPreKeyMessage(): items = sessionState.getUnacknowledgedPreKeyMessageItems() localRegistrationid = sessionState.getLocalRegistrationId() ciphertextMessage = PreKeyWhisperMessage(sessionVersion, localRegistrationid, items.getPreKeyId(), items. getSignedPreKeyId(), items.getBaseKey(), sessionState. getLocalIdentityKey(), ciphertextMessage) sessionState.setSenderChainKey(chainKey.getNextChainKey()) self.sessionStore.storeSession(self.recipientId, self.deviceId, sessionRecord) return ciphertextMessage
encrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, paddedMessage):\n if sys.version_info >= (3, 0) and not type(paddedMessage) in (bytes,\n bytearray) or type(paddedMessage) is unicode:\n ...
def x(self, ciphertext, textMsg=True): if not self.sessionStore.containsSession(self.recipientId, self.deviceId): raise NoSessionException('No session for: %s, %s' % (self. recipientId, self.deviceId)) sessionRecord = self.sessionStore.loadSession(self.recipientId, self. deviceId) plaintext = self.decryptWithSessionRecord(sessionRecord, ciphertext) self.sessionStore.storeSession(self.recipientId, self.deviceId, sessionRecord) return plaintext
decryptMsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ciphertext, textMsg=True):\n if not self.sessionStore.containsSession(self.recipientId, self.deviceId):\n raise NoSessionException('No session ...
def x(self, ciphertext, textMsg=True): sessionRecord = self.sessionStore.loadSession(self.recipientId, self. deviceId) unsignedPreKeyId = self.sessionBuilder.process(sessionRecord, ciphertext) plaintext = self.decryptWithSessionRecord(sessionRecord, ciphertext. getWhisperMessage()) self.sessionStore.storeSession(self.recipientId, self.deviceId, sessionRecord) if unsignedPreKeyId is not None: self.preKeyStore.removePreKey(unsignedPreKeyId) return plaintext
decryptPkmsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ciphertext, textMsg=True):\n sessionRecord = self.sessionStore.loadSession(self.recipientId, self.\n deviceId)\n unsignedPreKeyId = self.ses...
def x(self, sessionRecord, cipherText): previousStates = sessionRecord.getPreviousSessionStates() exceptions = [] try: sessionState = SessionState(sessionRecord.getSessionState()) plaintext = self.decryptWithSessionState(sessionState, cipherText) sessionRecord.setState(sessionState) return plaintext except InvalidMessageException as e: exceptions.append(e) for i in range(0, len(previousStates)): previousState = previousStates[i] try: promotedState = SessionState(previousState) plaintext = self.decryptWithSessionState(promotedState, cipherText) previousStates.pop(i) sessionRecord.promoteState(promotedState) return plaintext except InvalidMessageException as e: exceptions.append(e) raise InvalidMessageException('No valid sessions', exceptions)
decryptWithSessionRecord
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sessionRecord, cipherText):\n previousStates = sessionRecord.getPreviousSessionStates()\n exceptions = []\n try:\n sessionState = Session...
def x(self, version, messageKeys, plainText): cipher = None if version >= 3: cipher = self.getCipher(messageKeys.getCipherKey(), messageKeys.getIv() ) else: cipher = self.getCipher_v2(messageKeys.getCipherKey(), messageKeys. getCounter()) return cipher.encrypt(bytes(plainText))
getCiphertext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version, messageKeys, plainText):\n cipher = None\n if version >= 3:\n cipher = self.getCipher(messageKeys.getCipherKey(), messageKeys.getIv...
def x(publicKey, privateKey): if publicKey.getType() != privateKey.getType(): raise InvalidKeyException( 'Public and private keys must be of the same type!') if publicKey.getType() == Curve.DJB_TYPE: return _curve.calculateAgreement(privateKey.getPrivateKey(), publicKey.getPublicKey()) else: raise InvalidKeyException('Unknown type: %s' % publicKey.getType())
calculateAgreement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(publicKey, privateKey):\n if publicKey.getType() != privateKey.getType():\n raise InvalidKeyException(\n 'Public and private keys must be ...
def x(ecPublicSigningKey, message, signature): if ecPublicSigningKey.getType() == Curve.DJB_TYPE: result = _curve.verifySignature(ecPublicSigningKey.getPublicKey(), message, signature) return result == 0 else: raise InvalidKeyException('Unknown type: %s' % ecPublicSigningKey. getType())
verifySignature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ecPublicSigningKey, message, signature):\n if ecPublicSigningKey.getType() == Curve.DJB_TYPE:\n result = _curve.verifySignature(ecPublicSigningKey.ge...
def x(privateSigningKey, message): if privateSigningKey.getType() == Curve.DJB_TYPE: rand = os.urandom(64) res = _curve.calculateSignature(rand, privateSigningKey. getPrivateKey(), message) return res else: raise InvalidKeyException('Unknown type: %s' % privateSigningKey. getType())
calculateSignature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(privateSigningKey, message):\n if privateSigningKey.getType() == Curve.DJB_TYPE:\n rand = os.urandom(64)\n res = _curve.calculateSignature(ran...
def x(self, paddedPlaintext): if sys.version_info >= (3, 0) and not type(paddedPlaintext) in (bytes, bytearray) or type(paddedPlaintext) is unicode: paddedPlaintext = bytearray(paddedPlaintext.encode()) else: paddedPlaintext = bytearray(paddedPlaintext) try: record = self.senderKeyStore.loadSenderKey(self.senderKeyName) senderKeyState = record.getSenderKeyState() senderKey = senderKeyState.getSenderChainKey().getSenderMessageKey() ciphertext = self.getCipherText(senderKey.getIv(), senderKey. getCipherKey(), paddedPlaintext) senderKeyMessage = SenderKeyMessage(senderKeyState.getKeyId(), senderKey.getIteration(), ciphertext, senderKeyState. getSigningKeyPrivate()) senderKeyState.setSenderChainKey(senderKeyState.getSenderChainKey() .getNext()) self.senderKeyStore.storeSenderKey(self.senderKeyName, record) return senderKeyMessage.serialize() except InvalidKeyIdException as e: raise NoSessionException(e)
encrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, paddedPlaintext):\n if sys.version_info >= (3, 0) and not type(paddedPlaintext) in (bytes,\n bytearray) or type(paddedPlaintext) is unicode:\n ...
def x(self, senderKeyMessageBytes): try: record = self.senderKeyStore.loadSenderKey(self.senderKeyName) if record.isEmpty(): raise NoSessionException('No sender key for: %s' % self. senderKeyName) senderKeyMessage = SenderKeyMessage(serialized=bytes( senderKeyMessageBytes)) senderKeyState = record.getSenderKeyState(senderKeyMessage.getKeyId()) senderKeyMessage.verifySignature(senderKeyState.getSigningKeyPublic()) senderKey = self.getSenderKey(senderKeyState, senderKeyMessage. getIteration()) plaintext = self.getPlainText(senderKey.getIv(), senderKey. getCipherKey(), senderKeyMessage.getCipherText()) self.senderKeyStore.storeSenderKey(self.senderKeyName, record) return plaintext except (InvalidKeyException, InvalidKeyIdException) as e: raise InvalidMessageException(e)
decrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, senderKeyMessageBytes):\n try:\n record = self.senderKeyStore.loadSenderKey(self.senderKeyName)\n if record.isEmpty():\n rais...
def x(self, iv, key, ciphertext): try: cipher = AESCipher(key, iv) plaintext = cipher.decrypt(ciphertext) if sys.version_info >= (3, 0): return plaintext.decode() return plaintext except Exception as e: raise InvalidMessageException(e)
getPlainText
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iv, key, ciphertext):\n try:\n cipher = AESCipher(key, iv)\n plaintext = cipher.decrypt(ciphertext)\n if sys.version_info >= (3, ...
def x(self, iv, key, plaintext): cipher = AESCipher(key, iv) return cipher.encrypt(bytes(plaintext))
getCipherText
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iv, key, plaintext):\n cipher = AESCipher(key, iv)\n return cipher.encrypt(bytes(plaintext))\n", "role": "user" }, { "content": "getCip...
def x(self, sequence, ourBaseKey, ourRatchetKey, ourIdentityKey): structure = self.sessionStructure.PendingKeyExchange() structure.sequence = sequence structure.localBaseKey = ourBaseKey.getPublicKey().serialize() structure.localBaseKeyPrivate = ourBaseKey.getPrivateKey().serialize() structure.localRatchetKey = ourRatchetKey.getPublicKey().serialize() structure.localRatchetKeyPrivate = ourRatchetKey.getPrivateKey().serialize( ) structure.localIdentityKey = ourIdentityKey.getPublicKey().serialize() structure.localIdentityKeyPrivate = ourIdentityKey.getPrivateKey( ).serialize() self.sessionStructure.pendingKeyExchange.MergeFrom(structure)
setPendingKeyExchange
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sequence, ourBaseKey, ourRatchetKey, ourIdentityKey):\n structure = self.sessionStructure.PendingKeyExchange()\n structure.sequence = sequence\n ...
def x(self, preKeyId, signedPreKeyId, baseKey): self.sessionStructure.pendingPreKey.signedPreKeyId = signedPreKeyId self.sessionStructure.pendingPreKey.baseKey = baseKey.serialize() if preKeyId is not None: self.sessionStructure.pendingPreKey.preKeyId = preKeyId
setUnacknowledgedPreKeyMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, preKeyId, signedPreKeyId, baseKey):\n self.sessionStructure.pendingPreKey.signedPreKeyId = signedPreKeyId\n self.sessionStructure.pendingPreKey.bas...
def x(): keyPair = Curve.generateKeyPair() publicKey = IdentityKey(keyPair.getPublicKey()) serialized = ( '0a21056e8936e8367f768a7bba008ade7cf58407bdc7a6aae293e2cb7c06668dcd7d5e12205011524f0c15467100dd603e0d6020f4d293edfbcd82129b14a88791ac81365c' ) serialized = binascii.unhexlify(serialized.encode()) identityKeyPair = IdentityKeyPair(publicKey, keyPair.getPrivateKey()) return identityKeyPair
generateIdentityKeyPair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n keyPair = Curve.generateKeyPair()\n publicKey = IdentityKey(keyPair.getPublicKey())\n serialized = (\n '0a21056e8936e8367f768a7bba008ade7c...
def x(start, count): results = [] start -= 1 for i in range(0, count): preKeyId = (start + i) % (Medium.MAX_VALUE - 1) + 1 results.append(PreKeyRecord(preKeyId, Curve.generateKeyPair())) return results
generatePreKeys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, count):\n results = []\n start -= 1\n for i in range(0, count):\n preKeyId = (start + i) % (Medium.MAX_VALUE - 1) + 1\n results.a...
def x(cls, blank=False): choices = sorted([(key, value) for key, value in cls.values.items()], key=lambda x: x[0]) if blank: choices.insert(0, ('', Enum.Value('', None, '', cls))) return choices
choices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, blank=False):\n choices = sorted([(key, value) for key, value in cls.values.items()],\n key=lambda x: x[0])\n if blank:\n choices.inse...
def x(cls, name_or_numeric): if isinstance(name_or_numeric, six.string_types): name_or_numeric = getattr(cls, name_or_numeric.upper()) return cls.values.get(name_or_numeric)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name_or_numeric):\n if isinstance(name_or_numeric, six.string_types):\n name_or_numeric = getattr(cls, name_or_numeric.upper())\n return cls....
def x(cls): items = [(value.name, key) for key, value in cls.values.items()] return sorted(items, key=lambda x: x[1])
items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n items = [(value.name, key) for key, value in cls.values.items()]\n return sorted(items, key=lambda x: x[1])\n", "role": "user" }, { "...
def x(cls, from_value, to_value): try: return from_value == to_value or from_value in cls.transition_origins( to_value) except KeyError: return False
is_valid_transition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, from_value, to_value):\n try:\n return from_value == to_value or from_value in cls.transition_origins(\n to_value)\n except KeyErr...
def x(self, sender, **kwargs): att_name = self.get_attname() private_att_name = '_enum_%s' % att_name enum = self.enum def x(self, new_value): if hasattr(self, private_att_name): old_value = getattr(self, private_att_name) else: old_value = new_value setattr(self, private_att_name, new_value) self.__dict__[att_name] = new_value validators.validate_valid_transition(enum, old_value, new_value) def x(self): return getattr(self, private_att_name) def x(self): self.__dict__[att_name] = None return setattr(self, private_att_name, None) if not sender._meta.abstract: setattr(sender, att_name, property(get_enum, set_enum, delete_enum))
setup_validation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sender, **kwargs):\n att_name = self.get_attname()\n private_att_name = '_enum_%s' % att_name\n enum = self.enum\n\n def x(self, new_value):\...
def x(enum, from_value, to_value): validate_available_choice(enum, to_value) if hasattr(enum, '_transitions') and not enum.is_valid_transition( from_value, to_value): message = _(six.text_type( '{enum} can not go from "{from_value}" to "{to_value}"')) raise InvalidStatusOperationError(message.format(enum=enum.__name__, from_value=enum.name(from_value), to_value=enum.name(to_value) or to_value))
validate_valid_transition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(enum, from_value, to_value):\n validate_available_choice(enum, to_value)\n if hasattr(enum, '_transitions') and not enum.is_valid_transition(\n fr...
def x(enum, to_value): if to_value is None: return if type(to_value) is not int: try: to_value = int(to_value) except ValueError: message_str = "'{value}' cannot be converted to int" message = _(six.text_type(message_str)) raise InvalidStatusOperationError(message.format(value=to_value)) if to_value not in list(dict(enum.choices()).keys()): message = _(six.text_type( 'Select a valid choice. {value} is not one of the available choices.' )) raise InvalidStatusOperationError(message.format(value=to_value))
validate_available_choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(enum, to_value):\n if to_value is None:\n return\n if type(to_value) is not int:\n try:\n to_value = int(to_value)\n exce...
def x(self, cp_file): diff = [] self._create_sot_file() diff_out = self.device.show('show diff rollback-patch file {0} file {1}' .format('sot_file', self.replace_file.split('/')[-1]), raw_text=True) try: diff_out = diff_out.split('#Generating Rollback Patch')[1].replace( 'Rollback Patch is Empty', '').strip() for line in diff_out.splitlines(): if line: if line[0].strip() != '!': diff.append(line.rstrip(' ')) except (AttributeError, KeyError): raise ReplaceConfigException( "Could not calculate diff. It's possible the given file doesn't exist." ) return '\n'.join(diff)
get_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cp_file):\n diff = []\n self._create_sot_file()\n diff_out = self.device.show('show diff rollback-patch file {0} file {1}'\n .format('sot...
def x(self, filename): self.device.show('checkpoint file {}'.format(filename), raw_text=True)
save_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n self.device.show('checkpoint file {}'.format(filename), raw_text=True)\n", "role": "user" }, { "content": "save_config", ...
def x(self): try: self.device.open() except ConnectTimeoutError as cte: raise ConnectionException(cte.message) self.device.timeout = self.timeout self.device._conn._session.transport.set_keepalive(self.keepalive) if hasattr(self.device, 'cu'): del self.device.cu self.device.bind(cu=Config) if self.config_lock: self._lock()
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.device.open()\n except ConnectTimeoutError as cte:\n raise ConnectionException(cte.message)\n self.device.timeout =...
def x(self): if not self.locked: self.device.cu.lock() self.locked = True
lock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.locked:\n self.device.cu.lock()\n self.locked = True\n", "role": "user" }, { "content": "lock", "role": "...
def x(self): if self.locked: self.device.cu.unlock() self.locked = False
unlock
[ { "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.locked:\n self.device.cu.unlock()\n self.locked = False\n", "role": "user" }, { "content": "unlock", "role": ...
def x(self): diff = self.device.cu.diff() if diff is None: return '' else: return diff.strip()
compare_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n diff = self.device.cu.diff()\n if diff is None:\n return ''\n else:\n return diff.strip()\n", "role": "user" }, { "...
def x(self): self.device.cu.commit(ignore_warning=self.ignore_warning) if not self.config_lock: self._unlock()
commit_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.device.cu.commit(ignore_warning=self.ignore_warning)\n if not self.config_lock:\n self._unlock()\n", "role": "user" }, { ...
def x(self): self.device.cu.rollback(rb_id=0) if not self.config_lock: self._unlock()
discard_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.device.cu.rollback(rb_id=0)\n if not self.config_lock:\n self._unlock()\n", "role": "user" }, { "content": "discard_conf...
def x(self): output = self.device.facts uptime = self.device.uptime or -1 interfaces = junos_views.junos_iface_table(self.device) interfaces.get() interface_list = interfaces.keys() return {'vendor': u'Juniper', 'model': py23_compat.text_type(output[ 'model']), 'serial_number': py23_compat.text_type(output[ 'serialnumber']), 'os_version': py23_compat.text_type(output[ 'version']), 'hostname': py23_compat.text_type(output['hostname']), 'fqdn': py23_compat.text_type(output['fqdn']), 'uptime': uptime, 'interface_list': interface_list}
get_facts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n output = self.device.facts\n uptime = self.device.uptime or -1\n interfaces = junos_views.junos_iface_table(self.device)\n interfaces.get(...
def x(self): result = {} interfaces = junos_views.junos_iface_table(self.device) interfaces.get() for iface in interfaces.keys(): result[iface] = {'is_up': interfaces[iface]['is_up'], 'is_enabled': interfaces[iface]['is_enabled'], 'description': interfaces[ iface]['description'] or u'', 'last_flapped': float(interfaces[ iface]['last_flapped'] or -1), 'mac_address': napalm_base. helpers.convert(napalm_base.helpers.mac, interfaces[iface][ 'mac_address'], py23_compat.text_type(interfaces[iface][ 'mac_address'])), 'speed': -1} match = re.search('(\\d+)(\\w*)', interfaces[iface]['speed'] or u'') if match is None: continue speed_value = napalm_base.helpers.convert(int, match.group(1), -1) if speed_value == -1: continue speed_unit = match.group(2) if speed_unit.lower() == 'gbps': speed_value *= 1000 result[iface]['speed'] = speed_value return result
get_interfaces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = {}\n interfaces = junos_views.junos_iface_table(self.device)\n interfaces.get()\n for iface in interfaces.keys():\n result...
def x(table): address_family_mapping = {'inet': 'ipv4', 'inet6': 'ipv6', 'inetflow': 'flow'} family = table.split('.')[-2] try: address_family = address_family_mapping[family] except KeyError: address_family = family return address_family
get_address_family
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table):\n address_family_mapping = {'inet': 'ipv4', 'inet6': 'ipv6', 'inetflow':\n 'flow'}\n family = table.split('.')[-2]\n try:\n addr...
def x(self): bgp_neighbor_data = {} default_neighbor_details = {'local_as': 0, 'remote_as': 0, 'remote_id': '', 'is_up': False, 'is_enabled': False, 'description': '', 'uptime': 0, 'address_family': {}} keys = default_neighbor_details.keys() uptime_table = junos_views.junos_bgp_uptime_table(self.device) bgp_neighbors_table = junos_views.junos_bgp_table(self.device) uptime_table_lookup = {} def x(instance): if instance not in uptime_table_lookup: uptime_table_lookup[instance] = uptime_table.get(instance=instance ).items() return uptime_table_lookup[instance] def x(neighbor_data, instance=None, uptime_table_items=None): for bgp_neighbor in neighbor_data: peer_ip = napalm_base.helpers.ip(bgp_neighbor[0].split('+')[0]) neighbor_details = deepcopy(default_neighbor_details) neighbor_details.update({elem[0]: elem[1] for elem in bgp_neighbor[1] if elem[1] is not None}) if not instance: peer_fwd_rti = neighbor_details.pop('peer_fwd_rti') instance = peer_fwd_rti else: peer_fwd_rti = neighbor_details.pop('peer_fwd_rti', '') instance_name = 'global' if instance == 'master' else instance if instance_name not in bgp_neighbor_data: bgp_neighbor_data[instance_name] = {} if 'router_id' not in bgp_neighbor_data[instance_name]: bgp_neighbor_data[instance_name]['router_id' ] = py23_compat.text_type(neighbor_details.get( 'local_id', '')) peer = {key: self._parse_value(value) for key, value in neighbor_details.items() if key in keys} peer['local_as'] = napalm_base.helpers.as_number(peer['local_as']) peer['remote_as'] = napalm_base.helpers.as_number(peer['remote_as'] ) peer['address_family'] = self._parse_route_stats(neighbor_details) if 'peers' not in bgp_neighbor_data[instance_name]: bgp_neighbor_data[instance_name]['peers'] = {} bgp_neighbor_data[instance_name]['peers'][peer_ip] = peer if not uptime_table_items: uptime_table_items = _get_uptime_table(instance) for neighbor, uptime in uptime_table_items: if neighbor not in bgp_neighbor_data[instance_name]['peers']: bgp_neighbor_data[instance_name]['peers'][neighbor] = {} bgp_neighbor_data[instance_name]['peers'][neighbor]['uptime' ] = uptime[0][1] instances = junos_views.junos_route_instance_table(self.device).get() for instance, instance_data in instances.items(): if instance.startswith('__'): continue bgp_neighbor_data[instance] = {'peers': {}} instance_neighbors = bgp_neighbors_table.get(instance=instance).items() uptime_table_items = uptime_table.get(instance=instance).items() _get_bgp_neighbors_core(instance_neighbors, instance=instance, uptime_table_items=uptime_table_items) bgp_tmp_dict = {} for k, v in bgp_neighbor_data.items(): if bgp_neighbor_data[k]['peers']: bgp_tmp_dict[k] = v return bgp_tmp_dict
get_bgp_neighbors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n bgp_neighbor_data = {}\n default_neighbor_details = {'local_as': 0, 'remote_as': 0, 'remote_id':\n '', 'is_up': False, 'is_enabled': Fals...
def x(self): lldp = junos_views.junos_lldp_table(self.device) try: lldp.get() except RpcError as rpcerr: log.error('Unable to retrieve the LLDP neighbors information:') log.error(rpcerr.message) return {} result = lldp.items() neighbors = {} for neigh in result: if neigh[0] not in neighbors.keys(): neighbors[neigh[0]] = [] neighbors[neigh[0]].append({x[0]: py23_compat.text_type(x[1]) for x in neigh[1]}) return neighbors
get_lldp_neighbors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lldp = junos_views.junos_lldp_table(self.device)\n try:\n lldp.get()\n except RpcError as rpcerr:\n log.error('Unable to retrie...
def x(self, interface=''): lldp_neighbors = {} lldp_table = junos_views.junos_lldp_neighbors_detail_table(self.device) try: lldp_table.get() except RpcError as rpcerr: log.error('Unable to retrieve the LLDP neighbors information:') log.error(rpcerr.message) return {} interfaces = lldp_table.get().keys() lldp_table.GET_RPC = 'get-lldp-interface-neighbors' if self.device.facts.get('personality') not in ('MX', 'M', 'T'): lldp_table.GET_RPC = 'get-lldp-interface-neighbors-information' for interface in interfaces: if self.device.facts.get('personality') not in ('MX', 'M', 'T'): lldp_table.get(interface_name=interface) else: lldp_table.get(interface_device=interface) for item in lldp_table: if interface not in lldp_neighbors.keys(): lldp_neighbors[interface] = [] lldp_neighbors[interface].append({'parent_interface': item. parent_interface, 'remote_port': item.remote_port, 'remote_chassis_id': napalm_base.helpers.convert( napalm_base.helpers.mac, item.remote_chassis_id, item. remote_chassis_id), 'remote_port_description': napalm_base. helpers.convert(py23_compat.text_type, item. remote_port_description), 'remote_system_name': item. remote_system_name, 'remote_system_description': item. remote_system_description, 'remote_system_capab': item. remote_system_capab, 'remote_system_enable_capab': item. remote_system_enable_capab}) return lldp_neighbors
get_lldp_neighbors_detail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, interface=''):\n lldp_neighbors = {}\n lldp_table = junos_views.junos_lldp_neighbors_detail_table(self.device)\n try:\n lldp_table.get()\...
def x(self): arp_table = [] arp_table_raw = junos_views.junos_arp_table(self.device) arp_table_raw.get() arp_table_items = arp_table_raw.items() for arp_table_entry in arp_table_items: arp_entry = {elem[0]: elem[1] for elem in arp_table_entry[1]} arp_entry['mac'] = napalm_base.helpers.mac(arp_entry.get('mac')) arp_entry['ip'] = napalm_base.helpers.ip(arp_entry.get('ip')) arp_table.append(arp_entry) return arp_table
get_arp_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n arp_table = []\n arp_table_raw = junos_views.junos_arp_table(self.device)\n arp_table_raw.get()\n arp_table_items = arp_table_raw.items()\...
def x(self): ntp_table = junos_views.junos_ntp_peers_config_table(self.device) ntp_table.get() ntp_peers = ntp_table.items() if not ntp_peers: return {} return {napalm_base.helpers.ip(peer[0]): {} for peer in ntp_peers}
get_ntp_peers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ntp_table = junos_views.junos_ntp_peers_config_table(self.device)\n ntp_table.get()\n ntp_peers = ntp_table.items()\n if not ntp_peers:\n ...
def x(self): ntp_table = junos_views.junos_ntp_servers_config_table(self.device) ntp_table.get() ntp_servers = ntp_table.items() if not ntp_servers: return {} return {napalm_base.helpers.ip(server[0]): {} for server in ntp_servers}
get_ntp_servers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ntp_table = junos_views.junos_ntp_servers_config_table(self.device)\n ntp_table.get()\n ntp_servers = ntp_table.items()\n if not ntp_serve...
def x(self): ntp_stats = [] REGEX = ( '^\\s?(\\+|\\*|x|-)?([a-zA-Z0-9\\.+-:]+)\\s+([a-zA-Z0-9\\.]+)\\s+([0-9]{1,2})\\s+(-|u)\\s+([0-9h-]+)\\s+([0-9]+)\\s+([0-9]+)\\s+([0-9\\.]+)\\s+([0-9\\.-]+)\\s+([0-9\\.]+)\\s?$' ) ntp_assoc_output = self.device.cli('show ntp associations no-resolve') ntp_assoc_output_lines = ntp_assoc_output.splitlines() for ntp_assoc_output_line in ntp_assoc_output_lines[3:]: line_search = re.search(REGEX, ntp_assoc_output_line, re.I) if not line_search: continue line_groups = line_search.groups() try: ntp_stats.append({'remote': napalm_base.helpers.ip(line_groups[ 1]), 'synchronized': line_groups[0] == '*', 'referenceid': py23_compat.text_type(line_groups[2]), 'stratum': int( line_groups[3]), 'type': py23_compat.text_type(line_groups[ 4]), 'when': py23_compat.text_type(line_groups[5]), 'hostpoll': int(line_groups[6]), 'reachability': int( line_groups[7]), 'delay': float(line_groups[8]), 'offset': float(line_groups[9]), 'jitter': float(line_groups[10])}) except Exception: continue return ntp_stats
get_ntp_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ntp_stats = []\n REGEX = (\n '^\\\\s?(\\\\+|\\\\*|x|-)?([a-zA-Z0-9\\\\.+-:]+)\\\\s+([a-zA-Z0-9\\\\.]+)\\\\s+([0-9]{1,2})\\\\s+(-|u)\\\\s+...
def x(self): mac_address_table = [] if self.device.facts.get('personality', '') in ['SWITCH']: if self.device.facts.get('switch_style', '') in ['VLAN_L2NG']: mac_table = junos_views.junos_mac_address_table_switch_l2ng(self .device) else: mac_table = junos_views.junos_mac_address_table_switch(self.device) else: mac_table = junos_views.junos_mac_address_table(self.device) mac_table.get() mac_table_items = mac_table.items() default_values = {'mac': u'', 'interface': u'', 'vlan': 0, 'static': False, 'active': True, 'moves': 0, 'last_move': 0.0} for mac_table_entry in mac_table_items: mac_entry = default_values.copy() mac_entry.update({elem[0]: elem[1] for elem in mac_table_entry[1]}) mac = mac_entry.get('mac') if mac == '*': continue mac_entry['mac'] = napalm_base.helpers.mac(mac) mac_address_table.append(mac_entry) return mac_address_table
get_mac_address_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mac_address_table = []\n if self.device.facts.get('personality', '') in ['SWITCH']:\n if self.device.facts.get('switch_style', '') in ['V...
def x(self): probes = {} probes_table = junos_views.junos_rpm_probes_config_table(self.device) probes_table.get() probes_table_items = probes_table.items() for probe_test in probes_table_items: test_name = py23_compat.text_type(probe_test[0]) test_details = {p[0]: p[1] for p in probe_test[1]} probe_name = napalm_base.helpers.convert(py23_compat.text_type, test_details.pop('probe_name')) target = napalm_base.helpers.convert(py23_compat.text_type, test_details.pop('target', '')) test_interval = napalm_base.helpers.convert(int, test_details.pop( 'test_interval', '0')) probe_count = napalm_base.helpers.convert(int, test_details.pop( 'probe_count', '0')) probe_type = napalm_base.helpers.convert(py23_compat.text_type, test_details.pop('probe_type', '')) source = napalm_base.helpers.convert(py23_compat.text_type, test_details.pop('source_address', '')) if probe_name not in probes.keys(): probes[probe_name] = {} probes[probe_name][test_name] = {'probe_type': probe_type, 'target': target, 'source': source, 'probe_count': probe_count, 'test_interval': test_interval} return probes
get_probes_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n probes = {}\n probes_table = junos_views.junos_rpm_probes_config_table(self.device)\n probes_table.get()\n probes_table_items = probes_tab...
def x(self): probes_results = {} probes_results_table = junos_views.junos_rpm_probes_results_table(self. device) probes_results_table.get() probes_results_items = probes_results_table.items() for probe_result in probes_results_items: probe_name = py23_compat.text_type(probe_result[0]) test_results = {p[0]: p[1] for p in probe_result[1]} test_results['last_test_loss'] = napalm_base.helpers.convert(int, test_results.pop('last_test_loss'), 0) for test_param_name, test_param_value in test_results.items(): if isinstance(test_param_value, float): test_results[test_param_name] = test_param_value * 0.001 test_name = test_results.pop('test_name', '') source = test_results.get('source', u'') if source is None: test_results['source'] = u'' if probe_name not in probes_results.keys(): probes_results[probe_name] = {} probes_results[probe_name][test_name] = test_results return probes_results
get_probes_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n probes_results = {}\n probes_results_table = junos_views.junos_rpm_probes_results_table(self.\n device)\n probes_results_table.get()\n...
def x(self, destination, source=C.TRACEROUTE_SOURCE, ttl=C.TRACEROUTE_TTL, timeout=C.TRACEROUTE_TIMEOUT, vrf=C.TRACEROUTE_VRF): traceroute_result = {} source_str = '' maxttl_str = '' wait_str = '' vrf_str = '' if source: source_str = ' source {source}'.format(source=source) if ttl: maxttl_str = ' ttl {ttl}'.format(ttl=ttl) if timeout: wait_str = ' wait {timeout}'.format(timeout=timeout) if vrf: vrf_str = ' routing-instance {vrf}'.format(vrf=vrf) traceroute_command = ('traceroute {destination}{source}{maxttl}{wait}{vrf}' .format(destination=destination, source=source_str, maxttl= maxttl_str, wait=wait_str, vrf=vrf_str)) traceroute_rpc = E('command', traceroute_command) rpc_reply = self.device._conn.rpc(traceroute_rpc)._NCElement__doc traceroute_results = rpc_reply.find('.//traceroute-results') traceroute_failure = napalm_base.helpers.find_txt(traceroute_results, 'traceroute-failure', '') error_message = napalm_base.helpers.find_txt(traceroute_results, 'rpc-error/error-message', '') if traceroute_failure and error_message: return {'error': '{}: {}'.format(traceroute_failure, error_message)} traceroute_result['success'] = {} for hop in traceroute_results.findall('hop'): ttl_value = napalm_base.helpers.convert(int, napalm_base.helpers. find_txt(hop, 'ttl-value'), 1) if ttl_value not in traceroute_result['success']: traceroute_result['success'][ttl_value] = {'probes': {}} for probe in hop.findall('probe-result'): probe_index = napalm_base.helpers.convert(int, napalm_base. helpers.find_txt(probe, 'probe-index'), 0) ip_address = napalm_base.helpers.convert(napalm_base.helpers.ip, napalm_base.helpers.find_txt(probe, 'ip-address'), '*') host_name = py23_compat.text_type(napalm_base.helpers.find_txt( probe, 'host-name', '*')) rtt = napalm_base.helpers.convert(float, napalm_base.helpers. find_txt(probe, 'rtt'), 0) * 0.001 traceroute_result['success'][ttl_value]['probes'][probe_index] = { 'ip_address': ip_address, 'host_name': host_name, 'rtt': rtt} return traceroute_result
traceroute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, destination, source=C.TRACEROUTE_SOURCE, ttl=C.TRACEROUTE_TTL,\n timeout=C.TRACEROUTE_TIMEOUT, vrf=C.TRACEROUTE_VRF):\n traceroute_result = {}\n ...
def x(interface): interface = interface.strip() re_protocol = ( '^(?P<intf_name>\\S+?)\\s+is\\s+(?P<status>.+?),\\s+line\\s+protocol\\s+is\\s+(?P<protocol>\\S+).*$' ) re_intf_name_state = '^(?P<intf_name>\\S+) is (?P<intf_state>\\S+).*' re_is_enabled_1 = '^admin state is (?P<is_enabled>\\S+)$' re_is_enabled_2 = '^admin state is (?P<is_enabled>\\S+), ' re_is_enabled_3 = '^.* is down.*Administratively down.*$' re_mac = '^\\s+Hardware.*address:\\s+(?P<mac_address>\\S+) ' re_speed = '^\\s+MTU .*, BW (?P<speed>\\S+) (?P<speed_unit>\\S+), ' re_description = '^\\s+Description:\\s+(?P<description>.*)$' match = re.search(re_protocol, interface, flags=re.M) if match: intf_name = match.group('intf_name') status = match.group('status') protocol = match.group('protocol') if 'admin' in status.lower(): is_enabled = False else: is_enabled = True is_up = bool('up' in protocol) else: match = re.search(re_intf_name_state, interface) intf_name = match.group('intf_name') intf_state = match.group('intf_state').strip() is_up = True if intf_state == 'up' else False admin_state_present = re.search('admin state is', interface) if admin_state_present: for x_pattern in [re_is_enabled_1, re_is_enabled_2]: match = re.search(x_pattern, interface, flags=re.M) if match: is_enabled = match.group('is_enabled').strip() is_enabled = True if is_enabled == 'up' else False break else: msg = ( "Error parsing intf, 'admin state' never detected:\n\n{}" .format(interface)) raise ValueError(msg) else: is_enabled = True if not is_up: match = re.search(re_is_enabled_3, interface, flags=re.M) if match: is_enabled = False match = re.search(re_mac, interface, flags=re.M) if match: mac_address = match.group('mac_address') mac_address = napalm_base.helpers.mac(mac_address) else: mac_address = '' match = re.search(re_speed, interface, flags=re.M) speed = int(match.group('speed')) speed_unit = match.group('speed_unit') if speed_unit != 'Kbit': msg = 'Unexpected speed unit in show interfaces parsing:\n\n{}'.format( interface) raise ValueError(msg) speed = int(round(speed / 1000.0)) description = '' match = re.search(re_description, interface, flags=re.M) if match: description = match.group('description') return {intf_name: {'description': description, 'is_enabled': is_enabled, 'is_up': is_up, 'last_flapped': -1.0, 'mac_address': mac_address, 'speed': speed}}
parse_intf_section
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(interface):\n interface = interface.strip()\n re_protocol = (\n '^(?P<intf_name>\\\\S+?)\\\\s+is\\\\s+(?P<status>.+?),\\\\s+line\\\\s+protocol\\\\...
def x(self): diff = [] self._create_sot_file() command = 'show diff rollback-patch file {0} file {1}'.format('sot_file', self.replace_file.split('/')[-1]) diff_out = self.device.send_command(command) try: diff_out = diff_out.split('#Generating Rollback Patch')[1].replace( 'Rollback Patch is Empty', '').strip() for line in diff_out.splitlines(): if line: if line[0].strip() != '!' and line[0].strip() != '.': diff.append(line.rstrip(' ')) except (AttributeError, KeyError): raise ReplaceConfigException( "Could not calculate diff. It's possible the given file doesn't exist." ) return '\n'.join(diff)
get_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n diff = []\n self._create_sot_file()\n command = 'show diff rollback-patch file {0} file {1}'.format('sot_file',\n self.replace_file.sp...
def x(self, filename): command = 'checkpoint file {}'.format(filename) self.device.send_command(command)
save_to_checkpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n command = 'checkpoint file {}'.format(filename)\n self.device.send_command(command)\n", "role": "user" }, { "content": "sa...
def x(self): vendor = u'Cisco' uptime = -1 serial_number, fqdn, os_version, hostname, domain_name = ('',) * 5 show_ver = self.device.send_command('show version') show_hosts = self.device.send_command('show hosts') show_int_status = self.device.send_command('show interface status') show_hostname = self.device.send_command('show hostname') for line in show_ver.splitlines(): if ' uptime is ' in line: _, uptime_str = line.split(' uptime is ') uptime = self.parse_uptime(uptime_str) if 'Processor Board ID' in line: _, serial_number = line.split('Processor Board ID ') serial_number = serial_number.strip() if 'system: ' in line: line = line.strip() os_version = line.split()[2] os_version = os_version.strip() if 'cisco' in line and 'Chassis' in line: _, model = line.split()[:2] model = model.strip() hostname = show_hostname.strip() for line in show_hosts.splitlines(): if 'Default domain' in line: _, domain_name = re.split('.*Default domain.*is ', line) domain_name = domain_name.strip() break if hostname.count('.') >= 2: fqdn = hostname elif domain_name: fqdn = '{}.{}'.format(hostname, domain_name) interface_list = [] show_int_status = show_int_status.strip() for line in show_int_status.splitlines(): if line.startswith(' ') or line.startswith('-') or line.startswith( 'Port '): continue interface = line.split()[0] interface_list.append(interface) return {'uptime': int(uptime), 'vendor': vendor, 'os_version': py23_compat.text_type(os_version), 'serial_number': py23_compat. text_type(serial_number), 'model': py23_compat.text_type(model), 'hostname': py23_compat.text_type(hostname), 'fqdn': fqdn, 'interface_list': interface_list}
get_facts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n vendor = u'Cisco'\n uptime = -1\n serial_number, fqdn, os_version, hostname, domain_name = ('',) * 5\n show_ver = self.device.send_command...
def x(self): arp_table = [] command = 'show ip arp vrf default | exc INCOMPLETE' output = self.device.send_command(command) separator = '^Address\\s+Age.*Interface.*$' arp_list = re.split(separator, output, flags=re.M) if len(arp_list) != 2: raise ValueError('Error processing arp table output:\n\n{}'.format( output)) arp_entries = arp_list[1].strip() for line in arp_entries.splitlines(): if len(line.split()) == 4: address, age, mac, interface = line.split() else: raise ValueError('Unexpected output from: {}'.format(line.split())) if age == '-': age = -1.0 elif ':' not in age: try: age = float(age) except ValueError: age = -1.0 else: age = convert_hhmmss(age) age = float(age) age = round(age, 1) if not re.search(RE_IPADDR, address): raise ValueError('Invalid IP Address detected: {}'.format(address)) if not re.search(RE_MAC, mac): raise ValueError('Invalid MAC Address detected: {}'.format(mac)) entry = {'interface': interface, 'mac': napalm_base.helpers.mac(mac ), 'ip': address, 'age': age} arp_table.append(entry) return arp_table
get_arp_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n arp_table = []\n command = 'show ip arp vrf default | exc INCOMPLETE'\n output = self.device.send_command(command)\n separator = '^Address...
def x(self): RE_MACTABLE_FORMAT1 = ( '^\\s+{}\\s+{}\\s+\\S+\\s+\\S+\\s+\\S+\\s+\\S+\\s+\\S+'.format( VLAN_REGEX, MAC_REGEX)) RE_MACTABLE_FORMAT2 = ( '^\\s+{}\\s+{}\\s+\\S+\\s+\\S+\\s+\\S+\\s+\\S+\\s+\\S+'.format('-', MAC_REGEX)) mac_address_table = [] command = 'show mac address-table' output = self.device.send_command(command) def x(s, prefix): return s[len(prefix):] if s.startswith(prefix) else s def x(vlan, mac, mac_type, interface): if mac_type.lower() in ['self', 'static', 'system']: static = True if vlan.lower() == 'all': vlan = 0 elif vlan == '-': vlan = 0 if interface.lower() == 'cpu' or re.search('router', interface. lower()) or re.search('switch', interface.lower()): interface = '' else: static = False if mac_type.lower() in ['dynamic']: active = True else: active = False return {'mac': napalm_base.helpers.mac(mac), 'interface': interface, 'vlan': int(vlan), 'static': static, 'active': active, 'moves': -1, 'last_move': -1.0} output = re.split('^----.*', output, flags=re.M)[1:] output = '\n'.join(output).strip() output = re.sub('^[\\*G]', '', output, flags=re.M) for line in output.splitlines(): if re.search('^Legend', line): continue elif re.search('^\\s+\\* \\- primary entry', line): continue elif re.search('^\\s+age \\-', line): continue elif re.search('^\\s+VLAN', line): continue elif re.search('^------', line): continue elif re.search('^\\s*$', line): continue for pattern in [RE_MACTABLE_FORMAT1, RE_MACTABLE_FORMAT2]: if re.search(pattern, line): if len(line.split()) == 7: vlan, mac, mac_type, _, _, _, interface = line.split() mac_address_table.append(process_mac_fields(vlan, mac, mac_type, interface)) break else: raise ValueError('Unexpected output from: {}'.format(repr(line))) return mac_address_table
get_mac_address_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n RE_MACTABLE_FORMAT1 = (\n '^\\\\s+{}\\\\s+{}\\\\s+\\\\S+\\\\s+\\\\S+\\\\s+\\\\S+\\\\s+\\\\S+\\\\s+\\\\S+'.format(\n VLAN_REGEX, MAC_R...
def x(self, request, format=None): tokens = Token.objects.filter(user=request.user) for token in tokens: token.delete() content = {'success': _('User logged out.')} return Response(content, status=status.HTTP_200_OK)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, format=None):\n tokens = Token.objects.filter(user=request.user)\n for token in tokens:\n token.delete()\n content = {'success':...
def x(self, response={}): for key in response.keys(): setattr(self, key, response[key])
set_attrs_to_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response={}):\n for key in response.keys():\n setattr(self, key, response[key])\n", "role": "user" }, { "content": "set_attrs_to_va...
def x(self, app): _paragraph_re = re.compile('(?:\\r\\n|\\r|\\n){3,}') @app.template_filter() @evalcontextfilter def x(eval_ctx, value): result = '\n\n'.join('%s' % p.replace('\n', '<br>\n') for p in _paragraph_re.split(value)) return result
add_custom_nl2br_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n _paragraph_re = re.compile('(?:\\\\r\\\\n|\\\\r|\\\\n){3,}')\n\n @app.template_filter()\n @evalcontextfilter\n def x(eval_ctx, value)...
def x(self, groups=None, set_location=True, **properties): def x(f): if f in self.func_groups: groupset = self.func_groups[f] else: groupset = set() if type(groups) is list: groupset.update(groups) elif type(groups) is str: groupset.add(groups) groupset.add('all') self.func_groups[f] = groupset self.func_props[f] = properties if set_location: caller_frame = inspect.stack()[1] self.func_locations[f] = {'filename': caller_frame[1], 'line': caller_frame[2]} return f return decorator
doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, groups=None, set_location=True, **properties):\n\n def x(f):\n if f in self.func_groups:\n groupset = self.func_groups[f]\n e...
def x(self, groups='all', sort=None): groups_to_generate = list() if type(groups) is list: groups_to_generate = groups elif type(groups) is str: groups_to_generate.append(groups) links = [] for rule in current_app.url_map.iter_rules(): if rule.endpoint == 'static': continue func = current_app.view_functions[rule.endpoint] arguments = rule.arguments if rule.arguments else ['None'] func_groups = self.func_groups[func] func_props = self.func_props[func] if func in self.func_props else {} location = self.func_locations.get(func, None) if func_groups.intersection(groups_to_generate): props = dict(methods=rule.methods, rule='%s' % rule, endpoint= rule.endpoint, docstring=func.__doc__, args=arguments, defaults=rule.defaults, location=location) for p in func_props: if p not in self.immutable_props: props[p] = func_props[p] links.append(props) if sort: return sort(links) else: return sorted(links, key=itemgetter('rule'))
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, groups='all', sort=None):\n groups_to_generate = list()\n if type(groups) is list:\n groups_to_generate = groups\n elif type(groups) is s...
def x(self, groups='all', template=None, **context): context['autodoc'] = context['autodoc' ] if 'autodoc' in context else self.generate(groups=groups) context['defaults'] = context['defaults' ] if 'defaults' in context else self.default_props if template: return render_template(template, **context) else: filename = os.path.join(os.path.dirname(__file__), 'templates', 'autodoc_default.html') with open(filename) as file: content = file.read() with current_app.app_context(): return render_template_string(content, **context)
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, groups='all', template=None, **context):\n context['autodoc'] = context['autodoc'\n ] if 'autodoc' in context else self.generate(groups=groups)...
def x(self, all_files=False, with_cancel=True, with_discard=True): for image in self.images: if image.metadata.changed() and (all_files or image.selected): break else: return True dialog = QtWidgets.QMessageBox() dialog.setWindowTitle(self.tr('Photini: unsaved data')) dialog.setText(self.tr('<h3>Some images have unsaved metadata.</h3>')) dialog.setInformativeText(self.tr('Do you want to save your changes?')) dialog.setIcon(QtWidgets.QMessageBox.Warning) buttons = QtWidgets.QMessageBox.Save if with_cancel: buttons |= QtWidgets.QMessageBox.Cancel if with_discard: buttons |= QtWidgets.QMessageBox.Discard dialog.setStandardButtons(buttons) dialog.setDefaultButton(QtWidgets.QMessageBox.Save) result = dialog.exec_() if result == QtWidgets.QMessageBox.Save: self._save_files() return True return result == QtWidgets.QMessageBox.Discard
unsaved_files_dialog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, all_files=False, with_cancel=True, with_discard=True):\n for image in self.images:\n if image.metadata.changed() and (all_files or image.select...
def x(cls, date_string, time_string, tz_string): if tz_string: tz_offset = int(tz_string[1:3]) * 60 + int(tz_string[3:]) if tz_string[0] == '-': tz_offset = -tz_offset else: tz_offset = None if time_string == '000000': time_string = '' tz_offset = None datetime_string = date_string + time_string[:13] precision = min((len(datetime_string) - 2) // 2, 7) if precision <= 0: return None fmt = ''.join(('%Y', '%m', '%d', '%H', '%M', '%S', '.%f')[:precision]) return cls((datetime.strptime(datetime_string, fmt), precision, tz_offset))
from_ISO_8601
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, date_string, time_string, tz_string):\n if tz_string:\n tz_offset = int(tz_string[1:3]) * 60 + int(tz_string[3:])\n if tz_string[0] == '-...
def x(): authorid = request.form.get('authorid', None) Post(request.form['title'], request.form['content'], users[authorid]) return redirect('/posts')
post_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n authorid = request.form.get('authorid', None)\n Post(request.form['title'], request.form['content'], users[authorid])\n return redirect('/posts')...
def x(self, xpath): return [self.get_node_factory().create(node_id) for node_id in self. _get_xpath_ids(xpath).split(',') if node_id]
xpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xpath):\n return [self.get_node_factory().create(node_id) for node_id in self.\n _get_xpath_ids(xpath).split(',') if node_id]\n", "role": "...
def x(self, css): return [self.get_node_factory().create(node_id) for node_id in self. _get_css_ids(css).split(',') if node_id]
css
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, css):\n return [self.get_node_factory().create(node_id) for node_id in self.\n _get_css_ids(css).split(',') if node_id]\n", "role": "user" ...
def x(self, name): val = self.get_attr(name) return val is not None and val.lower() in ('true', name)
get_bool_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n val = self.get_attr(name)\n return val is not None and val.lower() in ('true', name)\n", "role": "user" }, { "content": "get_b...
def x(self, name, value): self.exec_script('node.setAttribute(%s, %s)' % (repr(name), repr(value)))
set_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n self.exec_script('node.setAttribute(%s, %s)' % (repr(name), repr(value)))\n", "role": "user" }, { "content": "set_attr", ...
def x(self): if self.is_multi_select(): return [opt.value() for opt in self.xpath('.//option') if opt[ 'selected']] else: return self._invoke('value')
value
[ { "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.is_multi_select():\n return [opt.value() for opt in self.xpath('.//option') if opt[\n 'selected']]\n else:\n re...
def x(self, key, value): self.conn.issue_command('Header', _normalize_header(key), value)
set_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n self.conn.issue_command('Header', _normalize_header(key), value)\n", "role": "user" }, { "content": "set_header", "role...
def x(self): headers = self.conn.issue_command('Headers') res = [] for header in headers.split('\r'): key, value = header.split(': ', 1) for line in value.split('\n'): res.append((_normalize_header(key), line)) return res
headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n headers = self.conn.issue_command('Headers')\n res = []\n for header in headers.split('\\r'):\n key, value = header.split(': ', 1)\n ...
def x(self, expr): ret = self.conn.issue_command('Evaluate', expr) return json.loads('[%s]' % ret)[0]
eval_script
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expr):\n ret = self.conn.issue_command('Evaluate', expr)\n return json.loads('[%s]' % ret)[0]\n", "role": "user" }, { "content": "eval_...
def x(self, path, width=1024, height=1024): self.conn.issue_command('Render', path, width, height)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, width=1024, height=1024):\n self.conn.issue_command('Render', path, width, height)\n", "role": "user" }, { "content": "render", ...
def x(self): return [line.strip() for line in self.conn.issue_command('GetCookies'). split('\n') if line.strip()]
cookies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [line.strip() for line in self.conn.issue_command('GetCookies').\n split('\\n') if line.strip()]\n", "role": "user" }, { ...