source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(filepath) ->bool: if os.path.exists(filepath): extension = os.path.splitext(filepath)[1] return extension in ('.mkv', '.mp4', '.avi') else: return False
is_video
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath) ->bool:\n if os.path.exists(filepath):\n extension = os.path.splitext(filepath)[1]\n return extension in ('.mkv', '.mp4', '.avi')\n else:\n return False\n", "role": "user" }, { "content": "is_video", "role": "assistant" } ]
def x(dirpath: str) ->'Iterable[str]': for dirpath, dirnames, filenames in os.walk(dirpath, topdown=True, followlinks=True): if os.path.basename(dirpath).startswith('.'): del dirnames[:] for filename in filenames: yield os.path.join(dirpath, filename)
find_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dirpath: str) ->'Iterable[str]':\n for dirpath, dirnames, filenames in os.walk(dirpath, topdown=True,\n followlinks=True):\n if os.path.basename(dirpath).startswith('.'):\n del dirnames[:]\n for filename in filenames:\n yield os.path.join(dirpath, filename)\n", "role": "user" }, { "content": "find_files", "role": "assistant" } ]
def x(cls): name = socket.getfqdn() ip = socket.gethostbyname(name) return cls(name, ip)
current
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n name = socket.getfqdn()\n ip = socket.gethostbyname(name)\n return cls(name, ip)\n", "role": "user" }, { "content": "current", "role": "assistant" } ]
def x(self): return json.dumps({'name': self.name, 'ip': self.ip, 'port': self.port}, 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({'name': self.name, 'ip': self.ip, 'port': self.port},\n sort_keys=True)\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(cls, value): parsed = json.loads(value) if 'name' not in parsed: raise ValueError('No peer name.') if 'ip' not in parsed: raise ValueError('No peer IP.') if 'port' not in parsed: parsed['port'] = DEFAULT_PEER_PORT return cls(parsed['name'], parsed['ip'], parsed['port'])
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 parsed = json.loads(value)\n if 'name' not in parsed:\n raise ValueError('No peer name.')\n if 'ip' not in parsed:\n raise ValueError('No peer IP.')\n if 'port' not in parsed:\n parsed['port'] = DEFAULT_PEER_PORT\n return cls(parsed['name'], parsed['ip'], parsed['port'])\n", "role": "user" }, { "content": "deserialize", "role": "assistant" } ]
def x(self, obj): if isinstance(obj, np.ndarray): data_b64 = base64.b64encode(obj.data).decode('utf-8') return dict(__ndarray__=data_b64, dtype=str(obj.dtype), shape=obj.shape ) elif sps.issparse(obj): data_b64 = base64.b64encode(obj.data).decode('utf-8') return dict(__ndarray__=data_b64, dtype=str(obj.dtype), shape=obj. shape, indices=obj.indices, indptr=obj.indptr) elif hasattr(obj, '__dict__'): return obj.__dict__ return json.JSONEncoder.default(self, obj)
default
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if isinstance(obj, np.ndarray):\n data_b64 = base64.b64encode(obj.data).decode('utf-8')\n return dict(__ndarray__=data_b64, dtype=str(obj.dtype), shape=obj.shape\n )\n elif sps.issparse(obj):\n data_b64 = base64.b64encode(obj.data).decode('utf-8')\n return dict(__ndarray__=data_b64, dtype=str(obj.dtype), shape=obj.\n shape, indices=obj.indices, indptr=obj.indptr)\n elif hasattr(obj, '__dict__'):\n return obj.__dict__\n return json.JSONEncoder.default(self, obj)\n", "role": "user" }, { "content": "default", "role": "assistant" } ]
def x(self, tag): try: return [l[len(tag):] for l in self.meta_data if l.startswith(tag)][0] except IndexError: return '* Not Found *'
extract_meta_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag):\n try:\n return [l[len(tag):] for l in self.meta_data if l.startswith(tag)][0]\n except IndexError:\n return '* Not Found *'\n", "role": "user" }, { "content": "extract_meta_value", "role": "assistant" } ]
def x(): available_reader_list = [] module_dir = os.path.realpath(os.path.dirname(__file__)) module_names = filter(lambda x: x.endswith('_reader.py'), os.listdir( module_dir)) for module_name in module_names: markup = module_name.split('_')[0] reader = get_reader(markup=markup) if reader.enabled is True: available_reader_list.append((markup, reader.name)) return available_reader_list
get_markup_choices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n available_reader_list = []\n module_dir = os.path.realpath(os.path.dirname(__file__))\n module_names = filter(lambda x: x.endswith('_reader.py'), os.listdir(\n module_dir))\n for module_name in module_names:\n markup = module_name.split('_')[0]\n reader = get_reader(markup=markup)\n if reader.enabled is True:\n available_reader_list.append((markup, reader.name))\n return available_reader_list\n", "role": "user" }, { "content": "get_markup_choices", "role": "assistant" } ]
def x(self, config): self.hosts = config['hosts'] old_base_path = self.base_path self.base_path = config['path'] if not self.connected.is_set(): return logger.debug('Setting ZK hosts to %s', self.hosts) self.client.set_hosts(','.join(self.hosts)) if old_base_path and old_base_path != self.base_path: logger.critical('ZNode base path changed!' + ' Lighthouse will need to be restarted' + ' to watch the right znodes')
apply_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n self.hosts = config['hosts']\n old_base_path = self.base_path\n self.base_path = config['path']\n if not self.connected.is_set():\n return\n logger.debug('Setting ZK hosts to %s', self.hosts)\n self.client.set_hosts(','.join(self.hosts))\n if old_base_path and old_base_path != self.base_path:\n logger.critical('ZNode base path changed!' +\n ' Lighthouse will need to be restarted' +\n ' to watch the right znodes')\n", "role": "user" }, { "content": "apply_config", "role": "assistant" } ]
def x(self): self.client = client.KazooClient(hosts=','.join(self.hosts)) self.client.add_listener(self.handle_connection_change) self.client.start_async()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.client = client.KazooClient(hosts=','.join(self.hosts))\n self.client.add_listener(self.handle_connection_change)\n self.client.start_async()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): logger.info('Disconnecting from Zookeeper.') self.client.stop() self.client.close()
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('Disconnecting from Zookeeper.')\n self.client.stop()\n self.client.close()\n", "role": "user" }, { "content": "disconnect", "role": "assistant" } ]
def x(self, state): if state == client.KazooState.LOST: if not self.shutdown.is_set(): logger.info('Zookeeper session lost!') self.connected.clear() elif state == client.KazooState.SUSPENDED: logger.info('Zookeeper connection suspended!') self.connected.clear() else: logger.info('Zookeeper connection (re)established.') self.connected.set()
handle_connection_change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state):\n if state == client.KazooState.LOST:\n if not self.shutdown.is_set():\n logger.info('Zookeeper session lost!')\n self.connected.clear()\n elif state == client.KazooState.SUSPENDED:\n logger.info('Zookeeper connection suspended!')\n self.connected.clear()\n else:\n logger.info('Zookeeper connection (re)established.')\n self.connected.set()\n", "role": "user" }, { "content": "handle_connection_change", "role": "assistant" } ]
def x(self, cluster, callback): logger.debug('starting to watch cluster %s', cluster.name) wait_on_any(self.connected, self.shutdown) logger.debug('done waiting on (connected, shutdown)') znode_path = '/'.join([self.base_path, cluster.name]) self.stop_events[znode_path] = threading.Event() def x(): return znode_path not in self.stop_events or self.stop_events[ znode_path].is_set() or self.shutdown.is_set() while not should_stop(): try: if self.client.exists(znode_path): break except exceptions.ConnectionClosedError: break wait_on_any(self.stop_events[znode_path], self.shutdown, timeout= NO_NODE_INTERVAL) logger.debug('setting up ChildrenWatch for %s', znode_path) @self.client.ChildrenWatch(znode_path) def x(children): if should_stop(): return False logger.debug('znode children changed! (%s)', znode_path) new_nodes = [] for child in children: child_path = '/'.join([znode_path, child]) try: new_nodes.append(Node.deserialize(self.client.get( child_path)[0])) except ValueError: logger.exception("Invalid node at path '%s'", child) continue cluster.nodes = new_nodes callback()
start_watching
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cluster, callback):\n logger.debug('starting to watch cluster %s', cluster.name)\n wait_on_any(self.connected, self.shutdown)\n logger.debug('done waiting on (connected, shutdown)')\n znode_path = '/'.join([self.base_path, cluster.name])\n self.stop_events[znode_path] = threading.Event()\n\n def x():\n return znode_path not in self.stop_events or self.stop_events[\n znode_path].is_set() or self.shutdown.is_set()\n while not should_stop():\n try:\n if self.client.exists(znode_path):\n break\n except exceptions.ConnectionClosedError:\n break\n wait_on_any(self.stop_events[znode_path], self.shutdown, timeout=\n NO_NODE_INTERVAL)\n logger.debug('setting up ChildrenWatch for %s', znode_path)\n\n @self.client.ChildrenWatch(znode_path)\n def x(children):\n if should_stop():\n return False\n logger.debug('znode children changed! (%s)', znode_path)\n new_nodes = []\n for child in children:\n child_path = '/'.join([znode_path, child])\n try:\n new_nodes.append(Node.deserialize(self.client.get(\n child_path)[0]))\n except ValueError:\n logger.exception(\"Invalid node at path '%s'\", child)\n continue\n cluster.nodes = new_nodes\n callback()\n", "role": "user" }, { "content": "start_watching", "role": "assistant" } ]
def x(self, cluster): znode_path = '/'.join([self.base_path, cluster.name]) if znode_path in self.stop_events: self.stop_events[znode_path].set()
stop_watching
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cluster):\n znode_path = '/'.join([self.base_path, cluster.name])\n if znode_path in self.stop_events:\n self.stop_events[znode_path].set()\n", "role": "user" }, { "content": "stop_watching", "role": "assistant" } ]
def x(self, service, port): wait_on_any(self.connected, self.shutdown) node = Node.current(service, port) path = self.path_of(service, node) data = node.serialize().encode() znode = self.client.exists(path) if not znode: logger.debug('ZNode at %s does not exist, creating new one.', path) self.client.create(path, value=data, ephemeral=True, makepath=True) elif znode.owner_session_id != self.client.client_id[0]: logger.debug('ZNode at %s not owned by us, recreating.', path) txn = self.client.transaction() txn.delete(path) txn.create(path, value=data, ephemeral=True) txn.commit() else: logger.debug('Setting node value to %r', data) self.client.set(path, data)
report_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, port):\n wait_on_any(self.connected, self.shutdown)\n node = Node.current(service, port)\n path = self.path_of(service, node)\n data = node.serialize().encode()\n znode = self.client.exists(path)\n if not znode:\n logger.debug('ZNode at %s does not exist, creating new one.', path)\n self.client.create(path, value=data, ephemeral=True, makepath=True)\n elif znode.owner_session_id != self.client.client_id[0]:\n logger.debug('ZNode at %s not owned by us, recreating.', path)\n txn = self.client.transaction()\n txn.delete(path)\n txn.create(path, value=data, ephemeral=True)\n txn.commit()\n else:\n logger.debug('Setting node value to %r', data)\n self.client.set(path, data)\n", "role": "user" }, { "content": "report_up", "role": "assistant" } ]
def x(self, service, port): wait_on_any(self.connected, self.shutdown) node = Node.current(service, port) path = self.path_of(service, node) try: logger.debug('Deleting znode at %s', path) self.client.delete(path) except exceptions.NoNodeError: pass
report_down
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, port):\n wait_on_any(self.connected, self.shutdown)\n node = Node.current(service, port)\n path = self.path_of(service, node)\n try:\n logger.debug('Deleting znode at %s', path)\n self.client.delete(path)\n except exceptions.NoNodeError:\n pass\n", "role": "user" }, { "content": "report_down", "role": "assistant" } ]
def x(self, service, node): return '/'.join([self.base_path, service.name, node.name])
path_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, node):\n return '/'.join([self.base_path, service.name, node.name])\n", "role": "user" }, { "content": "path_of", "role": "assistant" } ]
def x(obj, user): if not user.is_authenticated() or not hasattr(obj, '_ratings_field'): return False ratings_descriptor = getattr(obj, obj._ratings_field) try: rating = ratings_descriptor.get(user=user).score except ratings_descriptor.model.DoesNotExist: rating = None return rating
rating_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, user):\n if not user.is_authenticated() or not hasattr(obj, '_ratings_field'):\n return False\n ratings_descriptor = getattr(obj, obj._ratings_field)\n try:\n rating = ratings_descriptor.get(user=user).score\n except ratings_descriptor.model.DoesNotExist:\n rating = None\n return rating\n", "role": "user" }, { "content": "rating_score", "role": "assistant" } ]
def x(obj, score=1): return reverse('ratings_rate_object', args=(ContentType.objects. get_for_model(obj).pk, obj.pk, score))
rate_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, score=1):\n return reverse('ratings_rate_object', args=(ContentType.objects.\n get_for_model(obj).pk, obj.pk, score))\n", "role": "user" }, { "content": "rate_url", "role": "assistant" } ]
def x(obj): return reverse('ratings_unrate_object', args=(ContentType.objects. get_for_model(obj).pk, obj.pk))
unrate_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return reverse('ratings_unrate_object', args=(ContentType.objects.\n get_for_model(obj).pk, obj.pk))\n", "role": "user" }, { "content": "unrate_url", "role": "assistant" } ]
def x(state, args): args = parser.parse_args(args[1:]) aid = state.results.parse_aid(args.aid, default_key='db') query.update.reset(state.db, aid, args.episode)
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 aid = state.results.parse_aid(args.aid, default_key='db')\n query.update.reset(state.db, aid, args.episode)\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(agent, project_name, job_id): prevstate = agent.cancel(project_name, job_id)['prevstate'] if prevstate == 'pending': sqllite_agent.execute(ScrapydJobExtInfoSQLSet.DELETE_BY_ID, (job_id,))
cancel_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(agent, project_name, job_id):\n prevstate = agent.cancel(project_name, job_id)['prevstate']\n if prevstate == 'pending':\n sqllite_agent.execute(ScrapydJobExtInfoSQLSet.DELETE_BY_ID, (job_id,))\n", "role": "user" }, { "content": "cancel_job", "role": "assistant" } ]
def x(job_lsit_DO): ext_info = sqllite_agent.execute(ScrapydJobExtInfoSQLSet.SELECT_BY_ID, (job_lsit_DO.job_id,)) if ext_info is None or len(ext_info) <= 0: return ext_info = ext_info[0] job_lsit_DO.args = ext_info[1] job_lsit_DO.priority = ext_info[2] job_lsit_DO.creation_time = ext_info[3] job_lsit_DO.logs_name = str_to_list(ext_info[4], ',') job_lsit_DO.logs_url = str_to_list(ext_info[5], ',')
packing_job_ext_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(job_lsit_DO):\n ext_info = sqllite_agent.execute(ScrapydJobExtInfoSQLSet.SELECT_BY_ID,\n (job_lsit_DO.job_id,))\n if ext_info is None or len(ext_info) <= 0:\n return\n ext_info = ext_info[0]\n job_lsit_DO.args = ext_info[1]\n job_lsit_DO.priority = ext_info[2]\n job_lsit_DO.creation_time = ext_info[3]\n job_lsit_DO.logs_name = str_to_list(ext_info[4], ',')\n job_lsit_DO.logs_url = str_to_list(ext_info[5], ',')\n", "role": "user" }, { "content": "packing_job_ext_info", "role": "assistant" } ]
def x(agent): project_list = agent.get_project_list() if project_list['status'] == 'error': raise ScrapydTimeoutException project_list = project_list['projects'] pending_job_list = [] running_job_list = [] finished_job_list = [] for project_name in project_list: job_list = agent.get_job_list(project_name) project_version = agent.get_version_list(project_name)['versions'][-1:] for pending_job in job_list['pending']: pending_job_list.append(JobListDO(project_name=project_name, project_version=project_version, job_id=pending_job['id'], spider_name=pending_job['spider'], job_status=JobStatus. PENDING)) for running_job in job_list['running']: running_job_list.append(JobListDO(project_name=project_name, project_version=project_version, job_id=running_job['id'], spider_name=running_job['spider'], start_time=running_job[ 'start_time'], job_status=JobStatus.RUNNING)) for finished_job in job_list['finished']: finished_job_list.append(JobListDO(project_name=project_name, project_version=project_version, job_id=finished_job['id'], spider_name=finished_job['spider'], start_time=finished_job ['start_time'], end_time=finished_job['end_time'], job_status=JobStatus.FINISHED)) return pending_job_list, running_job_list, finished_job_list
get_all_job_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(agent):\n project_list = agent.get_project_list()\n if project_list['status'] == 'error':\n raise ScrapydTimeoutException\n project_list = project_list['projects']\n pending_job_list = []\n running_job_list = []\n finished_job_list = []\n for project_name in project_list:\n job_list = agent.get_job_list(project_name)\n project_version = agent.get_version_list(project_name)['versions'][-1:]\n for pending_job in job_list['pending']:\n pending_job_list.append(JobListDO(project_name=project_name,\n project_version=project_version, job_id=pending_job['id'],\n spider_name=pending_job['spider'], job_status=JobStatus.\n PENDING))\n for running_job in job_list['running']:\n running_job_list.append(JobListDO(project_name=project_name,\n project_version=project_version, job_id=running_job['id'],\n spider_name=running_job['spider'], start_time=running_job[\n 'start_time'], job_status=JobStatus.RUNNING))\n for finished_job in job_list['finished']:\n finished_job_list.append(JobListDO(project_name=project_name,\n project_version=project_version, job_id=finished_job['id'],\n spider_name=finished_job['spider'], start_time=finished_job\n ['start_time'], end_time=finished_job['end_time'],\n job_status=JobStatus.FINISHED))\n return pending_job_list, running_job_list, finished_job_list\n", "role": "user" }, { "content": "get_all_job_list", "role": "assistant" } ]
def x(agent, project_name, spider_name=None): job_list = agent.get_job_list(project_name) pending_job_list = job_list['pending'] running_job_list = job_list['running'] finished_job_list = job_list['finished'] job_amounts = {} if spider_name is None: job_amounts['pending'] = len(pending_job_list) job_amounts['running'] = len(running_job_list) job_amounts['finished'] = len(finished_job_list) else: job_amounts['pending'] = len([j for j in pending_job_list if j[ 'spider'] == spider_name]) job_amounts['running'] = len([j for j in running_job_list if j[ 'spider'] == spider_name]) job_amounts['finished'] = len([j for j in finished_job_list if j[ 'spider'] == spider_name]) return job_amounts
get_job_amounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(agent, project_name, spider_name=None):\n job_list = agent.get_job_list(project_name)\n pending_job_list = job_list['pending']\n running_job_list = job_list['running']\n finished_job_list = job_list['finished']\n job_amounts = {}\n if spider_name is None:\n job_amounts['pending'] = len(pending_job_list)\n job_amounts['running'] = len(running_job_list)\n job_amounts['finished'] = len(finished_job_list)\n else:\n job_amounts['pending'] = len([j for j in pending_job_list if j[\n 'spider'] == spider_name])\n job_amounts['running'] = len([j for j in running_job_list if j[\n 'spider'] == spider_name])\n job_amounts['finished'] = len([j for j in finished_job_list if j[\n 'spider'] == spider_name])\n return job_amounts\n", "role": "user" }, { "content": "get_job_amounts", "role": "assistant" } ]
def x(name): parts = [] if type(name) is not list and type(name) is not tuple: raise NotCORBANameError(name) if len(name) == 0: raise NotCORBANameError(name) for nc in name: if not nc.kind: parts.append(nc.id) else: parts.append('{0}.{1}'.format(nc.id, nc.kind)) return '/'.join(parts)
corba_name_to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n parts = []\n if type(name) is not list and type(name) is not tuple:\n raise NotCORBANameError(name)\n if len(name) == 0:\n raise NotCORBANameError(name)\n for nc in name:\n if not nc.kind:\n parts.append(nc.id)\n else:\n parts.append('{0}.{1}'.format(nc.id, nc.kind))\n return '/'.join(parts)\n", "role": "user" }, { "content": "corba_name_to_string", "role": "assistant" } ]
def x(self): self._remove_all_children() self._parse_context(self._context, self.orb)
reparse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._remove_all_children()\n self._parse_context(self._context, self.orb)\n", "role": "user" }, { "content": "reparse", "role": "assistant" } ]
def x(self, name): with self._mutex: id, sep, kind = name.rpartition('.') if not id: id = kind kind = '' name = CosNaming.NameComponent(id=str(id), kind=str(kind)) try: self.context.unbind([name]) except CosNaming.NamingContext.NotFound: raise exceptions.BadPathError(name)
unbind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n with self._mutex:\n id, sep, kind = name.rpartition('.')\n if not id:\n id = kind\n kind = ''\n name = CosNaming.NameComponent(id=str(id), kind=str(kind))\n try:\n self.context.unbind([name])\n except CosNaming.NamingContext.NotFound:\n raise exceptions.BadPathError(name)\n", "role": "user" }, { "content": "unbind", "role": "assistant" } ]
def x(self, docs): if self.n_jobs == 1: return [self._tokenize(doc) for doc in docs] else: return parallel(self._tokenize, docs, self.n_jobs)
tokenize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, docs):\n if self.n_jobs == 1:\n return [self._tokenize(doc) for doc in docs]\n else:\n return parallel(self._tokenize, docs, self.n_jobs)\n", "role": "user" }, { "content": "tokenize", "role": "assistant" } ]
def x(codelabel, submit): code = Code.get_from_string(codelabel) calc = code.new_calc() calc.label = 'compute rips from distance matrix' calc.set_max_wallclock_seconds(1 * 60) calc.set_withmpi(False) calc.set_resources({'num_machines': 1, 'num_mpiprocs_per_machine': 1}) from aiida.orm import DataFactory Parameters = DataFactory('gudhi.rdm') parameters = Parameters(dict={'max-edge-length': 4.2}) calc.use_parameters(parameters) SinglefileData = DataFactory('singlefile') distance_matrix = SinglefileData(file=os.path.join(gt.TEST_DIR, 'sample_distance.matrix')) calc.use_distance_matrix(distance_matrix) if submit: calc.store_all() calc.submit() print("submitted calculation; calc=Calculation(uuid='{}') # ID={}". format(calc.uuid, calc.dbnode.pk)) else: subfolder, script_filename = calc.submit_test() path = os.path.relpath(subfolder.abspath) print('submission test successful') print('Find remote folder in {}'.format(path)) print("In order to actually submit, add '--submit'")
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(codelabel, submit):\n code = Code.get_from_string(codelabel)\n calc = code.new_calc()\n calc.label = 'compute rips from distance matrix'\n calc.set_max_wallclock_seconds(1 * 60)\n calc.set_withmpi(False)\n calc.set_resources({'num_machines': 1, 'num_mpiprocs_per_machine': 1})\n from aiida.orm import DataFactory\n Parameters = DataFactory('gudhi.rdm')\n parameters = Parameters(dict={'max-edge-length': 4.2})\n calc.use_parameters(parameters)\n SinglefileData = DataFactory('singlefile')\n distance_matrix = SinglefileData(file=os.path.join(gt.TEST_DIR,\n 'sample_distance.matrix'))\n calc.use_distance_matrix(distance_matrix)\n if submit:\n calc.store_all()\n calc.submit()\n print(\"submitted calculation; calc=Calculation(uuid='{}') # ID={}\".\n format(calc.uuid, calc.dbnode.pk))\n else:\n subfolder, script_filename = calc.submit_test()\n path = os.path.relpath(subfolder.abspath)\n print('submission test successful')\n print('Find remote folder in {}'.format(path))\n print(\"In order to actually submit, add '--submit'\")\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(state, args): args = parser.parse_args(args[1:]) aid = state.results.parse_aid(args.aid, default_key='db') if args.query: regexp = '.*'.join(args.query) else: title = query.select.lookup(state.db, aid, fields=['title']).title regexp = re.sub('[^\\w\\s]', ' ', title) regexp = '.*?'.join(re.escape(x) for x in regexp.split()) regexp = '.*?'.join((regexp, '\\b(?P<ep>[0-9]+)(v[0-9]+)?')) query.files.set_regexp(state.db, aid, regexp)
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 aid = state.results.parse_aid(args.aid, default_key='db')\n if args.query:\n regexp = '.*'.join(args.query)\n else:\n title = query.select.lookup(state.db, aid, fields=['title']).title\n regexp = re.sub('[^\\\\w\\\\s]', ' ', title)\n regexp = '.*?'.join(re.escape(x) for x in regexp.split())\n regexp = '.*?'.join((regexp, '\\\\b(?P<ep>[0-9]+)(v[0-9]+)?'))\n query.files.set_regexp(state.db, aid, regexp)\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(self, table: Table, version: int): self.table(table) self.add_columns(*table.columns.get_with_version(version)) return self
from_definition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table: Table, version: int):\n self.table(table)\n self.add_columns(*table.columns.get_with_version(version))\n return self\n", "role": "user" }, { "content": "from_definition", "role": "assistant" } ]
def x(self, keyBitLength, rawKey): if keyBitLength not in ACCEPTABLE_KEY_LENGTHS: raise Exception('keyBitLength must be 128, 192, or 256') self.bitlen = keyBitLength if len(rawKey) <= 0 or len(rawKey) > self.bitlen / 8: raise Exception( 'rawKey must be less than or equal to keyBitLength/8 (%d) characters long' % (self.bitlen / 8)) rawKey = zero_pad(rawKey, self.bitlen / 8) keytable = ctypes.create_string_buffer(TABLE_BYTE_LEN) self.ekeygen(self.bitlen, rawKey, keytable) self.keytable = keytable self.initialized = True
keygen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keyBitLength, rawKey):\n if keyBitLength not in ACCEPTABLE_KEY_LENGTHS:\n raise Exception('keyBitLength must be 128, 192, or 256')\n self.bitlen = keyBitLength\n if len(rawKey) <= 0 or len(rawKey) > self.bitlen / 8:\n raise Exception(\n 'rawKey must be less than or equal to keyBitLength/8 (%d) characters long'\n % (self.bitlen / 8))\n rawKey = zero_pad(rawKey, self.bitlen / 8)\n keytable = ctypes.create_string_buffer(TABLE_BYTE_LEN)\n self.ekeygen(self.bitlen, rawKey, keytable)\n self.keytable = keytable\n self.initialized = True\n", "role": "user" }, { "content": "keygen", "role": "assistant" } ]
def x(self, plainText): encryptedResult = '' for index in range(0, len(plainText), BLOCK_SIZE): block = plainText[index:index + BLOCK_SIZE] if len(block) < BLOCK_SIZE: block = zero_pad(block, BLOCK_SIZE) encryptedResult += self.encrypt_block(block) return encryptedResult
encrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plainText):\n encryptedResult = ''\n for index in range(0, len(plainText), BLOCK_SIZE):\n block = plainText[index:index + BLOCK_SIZE]\n if len(block) < BLOCK_SIZE:\n block = zero_pad(block, BLOCK_SIZE)\n encryptedResult += self.encrypt_block(block)\n return encryptedResult\n", "role": "user" }, { "content": "encrypt", "role": "assistant" } ]
def x(self, cipherText): decryptedResult = '' for index in range(0, len(cipherText), BLOCK_SIZE): block = cipherText[index:index + BLOCK_SIZE] if len(block) < BLOCK_SIZE: block = zero_pad(block, BLOCK_SIZE) decryptedResult += self.decrypt_block(block) return decryptedResult
decrypt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cipherText):\n decryptedResult = ''\n for index in range(0, len(cipherText), BLOCK_SIZE):\n block = cipherText[index:index + BLOCK_SIZE]\n if len(block) < BLOCK_SIZE:\n block = zero_pad(block, BLOCK_SIZE)\n decryptedResult += self.decrypt_block(block)\n return decryptedResult\n", "role": "user" }, { "content": "decrypt", "role": "assistant" } ]
def x(self, plainText): if not self.initialized: raise TypeError('CamCrypt object has not been initialized') if len(plainText) != BLOCK_SIZE: raise ValueError( 'plainText must be %d bytes long (received %d bytes)' % ( BLOCK_SIZE, len(plainText))) cipher = ctypes.create_string_buffer(BLOCK_SIZE) self.encblock(self.bitlen, plainText, self.keytable, cipher) return cipher.raw
encrypt_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plainText):\n if not self.initialized:\n raise TypeError('CamCrypt object has not been initialized')\n if len(plainText) != BLOCK_SIZE:\n raise ValueError(\n 'plainText must be %d bytes long (received %d bytes)' % (\n BLOCK_SIZE, len(plainText)))\n cipher = ctypes.create_string_buffer(BLOCK_SIZE)\n self.encblock(self.bitlen, plainText, self.keytable, cipher)\n return cipher.raw\n", "role": "user" }, { "content": "encrypt_block", "role": "assistant" } ]
def x(self, cipherText): if not self.initialized: raise TypeError('CamCrypt object has not been initialized') if len(cipherText) != BLOCK_SIZE: raise ValueError( 'cipherText must be %d bytes long (received %d bytes)' % ( BLOCK_SIZE, len(cipherText))) plain = ctypes.create_string_buffer(BLOCK_SIZE) self.decblock(self.bitlen, cipherText, self.keytable, plain) return plain.raw
decrypt_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cipherText):\n if not self.initialized:\n raise TypeError('CamCrypt object has not been initialized')\n if len(cipherText) != BLOCK_SIZE:\n raise ValueError(\n 'cipherText must be %d bytes long (received %d bytes)' % (\n BLOCK_SIZE, len(cipherText)))\n plain = ctypes.create_string_buffer(BLOCK_SIZE)\n self.decblock(self.bitlen, cipherText, self.keytable, plain)\n return plain.raw\n", "role": "user" }, { "content": "decrypt_block", "role": "assistant" } ]
def x(app, key): lock.acquire() try: if key not in backup: backup[key] = {} if key in fail_times and fail_times[key] % app.config[MAX_FAILURE_TIMES ] == 0: logger.error( '<SERVER KEY %s> At present already reaching the upper limit of the max failure times, failure times: %s' % (key, fail_times[key])) message = {app.config[MAX_FAILURE_MESSAGE_KEY]: MAX_FAILURE_MESSAGE % key} if alarm_email is not None: _send_alarm_email('Happened fault!', MAX_FAILURE_MESSAGE % key) return unite_dict(backup[key], message) else: logger.info( '<SERVER KEY %s> Request fail or in a status of sleep time window and return backup data %s' % (key, backup[key])) return backup[key] finally: lock.release()
use_backup_if_fail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, key):\n lock.acquire()\n try:\n if key not in backup:\n backup[key] = {}\n if key in fail_times and fail_times[key] % app.config[MAX_FAILURE_TIMES\n ] == 0:\n logger.error(\n '<SERVER KEY %s> At present already reaching the upper limit of the max failure times, failure times: %s'\n % (key, fail_times[key]))\n message = {app.config[MAX_FAILURE_MESSAGE_KEY]: \n MAX_FAILURE_MESSAGE % key}\n if alarm_email is not None:\n _send_alarm_email('Happened fault!', MAX_FAILURE_MESSAGE % key)\n return unite_dict(backup[key], message)\n else:\n logger.info(\n '<SERVER KEY %s> Request fail or in a status of sleep time window and return backup data %s'\n % (key, backup[key]))\n return backup[key]\n finally:\n lock.release()\n", "role": "user" }, { "content": "use_backup_if_fail", "role": "assistant" } ]
def x(key): lock.acquire() try: if key not in sleep_record: return False return time.time() < sleep_record[key] finally: lock.release()
is_sleep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key):\n lock.acquire()\n try:\n if key not in sleep_record:\n return False\n return time.time() < sleep_record[key]\n finally:\n lock.release()\n", "role": "user" }, { "content": "is_sleep", "role": "assistant" } ]
def x(state, args): args = parser.parse_args(args[1:]) if args.watching: rows = query.select.select(state.db, 'regexp IS NOT NULL', [], ['aid']) aids = [anime.aid for anime in rows] elif args.incomplete: rows = query.select.select(state.db, 'enddate IS NULL', [], ['aid']) aids = [anime.aid for anime in rows] else: aid = state.results.parse_aid(args.aid, default_key='db') aids = [aid] if not aids: return anime = request_anime(aids.pop()) query.update.add(state.db, anime) print('Updated {} {}'.format(anime.aid, anime.title)) for aid in aids: time.sleep(2) anime = request_anime(aid) query.update.add(state.db, anime) print('Updated {} {}'.format(anime.aid, anime.title))
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 if args.watching:\n rows = query.select.select(state.db, 'regexp IS NOT NULL', [], ['aid'])\n aids = [anime.aid for anime in rows]\n elif args.incomplete:\n rows = query.select.select(state.db, 'enddate IS NULL', [], ['aid'])\n aids = [anime.aid for anime in rows]\n else:\n aid = state.results.parse_aid(args.aid, default_key='db')\n aids = [aid]\n if not aids:\n return\n anime = request_anime(aids.pop())\n query.update.add(state.db, anime)\n print('Updated {} {}'.format(anime.aid, anime.title))\n for aid in aids:\n time.sleep(2)\n anime = request_anime(aid)\n query.update.add(state.db, anime)\n print('Updated {} {}'.format(anime.aid, anime.title))\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(self): version = self.get_version() command = ['haproxy', '-f', self.config_file_path, '-p', self.pid_file_path ] if version and version >= (1, 5, 0): command.extend(['-L', self.peer.name]) if os.path.exists(self.pid_file_path): with open(self.pid_file_path) as fd: command.extend(['-sf', fd.read().replace('\n', '')]) try: output = subprocess.check_output(command) except subprocess.CalledProcessError as e: logger.error('Failed to restart HAProxy: %s', str(e)) return if output: logging.error('haproxy says: %s', output) logger.info('Gracefully restarted HAProxy.')
restart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n version = self.get_version()\n command = ['haproxy', '-f', self.config_file_path, '-p', self.pid_file_path\n ]\n if version and version >= (1, 5, 0):\n command.extend(['-L', self.peer.name])\n if os.path.exists(self.pid_file_path):\n with open(self.pid_file_path) as fd:\n command.extend(['-sf', fd.read().replace('\\n', '')])\n try:\n output = subprocess.check_output(command)\n except subprocess.CalledProcessError as e:\n logger.error('Failed to restart HAProxy: %s', str(e))\n return\n if output:\n logging.error('haproxy says: %s', output)\n logger.info('Gracefully restarted HAProxy.')\n", "role": "user" }, { "content": "restart", "role": "assistant" } ]
def x(self): command = ['haproxy', '-v'] try: output = subprocess.check_output(command) version_line = output.split('\n')[0] except subprocess.CalledProcessError as e: logger.error('Could not get HAProxy version: %s', str(e)) return None match = version_re.match(version_line) if not match: logger.error("Could not parse version from '%s'", version_line) return None version = int(match.group('major')), int(match.group('minor')), int(match .group('patch')) logger.debug('Got HAProxy version: %s', version) return version
get_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n command = ['haproxy', '-v']\n try:\n output = subprocess.check_output(command)\n version_line = output.split('\\n')[0]\n except subprocess.CalledProcessError as e:\n logger.error('Could not get HAProxy version: %s', str(e))\n return None\n match = version_re.match(version_line)\n if not match:\n logger.error(\"Could not parse version from '%s'\", version_line)\n return None\n version = int(match.group('major')), int(match.group('minor')), int(match\n .group('patch'))\n logger.debug('Got HAProxy version: %s', version)\n return version\n", "role": "user" }, { "content": "get_version", "role": "assistant" } ]
def x(self): info_response = self.send_command('show info') if not info_response: return {} def x(string): return all_cap_re.sub('\\1_\\2', first_cap_re.sub('\\1_\\2', string) ).lower() return dict((convert_camel_case(label), value) for label, value in [ line.split(': ') for line in info_response.split('\n')])
get_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n info_response = self.send_command('show info')\n if not info_response:\n return {}\n\n def x(string):\n return all_cap_re.sub('\\\\1_\\\\2', first_cap_re.sub('\\\\1_\\\\2', string)\n ).lower()\n return dict((convert_camel_case(label), value) for label, value in [\n line.split(': ') for line in info_response.split('\\n')])\n", "role": "user" }, { "content": "get_info", "role": "assistant" } ]
def x(self): stats_response = self.send_command('show stat -1 4 -1') if not stats_response: return [] lines = stats_response.split('\n') fields = lines.pop(0).split(',') fields.pop(0) active_nodes = collections.defaultdict(list) for line in lines: values = line.split(',') service_name = values.pop(0) active_nodes[service_name].append(dict((fields[i], values[i]) for i in range(len(fields)))) return active_nodes
get_active_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n stats_response = self.send_command('show stat -1 4 -1')\n if not stats_response:\n return []\n lines = stats_response.split('\\n')\n fields = lines.pop(0).split(',')\n fields.pop(0)\n active_nodes = collections.defaultdict(list)\n for line in lines:\n values = line.split(',')\n service_name = values.pop(0)\n active_nodes[service_name].append(dict((fields[i], values[i]) for i in\n range(len(fields))))\n return active_nodes\n", "role": "user" }, { "content": "get_active_nodes", "role": "assistant" } ]
def x(self, service_name, node_name): logger.info('Enabling server %s/%s', service_name, node_name) return self.send_command('enable server %s/%s' % (service_name, node_name))
enable_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_name, node_name):\n logger.info('Enabling server %s/%s', service_name, node_name)\n return self.send_command('enable server %s/%s' % (service_name, node_name))\n", "role": "user" }, { "content": "enable_node", "role": "assistant" } ]
def x(self, service_name, node_name): logger.info('Disabling server %s/%s', service_name, node_name) return self.send_command('disable server %s/%s' % (service_name, node_name) )
disable_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_name, node_name):\n logger.info('Disabling server %s/%s', service_name, node_name)\n return self.send_command('disable server %s/%s' % (service_name, node_name)\n )\n", "role": "user" }, { "content": "disable_node", "role": "assistant" } ]
def x(self, command): logger.debug('Connecting to socket %s', self.socket_file_path) sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM) try: sock.connect(self.socket_file_path) except IOError as e: if e.errno == errno.ECONNREFUSED: logger.error('Connection refused. Is HAProxy running?') return else: raise sock.sendall((command + '\n').encode()) response = b'' while True: try: chunk = sock.recv(SOCKET_BUFFER_SIZE) if chunk: response += chunk else: break except IOError as e: if e.errno not in (errno.EAGAIN, errno.EINTR): raise sock.close() return self.process_command_response(command, response)
send_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n logger.debug('Connecting to socket %s', self.socket_file_path)\n sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)\n try:\n sock.connect(self.socket_file_path)\n except IOError as e:\n if e.errno == errno.ECONNREFUSED:\n logger.error('Connection refused. Is HAProxy running?')\n return\n else:\n raise\n sock.sendall((command + '\\n').encode())\n response = b''\n while True:\n try:\n chunk = sock.recv(SOCKET_BUFFER_SIZE)\n if chunk:\n response += chunk\n else:\n break\n except IOError as e:\n if e.errno not in (errno.EAGAIN, errno.EINTR):\n raise\n sock.close()\n return self.process_command_response(command, response)\n", "role": "user" }, { "content": "send_command", "role": "assistant" } ]
def x(self, command, response): if response.startswith(b'Unknown command.'): raise UnknownCommandError(command) if response == b'Permission denied.\n': raise PermissionError(command) if response == b'No such backend.\n': raise UnknownServerError(command) response = response.decode() return response.rstrip('\n')
process_command_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, response):\n if response.startswith(b'Unknown command.'):\n raise UnknownCommandError(command)\n if response == b'Permission denied.\\n':\n raise PermissionError(command)\n if response == b'No such backend.\\n':\n raise UnknownServerError(command)\n response = response.decode()\n return response.rstrip('\\n')\n", "role": "user" }, { "content": "process_command_response", "role": "assistant" } ]
def x(source, target): if len(source) < len(target): return levenshtein(target, source) if len(target) == 0: return len(source) source = np.array(tuple(source)) target = np.array(tuple(target)) previous_row = np.arange(target.size + 1) for s in source: current_row = previous_row + 1 current_row[1:] = np.minimum(current_row[1:], np.add(previous_row[: -1], target != s)) current_row[1:] = np.minimum(current_row[1:], current_row[0:-1] + 1) previous_row = current_row return previous_row[-1]
levenshtein
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, target):\n if len(source) < len(target):\n return levenshtein(target, source)\n if len(target) == 0:\n return len(source)\n source = np.array(tuple(source))\n target = np.array(tuple(target))\n previous_row = np.arange(target.size + 1)\n for s in source:\n current_row = previous_row + 1\n current_row[1:] = np.minimum(current_row[1:], np.add(previous_row[:\n -1], target != s))\n current_row[1:] = np.minimum(current_row[1:], current_row[0:-1] + 1)\n previous_row = current_row\n return previous_row[-1]\n", "role": "user" }, { "content": "levenshtein", "role": "assistant" } ]
def x(request, queryset, template): qs_filter = {} for key in list(request.GET.keys()): if '__istartswith' in key: qs_filter[str(key)] = request.GET[key] break return render_to_response(template, {'objects': queryset.filter(** qs_filter), 'unfiltered_objects': queryset}, context_instance= RequestContext(request))
alphafilter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, queryset, template):\n qs_filter = {}\n for key in list(request.GET.keys()):\n if '__istartswith' in key:\n qs_filter[str(key)] = request.GET[key]\n break\n return render_to_response(template, {'objects': queryset.filter(**\n qs_filter), 'unfiltered_objects': queryset}, context_instance=\n RequestContext(request))\n", "role": "user" }, { "content": "alphafilter", "role": "assistant" } ]
def x(self, channels=2): if channels == 1: return self.volume_frames.reshape(-1, 1) if channels == 2: return np.tile(self.volume_frames, (2, 1)).T raise Exception("RawVolume doesn't know what to do with %s channels" % channels)
to_array
[ { "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 if channels == 1:\n return self.volume_frames.reshape(-1, 1)\n if channels == 2:\n return np.tile(self.volume_frames, (2, 1)).T\n raise Exception(\"RawVolume doesn't know what to do with %s channels\" %\n channels)\n", "role": "user" }, { "content": "to_array", "role": "assistant" } ]
def x(self, item): list = item['p_texts'] + item['links_text'] list.append(item['title']) list.append(item['description']) list.append(item['keywords']) return Simhash(','.join(list).strip()).hash
generate_simhash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n list = item['p_texts'] + item['links_text']\n list.append(item['title'])\n list.append(item['description'])\n list.append(item['keywords'])\n return Simhash(','.join(list).strip()).hash\n", "role": "user" }, { "content": "generate_simhash", "role": "assistant" } ]
def x(paths, out='data/bigram_model.phrases', tokenizer=word_tokenize, **kwargs ): n = 0 for path in paths: print('Counting lines for {0}...'.format(path)) n += sum(1 for line in open(path, 'r')) print('Processing {0} lines...'.format(n)) kwargs = {'max_vocab_size': 40000000, 'threshold': 8.0}.update(kwargs) print('Training bigrams...') bigram = Phrases(_phrase_doc_stream(paths, n, tokenizer=word_tokenize), **kwargs) print('Saving...') bigram.save(out)
train_phrases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths, out='data/bigram_model.phrases', tokenizer=word_tokenize, **kwargs\n ):\n n = 0\n for path in paths:\n print('Counting lines for {0}...'.format(path))\n n += sum(1 for line in open(path, 'r'))\n print('Processing {0} lines...'.format(n))\n kwargs = {'max_vocab_size': 40000000, 'threshold': 8.0}.update(kwargs)\n print('Training bigrams...')\n bigram = Phrases(_phrase_doc_stream(paths, n, tokenizer=word_tokenize),\n **kwargs)\n print('Saving...')\n bigram.save(out)\n", "role": "user" }, { "content": "train_phrases", "role": "assistant" } ]
def x(paths, n, tokenizer=word_tokenize): i = 0 p = Progress() for path in paths: with open(path, 'r') as f: for line in f: i += 1 p.print_progress(i / n) for sent in sent_tokenize(line.lower()): tokens = tokenizer(sent) yield tokens
phrase_doc_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths, n, tokenizer=word_tokenize):\n i = 0\n p = Progress()\n for path in paths:\n with open(path, 'r') as f:\n for line in f:\n i += 1\n p.print_progress(i / n)\n for sent in sent_tokenize(line.lower()):\n tokens = tokenizer(sent)\n yield tokens\n", "role": "user" }, { "content": "phrase_doc_stream", "role": "assistant" } ]
def x(content, hashbits): if content == '': return 0 x = ord(content[0]) << 7 m = 1000003 mask = 2 ** hashbits - 1 for c in content: x = (x * m ^ ord(c)) & mask x ^= len(content) if x == -1: x = -2 return x
default_hashfunc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, hashbits):\n if content == '':\n return 0\n x = ord(content[0]) << 7\n m = 1000003\n mask = 2 ** hashbits - 1\n for c in content:\n x = (x * m ^ ord(c)) & mask\n x ^= len(content)\n if x == -1:\n x = -2\n return x\n", "role": "user" }, { "content": "default_hashfunc", "role": "assistant" } ]
def x(content, keyword_weight_pair): seg_list = jieba.lcut_for_search(content) return jieba.analyse.extract_tags(''.join(seg_list), topK= keyword_weight_pair, withWeight=True)
default_tokenizer_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, keyword_weight_pair):\n seg_list = jieba.lcut_for_search(content)\n return jieba.analyse.extract_tags(''.join(seg_list), topK=\n keyword_weight_pair, withWeight=True)\n", "role": "user" }, { "content": "default_tokenizer_func", "role": "assistant" } ]
def x(self, content): if content is None: self.hash = -1 return if isinstance(content, str): features = self.tokenizer_func(content, self.keyword_weight_pari) self.hash = self.build_from_features(features) elif isinstance(content, collections.Iterable): self.hash = self.build_from_features(content) elif isinstance(content, int): self.hash = content else: raise Exception('Unsupported parameter type %s' % type(content))
simhash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content):\n if content is None:\n self.hash = -1\n return\n if isinstance(content, str):\n features = self.tokenizer_func(content, self.keyword_weight_pari)\n self.hash = self.build_from_features(features)\n elif isinstance(content, collections.Iterable):\n self.hash = self.build_from_features(content)\n elif isinstance(content, int):\n self.hash = content\n else:\n raise Exception('Unsupported parameter type %s' % type(content))\n", "role": "user" }, { "content": "simhash", "role": "assistant" } ]
def x(self, features): v = [0] * self.hash_bit_number if isinstance(features, dict): features = features.items() for f in features: if isinstance(f, str): h = self.hashfunc(f, self.hash_bit_number) w = 1 else: assert isinstance(f, collections.Iterable) h = self.hashfunc(f[0], self.hash_bit_number) w = f[1] for i in range(self.hash_bit_number): bitmask = 1 << i v[i] += w if h & bitmask else -w fingerprint = 0 for i in range(self.hash_bit_number): if v[i] >= 0: fingerprint += 1 << i return fingerprint
build_from_features
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, features):\n v = [0] * self.hash_bit_number\n if isinstance(features, dict):\n features = features.items()\n for f in features:\n if isinstance(f, str):\n h = self.hashfunc(f, self.hash_bit_number)\n w = 1\n else:\n assert isinstance(f, collections.Iterable)\n h = self.hashfunc(f[0], self.hash_bit_number)\n w = f[1]\n for i in range(self.hash_bit_number):\n bitmask = 1 << i\n v[i] += w if h & bitmask else -w\n fingerprint = 0\n for i in range(self.hash_bit_number):\n if v[i] >= 0:\n fingerprint += 1 << i\n return fingerprint\n", "role": "user" }, { "content": "build_from_features", "role": "assistant" } ]
def x(self, another, limit=0.8): if another is None: raise Exception('Parameter another is null') if isinstance(another, int): distance = self.hamming_distance(another) elif isinstance(another, Simhash): assert self.hash_bit_number == another.hash_bit_number distance = self.hamming_distance(another.hash) else: raise Exception('Unsupported parameter type %s' % type(another)) similarity = float(self.hash_bit_number - distance) / self.hash_bit_number if similarity > limit: return True return False
is_equal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, another, limit=0.8):\n if another is None:\n raise Exception('Parameter another is null')\n if isinstance(another, int):\n distance = self.hamming_distance(another)\n elif isinstance(another, Simhash):\n assert self.hash_bit_number == another.hash_bit_number\n distance = self.hamming_distance(another.hash)\n else:\n raise Exception('Unsupported parameter type %s' % type(another))\n similarity = float(self.hash_bit_number - distance) / self.hash_bit_number\n if similarity > limit:\n return True\n return False\n", "role": "user" }, { "content": "is_equal", "role": "assistant" } ]
def x(self, another): x = (self.hash ^ another) & (1 << self.hash_bit_number) - 1 result = 0 while x: result += 1 x &= x - 1 return result
hamming_distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, another):\n x = (self.hash ^ another) & (1 << self.hash_bit_number) - 1\n result = 0\n while x:\n result += 1\n x &= x - 1\n return result\n", "role": "user" }, { "content": "hamming_distance", "role": "assistant" } ]
def x(str_): if not str_: return None try: date = datetime.strptime(str_, DATE_FMT) except ValueError: msg = 'Invalid date format, should be YYYY-MM-DD' raise argparse.ArgumentTypeError(msg) return date.strftime(DATE_FMT)
validate_date_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(str_):\n if not str_:\n return None\n try:\n date = datetime.strptime(str_, DATE_FMT)\n except ValueError:\n msg = 'Invalid date format, should be YYYY-MM-DD'\n raise argparse.ArgumentTypeError(msg)\n return date.strftime(DATE_FMT)\n", "role": "user" }, { "content": "validate_date_str", "role": "assistant" } ]
def x(self, d, d_): es = set([e.name for e in d.entities]) es_ = set([e.name for e in d_.entities]) e_weight = (len(es) + len(es_) - abs(len(es) - len(es_))) / 2 e_score = sum(self.idf_entity[t] for t in es & es_) toks = set(d.tokens) toks_ = set(d_.tokens) t_weight = (len(toks) + len(toks_) - abs(len(toks) - len(toks_))) / 2 shared_toks = toks & toks_ overlap = [(t, t, self.idf[t]) for t in shared_toks] t_score = sum(self.idf[t] for t in shared_toks) if self.term_sim_ref is not None: t_score *= 2 for toks1, toks2 in [(toks, toks_), (toks_, toks)]: for t in (toks1 - shared_toks): best_match = max(toks2, key=lambda t_: self.term_sim_ref[t, t_] ) sim = self.term_sim_ref[t, best_match] t_score += sim * ((self.idf[t] + self.idf[best_match]) / 2) if sim > 0: overlap.append((t, best_match, sim * ((self.idf[t] + self.idf[best_match]) / 2))) t_weight = 1 / t_weight if t_weight != 0 else 0 e_weight = 1 / e_weight if e_weight != 0 else 0 t_score *= t_weight e_score *= e_weight if self.debug: print('\n-------------------------') print((d.id, d_.id)) print('DOC:', d.id) print('DOC:', d_.id) print('\tEntities:') print('\t', es) print('\t', es_) print('\t\tEntity overlap:', es & es_) print('\t\tEntity weight:', e_weight) print('\t\tEntity score:', e_score) print('\tTokens:') print('\t\t', toks) print('\t\t', toks_) print('\t\tToken overlap:', overlap) print('\t\tToken weight:', t_weight) print('\t\tToken score:', t_score) print('\tTotal score:', t_score + e_score) return t_score + e_score
similarity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d, d_):\n es = set([e.name for e in d.entities])\n es_ = set([e.name for e in d_.entities])\n e_weight = (len(es) + len(es_) - abs(len(es) - len(es_))) / 2\n e_score = sum(self.idf_entity[t] for t in es & es_)\n toks = set(d.tokens)\n toks_ = set(d_.tokens)\n t_weight = (len(toks) + len(toks_) - abs(len(toks) - len(toks_))) / 2\n shared_toks = toks & toks_\n overlap = [(t, t, self.idf[t]) for t in shared_toks]\n t_score = sum(self.idf[t] for t in shared_toks)\n if self.term_sim_ref is not None:\n t_score *= 2\n for toks1, toks2 in [(toks, toks_), (toks_, toks)]:\n for t in (toks1 - shared_toks):\n best_match = max(toks2, key=lambda t_: self.term_sim_ref[t, t_]\n )\n sim = self.term_sim_ref[t, best_match]\n t_score += sim * ((self.idf[t] + self.idf[best_match]) / 2)\n if sim > 0:\n overlap.append((t, best_match, sim * ((self.idf[t] +\n self.idf[best_match]) / 2)))\n t_weight = 1 / t_weight if t_weight != 0 else 0\n e_weight = 1 / e_weight if e_weight != 0 else 0\n t_score *= t_weight\n e_score *= e_weight\n if self.debug:\n print('\\n-------------------------')\n print((d.id, d_.id))\n print('DOC:', d.id)\n print('DOC:', d_.id)\n print('\\tEntities:')\n print('\\t', es)\n print('\\t', es_)\n print('\\t\\tEntity overlap:', es & es_)\n print('\\t\\tEntity weight:', e_weight)\n print('\\t\\tEntity score:', e_score)\n print('\\tTokens:')\n print('\\t\\t', toks)\n print('\\t\\t', toks_)\n print('\\t\\tToken overlap:', overlap)\n print('\\t\\tToken weight:', t_weight)\n print('\\t\\tToken score:', t_score)\n print('\\tTotal score:', t_score + e_score)\n return t_score + e_score\n", "role": "user" }, { "content": "similarity", "role": "assistant" } ]
def x(template, match, state): info = match.groupdict() if info['change']: info.update({'tag_type': '=', 'tag_key': info['delims']}) elif info['raw']: info.update({'tag_type': '&', 'tag_key': info['raw_key']}) tag_start = match.start() tag_end = match.end() tag_type = info['tag_type'] tag_key = info['tag_key'] lead_wsp = info['lead_wsp'] end_wsp = info['end_wsp'] begins_line = tag_start == 0 or template[tag_start - 1] in state.eol_chars ends_line = tag_end == len(template) or template[tag_end ] in state.eol_chars interpolating = tag_type in ('', '&') standalone = not interpolating and begins_line and ends_line if end_wsp: tag_end -= len(end_wsp) if standalone: template_length = len(template) if tag_end < len(template) and template[tag_end] == '\r': tag_end += 1 if tag_end < len(template) and template[tag_end] == '\n': tag_end += 1 elif lead_wsp: tag_start += len(lead_wsp) lead_wsp = '' info.update({'tag_start': tag_start, 'tag_end': tag_end, 'tag_type': tag_type, 'tag_key': tag_key, 'lead_wsp': lead_wsp, 'end_wsp': end_wsp, 'begins_line': begins_line, 'ends_line': ends_line, 'interpolating': interpolating, 'standalone': standalone}) return info
get_match_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template, match, state):\n info = match.groupdict()\n if info['change']:\n info.update({'tag_type': '=', 'tag_key': info['delims']})\n elif info['raw']:\n info.update({'tag_type': '&', 'tag_key': info['raw_key']})\n tag_start = match.start()\n tag_end = match.end()\n tag_type = info['tag_type']\n tag_key = info['tag_key']\n lead_wsp = info['lead_wsp']\n end_wsp = info['end_wsp']\n begins_line = tag_start == 0 or template[tag_start - 1] in state.eol_chars\n ends_line = tag_end == len(template) or template[tag_end\n ] in state.eol_chars\n interpolating = tag_type in ('', '&')\n standalone = not interpolating and begins_line and ends_line\n if end_wsp:\n tag_end -= len(end_wsp)\n if standalone:\n template_length = len(template)\n if tag_end < len(template) and template[tag_end] == '\\r':\n tag_end += 1\n if tag_end < len(template) and template[tag_end] == '\\n':\n tag_end += 1\n elif lead_wsp:\n tag_start += len(lead_wsp)\n lead_wsp = ''\n info.update({'tag_start': tag_start, 'tag_end': tag_end, 'tag_type':\n tag_type, 'tag_key': tag_key, 'lead_wsp': lead_wsp, 'end_wsp':\n end_wsp, 'begins_line': begins_line, 'ends_line': ends_line,\n 'interpolating': interpolating, 'standalone': standalone})\n return info\n", "role": "user" }, { "content": "get_match_info", "role": "assistant" } ]
def x(name, state): new_contexts = 0 ctm = None while True: try: ctx_key, name = name.split('.', 1) ctm = state.context.get(ctx_key) except ValueError: break if not ctm: break else: state.context.push(ctm) new_contexts += 1 ctm = state.context.get(name) return new_contexts, ctm
get_tag_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, state):\n new_contexts = 0\n ctm = None\n while True:\n try:\n ctx_key, name = name.split('.', 1)\n ctm = state.context.get(ctx_key)\n except ValueError:\n break\n if not ctm:\n break\n else:\n state.context.push(ctm)\n new_contexts += 1\n ctm = state.context.get(name)\n return new_contexts, ctm\n", "role": "user" }, { "content": "get_tag_context", "role": "assistant" } ]
def x(template, tag_key, state, index): state.section.push(tag_key) match = None matchinfo = None search_index = index while state.section: match = state.tag_re.search(template, search_index) if not match: raise Exception('Open section %s never closed' % tag_key) matchinfo = get_match_info(template, match, state) if matchinfo['tag_type'] in ('#', '^'): state.section.push(matchinfo['tag_key']) elif matchinfo['tag_type'] == '/': if matchinfo['tag_key'] == state.section(): state.section.pop() else: raise Exception( 'Unexpected section end: received %s, expected {{/%s}}' % (repr(match.group(0)), tag_key)) search_index = matchinfo['tag_end'] return matchinfo
section_end_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template, tag_key, state, index):\n state.section.push(tag_key)\n match = None\n matchinfo = None\n search_index = index\n while state.section:\n match = state.tag_re.search(template, search_index)\n if not match:\n raise Exception('Open section %s never closed' % tag_key)\n matchinfo = get_match_info(template, match, state)\n if matchinfo['tag_type'] in ('#', '^'):\n state.section.push(matchinfo['tag_key'])\n elif matchinfo['tag_type'] == '/':\n if matchinfo['tag_key'] == state.section():\n state.section.pop()\n else:\n raise Exception(\n 'Unexpected section end: received %s, expected {{/%s}}' %\n (repr(match.group(0)), tag_key))\n search_index = matchinfo['tag_end']\n return matchinfo\n", "role": "user" }, { "content": "section_end_info", "role": "assistant" } ]
def x(template, context, partials={}, state=None): state = state or State() if isinstance(context, Context): state.context = context else: state.context = Context(context) if partials: state.partials.push(partials) return __render(make_unicode(template), state)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template, context, partials={}, state=None):\n state = state or State()\n if isinstance(context, Context):\n state.context = context\n else:\n state.context = Context(context)\n if partials:\n state.partials.push(partials)\n return __render(make_unicode(template), state)\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(template, state, index=0): match = state.tag_re.search(template, index) if not match: return template[index:] info = get_match_info(template, match, state) _pre = template[index:info['tag_start']] _tag = template[info['tag_start']:info['tag_end']] _continue = info['tag_end'] if info['tag_type'] == '!': repl = '' elif info['tag_type'] == '=': delimiters = re.split('\\s*', info['tag_key']) new_tags = state.tags(_copy=True) new_tags['otag'], new_tags['ctag'] = map(re.escape, delimiters) state.push_tags(new_tags) repl = '' elif info['tag_type'] == '': repl = __render_tag(info, state) elif info['tag_type'] == '&': state.escape.push(False) repl = __render_tag(info, state) state.escape.pop() elif info['tag_type'] == '>': partial_name = info['tag_key'] partial_template = None new_dir = None lead_wsp = re.compile('^(.)', re.M) repl = '' try: partial_template = state.partials()[partial_name] except (KeyError, IndexError): try: new_dir, filename = split(partial_name) if new_dir: state.partials_dir.push(new_dir) partial_template = load_template(filename, state. abs_partials_dir, state.extension, state.encoding, state.encoding_error) except IOError: pass if partial_template: if info['standalone']: partial_template = lead_wsp.sub(info['lead_wsp'] + '\\1', partial_template) state.partials.push(state.partials()) state.push_tags(state.default_tags) repl = __render(partial_template, state) state.partials.pop() state.pop_tags() if new_dir: state.partials_dir.pop() elif info['tag_type'] in ('#', '^'): otag_info = info ctag_info = section_end_info(template, info['tag_key'], state, _continue) inner_start = otag_info['tag_end'] inner_end = ctag_info['tag_start'] _continue = ctag_info['tag_end'] template_with_inner = template[:inner_end] new_contexts, ctm = get_tag_context(otag_info['tag_key'], state) truthy = otag_info['tag_type'] == '#' if ctm: if callable(ctm): template_to_inner = template[:inner_start] inner = template[inner_start:inner_end] template_with_inner = template_to_inner + make_unicode(ctm( inner)) if not hasattr(ctm, '__iter__') or isinstance(ctm, dict): ctx_list = [ctm] else: ctx_list = ctm else: ctx_list = [False] repl_stack = [] for ctx in ctx_list: if truthy and ctx or not truthy and not ctx: state.context.push(ctx) repl_stack.append(__render(template_with_inner, state, inner_start)) else: break repl = ''.join(repl_stack) for i in xrange(new_contexts): state.context.pop() else: raise Exception('found unpaired end of section tag!') return u''.join((_pre, make_unicode(repl), __render(template, state, _continue)))
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template, state, index=0):\n match = state.tag_re.search(template, index)\n if not match:\n return template[index:]\n info = get_match_info(template, match, state)\n _pre = template[index:info['tag_start']]\n _tag = template[info['tag_start']:info['tag_end']]\n _continue = info['tag_end']\n if info['tag_type'] == '!':\n repl = ''\n elif info['tag_type'] == '=':\n delimiters = re.split('\\\\s*', info['tag_key'])\n new_tags = state.tags(_copy=True)\n new_tags['otag'], new_tags['ctag'] = map(re.escape, delimiters)\n state.push_tags(new_tags)\n repl = ''\n elif info['tag_type'] == '':\n repl = __render_tag(info, state)\n elif info['tag_type'] == '&':\n state.escape.push(False)\n repl = __render_tag(info, state)\n state.escape.pop()\n elif info['tag_type'] == '>':\n partial_name = info['tag_key']\n partial_template = None\n new_dir = None\n lead_wsp = re.compile('^(.)', re.M)\n repl = ''\n try:\n partial_template = state.partials()[partial_name]\n except (KeyError, IndexError):\n try:\n new_dir, filename = split(partial_name)\n if new_dir:\n state.partials_dir.push(new_dir)\n partial_template = load_template(filename, state.\n abs_partials_dir, state.extension, state.encoding,\n state.encoding_error)\n except IOError:\n pass\n if partial_template:\n if info['standalone']:\n partial_template = lead_wsp.sub(info['lead_wsp'] + '\\\\1',\n partial_template)\n state.partials.push(state.partials())\n state.push_tags(state.default_tags)\n repl = __render(partial_template, state)\n state.partials.pop()\n state.pop_tags()\n if new_dir:\n state.partials_dir.pop()\n elif info['tag_type'] in ('#', '^'):\n otag_info = info\n ctag_info = section_end_info(template, info['tag_key'], state,\n _continue)\n inner_start = otag_info['tag_end']\n inner_end = ctag_info['tag_start']\n _continue = ctag_info['tag_end']\n template_with_inner = template[:inner_end]\n new_contexts, ctm = get_tag_context(otag_info['tag_key'], state)\n truthy = otag_info['tag_type'] == '#'\n if ctm:\n if callable(ctm):\n template_to_inner = template[:inner_start]\n inner = template[inner_start:inner_end]\n template_with_inner = template_to_inner + make_unicode(ctm(\n inner))\n if not hasattr(ctm, '__iter__') or isinstance(ctm, dict):\n ctx_list = [ctm]\n else:\n ctx_list = ctm\n else:\n ctx_list = [False]\n repl_stack = []\n for ctx in ctx_list:\n if truthy and ctx or not truthy and not ctx:\n state.context.push(ctx)\n repl_stack.append(__render(template_with_inner, state,\n inner_start))\n else:\n break\n repl = ''.join(repl_stack)\n for i in xrange(new_contexts):\n state.context.pop()\n else:\n raise Exception('found unpaired end of section tag!')\n return u''.join((_pre, make_unicode(repl), __render(template, state,\n _continue)))\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(info, state): new_contexts, context_match = get_tag_context(info['tag_key'], state) replacement = '' if context_match or context_match == 0: replacement = context_match elif info['tag_key'] == '.': replacement = state.context() else: replacement = '' if replacement and callable(replacement): replacement = make_unicode(replacement()) state.push_tags(state.default_tags) replacement = __render(template=replacement, state=state) state.pop_tags() for i in xrange(new_contexts): state.context.pop() if state.escape(): return html_escape(replacement) return replacement
render_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(info, state):\n new_contexts, context_match = get_tag_context(info['tag_key'], state)\n replacement = ''\n if context_match or context_match == 0:\n replacement = context_match\n elif info['tag_key'] == '.':\n replacement = state.context()\n else:\n replacement = ''\n if replacement and callable(replacement):\n replacement = make_unicode(replacement())\n state.push_tags(state.default_tags)\n replacement = __render(template=replacement, state=state)\n state.pop_tags()\n for i in xrange(new_contexts):\n state.context.pop()\n if state.escape():\n return html_escape(replacement)\n return replacement\n", "role": "user" }, { "content": "render_tag", "role": "assistant" } ]
def x(dict, format): result = '' for k, v in dict.items(): result = result + str(k) + format + str(v) + ', ' return result[:-2]
format_dict_to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dict, format):\n result = ''\n for k, v in dict.items():\n result = result + str(k) + format + str(v) + ', '\n return result[:-2]\n", "role": "user" }, { "content": "format_dict_to_str", "role": "assistant" } ]
def x(list, separator=','): list = [str(x) for x in list] return separator.join(list)
list_to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list, separator=','):\n list = [str(x) for x in list]\n return separator.join(list)\n", "role": "user" }, { "content": "list_to_str", "role": "assistant" } ]
def x(a, b): c = {} c.update(a) c.update(b) return c
unite_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n c = {}\n c.update(a)\n c.update(b)\n return c\n", "role": "user" }, { "content": "unite_dict", "role": "assistant" } ]
def x(keys, dict): for key in keys: if key not in dict or dict[key] is '' or dict[key] is None: return False return True
check_validity_for_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(keys, dict):\n for key in keys:\n if key not in dict or dict[key] is '' or dict[key] is None:\n return False\n return True\n", "role": "user" }, { "content": "check_validity_for_dict", "role": "assistant" } ]
def x(func, inputs, n_jobs, expand_args=False): if expand_args: return Parallel(n_jobs=n_jobs)(delayed(func)(*args) for args in inputs) else: return Parallel(n_jobs=n_jobs)(delayed(func)(arg) for arg in inputs)
parallel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, inputs, n_jobs, expand_args=False):\n if expand_args:\n return Parallel(n_jobs=n_jobs)(delayed(func)(*args) for args in inputs)\n else:\n return Parallel(n_jobs=n_jobs)(delayed(func)(arg) for arg in inputs)\n", "role": "user" }, { "content": "parallel", "role": "assistant" } ]
def x(request, breeding_id): breeding = get_object_or_404(Breeding, pk=breeding_id) if request.method == 'POST': form = BreedingPlugForm(request.POST, request.FILES) if form.is_valid(): plug = form.save(commit=False) plug.Breeding_id = breeding.id plug.save() form.save() return HttpResponseRedirect(reverse('plugevents-list')) else: form = BreedingPlugForm() form.fields['PlugFemale'].queryset = breeding.Females.all() form.fields['PlugMale'].queryset = breeding.Male.all() return render(request, 'breeding_plugevent_form.html', {'form': form, 'breeding': breeding})
breeding_plugevent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, breeding_id):\n breeding = get_object_or_404(Breeding, pk=breeding_id)\n if request.method == 'POST':\n form = BreedingPlugForm(request.POST, request.FILES)\n if form.is_valid():\n plug = form.save(commit=False)\n plug.Breeding_id = breeding.id\n plug.save()\n form.save()\n return HttpResponseRedirect(reverse('plugevents-list'))\n else:\n form = BreedingPlugForm()\n form.fields['PlugFemale'].queryset = breeding.Females.all()\n form.fields['PlugMale'].queryset = breeding.Male.all()\n return render(request, 'breeding_plugevent_form.html', {'form': form,\n 'breeding': breeding})\n", "role": "user" }, { "content": "breeding_plugevent", "role": "assistant" } ]
def x(self): self.strain = get_object_or_404(Strain, Strain_slug__iexact=self.kwargs ['slug']) return PlugEvents.objects.filter(Breeding__Strain=self.strain)
get_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.strain = get_object_or_404(Strain, Strain_slug__iexact=self.kwargs\n ['slug'])\n return PlugEvents.objects.filter(Breeding__Strain=self.strain)\n", "role": "user" }, { "content": "get_queryset", "role": "assistant" } ]
def x(state, args): if len(args) > 1: print(f'Usage: {args[0]}') return db = state.db _refresh_incomplete_anime(db) _fix_cached_completed(db)
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) > 1:\n print(f'Usage: {args[0]}')\n return\n db = state.db\n _refresh_incomplete_anime(db)\n _fix_cached_completed(db)\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(self): self.convertRSTmetaToMD() self._md = Markdown(extensions=['meta', 'codehilite(linenums=True)']) content = self._md.convert(self.source) metadata = self._parse_metadata(self._md.Meta) return content, metadata
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.convertRSTmetaToMD()\n self._md = Markdown(extensions=['meta', 'codehilite(linenums=True)'])\n content = self._md.convert(self.source)\n metadata = self._parse_metadata(self._md.Meta)\n return content, metadata\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(release=None, limit=5): assert 'psql_user' in env, 'Missing psql_user in env' assert 'psql_db' in env, 'Missing psql_db in env' assert 'psql_password' in env, 'Missing psql_password in env' if not release: release = paths.get_current_release_name() max_versions = limit + 1 if not release: logger.info('No releases present, skipping task') return remote_file = 'postgresql/%s.sql.tar.gz' % release remote_path = paths.get_backup_path(remote_file) env.run('mkdir -p %s' % paths.get_backup_path('postgresql')) with context_managers.shell_env(PGPASSWORD=env.psql_password): env.run('pg_dump -h localhost -Fc -f %s -U %s %s -x -O' % ( remote_path, env.psql_user, env.psql_db)) env.run('ls -dt %s/* | tail -n +%s | xargs rm -rf' % (paths. get_backup_path('postgresql'), max_versions))
backup_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(release=None, limit=5):\n assert 'psql_user' in env, 'Missing psql_user in env'\n assert 'psql_db' in env, 'Missing psql_db in env'\n assert 'psql_password' in env, 'Missing psql_password in env'\n if not release:\n release = paths.get_current_release_name()\n max_versions = limit + 1\n if not release:\n logger.info('No releases present, skipping task')\n return\n remote_file = 'postgresql/%s.sql.tar.gz' % release\n remote_path = paths.get_backup_path(remote_file)\n env.run('mkdir -p %s' % paths.get_backup_path('postgresql'))\n with context_managers.shell_env(PGPASSWORD=env.psql_password):\n env.run('pg_dump -h localhost -Fc -f %s -U %s %s -x -O' % (\n remote_path, env.psql_user, env.psql_db))\n env.run('ls -dt %s/* | tail -n +%s | xargs rm -rf' % (paths.\n get_backup_path('postgresql'), max_versions))\n", "role": "user" }, { "content": "backup_db", "role": "assistant" } ]
def x(release=None): if not release: release = paths.get_current_release_name() if not release: raise Exception('Release %s was not found' % release) backup_file = 'postgresql/%s.sql.gz' % release backup_path = paths.get_backup_path(backup_file) if not env.exists(backup_path): raise Exception('Backup file %s not found' % backup_path) with context_managers.shell_env(PGPASSWORD=env.psql_password): env.run("pg_restore --clean -h localhost -d %s -U %s '%s'" % (env. psql_db, env.psql_user, backup_path))
restore_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(release=None):\n if not release:\n release = paths.get_current_release_name()\n if not release:\n raise Exception('Release %s was not found' % release)\n backup_file = 'postgresql/%s.sql.gz' % release\n backup_path = paths.get_backup_path(backup_file)\n if not env.exists(backup_path):\n raise Exception('Backup file %s not found' % backup_path)\n with context_managers.shell_env(PGPASSWORD=env.psql_password):\n env.run(\"pg_restore --clean -h localhost -d %s -U %s '%s'\" % (env.\n psql_db, env.psql_user, backup_path))\n", "role": "user" }, { "content": "restore_db", "role": "assistant" } ]
def x(force='no'): _check_requirements() if force != 'yes': message = ( "This will replace the remote database '%s' with your local '%s', are you sure [y/n]" % (env.psql_db, env.local_psql_db)) answer = prompt(message, 'y') if answer != 'y': logger.info('Sync stopped') return init_tasks() local_file = 'sync_%s.sql.tar.gz' % int(time.time() * 1000) local_path = '/tmp/%s' % local_file with context_managers.shell_env(PGPASSWORD=env.local_psql_password): elocal('pg_dump -h localhost -Fc -f %s -U %s %s -x -O' % ( local_path, env.local_psql_user, env.local_psql_db)) remote_path = '/tmp/%s' % local_file put(remote_path, local_path) with context_managers.shell_env(PGPASSWORD=env.psql_password): env.run("pg_restore --clean -h localhost -d %s -U %s '%s'" % (env. psql_db, env.psql_user, remote_path)) env.run('rm %s' % remote_path) elocal('rm %s' % local_path) run_hook('postgres.after_sync_local_to_remote') logger.info('Sync complete')
sync_local_to_remote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(force='no'):\n _check_requirements()\n if force != 'yes':\n message = (\n \"This will replace the remote database '%s' with your local '%s', are you sure [y/n]\"\n % (env.psql_db, env.local_psql_db))\n answer = prompt(message, 'y')\n if answer != 'y':\n logger.info('Sync stopped')\n return\n init_tasks()\n local_file = 'sync_%s.sql.tar.gz' % int(time.time() * 1000)\n local_path = '/tmp/%s' % local_file\n with context_managers.shell_env(PGPASSWORD=env.local_psql_password):\n elocal('pg_dump -h localhost -Fc -f %s -U %s %s -x -O' % (\n local_path, env.local_psql_user, env.local_psql_db))\n remote_path = '/tmp/%s' % local_file\n put(remote_path, local_path)\n with context_managers.shell_env(PGPASSWORD=env.psql_password):\n env.run(\"pg_restore --clean -h localhost -d %s -U %s '%s'\" % (env.\n psql_db, env.psql_user, remote_path))\n env.run('rm %s' % remote_path)\n elocal('rm %s' % local_path)\n run_hook('postgres.after_sync_local_to_remote')\n logger.info('Sync complete')\n", "role": "user" }, { "content": "sync_local_to_remote", "role": "assistant" } ]
def x(force='no'): _check_requirements() if force != 'yes': message = ( "This will replace your local database '%s' with the remote '%s', are you sure [y/n]" % (env.local_psql_db, env.psql_db)) answer = prompt(message, 'y') if answer != 'y': logger.info('Sync stopped') return init_tasks() remote_file = 'postgresql/sync_%s.sql.tar.gz' % int(time.time() * 1000) remote_path = paths.get_backup_path(remote_file) env.run('mkdir -p %s' % paths.get_backup_path('postgresql')) with context_managers.shell_env(PGPASSWORD=env.psql_password): env.run('pg_dump -h localhost -Fc -f %s -U %s %s -x -O' % ( remote_path, env.psql_user, env.psql_db)) local_path = '/tmp/%s' % remote_file get(remote_path, local_path) with context_managers.shell_env(PGPASSWORD=env.local_psql_password): elocal("pg_restore --clean -h localhost -d %s -U %s '%s'" % (env. local_psql_db, env.local_psql_user, local_path)) env.run('rm %s' % remote_path) elocal('rm %s' % local_path) run_hook('postgres.after_sync_remote_to_local') logger.info('Sync complete')
sync_remote_to_local
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(force='no'):\n _check_requirements()\n if force != 'yes':\n message = (\n \"This will replace your local database '%s' with the remote '%s', are you sure [y/n]\"\n % (env.local_psql_db, env.psql_db))\n answer = prompt(message, 'y')\n if answer != 'y':\n logger.info('Sync stopped')\n return\n init_tasks()\n remote_file = 'postgresql/sync_%s.sql.tar.gz' % int(time.time() * 1000)\n remote_path = paths.get_backup_path(remote_file)\n env.run('mkdir -p %s' % paths.get_backup_path('postgresql'))\n with context_managers.shell_env(PGPASSWORD=env.psql_password):\n env.run('pg_dump -h localhost -Fc -f %s -U %s %s -x -O' % (\n remote_path, env.psql_user, env.psql_db))\n local_path = '/tmp/%s' % remote_file\n get(remote_path, local_path)\n with context_managers.shell_env(PGPASSWORD=env.local_psql_password):\n elocal(\"pg_restore --clean -h localhost -d %s -U %s '%s'\" % (env.\n local_psql_db, env.local_psql_user, local_path))\n env.run('rm %s' % remote_path)\n elocal('rm %s' % local_path)\n run_hook('postgres.after_sync_remote_to_local')\n logger.info('Sync complete')\n", "role": "user" }, { "content": "sync_remote_to_local", "role": "assistant" } ]
def x(): if DJANGO_VERSION >= (1, 5): from django.contrib.auth import get_user_model return get_user_model() else: from django.contrib.auth.models import User return User
get_user_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if DJANGO_VERSION >= (1, 5):\n from django.contrib.auth import get_user_model\n return get_user_model()\n else:\n from django.contrib.auth.models import User\n return User\n", "role": "user" }, { "content": "get_user_model", "role": "assistant" } ]
def x(app_name): if DJANGO_VERSION >= (1, 7): from django.apps import apps return apps.is_installed(app_name) else: from django.conf import settings return app_name in settings.INSTALLED_APPS
has_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_name):\n if DJANGO_VERSION >= (1, 7):\n from django.apps import apps\n return apps.is_installed(app_name)\n else:\n from django.conf import settings\n return app_name in settings.INSTALLED_APPS\n", "role": "user" }, { "content": "has_app", "role": "assistant" } ]
def x(self, config): self.query = config.get('query') self.expected_response = config.get('response')
apply_check_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n self.query = config.get('query')\n self.expected_response = config.get('response')\n", "role": "user" }, { "content": "apply_check_config", "role": "assistant" } ]
def x(self): sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) sock.connect((self.host, self.port)) if not self.query: sock.close() return True try: sock.sendall(self.query) except Exception: logger.exception('Error sending TCP query message.') sock.close() return False response, extra = sockutils.get_response(sock) logger.debug('response: %s (extra: %s)', response, extra) if response != self.expected_response: logger.warn('Response does not match expected value: %s (expected %s)', response, self.expected_response) sock.close() return False sock.close() return True
perform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n sock.connect((self.host, self.port))\n if not self.query:\n sock.close()\n return True\n try:\n sock.sendall(self.query)\n except Exception:\n logger.exception('Error sending TCP query message.')\n sock.close()\n return False\n response, extra = sockutils.get_response(sock)\n logger.debug('response: %s (extra: %s)', response, extra)\n if response != self.expected_response:\n logger.warn('Response does not match expected value: %s (expected %s)',\n response, self.expected_response)\n sock.close()\n return False\n sock.close()\n return True\n", "role": "user" }, { "content": "perform", "role": "assistant" } ]
def x(self, config, section): src_host = self._get_hosts_from_names(config.get(section, 'src.host') ) if config.has_option(section, 'src.host') else None src_file = [self._get_abs_filepath(config.get(section, 'src.file')) ] if config.has_option(section, 'src.file') else None if src_host is None and src_file is None: raise conferr('Section "%s" gets no sources' % section) dst_host = self._get_hosts_from_names(config.get(section, 'dst.host') ) if config.has_option(section, 'dst.host') else None dst_file = [self._get_abs_filepath(config.get(section, 'dst.file')) ] if config.has_option(section, 'dst.file') else None if dst_host is None and dst_file is None: raise conferr('Section "%s" gets no destinations' % section) return src_host, src_file, dst_host, dst_file
get_section_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config, section):\n src_host = self._get_hosts_from_names(config.get(section, 'src.host')\n ) if config.has_option(section, 'src.host') else None\n src_file = [self._get_abs_filepath(config.get(section, 'src.file'))\n ] if config.has_option(section, 'src.file') else None\n if src_host is None and src_file is None:\n raise conferr('Section \"%s\" gets no sources' % section)\n dst_host = self._get_hosts_from_names(config.get(section, 'dst.host')\n ) if config.has_option(section, 'dst.host') else None\n dst_file = [self._get_abs_filepath(config.get(section, 'dst.file'))\n ] if config.has_option(section, 'dst.file') else None\n if dst_host is None and dst_file is None:\n raise conferr('Section \"%s\" gets no destinations' % section)\n return src_host, src_file, dst_host, dst_file\n", "role": "user" }, { "content": "get_section_values", "role": "assistant" } ]
def x(self, values): values = map(lambda x: [] if x is None else x, values) src = values[0] + values[1] dst = values[2] + values[3] thistable = dict() for s in src: thistable[s] = dst return thistable
assemble_flowtable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, values):\n values = map(lambda x: [] if x is None else x, values)\n src = values[0] + values[1]\n dst = values[2] + values[3]\n thistable = dict()\n for s in src:\n thistable[s] = dst\n return thistable\n", "role": "user" }, { "content": "assemble_flowtable", "role": "assistant" } ]
def x(self): for source, dests in self.flowtable.items(): if source in dests: raise conferr('Loops detected: %s --> %s' % (source, source))
detect_loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for source, dests in self.flowtable.items():\n if source in dests:\n raise conferr('Loops detected: %s --> %s' % (source, source))\n", "role": "user" }, { "content": "detect_loop", "role": "assistant" } ]
def x(self, ports): hosts = map(lambda x: 'localhost:%d' % int(x.strip()), ports.split(',')) return list(set(hosts))
get_hosts_from_ports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ports):\n hosts = map(lambda x: 'localhost:%d' % int(x.strip()), ports.split(','))\n return list(set(hosts))\n", "role": "user" }, { "content": "get_hosts_from_ports", "role": "assistant" } ]
def x(self, names): result = set() hosts = map(lambda x: x.strip(), names.split(',')) for h in hosts: if valid_hostname(h.split(':')[0]): result.add(h if ':' in h else '%s:%d' % (h, self.PORT)) else: raise conferr('Invalid hostname: %s' % h.split(':')[0]) return list(result)
get_hosts_from_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, names):\n result = set()\n hosts = map(lambda x: x.strip(), names.split(','))\n for h in hosts:\n if valid_hostname(h.split(':')[0]):\n result.add(h if ':' in h else '%s:%d' % (h, self.PORT))\n else:\n raise conferr('Invalid hostname: %s' % h.split(':')[0])\n return list(result)\n", "role": "user" }, { "content": "get_hosts_from_names", "role": "assistant" } ]
def x(self, ifile): assert ifile is not None ifile = ifile[7:] if ifile.startswith('file://') else ifile if ifile[0] != '/': basedir = os.path.abspath(os.path.dirname(self.config_file)) ifile = os.path.join(basedir, ifile) return 'file://' + ifile
get_abs_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ifile):\n assert ifile is not None\n ifile = ifile[7:] if ifile.startswith('file://') else ifile\n if ifile[0] != '/':\n basedir = os.path.abspath(os.path.dirname(self.config_file))\n ifile = os.path.join(basedir, ifile)\n return 'file://' + ifile\n", "role": "user" }, { "content": "get_abs_filepath", "role": "assistant" } ]
def x(self): ftable = dict() for table in self.flow_table: for k, v in table.items(): if k not in ftable: ftable[k] = set(v) else: [ftable[k].add(i) for i in v] for k in ftable: ftable[k] = list(ftable[k]) return ftable
flowtable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ftable = dict()\n for table in self.flow_table:\n for k, v in table.items():\n if k not in ftable:\n ftable[k] = set(v)\n else:\n [ftable[k].add(i) for i in v]\n for k in ftable:\n ftable[k] = list(ftable[k])\n return ftable\n", "role": "user" }, { "content": "flowtable", "role": "assistant" } ]
def x(func): @functools.wraps(func) def x(self, *args, **kwargs): aid = func(self, *args, **kwargs) self.last_aid = aid return aid return new_func
set_last_aid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @functools.wraps(func)\n def x(self, *args, **kwargs):\n aid = func(self, *args, **kwargs)\n self.last_aid = aid\n return aid\n return new_func\n", "role": "user" }, { "content": "set_last_aid", "role": "assistant" } ]
def x(self, text, default_key): if default_key not in self: raise ResultKeyError(default_key) if text == '.': return self.last_aid elif text.startswith('aid:'): return int(text[len('aid:'):]) if ':' in text: match = self._key_pattern.search(text) if not match: raise InvalidSyntaxError(text) key = match.group(1) number = match.group(2) else: key = default_key number = text try: number = int(number) except ValueError: raise InvalidSyntaxError(number) try: return self[key].get_aid(number) except KeyError: raise ResultKeyError(key) except IndexError: raise ResultNumberError(key, number)
parse_aid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, default_key):\n if default_key not in self:\n raise ResultKeyError(default_key)\n if text == '.':\n return self.last_aid\n elif text.startswith('aid:'):\n return int(text[len('aid:'):])\n if ':' in text:\n match = self._key_pattern.search(text)\n if not match:\n raise InvalidSyntaxError(text)\n key = match.group(1)\n number = match.group(2)\n else:\n key = default_key\n number = text\n try:\n number = int(number)\n except ValueError:\n raise InvalidSyntaxError(number)\n try:\n return self[key].get_aid(number)\n except KeyError:\n raise ResultKeyError(key)\n except IndexError:\n raise ResultNumberError(key, number)\n", "role": "user" }, { "content": "parse_aid", "role": "assistant" } ]
def x(relative_path, *args, **kwargs): directory, filename = os.path.split(relative_path) partials_dir = os.path.abspath(directory) name, ext = os.path.splitext(filename) state = State(*args, partials_dir=directory, extension=ext, **kwargs) template = load_template(name, directory, ext, state.encoding, state. encoding_error) def x(fn): def x(*args, **kwargs): res = fn(*args, **kwargs) if isinstance(res, tuple): if len(res) == 2: new_context, partials = res elif len(res) == 1: new_context, partials = res[0], {} elif isinstance(res, dict): new_context, partials = res, {} else: new_context, partials = {}, {} context = copy(template_globals) context.update(new_context) return render(template, context, partials, state) return render_template return wrapper
template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relative_path, *args, **kwargs):\n directory, filename = os.path.split(relative_path)\n partials_dir = os.path.abspath(directory)\n name, ext = os.path.splitext(filename)\n state = State(*args, partials_dir=directory, extension=ext, **kwargs)\n template = load_template(name, directory, ext, state.encoding, state.\n encoding_error)\n\n def x(fn):\n\n def x(*args, **kwargs):\n res = fn(*args, **kwargs)\n if isinstance(res, tuple):\n if len(res) == 2:\n new_context, partials = res\n elif len(res) == 1:\n new_context, partials = res[0], {}\n elif isinstance(res, dict):\n new_context, partials = res, {}\n else:\n new_context, partials = {}, {}\n context = copy(template_globals)\n context.update(new_context)\n return render(template, context, partials, state)\n return render_template\n return wrapper\n", "role": "user" }, { "content": "template", "role": "assistant" } ]
def x(dbfile: 'PathLike') ->apsw.Connection: conn = apsw.Connection(os.fspath(dbfile)) _set_foreign_keys(conn, 1) assert _get_foreign_keys(conn) == 1 return conn
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dbfile: 'PathLike') ->apsw.Connection:\n conn = apsw.Connection(os.fspath(dbfile))\n _set_foreign_keys(conn, 1)\n assert _get_foreign_keys(conn) == 1\n return conn\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): while True: cmdline = input(self.prompt) tokens = shlex.split(cmdline) if not tokens: if self.last_cmd: tokens = self.last_cmd else: print('No previous command.') continue if tokens[0] not in self.commands: print('Invalid command') continue command = self.commands[tokens[0]] self.last_cmd = tokens try: if command(self.state, tokens): break except CmdExit: continue except Exception as e: if e not in self.safe_exceptions: logger.exception('Error!')
cmdloop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n cmdline = input(self.prompt)\n tokens = shlex.split(cmdline)\n if not tokens:\n if self.last_cmd:\n tokens = self.last_cmd\n else:\n print('No previous command.')\n continue\n if tokens[0] not in self.commands:\n print('Invalid command')\n continue\n command = self.commands[tokens[0]]\n self.last_cmd = tokens\n try:\n if command(self.state, tokens):\n break\n except CmdExit:\n continue\n except Exception as e:\n if e not in self.safe_exceptions:\n logger.exception('Error!')\n", "role": "user" }, { "content": "cmdloop", "role": "assistant" } ]
def x(self, channels=2): return np.linspace(self.volume, self.volume, self.duration * channels ).reshape(self.duration, channels)
to_array
[ { "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 return np.linspace(self.volume, self.volume, self.duration * channels\n ).reshape(self.duration, channels)\n", "role": "user" }, { "content": "to_array", "role": "assistant" } ]
def x(request, experiment_id): experiment = get_object_or_404(Experiment, pk=experiment_id) if request.method == 'POST': form = MeasurementForm(request.POST) if form.is_valid(): form.save() return HttpResponseRedirect(experiment.get_absolute_url()) else: form = MeasurementForm() return render(request, 'data_entry_form.html', {'form': form, 'experiment': experiment})
add_measurement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, experiment_id):\n experiment = get_object_or_404(Experiment, pk=experiment_id)\n if request.method == 'POST':\n form = MeasurementForm(request.POST)\n if form.is_valid():\n form.save()\n return HttpResponseRedirect(experiment.get_absolute_url())\n else:\n form = MeasurementForm()\n return render(request, 'data_entry_form.html', {'form': form,\n 'experiment': experiment})\n", "role": "user" }, { "content": "add_measurement", "role": "assistant" } ]
def x(request, pk): experiment = get_object_or_404(Experiment, pk=pk) response = HttpResponse(content_type='text/csv') response['Content-Disposition'] = 'attachment; filename=experiment.csv' writer = csv.writer(response) writer.writerow(['Animal', 'Cage', 'Strain', 'Genotype', 'Gender', 'Age', 'Assay', 'Values', 'Feeding', 'Experiment Date', 'Treatment']) for measurement in experiment.measurement_set.iterator(): writer.writerow([measurement.animal, measurement.animal.Cage, measurement.animal.Strain, measurement.animal.Genotype, measurement.animal.Gender, measurement.age(), measurement.assay, measurement.values, measurement.experiment.feeding_state, measurement.experiment.date, measurement.animal.treatment_set. all()]) return response
experiment_details_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, pk):\n experiment = get_object_or_404(Experiment, pk=pk)\n response = HttpResponse(content_type='text/csv')\n response['Content-Disposition'] = 'attachment; filename=experiment.csv'\n writer = csv.writer(response)\n writer.writerow(['Animal', 'Cage', 'Strain', 'Genotype', 'Gender',\n 'Age', 'Assay', 'Values', 'Feeding', 'Experiment Date', 'Treatment'])\n for measurement in experiment.measurement_set.iterator():\n writer.writerow([measurement.animal, measurement.animal.Cage,\n measurement.animal.Strain, measurement.animal.Genotype,\n measurement.animal.Gender, measurement.age(), measurement.assay,\n measurement.values, measurement.experiment.feeding_state,\n measurement.experiment.date, measurement.animal.treatment_set.\n all()])\n return response\n", "role": "user" }, { "content": "experiment_details_csv", "role": "assistant" } ]