source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, ec_index, add_colour=True): with self._mutex: if ec_index >= len(self.owned_ecs): ec_index -= len(self.owned_ecs) if ec_index >= len(self.participating_ecs): raise exceptions.BadECIndexError(ec_index) state = self.participating_ec_states[ec_index] else: state = self.owned_ec_states[ec_index] if state == self.INACTIVE: result = 'Inactive', ['bold', 'blue'] elif state == self.ACTIVE: result = 'Active', ['bold', 'green'] elif state == self.ERROR: result = 'Error', ['bold', 'white', 'bgred'] elif state == self.UNKNOWN: result = 'Unknown', ['bold', 'red'] elif state == self.CREATED: result = 'Created', ['reset'] if add_colour: return utils.build_attr_string(result[1], supported=add_colour ) + result[0] + utils.build_attr_string('reset', supported= add_colour) else: return result[0]
get_state_in_ec_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ec_index, add_colour=True):\n with self._mutex:\n if ec_index >= len(self.owned_ecs):\n ec_index -= len(self.owned_ecs)\n if ec_index >= len(self.participating_ecs):\n raise exceptions.BadECIndexError(ec_index)\n state = self.participating_ec_states[ec_index]\n else:\n state = self.owned_ec_states[ec_index]\n if state == self.INACTIVE:\n result = 'Inactive', ['bold', 'blue']\n elif state == self.ACTIVE:\n result = 'Active', ['bold', 'green']\n elif state == self.ERROR:\n result = 'Error', ['bold', 'white', 'bgred']\n elif state == self.UNKNOWN:\n result = 'Unknown', ['bold', 'red']\n elif state == self.CREATED:\n result = 'Created', ['reset']\n if add_colour:\n return utils.build_attr_string(result[1], supported=add_colour\n ) + result[0] + utils.build_attr_string('reset', supported=\n add_colour)\n else:\n return result[0]\n", "role": "user" }, { "content": "get_state_in_ec_string", "role": "assistant" } ]
def x(self, ec_index): with self._mutex: if ec_index >= len(self.owned_ecs): ec_index -= len(self.owned_ecs) if ec_index >= len(self.participating_ecs): raise exceptions.BadECIndexError(ec_index) ec = self.participating_ecs[ec_index] else: ec = self.owned_ecs[ec_index] ec.reset_component(self._obj)
reset_in_ec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ec_index):\n with self._mutex:\n if ec_index >= len(self.owned_ecs):\n ec_index -= len(self.owned_ecs)\n if ec_index >= len(self.participating_ecs):\n raise exceptions.BadECIndexError(ec_index)\n ec = self.participating_ecs[ec_index]\n else:\n ec = self.owned_ecs[ec_index]\n ec.reset_component(self._obj)\n", "role": "user" }, { "content": "reset_in_ec", "role": "assistant" } ]
def x(self, ec_index): with self._mutex: if ec_index >= len(self.owned_ecs): ec_index -= len(self.owned_ecs) if ec_index >= len(self.participating_ecs): raise exceptions.BadECIndexError(ec_index) return self.participating_ec_states[ec_index] else: return self.owned_ec_states[ec_index]
state_in_ec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ec_index):\n with self._mutex:\n if ec_index >= len(self.owned_ecs):\n ec_index -= len(self.owned_ecs)\n if ec_index >= len(self.participating_ecs):\n raise exceptions.BadECIndexError(ec_index)\n return self.participating_ec_states[ec_index]\n else:\n return self.owned_ec_states[ec_index]\n", "role": "user" }, { "content": "state_in_ec", "role": "assistant" } ]
def x(self, ec_index): with self._mutex: if ec_index >= len(self.owned_ecs): ec_index -= len(self.owned_ecs) if ec_index >= len(self.participating_ecs): raise exceptions.BadECIndexError(ec_index) state = self._get_ec_state(self.participating_ecs[ec_index]) self.participating_ec_states[ec_index] = state else: state = self._get_ec_state(self.owned_ecs[ec_index]) self.owned_ec_states[ec_index] = state return state
refresh_state_in_ec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ec_index):\n with self._mutex:\n if ec_index >= len(self.owned_ecs):\n ec_index -= len(self.owned_ecs)\n if ec_index >= len(self.participating_ecs):\n raise exceptions.BadECIndexError(ec_index)\n state = self._get_ec_state(self.participating_ecs[ec_index])\n self.participating_ec_states[ec_index] = state\n else:\n state = self._get_ec_state(self.owned_ecs[ec_index])\n self.owned_ec_states[ec_index] = state\n return state\n", "role": "user" }, { "content": "refresh_state_in_ec", "role": "assistant" } ]
def x(self): with self._mutex: if self.exec_contexts: for ec in self.exec_contexts: if self._obj.is_alive(ec): return True return False
alive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if self.exec_contexts:\n for ec in self.exec_contexts:\n if self._obj.is_alive(ec):\n return True\n return False\n", "role": "user" }, { "content": "alive", "role": "assistant" } ]
def x(self): with self._mutex: if not self._owned_ec_states: if self.owned_ecs: states = [] for ec in self.owned_ecs: states.append(self._get_ec_state(ec)) self._owned_ec_states = states else: self._owned_ec_states = [] return self._owned_ec_states
owned_ec_states
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._owned_ec_states:\n if self.owned_ecs:\n states = []\n for ec in self.owned_ecs:\n states.append(self._get_ec_state(ec))\n self._owned_ec_states = states\n else:\n self._owned_ec_states = []\n return self._owned_ec_states\n", "role": "user" }, { "content": "owned_ec_states", "role": "assistant" } ]
def x(self): with self._mutex: if not self._owned_ecs: self._owned_ecs = [ExecutionContext(ec, self._obj. get_context_handle(ec)) for ec in self._obj. get_owned_contexts()] return self._owned_ecs
owned_ecs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._owned_ecs:\n self._owned_ecs = [ExecutionContext(ec, self._obj.\n get_context_handle(ec)) for ec in self._obj.\n get_owned_contexts()]\n return self._owned_ecs\n", "role": "user" }, { "content": "owned_ecs", "role": "assistant" } ]
def x(self): with self._mutex: if not self._participating_ec_states: if self.participating_ecs: states = [] for ec in self.participating_ecs: states.append(self._get_ec_state(ec)) self._participating_ec_states = states else: self._participating_ec_states = [] return self._participating_ec_states
participating_ec_states
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._participating_ec_states:\n if self.participating_ecs:\n states = []\n for ec in self.participating_ecs:\n states.append(self._get_ec_state(ec))\n self._participating_ec_states = states\n else:\n self._participating_ec_states = []\n return self._participating_ec_states\n", "role": "user" }, { "content": "participating_ec_states", "role": "assistant" } ]
def x(self): with self._mutex: if not self._participating_ecs: self._participating_ecs = [ExecutionContext(ec, self._obj. get_context_handle(ec)) for ec in self._obj. get_participating_contexts()] return self._participating_ecs
participating_ecs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._participating_ecs:\n self._participating_ecs = [ExecutionContext(ec, self._obj.\n get_context_handle(ec)) for ec in self._obj.\n get_participating_contexts()]\n return self._participating_ecs\n", "role": "user" }, { "content": "participating_ecs", "role": "assistant" } ]
def x(self): def x(current, new): if new == self.ERROR: return self.ERROR elif new == self.ACTIVE and current != self.ERROR: return self.ACTIVE elif new == self.INACTIVE and current not in [self.ACTIVE, self.ERROR]: return self.INACTIVE elif new == self.CREATED and current not in [self.ACTIVE, self. ERROR, self.INACTIVE]: return self.CREATED elif current not in [self.ACTIVE, self.ERROR, self.INACTIVE, self. CREATED]: return self.UNKNOWN return current with self._mutex: if not self.owned_ec_states and not self.participating_ec_states: return self.UNKNOWN merged_state = self.CREATED if self.owned_ec_states: for ec_state in self.owned_ec_states: merged_state = merge_state(merged_state, ec_state) if self.participating_ec_states: for ec_state in self.participating_ec_states: merged_state = merge_state(merged_state, ec_state) return merged_state
state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(current, new):\n if new == self.ERROR:\n return self.ERROR\n elif new == self.ACTIVE and current != self.ERROR:\n return self.ACTIVE\n elif new == self.INACTIVE and current not in [self.ACTIVE, self.ERROR]:\n return self.INACTIVE\n elif new == self.CREATED and current not in [self.ACTIVE, self.\n ERROR, self.INACTIVE]:\n return self.CREATED\n elif current not in [self.ACTIVE, self.ERROR, self.INACTIVE, self.\n CREATED]:\n return self.UNKNOWN\n return current\n with self._mutex:\n if not self.owned_ec_states and not self.participating_ec_states:\n return self.UNKNOWN\n merged_state = self.CREATED\n if self.owned_ec_states:\n for ec_state in self.owned_ec_states:\n merged_state = merge_state(merged_state, ec_state)\n if self.participating_ec_states:\n for ec_state in self.participating_ec_states:\n merged_state = merge_state(merged_state, ec_state)\n return merged_state\n", "role": "user" }, { "content": "state", "role": "assistant" } ]
def x(self): with self._mutex: try: return self._obj.get_sdo_service(RTC.ExtendedFsmService. _NP_RepositoryId)._narrow(RTC.ExtendedFsmService) except: raise exceptions.InvalidSdoServiceError('ExtendedFsmService')
get_extended_fsm_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n try:\n return self._obj.get_sdo_service(RTC.ExtendedFsmService.\n _NP_RepositoryId)._narrow(RTC.ExtendedFsmService)\n except:\n raise exceptions.InvalidSdoServiceError('ExtendedFsmService')\n", "role": "user" }, { "content": "get_extended_fsm_service", "role": "assistant" } ]
def x(self, port_name): with self._mutex: for p in self.ports: if p.name == port_name: return p return None
get_port_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port_name):\n with self._mutex:\n for p in self.ports:\n if p.name == port_name:\n return p\n return None\n", "role": "user" }, { "content": "get_port_by_name", "role": "assistant" } ]
def x(self, port_ref): with self._mutex: for p in self.ports: if p.object._is_equivalent(port_ref): return p return None
get_port_by_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port_ref):\n with self._mutex:\n for p in self.ports:\n if p.object._is_equivalent(port_ref):\n return p\n return None\n", "role": "user" }, { "content": "get_port_by_ref", "role": "assistant" } ]
def x(self, port_name): with self._mutex: if self.get_port_by_name(port_name): return True return False
has_port_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port_name):\n with self._mutex:\n if self.get_port_by_name(port_name):\n return True\n return False\n", "role": "user" }, { "content": "has_port_by_name", "role": "assistant" } ]
def x(self, port_ref): with self._mutex: if self.get_port_by_ref(self, port_ref): return True return False
has_port_by_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, port_ref):\n with self._mutex:\n if self.get_port_by_ref(self, port_ref):\n return True\n return False\n", "role": "user" }, { "content": "has_port_by_ref", "role": "assistant" } ]
def x(self): return [p for p in self.ports if p.__class__.__name__ == 'DataInPort' and p.is_connected]
connected_inports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [p for p in self.ports if p.__class__.__name__ == 'DataInPort' and\n p.is_connected]\n", "role": "user" }, { "content": "connected_inports", "role": "assistant" } ]
def x(self): return [p for p in self.ports if p.__class__.__name__ == 'DataOutPort' and p.is_connected]
connected_outports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [p for p in self.ports if p.__class__.__name__ == 'DataOutPort' and\n p.is_connected]\n", "role": "user" }, { "content": "connected_outports", "role": "assistant" } ]
def x(self): return [p for p in self.ports if p.__class__.__name__ == 'CorbaPort' and p.is_connected]
connected_svcports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [p for p in self.ports if p.__class__.__name__ == 'CorbaPort' and\n p.is_connected]\n", "role": "user" }, { "content": "connected_svcports", "role": "assistant" } ]
def x(self): with self._mutex: if not self._ports: self._ports = [ports.parse_port(port, self) for port in self. _obj.get_ports()] return self._ports
ports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._ports:\n self._ports = [ports.parse_port(port, self) for port in self.\n _obj.get_ports()]\n return self._ports\n", "role": "user" }, { "content": "ports", "role": "assistant" } ]
def x(self, cb, level='NORMAL', filters='ALL'): with self._mutex: obs = sdo.RTCLogger(self, cb) uuid_val = uuid.uuid4() intf_type = obs._this()._NP_RepositoryId props = {'logger.log_level': level, 'logger.filter': filters} props = utils.dict_to_nvlist(props) sprof = SDOPackage.ServiceProfile(id=uuid_val.get_bytes(), interface_type=intf_type, service=obs._this(), properties=props) conf = self.object.get_configuration() res = conf.add_service_profile(sprof) if res: self._loggers[uuid_val] = obs return uuid_val raise exceptions.AddLoggerError(self.name)
add_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cb, level='NORMAL', filters='ALL'):\n with self._mutex:\n obs = sdo.RTCLogger(self, cb)\n uuid_val = uuid.uuid4()\n intf_type = obs._this()._NP_RepositoryId\n props = {'logger.log_level': level, 'logger.filter': filters}\n props = utils.dict_to_nvlist(props)\n sprof = SDOPackage.ServiceProfile(id=uuid_val.get_bytes(),\n interface_type=intf_type, service=obs._this(), properties=props)\n conf = self.object.get_configuration()\n res = conf.add_service_profile(sprof)\n if res:\n self._loggers[uuid_val] = obs\n return uuid_val\n raise exceptions.AddLoggerError(self.name)\n", "role": "user" }, { "content": "add_logger", "role": "assistant" } ]
def x(self, cb_id): if cb_id not in self._loggers: raise exceptions.NoLoggerError(cb_id, self.name) conf = self.object.get_configuration() res = conf.remove_service_profile(cb_id.get_bytes()) del self._loggers[cb_id]
remove_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cb_id):\n if cb_id not in self._loggers:\n raise exceptions.NoLoggerError(cb_id, self.name)\n conf = self.object.get_configuration()\n res = conf.remove_service_profile(cb_id.get_bytes())\n del self._loggers[cb_id]\n", "role": "user" }, { "content": "remove_logger", "role": "assistant" } ]
def x(self, set_name): with self._mutex: if not set_name in self.conf_sets: raise exceptions.NoSuchConfSetError(set_name) self._conf.activate_configuration_set(set_name)
activate_conf_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, set_name):\n with self._mutex:\n if not set_name in self.conf_sets:\n raise exceptions.NoSuchConfSetError(set_name)\n self._conf.activate_configuration_set(set_name)\n", "role": "user" }, { "content": "activate_conf_set", "role": "assistant" } ]
def x(self, set_name, param, value): with self._mutex: if not set_name in self.conf_sets: raise exceptions.NoSuchConfSetError(set_name) if not self.conf_sets[set_name].has_param(param): raise exceptions.NoSuchConfParamError(param) self.conf_sets[set_name].set_param(param, value) self._conf.set_configuration_set_values(self.conf_sets[set_name].object )
set_conf_set_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, set_name, param, value):\n with self._mutex:\n if not set_name in self.conf_sets:\n raise exceptions.NoSuchConfSetError(set_name)\n if not self.conf_sets[set_name].has_param(param):\n raise exceptions.NoSuchConfParamError(param)\n self.conf_sets[set_name].set_param(param, value)\n self._conf.set_configuration_set_values(self.conf_sets[set_name].object\n )\n", "role": "user" }, { "content": "set_conf_set_value", "role": "assistant" } ]
def x(self): with self._mutex: if not self.conf_sets: return None if not self._active_conf_set: return None return self.conf_sets[self._active_conf_set]
active_conf_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self.conf_sets:\n return None\n if not self._active_conf_set:\n return None\n return self.conf_sets[self._active_conf_set]\n", "role": "user" }, { "content": "active_conf_set", "role": "assistant" } ]
def x(self): with self._mutex: if not self.conf_sets: return '' if not self._active_conf_set: return '' return self._active_conf_set
active_conf_set_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self.conf_sets:\n return ''\n if not self._active_conf_set:\n return ''\n return self._active_conf_set\n", "role": "user" }, { "content": "active_conf_set_name", "role": "assistant" } ]
def x(self): with self._mutex: if not self._conf_sets: self._parse_configuration() return self._conf_sets
conf_sets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._conf_sets:\n self._parse_configuration()\n return self._conf_sets\n", "role": "user" }, { "content": "conf_sets", "role": "assistant" } ]
def x(self): for table_spec in self._table_specs: with self._conn: table_spec.setup(self._conn)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for table_spec in self._table_specs:\n with self._conn:\n table_spec.setup(self._conn)\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self): for table_spec in reversed(self._table_specs): with self._conn: table_spec.teardown(self._conn)
teardown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for table_spec in reversed(self._table_specs):\n with self._conn:\n table_spec.teardown(self._conn)\n", "role": "user" }, { "content": "teardown", "role": "assistant" } ]
def x(statement, condition, key, value): if isinstance(statement, list): statement.append({condition: {key: value}}) if isinstance(statement, dict): statement[condition] = {key: value}
append_condition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(statement, condition, key, value):\n if isinstance(statement, list):\n statement.append({condition: {key: value}})\n if isinstance(statement, dict):\n statement[condition] = {key: value}\n", "role": "user" }, { "content": "append_condition", "role": "assistant" } ]
def x(self, hosts=default.ELASTICSEARCH_HOSTS, **kwargs): self.client = Elasticsearch(hosts=hosts, **kwargs) logger.info('Initialize normal Elasticsearch Client: %s.' % self.client)
from_normal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hosts=default.ELASTICSEARCH_HOSTS, **kwargs):\n self.client = Elasticsearch(hosts=hosts, **kwargs)\n logger.info('Initialize normal Elasticsearch Client: %s.' % self.client)\n", "role": "user" }, { "content": "from_normal", "role": "assistant" } ]
def x(self, active_nodes, sniff_on_start=True, sniff_on_connection_fail= True, sniffer_timeout=60, **kwargs): self.client = Elasticsearch(active_nodes, sniff_on_start=sniff_on_start, sniff_on_connection_fail=sniff_on_connection_fail, sniffer_timeout= sniffer_timeout, **kwargs) logger.info('Initialize sniffing Elasticsearch Client: %s.' % self.client)
from_sniffing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, active_nodes, sniff_on_start=True, sniff_on_connection_fail=\n True, sniffer_timeout=60, **kwargs):\n self.client = Elasticsearch(active_nodes, sniff_on_start=sniff_on_start,\n sniff_on_connection_fail=sniff_on_connection_fail, sniffer_timeout=\n sniffer_timeout, **kwargs)\n logger.info('Initialize sniffing Elasticsearch Client: %s.' % self.client)\n", "role": "user" }, { "content": "from_sniffing", "role": "assistant" } ]
def x(self, ca_certs, client_cert, client_key, hosts=default. ELASTICSEARCH_HOSTS, use_ssl=True, verify_certs=True, **kwargs): self.client = Elasticsearch(hosts=hosts, use_ssl=use_ssl, verify_certs= verify_certs, ca_certs=ca_certs, client_cert=client_cert, client_key=client_key, **kwargs) logger.info('Initialize SSL Elasticsearch Client: %s.' % self.client)
from_ssl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ca_certs, client_cert, client_key, hosts=default.\n ELASTICSEARCH_HOSTS, use_ssl=True, verify_certs=True, **kwargs):\n self.client = Elasticsearch(hosts=hosts, use_ssl=use_ssl, verify_certs=\n verify_certs, ca_certs=ca_certs, client_cert=client_cert,\n client_key=client_key, **kwargs)\n logger.info('Initialize SSL Elasticsearch Client: %s.' % self.client)\n", "role": "user" }, { "content": "from_ssl", "role": "assistant" } ]
def x(self, index, doc_type, use_mongo_id=False, indexed_flag_field_name='', mongo_query_params={}, mongo_host=default.MONGO_HOST, mongo_port= default.MONGO_PORT, mongo_db=default.MONGO_DB, mongo_collection=default .MONGO_COLLECTION): mongo_client = MongoClient(host=mongo_host, port=int(mongo_port)) try: collection = mongo_client[mongo_db][mongo_collection] if indexed_flag_field_name != '': mongo_query_params.update({indexed_flag_field_name: False}) mongo_docs = collection.find(mongo_query_params) finally: mongo_client.close() actions = [] id_array = [] for doc in mongo_docs: action = {'_op_type': 'index', '_index': index, '_type': doc_type} id_array.append(doc['_id']) if not use_mongo_id: doc.pop('_id') else: doc['id'] = str(doc['_id']) doc.pop('_id') action['_source'] = doc actions.append(action) success, failed = es_helpers.bulk(self.client, actions, request_timeout =60 * 60) logger.info( 'Transfer data from MongoDB(%s:%s) into the Elasticsearch(%s) success: %s, failed: %s' % (mongo_host, mongo_port, self.client, success, failed)) if indexed_flag_field_name != '': t = threading.Thread(target=ElasticsearchClient._back_update_mongo, args=(self, mongo_host, mongo_port, mongo_db, mongo_collection, id_array, {indexed_flag_field_name: True}), name= 'mongodb_back_update') t.start() return success, failed
transfer_data_from_mongo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, doc_type, use_mongo_id=False, indexed_flag_field_name='',\n mongo_query_params={}, mongo_host=default.MONGO_HOST, mongo_port=\n default.MONGO_PORT, mongo_db=default.MONGO_DB, mongo_collection=default\n .MONGO_COLLECTION):\n mongo_client = MongoClient(host=mongo_host, port=int(mongo_port))\n try:\n collection = mongo_client[mongo_db][mongo_collection]\n if indexed_flag_field_name != '':\n mongo_query_params.update({indexed_flag_field_name: False})\n mongo_docs = collection.find(mongo_query_params)\n finally:\n mongo_client.close()\n actions = []\n id_array = []\n for doc in mongo_docs:\n action = {'_op_type': 'index', '_index': index, '_type': doc_type}\n id_array.append(doc['_id'])\n if not use_mongo_id:\n doc.pop('_id')\n else:\n doc['id'] = str(doc['_id'])\n doc.pop('_id')\n action['_source'] = doc\n actions.append(action)\n success, failed = es_helpers.bulk(self.client, actions, request_timeout\n =60 * 60)\n logger.info(\n 'Transfer data from MongoDB(%s:%s) into the Elasticsearch(%s) success: %s, failed: %s'\n % (mongo_host, mongo_port, self.client, success, failed))\n if indexed_flag_field_name != '':\n t = threading.Thread(target=ElasticsearchClient._back_update_mongo,\n args=(self, mongo_host, mongo_port, mongo_db, mongo_collection,\n id_array, {indexed_flag_field_name: True}), name=\n 'mongodb_back_update')\n t.start()\n return success, failed\n", "role": "user" }, { "content": "transfer_data_from_mongo", "role": "assistant" } ]
def x(self, actions, stats_only=False, **kwargs): success, failed = es_helpers.bulk(self.client, actions, stats_only, ** kwargs) logger.info('Bulk is done success %s failed %s actions: \n %s' % ( success, failed, actions))
bulk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, actions, stats_only=False, **kwargs):\n success, failed = es_helpers.bulk(self.client, actions, stats_only, **\n kwargs)\n logger.info('Bulk is done success %s failed %s actions: \\n %s' % (\n success, failed, actions))\n", "role": "user" }, { "content": "bulk", "role": "assistant" } ]
def x(self, index, doc_type, indexed_flag_field_name, thread_name= 'automatic_syn_data_thread', interval=60, use_mongo_id=False, mongo_query_params={}, mongo_host=default.MONGO_HOST, mongo_port= default.MONGO_PORT, mongo_db=default.MONGO_DB, mongo_collection=default .MONGO_COLLECTION): thread_id = self._generate_thread_id(thread_name) if thread_id in ElasticsearchClient.automatic_syn_data_flag: lock.acquire() try: thread_name = (thread_name + '-%s' % ElasticsearchClient. automatic_thread_name_counter) ElasticsearchClient.automatic_thread_name_counter += 1 thread_id = self._generate_thread_id(thread_name) finally: lock.release() ElasticsearchClient.automatic_syn_data_flag[thread_id] = True t = threading.Thread(target=ElasticsearchClient. _automatic_syn_data_from_mongo_worker, args=(self, thread_id, index, doc_type, indexed_flag_field_name, interval, use_mongo_id, mongo_query_params, mongo_host, mongo_port, mongo_db, mongo_collection), name=thread_name) t.start() return thread_id
automatic_syn_data_from_mongo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, doc_type, indexed_flag_field_name, thread_name=\n 'automatic_syn_data_thread', interval=60, use_mongo_id=False,\n mongo_query_params={}, mongo_host=default.MONGO_HOST, mongo_port=\n default.MONGO_PORT, mongo_db=default.MONGO_DB, mongo_collection=default\n .MONGO_COLLECTION):\n thread_id = self._generate_thread_id(thread_name)\n if thread_id in ElasticsearchClient.automatic_syn_data_flag:\n lock.acquire()\n try:\n thread_name = (thread_name + '-%s' % ElasticsearchClient.\n automatic_thread_name_counter)\n ElasticsearchClient.automatic_thread_name_counter += 1\n thread_id = self._generate_thread_id(thread_name)\n finally:\n lock.release()\n ElasticsearchClient.automatic_syn_data_flag[thread_id] = True\n t = threading.Thread(target=ElasticsearchClient.\n _automatic_syn_data_from_mongo_worker, args=(self, thread_id, index,\n doc_type, indexed_flag_field_name, interval, use_mongo_id,\n mongo_query_params, mongo_host, mongo_port, mongo_db,\n mongo_collection), name=thread_name)\n t.start()\n return thread_id\n", "role": "user" }, { "content": "automatic_syn_data_from_mongo", "role": "assistant" } ]
def x(self, index=None, params={}, **kwargs): raw = self.client.cat.indices(index, params=params, **kwargs).split('\n') list = [] for r in raw: alter = r.split(' ') if len(alter) < 10: continue dict = {'health': alter[0], 'status': alter[1], 'index': alter[2]} if len(alter) == 11: dict['uuid'] = alter[4] i = 5 else: dict['uuid'] = alter[3] i = 4 dict['pri'] = alter[i] i += 1 dict['rep'] = alter[i] i += 1 dict['docs_count'] = alter[i] i += 1 dict['docs_deleted'] = alter[i] i += 1 dict['store_size'] = alter[i] i += 1 dict['pri_store_size'] = alter[i] list.append(dict) logger.info( 'Acquire simple information of the index is done succeeded: %s' % len(list)) return list
get_simple_info_for_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index=None, params={}, **kwargs):\n raw = self.client.cat.indices(index, params=params, **kwargs).split('\\n')\n list = []\n for r in raw:\n alter = r.split(' ')\n if len(alter) < 10:\n continue\n dict = {'health': alter[0], 'status': alter[1], 'index': alter[2]}\n if len(alter) == 11:\n dict['uuid'] = alter[4]\n i = 5\n else:\n dict['uuid'] = alter[3]\n i = 4\n dict['pri'] = alter[i]\n i += 1\n dict['rep'] = alter[i]\n i += 1\n dict['docs_count'] = alter[i]\n i += 1\n dict['docs_deleted'] = alter[i]\n i += 1\n dict['store_size'] = alter[i]\n i += 1\n dict['pri_store_size'] = alter[i]\n list.append(dict)\n logger.info(\n 'Acquire simple information of the index is done succeeded: %s' %\n len(list))\n return list\n", "role": "user" }, { "content": "get_simple_info_for_index", "role": "assistant" } ]
def x(self, index=None, params={}, **kwargs): params['level'] = 'indices' result = self.cluster_health(index, params, **kwargs) return self._process_cluster_health_info(result)
cluster_health_for_indices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index=None, params={}, **kwargs):\n params['level'] = 'indices'\n result = self.cluster_health(index, params, **kwargs)\n return self._process_cluster_health_info(result)\n", "role": "user" }, { "content": "cluster_health_for_indices", "role": "assistant" } ]
def x(self, index=None, params={}, **kwargs): params['level'] = 'shards' result = self.cluster_health(index, params, **kwargs) return self._process_cluster_health_info(result)
cluster_health_for_shards
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index=None, params={}, **kwargs):\n params['level'] = 'shards'\n result = self.cluster_health(index, params, **kwargs)\n return self._process_cluster_health_info(result)\n", "role": "user" }, { "content": "cluster_health_for_shards", "role": "assistant" } ]
def x(self, params={}, **kwargs): h = ['name', 'pid', 'http_address', 'version', 'jdk', 'disk.total', 'disk.used_percent', 'heap.current', 'heap.percent', 'ram.current', 'ram.percent', 'uptime', 'node.role'] result = self.client.cat.nodes(v=True, h=h, **kwargs, params=params) result = [x.strip().split(' ') for x in result.split('\n')] result.remove(result[-1]) for i in range(len(result)): result[i] = list(filter(lambda x: x != '', result[i])) dicts = [] for i in range(len(result) - 1): dict = {} for k, v in zip(result[0], result[i + 1]): dict[k] = v dicts.append(dict) logger.info( 'Acquire simple information of the nodes is done succeeded: %s' % len(dicts)) return dicts
nodes_simple_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params={}, **kwargs):\n h = ['name', 'pid', 'http_address', 'version', 'jdk', 'disk.total',\n 'disk.used_percent', 'heap.current', 'heap.percent', 'ram.current',\n 'ram.percent', 'uptime', 'node.role']\n result = self.client.cat.nodes(v=True, h=h, **kwargs, params=params)\n result = [x.strip().split(' ') for x in result.split('\\n')]\n result.remove(result[-1])\n for i in range(len(result)):\n result[i] = list(filter(lambda x: x != '', result[i]))\n dicts = []\n for i in range(len(result) - 1):\n dict = {}\n for k, v in zip(result[0], result[i + 1]):\n dict[k] = v\n dicts.append(dict)\n logger.info(\n 'Acquire simple information of the nodes is done succeeded: %s' %\n len(dicts))\n return dicts\n", "role": "user" }, { "content": "nodes_simple_info", "role": "assistant" } ]
def x(f): def x(): l = f.readline() if l == '': raise EOFError() return l rec = None try: l = readline() assert l.startswith('>') rec = [l] while True: pos = f.tell() l = readline() if l.startswith('>'): f.seek(pos, 0) break rec += [l] except EOFError: pass return rec
read_single_fasta_query_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n def x():\n l = f.readline()\n if l == '':\n raise EOFError()\n return l\n rec = None\n try:\n l = readline()\n assert l.startswith('>')\n rec = [l]\n while True:\n pos = f.tell()\n l = readline()\n if l.startswith('>'):\n f.seek(pos, 0)\n break\n rec += [l]\n except EOFError:\n pass\n return rec\n", "role": "user" }, { "content": "read_single_fasta_query_lines", "role": "assistant" } ]
def x(rs, field_names): rf = StringIO.StringIO(rs) def x(): l = rf.readline() if not l.endswith('\n'): raise EOFError() return l.strip() result = Result() try: l = readline() assert l.startswith('# BLAST') l = readline() assert l.startswith('# Query: ') query_str = l[len('# Query: '):].strip() if query_str: if ' ' in query_str: result.id, result.description = [s.strip() for s in query_str.split(' ', 1)] else: result.id = query_str l = readline() assert l.startswith('# Database: ') l = readline() if l.startswith('# Fields: '): fns = l[len('# Fields: '):].split(', ') assert len(field_names) == len(fns) l = readline() assert l.endswith(' hits found') nhits = int(l[len('# '):-1 * len(' hits found')]) while nhits > 0: l = readline() field_vals = l.split('\t') assert len(field_vals) == len(field_names) fields = dict(zip(field_names, field_vals)) result.hits.append(Hit(fields)) nhits -= 1 return result, rf.read() except EOFError: return None, rs
read_single_query_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rs, field_names):\n rf = StringIO.StringIO(rs)\n\n def x():\n l = rf.readline()\n if not l.endswith('\\n'):\n raise EOFError()\n return l.strip()\n result = Result()\n try:\n l = readline()\n assert l.startswith('# BLAST')\n l = readline()\n assert l.startswith('# Query: ')\n query_str = l[len('# Query: '):].strip()\n if query_str:\n if ' ' in query_str:\n result.id, result.description = [s.strip() for s in\n query_str.split(' ', 1)]\n else:\n result.id = query_str\n l = readline()\n assert l.startswith('# Database: ')\n l = readline()\n if l.startswith('# Fields: '):\n fns = l[len('# Fields: '):].split(', ')\n assert len(field_names) == len(fns)\n l = readline()\n assert l.endswith(' hits found')\n nhits = int(l[len('# '):-1 * len(' hits found')])\n while nhits > 0:\n l = readline()\n field_vals = l.split('\\t')\n assert len(field_vals) == len(field_names)\n fields = dict(zip(field_names, field_vals))\n result.hits.append(Hit(fields))\n nhits -= 1\n return result, rf.read()\n except EOFError:\n return None, rs\n", "role": "user" }, { "content": "read_single_query_result", "role": "assistant" } ]
def x(blast_command, input_file, *args, **kwargs): if 'outfmt' in kwargs: raise Exception('Use of the -outfmt option is not supported') num_processes = kwargs.get('pb_num_processes', os.sysconf( 'SC_NPROCESSORS_ONLN')) fields = kwargs.get('pb_fields', DEFAULT_HIT_FIELDS) blast_args = [blast_command] blast_args += ['-outfmt', '7 {}'.format(' '.join(fields))] for a in args: blast_args += ['-' + a] for k, v in kwargs.iteritems(): if not k.startswith('pb_'): blast_args += ['-' + k, str(v)] popens = [] for _ in range(num_processes): popens.append(subprocess.Popen(args=blast_args, stdin=subprocess. PIPE, stdout=subprocess.PIPE, stderr=None, close_fds=True)) try: for r in __run_blast_select_loop(input_file, popens, fields): yield r finally: for p in popens: if p.poll() is None: p.terminate() p.wait()
run_blast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(blast_command, input_file, *args, **kwargs):\n if 'outfmt' in kwargs:\n raise Exception('Use of the -outfmt option is not supported')\n num_processes = kwargs.get('pb_num_processes', os.sysconf(\n 'SC_NPROCESSORS_ONLN'))\n fields = kwargs.get('pb_fields', DEFAULT_HIT_FIELDS)\n blast_args = [blast_command]\n blast_args += ['-outfmt', '7 {}'.format(' '.join(fields))]\n for a in args:\n blast_args += ['-' + a]\n for k, v in kwargs.iteritems():\n if not k.startswith('pb_'):\n blast_args += ['-' + k, str(v)]\n popens = []\n for _ in range(num_processes):\n popens.append(subprocess.Popen(args=blast_args, stdin=subprocess.\n PIPE, stdout=subprocess.PIPE, stderr=None, close_fds=True))\n try:\n for r in __run_blast_select_loop(input_file, popens, fields):\n yield r\n finally:\n for p in popens:\n if p.poll() is None:\n p.terminate()\n p.wait()\n", "role": "user" }, { "content": "run_blast", "role": "assistant" } ]
def x(self, channels=2): tmp_frame = self.track.current_frame self.track.current_frame = self.start frames = self.track.read_frames(self.duration, channels=channels) self.track.current_frame = tmp_frame for effect in self.effects: frames = effect.apply_to(frames, self.samplerate) return frames.copy()
get_frames
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, channels=2):\n tmp_frame = self.track.current_frame\n self.track.current_frame = self.start\n frames = self.track.read_frames(self.duration, channels=channels)\n self.track.current_frame = tmp_frame\n for effect in self.effects:\n frames = effect.apply_to(frames, self.samplerate)\n return frames.copy()\n", "role": "user" }, { "content": "get_frames", "role": "assistant" } ]
def x(self): return max([(x.comp_location + x.duration) for x in self.segments])
duration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return max([(x.comp_location + x.duration) for x in self.segments])\n", "role": "user" }, { "content": "duration", "role": "assistant" } ]
def x(self, segment): self.tracks.add(segment.track) self.segments.append(segment)
add_segment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, segment):\n self.tracks.add(segment.track)\n self.segments.append(segment)\n", "role": "user" }, { "content": "add_segment", "role": "assistant" } ]
def x(self, segments): self.tracks.update([seg.track for seg in segments]) self.segments.extend(segments)
add_segments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, segments):\n self.tracks.update([seg.track for seg in segments])\n self.segments.extend(segments)\n", "role": "user" }, { "content": "add_segments", "role": "assistant" } ]
def x(self, segment, duration, fade_type='linear'): f = Fade(segment.track, segment.comp_location_in_seconds, duration, 0.0, 1.0, fade_type=fade_type) self.add_dynamic(f) return f
fade_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, segment, duration, fade_type='linear'):\n f = Fade(segment.track, segment.comp_location_in_seconds, duration, 0.0,\n 1.0, fade_type=fade_type)\n self.add_dynamic(f)\n return f\n", "role": "user" }, { "content": "fade_in", "role": "assistant" } ]
def x(self, segment, duration, fade_type='linear'): score_loc_in_seconds = (segment.comp_location_in_seconds + segment. duration_in_seconds - duration) f = Fade(segment.track, score_loc_in_seconds, duration, 1.0, 0.0, fade_type=fade_type) f.comp_location = segment.comp_location + segment.duration - int( duration * segment.track.samplerate) self.add_dynamic(f) return f
fade_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, segment, duration, fade_type='linear'):\n score_loc_in_seconds = (segment.comp_location_in_seconds + segment.\n duration_in_seconds - duration)\n f = Fade(segment.track, score_loc_in_seconds, duration, 1.0, 0.0,\n fade_type=fade_type)\n f.comp_location = segment.comp_location + segment.duration - int(\n duration * segment.track.samplerate)\n self.add_dynamic(f)\n return f\n", "role": "user" }, { "content": "fade_out", "role": "assistant" } ]
def x(self, segment, duration): dur = int(duration * segment.track.samplerate) if segment.start - dur >= 0: segment.start -= dur else: raise Exception( "Cannot create fade-in that extends past the track's beginning") if segment.comp_location - dur >= 0: segment.comp_location -= dur else: raise Exception( "Cannot create fade-in the extends past the score's beginning") segment.duration += dur f = Fade(segment.track, segment.comp_location_in_seconds, duration, 0.0, 1.0) self.add_dynamic(f) return f
extended_fade_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, segment, duration):\n dur = int(duration * segment.track.samplerate)\n if segment.start - dur >= 0:\n segment.start -= dur\n else:\n raise Exception(\n \"Cannot create fade-in that extends past the track's beginning\")\n if segment.comp_location - dur >= 0:\n segment.comp_location -= dur\n else:\n raise Exception(\n \"Cannot create fade-in the extends past the score's beginning\")\n segment.duration += dur\n f = Fade(segment.track, segment.comp_location_in_seconds, duration, 0.0,\n 1.0)\n self.add_dynamic(f)\n return f\n", "role": "user" }, { "content": "extended_fade_in", "role": "assistant" } ]
def x(self, segment, duration): dur = int(duration * segment.track.samplerate) if segment.start + segment.duration + dur < segment.track.duration: segment.duration += dur else: raise Exception( "Cannot create fade-out that extends past the track's end") score_loc_in_seconds = (segment.comp_location_in_seconds + segment. duration_in_seconds - duration) f = Fade(segment.track, score_loc_in_seconds, duration, 1.0, 0.0) self.add_dynamic(f) return f
extended_fade_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, segment, duration):\n dur = int(duration * segment.track.samplerate)\n if segment.start + segment.duration + dur < segment.track.duration:\n segment.duration += dur\n else:\n raise Exception(\n \"Cannot create fade-out that extends past the track's end\")\n score_loc_in_seconds = (segment.comp_location_in_seconds + segment.\n duration_in_seconds - duration)\n f = Fade(segment.track, score_loc_in_seconds, duration, 1.0, 0.0)\n self.add_dynamic(f)\n return f\n", "role": "user" }, { "content": "extended_fade_out", "role": "assistant" } ]
def x(self, time, duration): for seg in self.segments: if (seg.comp_location_in_seconds >= time and seg. comp_location_in_seconds < time + duration): return False elif seg.comp_location_in_seconds + seg.duration_in_seconds >= time and seg.comp_location_in_seconds + seg.duration_in_seconds < time + duration: return False elif seg.comp_location_in_seconds < time and seg.comp_location_in_seconds + seg.duration_in_seconds >= time + duration: return False return True
empty_over_span
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time, duration):\n for seg in self.segments:\n if (seg.comp_location_in_seconds >= time and seg.\n comp_location_in_seconds < time + duration):\n return False\n elif seg.comp_location_in_seconds + seg.duration_in_seconds >= time and seg.comp_location_in_seconds + seg.duration_in_seconds < time + duration:\n return False\n elif seg.comp_location_in_seconds < time and seg.comp_location_in_seconds + seg.duration_in_seconds >= time + duration:\n return False\n return True\n", "role": "user" }, { "content": "empty_over_span", "role": "assistant" } ]
def x(self, time, duration, min_contraction=0.0): contract_dur = 0.0 contract_start = time if self.empty_over_span(time, duration): contract_dur = duration contract_start = time else: starts = [s.comp_location_in_seconds for s in self.segments] ends = [(s.comp_location_in_seconds + s.duration_in_seconds) for s in self.segments] key_starts = [] key_ends = [] for start in starts: if start >= time and start < time + duration: is_key_start = True for seg in self.segments: if (seg.comp_location_in_seconds < start and seg. comp_location_in_seconds + seg.duration_in_seconds >= start): is_key_start = False break if is_key_start: key_starts.append(start) for end in ends: if end >= time and end < time + duration: is_key_end = True for seg in self.segments: if (seg.comp_location_in_seconds <= end and seg. comp_location_in_seconds + seg.duration_in_seconds > end): is_key_end = False break if is_key_end: key_ends.append(end) if len(key_starts) + len(key_ends) == 0: return 0, 0 key_both = [s for s in key_starts] key_both.extend([s for s in key_ends]) key_both = sorted(key_both) first_key = key_both[0] if first_key in key_starts: contract_start = time contract_dur = first_key - time else: contract_start = first_key if len(key_both) >= 2: contract_dur = key_both[1] - first_key else: contract_dur = time + duration - first_key if contract_dur > min_contraction: for seg in self.segments: if seg.comp_location_in_seconds > contract_start: dur_samples = int(seg.samplerate * contract_dur) seg.comp_location -= dur_samples for dyn in self.dynamics: if dyn.comp_location_in_seconds > contract_start: dur_samples = int(seg.samplerate * contract_dur) dyn.comp_location -= dur_samples return contract_start, contract_dur else: return 0.0, 0.0
contract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time, duration, min_contraction=0.0):\n contract_dur = 0.0\n contract_start = time\n if self.empty_over_span(time, duration):\n contract_dur = duration\n contract_start = time\n else:\n starts = [s.comp_location_in_seconds for s in self.segments]\n ends = [(s.comp_location_in_seconds + s.duration_in_seconds) for s in\n self.segments]\n key_starts = []\n key_ends = []\n for start in starts:\n if start >= time and start < time + duration:\n is_key_start = True\n for seg in self.segments:\n if (seg.comp_location_in_seconds < start and seg.\n comp_location_in_seconds + seg.duration_in_seconds >=\n start):\n is_key_start = False\n break\n if is_key_start:\n key_starts.append(start)\n for end in ends:\n if end >= time and end < time + duration:\n is_key_end = True\n for seg in self.segments:\n if (seg.comp_location_in_seconds <= end and seg.\n comp_location_in_seconds + seg.duration_in_seconds >\n end):\n is_key_end = False\n break\n if is_key_end:\n key_ends.append(end)\n if len(key_starts) + len(key_ends) == 0:\n return 0, 0\n key_both = [s for s in key_starts]\n key_both.extend([s for s in key_ends])\n key_both = sorted(key_both)\n first_key = key_both[0]\n if first_key in key_starts:\n contract_start = time\n contract_dur = first_key - time\n else:\n contract_start = first_key\n if len(key_both) >= 2:\n contract_dur = key_both[1] - first_key\n else:\n contract_dur = time + duration - first_key\n if contract_dur > min_contraction:\n for seg in self.segments:\n if seg.comp_location_in_seconds > contract_start:\n dur_samples = int(seg.samplerate * contract_dur)\n seg.comp_location -= dur_samples\n for dyn in self.dynamics:\n if dyn.comp_location_in_seconds > contract_start:\n dur_samples = int(seg.samplerate * contract_dur)\n dyn.comp_location -= dur_samples\n return contract_start, contract_dur\n else:\n return 0.0, 0.0\n", "role": "user" }, { "content": "contract", "role": "assistant" } ]
def x(self, track, comp_cue, song_cue, duration=6.0, padding_before=12.0, padding_after=12.0): self.tracks.add(track) pre_fade = 3 post_fade = 3 if padding_before + pre_fade > song_cue: padding_before = song_cue - pre_fade if padding_before + pre_fade > score_cue: padding_before = score_cue - pre_fade s = Segment(track, score_cue - padding_before - pre_fade, song_cue - padding_before - pre_fade, pre_fade + padding_before + duration + padding_after + post_fade) self.add_segment(s) d = [] dyn_adj = 1 track.current_frame = 0 d.append(Fade(track, score_cue - padding_before - pre_fade, pre_fade, 0, 0.1 * dyn_adj, fade_type='linear')) d.append(Fade(track, score_cue - padding_before, padding_before, 0.1 * dyn_adj, 0.4 * dyn_adj, fade_type='exponential')) d.append(Volume(track, score_cue, duration, 0.4 * dyn_adj)) d.append(Fade(track, score_cue + duration, padding_after, 0.4 * dyn_adj, 0, fade_type='exponential')) d.append(Fade(track, score_cue + duration + padding_after, post_fade, 0.1 * dyn_adj, 0, fade_type='linear')) self.add_dynamics(d)
add_music_cue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, track, comp_cue, song_cue, duration=6.0, padding_before=12.0,\n padding_after=12.0):\n self.tracks.add(track)\n pre_fade = 3\n post_fade = 3\n if padding_before + pre_fade > song_cue:\n padding_before = song_cue - pre_fade\n if padding_before + pre_fade > score_cue:\n padding_before = score_cue - pre_fade\n s = Segment(track, score_cue - padding_before - pre_fade, song_cue -\n padding_before - pre_fade, pre_fade + padding_before + duration +\n padding_after + post_fade)\n self.add_segment(s)\n d = []\n dyn_adj = 1\n track.current_frame = 0\n d.append(Fade(track, score_cue - padding_before - pre_fade, pre_fade, 0,\n 0.1 * dyn_adj, fade_type='linear'))\n d.append(Fade(track, score_cue - padding_before, padding_before, 0.1 *\n dyn_adj, 0.4 * dyn_adj, fade_type='exponential'))\n d.append(Volume(track, score_cue, duration, 0.4 * dyn_adj))\n d.append(Fade(track, score_cue + duration, padding_after, 0.4 * dyn_adj,\n 0, fade_type='exponential'))\n d.append(Fade(track, score_cue + duration + padding_after, post_fade, \n 0.1 * dyn_adj, 0, fade_type='linear'))\n self.add_dynamics(d)\n", "role": "user" }, { "content": "add_music_cue", "role": "assistant" } ]
def x(self, track_list=None, adjust_dynamics=False, min_length=None, channels=None): if track_list is None: track_list = self.tracks if channels is None: channels = self.channels parts = {} starts = {} all_frames = np.array([]) song_frames = np.array([]) speech_frames = np.array([]) longest_part = max([(x.comp_location + x.duration) for x in self.segments]) if len(self.dynamics) > 0: longest_part = max((longest_part, max([(x.comp_location + x. duration) for x in self.dynamics]))) for track_idx, track in enumerate(track_list): segments = sorted([v for v in self.segments if v.track == track], key=lambda k: k.comp_location + k.duration) dyns = sorted([d for d in self.dynamics if d.track == track], key= lambda k: k.comp_location) if len(segments) > 0: start_loc = min([x.comp_location for x in segments]) end_loc = max([(x.comp_location + x.duration) for x in segments]) if len(dyns) > 0: start_loc = min((start_loc, min([d.comp_location for d in dyns]))) end_loc = max((end_loc, max([(d.comp_location + d.duration) for d in dyns]))) starts[track] = start_loc parts[track] = np.zeros((end_loc - start_loc, channels)) for s in segments: frames = s.get_frames(channels=channels).reshape(-1, channels) if adjust_dynamics: all_frames = np.append(all_frames, self. _remove_end_silence(frames.flatten())) if isinstance(track, Song): song_frames = np.append(song_frames, self. _remove_end_silence(frames.flatten())) elif isinstance(track, Speech): speech_frames = np.append(speech_frames, self. _remove_end_silence(frames.flatten())) parts[track][s.comp_location - start_loc:s.comp_location - start_loc + s.duration, :] = frames for d in dyns: vol_frames = d.to_array(channels) parts[track][d.comp_location - start_loc:d.comp_location - start_loc + d.duration, :] *= vol_frames if adjust_dynamics: total_energy = RMS_energy(all_frames) song_energy = RMS_energy(song_frames) speech_energy = RMS_energy(speech_frames) if adjust_dynamics: if not np.isnan(speech_energy) and not np.isnan(song_energy): dyn_adj = sqrt(speech_energy / song_energy) * 1.15 else: dyn_adj = 1 else: dyn_adj = 1 if longest_part < min_length: longest_part = min_length out = np.zeros((longest_part, channels)) for track, part in parts.iteritems(): out[starts[track]:starts[track] + len(part)] += part return out
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, track_list=None, adjust_dynamics=False, min_length=None,\n channels=None):\n if track_list is None:\n track_list = self.tracks\n if channels is None:\n channels = self.channels\n parts = {}\n starts = {}\n all_frames = np.array([])\n song_frames = np.array([])\n speech_frames = np.array([])\n longest_part = max([(x.comp_location + x.duration) for x in self.segments])\n if len(self.dynamics) > 0:\n longest_part = max((longest_part, max([(x.comp_location + x.\n duration) for x in self.dynamics])))\n for track_idx, track in enumerate(track_list):\n segments = sorted([v for v in self.segments if v.track == track],\n key=lambda k: k.comp_location + k.duration)\n dyns = sorted([d for d in self.dynamics if d.track == track], key=\n lambda k: k.comp_location)\n if len(segments) > 0:\n start_loc = min([x.comp_location for x in segments])\n end_loc = max([(x.comp_location + x.duration) for x in segments])\n if len(dyns) > 0:\n start_loc = min((start_loc, min([d.comp_location for d in\n dyns])))\n end_loc = max((end_loc, max([(d.comp_location + d.duration) for\n d in dyns])))\n starts[track] = start_loc\n parts[track] = np.zeros((end_loc - start_loc, channels))\n for s in segments:\n frames = s.get_frames(channels=channels).reshape(-1, channels)\n if adjust_dynamics:\n all_frames = np.append(all_frames, self.\n _remove_end_silence(frames.flatten()))\n if isinstance(track, Song):\n song_frames = np.append(song_frames, self.\n _remove_end_silence(frames.flatten()))\n elif isinstance(track, Speech):\n speech_frames = np.append(speech_frames, self.\n _remove_end_silence(frames.flatten()))\n parts[track][s.comp_location - start_loc:s.comp_location -\n start_loc + s.duration, :] = frames\n for d in dyns:\n vol_frames = d.to_array(channels)\n parts[track][d.comp_location - start_loc:d.comp_location -\n start_loc + d.duration, :] *= vol_frames\n if adjust_dynamics:\n total_energy = RMS_energy(all_frames)\n song_energy = RMS_energy(song_frames)\n speech_energy = RMS_energy(speech_frames)\n if adjust_dynamics:\n if not np.isnan(speech_energy) and not np.isnan(song_energy):\n dyn_adj = sqrt(speech_energy / song_energy) * 1.15\n else:\n dyn_adj = 1\n else:\n dyn_adj = 1\n if longest_part < min_length:\n longest_part = min_length\n out = np.zeros((longest_part, channels))\n for track, part in parts.iteritems():\n out[starts[track]:starts[track] + len(part)] += part\n return out\n", "role": "user" }, { "content": "build", "role": "assistant" } ]
def x(self, **kwargs): filename = kwargs.pop('filename', 'out') filetype = kwargs.pop('filetype', 'wav') adjust_dynamics = kwargs.pop('adjust_dynamics', False) samplerate = kwargs.pop('samplerate', None) channels = kwargs.pop('channels', self.channels) separate_tracks = kwargs.pop('separate_tracks', False) min_length = kwargs.pop('min_length', None) if samplerate is None: samplerate = np.min([track.samplerate for track in self.tracks]) encoding = 'pcm16' to_mp3 = False if filetype == 'ogg': encoding = 'vorbis' elif filetype == 'mp3': filetype = 'wav' to_mp3 = True if separate_tracks: for track in self.tracks: out = self.build(track_list=[track], adjust_dynamics= adjust_dynamics, min_length=min_length, channels=channels) out_file = Sndfile('%s-%s.%s' % (filename, track.name, filetype ), 'w', Format(filetype, encoding=encoding), channels, samplerate) out_file.write_frames(out) out_file.close() out = self.build(adjust_dynamics=adjust_dynamics, min_length=min_length, channels=channels) out_filename = '%s.%s' % (filename, filetype) out_file = Sndfile(out_filename, 'w', Format(filetype, encoding= encoding), channels, samplerate) out_file.write_frames(out) out_file.close() if LIBXMP and filetype == 'wav': xmp = libxmp.XMPMeta() ns = libxmp.consts.XMP_NS_DM p = xmp.get_prefix_for_namespace(ns) xpath = p + 'Tracks' xmp.append_array_item(ns, xpath, None, array_options={ 'prop_value_is_array': True}, prop_value_is_struct=True) xpath += '[1]/' + p xmp.set_property(ns, xpath + 'trackName', 'CuePoint Markers') xmp.set_property(ns, xpath + 'trackType', 'Cue') xmp.set_property(ns, xpath + 'frameRate', 'f%d' % samplerate) for i, lab in enumerate(self.labels): xmp.append_array_item(ns, xpath + 'markers', None, array_options={'prop_value_is_array': True}, prop_value_is_struct=True) xmp.set_property(ns, xpath + 'markers[%d]/%sname' % (i + 1, p), lab.name) xmp.set_property(ns, xpath + 'markers[%d]/%sstartTime' % (i + 1, p), str(lab.sample(samplerate))) xmpfile = libxmp.XMPFiles(file_path=out_filename, open_forupdate=True) if xmpfile.can_put_xmp(xmp): xmpfile.put_xmp(xmp) xmpfile.close_file() if to_mp3: wav_to_mp3(out_filename, delete_wav=True) return out
export
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n filename = kwargs.pop('filename', 'out')\n filetype = kwargs.pop('filetype', 'wav')\n adjust_dynamics = kwargs.pop('adjust_dynamics', False)\n samplerate = kwargs.pop('samplerate', None)\n channels = kwargs.pop('channels', self.channels)\n separate_tracks = kwargs.pop('separate_tracks', False)\n min_length = kwargs.pop('min_length', None)\n if samplerate is None:\n samplerate = np.min([track.samplerate for track in self.tracks])\n encoding = 'pcm16'\n to_mp3 = False\n if filetype == 'ogg':\n encoding = 'vorbis'\n elif filetype == 'mp3':\n filetype = 'wav'\n to_mp3 = True\n if separate_tracks:\n for track in self.tracks:\n out = self.build(track_list=[track], adjust_dynamics=\n adjust_dynamics, min_length=min_length, channels=channels)\n out_file = Sndfile('%s-%s.%s' % (filename, track.name, filetype\n ), 'w', Format(filetype, encoding=encoding), channels,\n samplerate)\n out_file.write_frames(out)\n out_file.close()\n out = self.build(adjust_dynamics=adjust_dynamics, min_length=min_length,\n channels=channels)\n out_filename = '%s.%s' % (filename, filetype)\n out_file = Sndfile(out_filename, 'w', Format(filetype, encoding=\n encoding), channels, samplerate)\n out_file.write_frames(out)\n out_file.close()\n if LIBXMP and filetype == 'wav':\n xmp = libxmp.XMPMeta()\n ns = libxmp.consts.XMP_NS_DM\n p = xmp.get_prefix_for_namespace(ns)\n xpath = p + 'Tracks'\n xmp.append_array_item(ns, xpath, None, array_options={\n 'prop_value_is_array': True}, prop_value_is_struct=True)\n xpath += '[1]/' + p\n xmp.set_property(ns, xpath + 'trackName', 'CuePoint Markers')\n xmp.set_property(ns, xpath + 'trackType', 'Cue')\n xmp.set_property(ns, xpath + 'frameRate', 'f%d' % samplerate)\n for i, lab in enumerate(self.labels):\n xmp.append_array_item(ns, xpath + 'markers', None,\n array_options={'prop_value_is_array': True},\n prop_value_is_struct=True)\n xmp.set_property(ns, xpath + 'markers[%d]/%sname' % (i + 1, p),\n lab.name)\n xmp.set_property(ns, xpath + 'markers[%d]/%sstartTime' % (i + 1,\n p), str(lab.sample(samplerate)))\n xmpfile = libxmp.XMPFiles(file_path=out_filename, open_forupdate=True)\n if xmpfile.can_put_xmp(xmp):\n xmpfile.put_xmp(xmp)\n xmpfile.close_file()\n if to_mp3:\n wav_to_mp3(out_filename, delete_wav=True)\n return out\n", "role": "user" }, { "content": "export", "role": "assistant" } ]
def x(db) ->Iterator[EpisodeType]: cur = db.cursor() cur.execute('SELECT id, name, prefix FROM episode_type') for type_id, name, prefix in cur: yield EpisodeType(type_id, name, prefix)
get_episode_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db) ->Iterator[EpisodeType]:\n cur = db.cursor()\n cur.execute('SELECT id, name, prefix FROM episode_type')\n for type_id, name, prefix in cur:\n yield EpisodeType(type_id, name, prefix)\n", "role": "user" }, { "content": "get_episode_types", "role": "assistant" } ]
def x(self, episode: Episode): return '{}{}'.format(self[episode.type].prefix, episode.number)
get_epno
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, episode: Episode):\n return '{}{}'.format(self[episode.type].prefix, episode.number)\n", "role": "user" }, { "content": "get_epno", "role": "assistant" } ]
def x(self, name, new_config): for service in self.configurables[Service].values(): if service.discovery == name: service.reset_status()
on_discovery_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, new_config):\n for service in self.configurables[Service].values():\n if service.discovery == name:\n service.reset_status()\n", "role": "user" }, { "content": "on_discovery_update", "role": "assistant" } ]
def x(self, service): self.launch_thread(service.name, self.check_loop, service)
on_service_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service):\n self.launch_thread(service.name, self.check_loop, service)\n", "role": "user" }, { "content": "on_service_add", "role": "assistant" } ]
def x(self, service): logger.info("Starting check loop for service '%s'", service.name) def x(f): try: came_up, went_down = f.result() except Exception: logger.exception("Error checking service '%s'", service.name) return if not came_up and not went_down: return discovery = self.configurables[Discovery][service.discovery] for port in came_up: logger.debug('Reporting %s, port %d up', service.name, port) discovery.report_up(service, port) for port in went_down: logger.debug('Reporting %s, port %d down', service.name, port) discovery.report_down(service, port) while service in self.configurables[Service].values( ) and not self.shutdown.is_set(): self.work_pool.submit(self.run_checks, service).add_done_callback( handle_checks_result) logger.debug('sleeping for %s seconds', service.check_interval) wait_on_event(self.shutdown, timeout=service.check_interval)
check_loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service):\n logger.info(\"Starting check loop for service '%s'\", service.name)\n\n def x(f):\n try:\n came_up, went_down = f.result()\n except Exception:\n logger.exception(\"Error checking service '%s'\", service.name)\n return\n if not came_up and not went_down:\n return\n discovery = self.configurables[Discovery][service.discovery]\n for port in came_up:\n logger.debug('Reporting %s, port %d up', service.name, port)\n discovery.report_up(service, port)\n for port in went_down:\n logger.debug('Reporting %s, port %d down', service.name, port)\n discovery.report_down(service, port)\n while service in self.configurables[Service].values(\n ) and not self.shutdown.is_set():\n self.work_pool.submit(self.run_checks, service).add_done_callback(\n handle_checks_result)\n logger.debug('sleeping for %s seconds', service.check_interval)\n wait_on_event(self.shutdown, timeout=service.check_interval)\n", "role": "user" }, { "content": "check_loop", "role": "assistant" } ]
def x(self, service): logger.debug('Running checks. (%s)', service.name) if service.discovery not in self.configurables[Discovery]: logger.warn("Service %s is using Unknown/unavailable discovery '%s'.", service.name, service.discovery) return set(), set() service.update_ports() came_up, went_down = service.run_checks() return came_up, went_down
run_checks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service):\n logger.debug('Running checks. (%s)', service.name)\n if service.discovery not in self.configurables[Discovery]:\n logger.warn(\"Service %s is using Unknown/unavailable discovery '%s'.\",\n service.name, service.discovery)\n return set(), set()\n service.update_ports()\n came_up, went_down = service.run_checks()\n return came_up, went_down\n", "role": "user" }, { "content": "run_checks", "role": "assistant" } ]
def x(self, method, data): data.update({'key': self.api_key, 'token': self.api_auth_token}) url = '%s%s' % (self.endpoint, method) response = requests.get(url, params=data) root = etree.fromstring(response.content) status_code = root.find('header/status/code').text exc_class = _get_exception_class_from_status_code(status_code) if exc_class: error_message = root.find('header/status/message').text raise exc_class(error_message) return root
do_api_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, data):\n data.update({'key': self.api_key, 'token': self.api_auth_token})\n url = '%s%s' % (self.endpoint, method)\n response = requests.get(url, params=data)\n root = etree.fromstring(response.content)\n status_code = root.find('header/status/code').text\n exc_class = _get_exception_class_from_status_code(status_code)\n if exc_class:\n error_message = root.find('header/status/message').text\n raise exc_class(error_message)\n return root\n", "role": "user" }, { "content": "do_api_call", "role": "assistant" } ]
def x(self, method, kwargs, parser_func): has_records = {'has_records': False} while True: try: root = self._do_api_call(method, kwargs) except RecordDoesNotExistError: if not has_records['has_records']: raise return records_returned_by_this_loop = False for record in parser_func(root, has_records): yield record records_returned_by_this_loop = True if not records_returned_by_this_loop: return last_offset = root.find('lastOffset').text kwargs['offset'] = last_offset
do_autopaginating_api_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, kwargs, parser_func):\n has_records = {'has_records': False}\n while True:\n try:\n root = self._do_api_call(method, kwargs)\n except RecordDoesNotExistError:\n if not has_records['has_records']:\n raise\n return\n records_returned_by_this_loop = False\n for record in parser_func(root, has_records):\n yield record\n records_returned_by_this_loop = True\n if not records_returned_by_this_loop:\n return\n last_offset = root.find('lastOffset').text\n kwargs['offset'] = last_offset\n", "role": "user" }, { "content": "do_autopaginating_api_call", "role": "assistant" } ]
def x(self, dtime_str): return datetime.datetime.strptime(dtime_str, '%Y-%m-%dT%H:%M:%SZ').replace( tzinfo=pytz.utc)
parse_datetime_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dtime_str):\n return datetime.datetime.strptime(dtime_str, '%Y-%m-%dT%H:%M:%SZ').replace(\n tzinfo=pytz.utc)\n", "role": "user" }, { "content": "parse_datetime_str", "role": "assistant" } ]
def x(self, root): record = {'breeds': [], 'photos': [], 'options': [], 'contact': {}} straight_copy_fields = ['id', 'shelterId', 'shelterPetId', 'name', 'animal', 'mix', 'age', 'sex', 'size', 'description', 'status', 'lastUpdate'] for field in straight_copy_fields: node = root.find(field) if node is None: print('SKIPPING %s' % field) continue record[field] = node.text for breed in root.findall('breeds/breed'): record['breeds'].append(breed.text) for photo in root.findall('media/photos/photo'): photo = {'id': photo.get('id'), 'size': photo.get('size'), 'url': photo.text} record['photos'].append(photo) for option in root.findall('options/option'): record['options'].append(option.text) contact = root.find('contact') if contact is not None: for field in contact: record['contact'][field.tag] = field.text record['lastUpdate'] = self._parse_datetime_str(record['lastUpdate']) return record
parse_pet_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, root):\n record = {'breeds': [], 'photos': [], 'options': [], 'contact': {}}\n straight_copy_fields = ['id', 'shelterId', 'shelterPetId', 'name',\n 'animal', 'mix', 'age', 'sex', 'size', 'description', 'status',\n 'lastUpdate']\n for field in straight_copy_fields:\n node = root.find(field)\n if node is None:\n print('SKIPPING %s' % field)\n continue\n record[field] = node.text\n for breed in root.findall('breeds/breed'):\n record['breeds'].append(breed.text)\n for photo in root.findall('media/photos/photo'):\n photo = {'id': photo.get('id'), 'size': photo.get('size'), 'url':\n photo.text}\n record['photos'].append(photo)\n for option in root.findall('options/option'):\n record['options'].append(option.text)\n contact = root.find('contact')\n if contact is not None:\n for field in contact:\n record['contact'][field.tag] = field.text\n record['lastUpdate'] = self._parse_datetime_str(record['lastUpdate'])\n return record\n", "role": "user" }, { "content": "parse_pet_record", "role": "assistant" } ]
def x(self, **kwargs): root = self._do_api_call('breed.list', kwargs) breeds = [] for breed in root.find('breeds'): breeds.append(breed.text) return breeds
breed_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n root = self._do_api_call('breed.list', kwargs)\n breeds = []\n for breed in root.find('breeds'):\n breeds.append(breed.text)\n return breeds\n", "role": "user" }, { "content": "breed_list", "role": "assistant" } ]
def x(self, **kwargs): root = self._do_api_call('pet.get', kwargs) return self._parse_pet_record(root.find('pet'))
pet_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n root = self._do_api_call('pet.get', kwargs)\n return self._parse_pet_record(root.find('pet'))\n", "role": "user" }, { "content": "pet_get", "role": "assistant" } ]
def x(self, **kwargs): root = self._do_api_call('pet.getRandom', kwargs) output_brevity = kwargs.get('output', 'id') if output_brevity == 'id': return root.find('petIds/id').text else: return self._parse_pet_record(root.find('pet'))
pet_getrandom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n root = self._do_api_call('pet.getRandom', kwargs)\n output_brevity = kwargs.get('output', 'id')\n if output_brevity == 'id':\n return root.find('petIds/id').text\n else:\n return self._parse_pet_record(root.find('pet'))\n", "role": "user" }, { "content": "pet_getrandom", "role": "assistant" } ]
def x(self, **kwargs): def x(root, has_records): for pet in root.findall('pets/pet'): has_records['has_records'] = True yield self._parse_pet_record(pet) return self._do_autopaginating_api_call('pet.find', kwargs, pet_find_parser )
pet_find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n\n def x(root, has_records):\n for pet in root.findall('pets/pet'):\n has_records['has_records'] = True\n yield self._parse_pet_record(pet)\n return self._do_autopaginating_api_call('pet.find', kwargs, pet_find_parser\n )\n", "role": "user" }, { "content": "pet_find", "role": "assistant" } ]
def x(self, **kwargs): def x(root, has_records): for shelter in root.find('shelters'): has_records['has_records'] = True record = {} for field in shelter: record[field.tag] = field.text yield record return self._do_autopaginating_api_call('shelter.find', kwargs, shelter_find_parser)
shelter_find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n\n def x(root, has_records):\n for shelter in root.find('shelters'):\n has_records['has_records'] = True\n record = {}\n for field in shelter:\n record[field.tag] = field.text\n yield record\n return self._do_autopaginating_api_call('shelter.find', kwargs,\n shelter_find_parser)\n", "role": "user" }, { "content": "shelter_find", "role": "assistant" } ]
def x(self, **kwargs): root = self._do_api_call('shelter.get', kwargs) shelter = root.find('shelter') for field in shelter: record = {} for field in shelter: record[field.tag] = field.text return record
shelter_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n root = self._do_api_call('shelter.get', kwargs)\n shelter = root.find('shelter')\n for field in shelter:\n record = {}\n for field in shelter:\n record[field.tag] = field.text\n return record\n", "role": "user" }, { "content": "shelter_get", "role": "assistant" } ]
def x(self, **kwargs): def x(root, has_records): pet_ids = root.findall('petIds/id') for pet_id in pet_ids: yield pet_id.text def x(root, has_records): for pet in root.findall('pets/pet'): yield self._parse_pet_record(pet) if kwargs.get('output', 'id') == 'id': shelter_getpets_parser = shelter_getpets_parser_ids else: shelter_getpets_parser = shelter_getpets_parser_records return self._do_autopaginating_api_call('shelter.getPets', kwargs, shelter_getpets_parser)
shelter_getpets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n\n def x(root, has_records):\n pet_ids = root.findall('petIds/id')\n for pet_id in pet_ids:\n yield pet_id.text\n\n def x(root, has_records):\n for pet in root.findall('pets/pet'):\n yield self._parse_pet_record(pet)\n if kwargs.get('output', 'id') == 'id':\n shelter_getpets_parser = shelter_getpets_parser_ids\n else:\n shelter_getpets_parser = shelter_getpets_parser_records\n return self._do_autopaginating_api_call('shelter.getPets', kwargs,\n shelter_getpets_parser)\n", "role": "user" }, { "content": "shelter_getpets", "role": "assistant" } ]
def x(self, **kwargs): root = self._do_api_call('shelter.listByBreed', kwargs) shelter_ids = root.findall('shelterIds/id') for shelter_id in shelter_ids: yield shelter_id.text
shelter_listbybreed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n root = self._do_api_call('shelter.listByBreed', kwargs)\n shelter_ids = root.findall('shelterIds/id')\n for shelter_id in shelter_ids:\n yield shelter_id.text\n", "role": "user" }, { "content": "shelter_listbybreed", "role": "assistant" } ]
def x(self, event, cb, args=None): if event not in self._cbs: raise exceptions.NoSuchEventError self._cbs[event] = [(cb, args)]
add_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, cb, args=None):\n if event not in self._cbs:\n raise exceptions.NoSuchEventError\n self._cbs[event] = [(cb, args)]\n", "role": "user" }, { "content": "add_callback", "role": "assistant" } ]
def x(self, path): with self._mutex: if path[0] == self._name: if len(path) == 1: return self elif path[1] in self._children: return self._children[path[1]].get_node(path[1:]) else: return None else: return None
get_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n with self._mutex:\n if path[0] == self._name:\n if len(path) == 1:\n return self\n elif path[1] in self._children:\n return self._children[path[1]].get_node(path[1:])\n else:\n return None\n else:\n return None\n", "role": "user" }, { "content": "get_node", "role": "assistant" } ]
def x(self, path): with self._mutex: if path[0] == self._name: if len(path) == 1: return True elif path[1] in self._children: return self._children[path[1]].has_path(path[1:]) else: return False else: return False
has_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n with self._mutex:\n if path[0] == self._name:\n if len(path) == 1:\n return True\n elif path[1] in self._children:\n return self._children[path[1]].has_path(path[1:])\n else:\n return False\n else:\n return False\n", "role": "user" }, { "content": "has_path", "role": "assistant" } ]
def x(self, func, args=None, filter=[]): with self._mutex: result = [] if filter: filters_passed = True for f in filter: if type(f) == str: if not eval('self.' + f): filters_passed = False break elif not f(self): filters_passed = False break if filters_passed: result = [func(self, args)] else: result = [func(self, args)] for child in self._children: result += self._children[child].iterate(func, args, filter) return result
iterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func, args=None, filter=[]):\n with self._mutex:\n result = []\n if filter:\n filters_passed = True\n for f in filter:\n if type(f) == str:\n if not eval('self.' + f):\n filters_passed = False\n break\n elif not f(self):\n filters_passed = False\n break\n if filters_passed:\n result = [func(self, args)]\n else:\n result = [func(self, args)]\n for child in self._children:\n result += self._children[child].iterate(func, args, filter)\n return result\n", "role": "user" }, { "content": "iterate", "role": "assistant" } ]
def x(self, event, cb): if event not in self._cbs: raise exceptions.NoSuchEventError(self.name, event) c = [(x[0], x[1]) for x in self._cbs[event]] if not c: raise exceptions.NoCBError(self.name, event, cb) self._cbs[event].remove(c[0])
rem_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, cb):\n if event not in self._cbs:\n raise exceptions.NoSuchEventError(self.name, event)\n c = [(x[0], x[1]) for x in self._cbs[event]]\n if not c:\n raise exceptions.NoCBError(self.name, event, cb)\n self._cbs[event].remove(c[0])\n", "role": "user" }, { "content": "rem_callback", "role": "assistant" } ]
def x(self): with self._mutex: if self._parent: return self._parent.full_path + [self._name] else: return [self._name]
full_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if self._parent:\n return self._parent.full_path + [self._name]\n else:\n return [self._name]\n", "role": "user" }, { "content": "full_path", "role": "assistant" } ]
def x(self): with self._mutex: if self._parent: if self._parent._name == '/': return self._parent.full_path_str + self._name else: return self._parent.full_path_str + '/' + self._name else: return self._name
full_path_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if self._parent:\n if self._parent._name == '/':\n return self._parent.full_path_str + self._name\n else:\n return self._parent.full_path_str + '/' + self._name\n else:\n return self._name\n", "role": "user" }, { "content": "full_path_str", "role": "assistant" } ]
def x(self): with self._mutex: if not self._parent: return None elif self._parent.name == '/': return self else: return self._parent.nameserver
nameserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if not self._parent:\n return None\n elif self._parent.name == '/':\n return self\n else:\n return self._parent.nameserver\n", "role": "user" }, { "content": "nameserver", "role": "assistant" } ]
def x(self): with self._mutex: if self._parent.name == '/': return None return self._parent.orb
orb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if self._parent.name == '/':\n return None\n return self._parent.orb\n", "role": "user" }, { "content": "orb", "role": "assistant" } ]
def x(self): with self._mutex: if self._parent: return self._parent.root else: return self
root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._mutex:\n if self._parent:\n return self._parent.root\n else:\n return self\n", "role": "user" }, { "content": "root", "role": "assistant" } ]
def x(state, args): args = parser.parse_args(args[1:]) query.files.delete_priority_rule(state.db, args.id) del state.file_picker
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state, args):\n args = parser.parse_args(args[1:])\n query.files.delete_priority_rule(state.db, args.id)\n del state.file_picker\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(db, table, key_cols, update_dict): with db: cur = db.cursor() cur.execute('UPDATE {} SET {} WHERE {}'.format(table, ','.join( _sqlpformat(col) for col in update_dict.keys()), ' AND '.join( _sqlpformat(col) for col in key_cols)), update_dict) if db.changes() == 0: keys, values = zip(*update_dict.items()) cur.execute('INSERT INTO {} ({}) VALUES ({})'.format(table, ',' .join(keys), ','.join('?' for _ in values)), values)
upsert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db, table, key_cols, update_dict):\n with db:\n cur = db.cursor()\n cur.execute('UPDATE {} SET {} WHERE {}'.format(table, ','.join(\n _sqlpformat(col) for col in update_dict.keys()), ' AND '.join(\n _sqlpformat(col) for col in key_cols)), update_dict)\n if db.changes() == 0:\n keys, values = zip(*update_dict.items())\n cur.execute('INSERT INTO {} ({}) VALUES ({})'.format(table, ','\n .join(keys), ','.join('?' for _ in values)), values)\n", "role": "user" }, { "content": "upsert", "role": "assistant" } ]
def x(state, args): if len(args) < 2: print(f'Usage: {args[0]} {{ID|aid:AID}}') return aid = state.results.parse_aid(args[1], default_key='anidb') anime = request_anime(aid) query.update.add(state.db, anime)
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state, args):\n if len(args) < 2:\n print(f'Usage: {args[0]} {{ID|aid:AID}}')\n return\n aid = state.results.parse_aid(args[1], default_key='anidb')\n anime = request_anime(aid)\n query.update.add(state.db, anime)\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(self, z): return self.bg.Omega_lambda(z) + self.bg.Omega_fld(z)
Ode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, z):\n return self.bg.Omega_lambda(z) + self.bg.Omega_fld(z)\n", "role": "user" }, { "content": "Ode", "role": "assistant" } ]
def x(self, z): return self.bg.Omega_ncdm(z) + self.bg.Omega_ur(z)
Onu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, z):\n return self.bg.Omega_ncdm(z) + self.bg.Omega_ur(z)\n", "role": "user" }, { "content": "Onu", "role": "assistant" } ]
def x(cls, service, port): host = socket.getfqdn() return cls(host=host, ip=socket.gethostbyname(host), port=port, metadata=service.metadata)
current
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, service, port):\n host = socket.getfqdn()\n return cls(host=host, ip=socket.gethostbyname(host), port=port,\n metadata=service.metadata)\n", "role": "user" }, { "content": "current", "role": "assistant" } ]
def x(self): return json.dumps({'port': self.port, 'ip': self.ip, 'host': self.host, 'peer': self.peer.serialize() if self.peer else None, 'metadata': json.dumps(self.metadata or {}, sort_keys=True)}, sort_keys=True)
serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return json.dumps({'port': self.port, 'ip': self.ip, 'host': self.host,\n 'peer': self.peer.serialize() if self.peer else None, 'metadata':\n json.dumps(self.metadata or {}, sort_keys=True)}, sort_keys=True)\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(cls, value): if getattr(value, 'decode', None): value = value.decode() logger.debug("Deserializing node data: '%s'", value) parsed = json.loads(value) if 'port' not in parsed: raise ValueError('No port defined for node.') if 'ip' not in parsed: raise ValueError('No IP address defined for node.') if 'host' not in parsed: host, aliases, ip_list = socket.gethostbyaddr(parsed['ip']) parsed['host'] = socket.get_fqdn(host) if 'peer' in parsed: peer = Peer.deserialize(parsed['peer']) else: peer = None return cls(parsed['host'], parsed['ip'], parsed['port'], peer=peer, metadata=parsed.get('metadata'))
deserialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value):\n if getattr(value, 'decode', None):\n value = value.decode()\n logger.debug(\"Deserializing node data: '%s'\", value)\n parsed = json.loads(value)\n if 'port' not in parsed:\n raise ValueError('No port defined for node.')\n if 'ip' not in parsed:\n raise ValueError('No IP address defined for node.')\n if 'host' not in parsed:\n host, aliases, ip_list = socket.gethostbyaddr(parsed['ip'])\n parsed['host'] = socket.get_fqdn(host)\n if 'peer' in parsed:\n peer = Peer.deserialize(parsed['peer'])\n else:\n peer = None\n return cls(parsed['host'], parsed['ip'], parsed['port'], peer=peer,\n metadata=parsed.get('metadata'))\n", "role": "user" }, { "content": "deserialize", "role": "assistant" } ]
def x(self): for config_class in self.watched_configurables: monitor = ConfigFileMonitor(config_class, self.config_dir) self.observers.append(monitor.start(self.add_configurable, self. update_configurable, self.remove_configurable)) wait_on_event(self.shutdown)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for config_class in self.watched_configurables:\n monitor = ConfigFileMonitor(config_class, self.config_dir)\n self.observers.append(monitor.start(self.add_configurable, self.\n update_configurable, self.remove_configurable))\n wait_on_event(self.shutdown)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, name, fn, *args, **kwargs): logger.debug("Launching thread '%s': %s(%s, %s)", name, fn, args, kwargs) self.thread_pool[name] = threading.Thread(target=fn, args=args, kwargs= kwargs) self.thread_pool[name].daemon = True self.thread_pool[name].start()
launch_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, fn, *args, **kwargs):\n logger.debug(\"Launching thread '%s': %s(%s, %s)\", name, fn, args, kwargs)\n self.thread_pool[name] = threading.Thread(target=fn, args=args, kwargs=\n kwargs)\n self.thread_pool[name].daemon = True\n self.thread_pool[name].start()\n", "role": "user" }, { "content": "launch_thread", "role": "assistant" } ]
def x(self, name): if name not in self.thread_pool: return self.thread_pool[name].join() del self.thread_pool[name]
kill_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if name not in self.thread_pool:\n return\n self.thread_pool[name].join()\n del self.thread_pool[name]\n", "role": "user" }, { "content": "kill_thread", "role": "assistant" } ]
def x(self, configurable_class, name, config): configurable_class_name = configurable_class.__name__.lower() logger.info("updating %s: '%s'", configurable_class_name, name) registry = self.registry_for(configurable_class) if name not in registry: logger.warn("Tried to update unknown %s: '%s'", configurable_class_name, name) self.add_configurable(configurable_class, configurable_class. from_config(name, config)) return registry[name].apply_config(config) hook = self.hook_for(configurable_class, 'update') if not hook: return def x(f): try: f.result() except Exception: logger.exception("Error updating configurable '%s'", name) self.work_pool.submit(hook, name, config).add_done_callback(done)
update_configurable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configurable_class, name, config):\n configurable_class_name = configurable_class.__name__.lower()\n logger.info(\"updating %s: '%s'\", configurable_class_name, name)\n registry = self.registry_for(configurable_class)\n if name not in registry:\n logger.warn(\"Tried to update unknown %s: '%s'\",\n configurable_class_name, name)\n self.add_configurable(configurable_class, configurable_class.\n from_config(name, config))\n return\n registry[name].apply_config(config)\n hook = self.hook_for(configurable_class, 'update')\n if not hook:\n return\n\n def x(f):\n try:\n f.result()\n except Exception:\n logger.exception(\"Error updating configurable '%s'\", name)\n self.work_pool.submit(hook, name, config).add_done_callback(done)\n", "role": "user" }, { "content": "update_configurable", "role": "assistant" } ]
def x(self, configurable_class, name): configurable_class_name = configurable_class.__name__.lower() logger.info("Removing %s: '%s'", configurable_class_name, name) registry = self.registry_for(configurable_class) if name not in registry: logger.warn("Tried to remove unknown active %s: '%s'", configurable_class_name, name) return hook = self.hook_for(configurable_class, action='remove') if not hook: registry.pop(name) return def x(f): try: f.result() registry.pop(name) except Exception: logger.exception("Error removing configurable '%s'", name) self.work_pool.submit(hook, name).add_done_callback(done)
remove_configurable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configurable_class, name):\n configurable_class_name = configurable_class.__name__.lower()\n logger.info(\"Removing %s: '%s'\", configurable_class_name, name)\n registry = self.registry_for(configurable_class)\n if name not in registry:\n logger.warn(\"Tried to remove unknown active %s: '%s'\",\n configurable_class_name, name)\n return\n hook = self.hook_for(configurable_class, action='remove')\n if not hook:\n registry.pop(name)\n return\n\n def x(f):\n try:\n f.result()\n registry.pop(name)\n except Exception:\n logger.exception(\"Error removing configurable '%s'\", name)\n self.work_pool.submit(hook, name).add_done_callback(done)\n", "role": "user" }, { "content": "remove_configurable", "role": "assistant" } ]
def x(self, configurable_class, action): configurable_class_name = configurable_class.__name__.lower() return getattr(self, 'on_' + configurable_class_name + '_' + action, None)
hook_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configurable_class, action):\n configurable_class_name = configurable_class.__name__.lower()\n return getattr(self, 'on_' + configurable_class_name + '_' + action, None)\n", "role": "user" }, { "content": "hook_for", "role": "assistant" } ]
def x(self): self.shutdown.set() for monitor in self.observers: monitor.stop() self.wind_down() for monitor in self.observers: monitor.join() for thread in self.thread_pool.values(): thread.join() self.work_pool.shutdown()
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.shutdown.set()\n for monitor in self.observers:\n monitor.stop()\n self.wind_down()\n for monitor in self.observers:\n monitor.join()\n for thread in self.thread_pool.values():\n thread.join()\n self.work_pool.shutdown()\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self, **kwargs): if self._subresource_map: self.set_subresources(**kwargs) for key in self._subresource_map.keys(): kwargs.pop(key, None) for field, value in kwargs.items(): if field in self.Meta.attributes: setattr(self, field, value)
set_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n if self._subresource_map:\n self.set_subresources(**kwargs)\n for key in self._subresource_map.keys():\n kwargs.pop(key, None)\n for field, value in kwargs.items():\n if field in self.Meta.attributes:\n setattr(self, field, value)\n", "role": "user" }, { "content": "set_attributes", "role": "assistant" } ]
def x(cls, resource, base_url): if resource.Meta.resource_name: url = '{}/{}'.format(base_url, resource.Meta.resource_name) else: p = inflect.engine() plural_name = p.plural(resource.Meta.name.lower()) url = '{}/{}'.format(base_url, plural_name) return cls._parse_url_and_validate(url)
get_resource_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, resource, base_url):\n if resource.Meta.resource_name:\n url = '{}/{}'.format(base_url, resource.Meta.resource_name)\n else:\n p = inflect.engine()\n plural_name = p.plural(resource.Meta.name.lower())\n url = '{}/{}'.format(base_url, plural_name)\n return cls._parse_url_and_validate(url)\n", "role": "user" }, { "content": "get_resource_url", "role": "assistant" } ]