source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, data): data = array.array('B', struct.unpack('{}B'.format(len(data) * 4), struct.pack('{}I'.format(len(data)), *data))) self._intf._send_tcp_data(data)
set_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n data = array.array('B', struct.unpack('{}B'.format(len(data) * 4),\n struct.pack('{}I'.format(len(data)), *data)))\n self._intf._send_tcp_data(data)\n", "role": "user" }, { "content": "set_data", "role": "assistant" } ]
def x(self): self._clear_strobes() gr_size = len(self['GLOBAL_REG'][:]) self['SEQ']['SHIFT_IN'][0:gr_size] = self['GLOBAL_REG'][:] self['SEQ']['GLOBAL_SHIFT_EN'][0:gr_size] = bitarray(gr_size * '1') self['SEQ']['GLOBAL_CTR_LD'][gr_size + 1:gr_size + 2] = bitarray('1') self['SEQ']['GLOBAL_DAC_LD'][gr_size + 1:gr_size + 2] = bitarray('1') self._run_seq(gr_size + 3)
program_global_reg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._clear_strobes()\n gr_size = len(self['GLOBAL_REG'][:])\n self['SEQ']['SHIFT_IN'][0:gr_size] = self['GLOBAL_REG'][:]\n self['SEQ']['GLOBAL_SHIFT_EN'][0:gr_size] = bitarray(gr_size * '1')\n self['SEQ']['GLOBAL_CTR_LD'][gr_size + 1:gr_size + 2] = bitarray('1')\n self['SEQ']['GLOBAL_DAC_LD'][gr_size + 1:gr_size + 2] = bitarray('1')\n self._run_seq(gr_size + 3)\n", "role": "user" }, { "content": "program_global_reg", "role": "assistant" } ]
def x(self, enable_receiver=True): self._clear_strobes() self['PIXEL_RX'].set_en(enable_receiver) px_size = len(self['PIXEL_REG'][:]) self['SEQ']['SHIFT_IN'][0:px_size] = self['PIXEL_REG'][:] self['SEQ']['PIXEL_SHIFT_EN'][0:px_size] = bitarray(px_size * '1') self._run_seq(px_size + 1)
program_pixel_reg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, enable_receiver=True):\n self._clear_strobes()\n self['PIXEL_RX'].set_en(enable_receiver)\n px_size = len(self['PIXEL_REG'][:])\n self['SEQ']['SHIFT_IN'][0:px_size] = self['PIXEL_REG'][:]\n self['SEQ']['PIXEL_SHIFT_EN'][0:px_size] = bitarray(px_size * '1')\n self._run_seq(px_size + 1)\n", "role": "user" }, { "content": "program_pixel_reg", "role": "assistant" } ]
def x(self, size): self['SEQ'].write(size) self['SEQ'].set_size(size) self['SEQ'].set_repeat(1) self['SEQ'].start() while not self['SEQ'].get_done(): time.sleep(0.01)
run_seq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n self['SEQ'].write(size)\n self['SEQ'].set_size(size)\n self['SEQ'].set_repeat(1)\n self['SEQ'].start()\n while not self['SEQ'].get_done():\n time.sleep(0.01)\n", "role": "user" }, { "content": "run_seq", "role": "assistant" } ]
def x(self, addr, data): self.set_addr(addr & 254) self.set_data(data) self.set_size(len(data)) self.start() while not self.is_ready: pass
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, addr, data):\n self.set_addr(addr & 254)\n self.set_data(data)\n self.set_size(len(data))\n self.start()\n while not self.is_ready:\n pass\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, addr, size): self.set_addr(addr | 1) self.set_size(size) self.start() while not self.is_ready: pass return self.get_data(size)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, addr, size):\n self.set_addr(addr | 1)\n self.set_size(size)\n self.start()\n while not self.is_ready:\n pass\n return self.get_data(size)\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(): global _full_parser if _full_parser: return _full_parser luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance() if not luigi_parser: return None root_task = luigi_parser.known_args.root_task _full_parser = luigi_parser._build_parser(root_task) logger.debug('build full luigi argument parser') return _full_parser
full_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _full_parser\n if _full_parser:\n return _full_parser\n luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance()\n if not luigi_parser:\n return None\n root_task = luigi_parser.known_args.root_task\n _full_parser = luigi_parser._build_parser(root_task)\n logger.debug('build full luigi argument parser')\n return _full_parser\n", "role": "user" }, { "content": "full_parser", "role": "assistant" } ]
def x(): global _root_task_parser if _root_task_parser: return _root_task_parser luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance() if not luigi_parser: return None root_task = luigi_parser.known_args.root_task root_dests = [] for task_name, _, param_name, _ in luigi.task_register.Register.get_all_params( ): if task_name == root_task: root_dests.append(param_name) _root_task_parser = ArgumentParser(add_help=False) for action in list(full_parser()._actions): if not action.option_strings or action.dest in root_dests: _root_task_parser._add_action(action) logger.debug('build luigi argument parser for root task {}'.format( root_task)) return _root_task_parser
root_task_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _root_task_parser\n if _root_task_parser:\n return _root_task_parser\n luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance()\n if not luigi_parser:\n return None\n root_task = luigi_parser.known_args.root_task\n root_dests = []\n for task_name, _, param_name, _ in luigi.task_register.Register.get_all_params(\n ):\n if task_name == root_task:\n root_dests.append(param_name)\n _root_task_parser = ArgumentParser(add_help=False)\n for action in list(full_parser()._actions):\n if not action.option_strings or action.dest in root_dests:\n _root_task_parser._add_action(action)\n logger.debug('build luigi argument parser for root task {}'.format(\n root_task))\n return _root_task_parser\n", "role": "user" }, { "content": "root_task_parser", "role": "assistant" } ]
def x(): global _global_cmdline_args if _global_cmdline_args: return _global_cmdline_args luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance() if not luigi_parser: return None _global_cmdline_args = root_task_parser().parse_known_args(luigi_parser .cmdline_args)[1] return _global_cmdline_args
global_cmdline_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _global_cmdline_args\n if _global_cmdline_args:\n return _global_cmdline_args\n luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance()\n if not luigi_parser:\n return None\n _global_cmdline_args = root_task_parser().parse_known_args(luigi_parser\n .cmdline_args)[1]\n return _global_cmdline_args\n", "role": "user" }, { "content": "global_cmdline_args", "role": "assistant" } ]
def x(): global _global_cmdline_values if _global_cmdline_values: return _global_cmdline_values luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance() if not luigi_parser: return None parser = full_parser() global_args = global_cmdline_args() _global_cmdline_values = {} for action in parser._actions: if any(arg in action.option_strings for arg in global_args): _global_cmdline_values[action.dest] = getattr(luigi_parser. known_args, action.dest) return _global_cmdline_values
global_cmdline_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _global_cmdline_values\n if _global_cmdline_values:\n return _global_cmdline_values\n luigi_parser = luigi.cmdline_parser.CmdlineParser.get_instance()\n if not luigi_parser:\n return None\n parser = full_parser()\n global_args = global_cmdline_args()\n _global_cmdline_values = {}\n for action in parser._actions:\n if any(arg in action.option_strings for arg in global_args):\n _global_cmdline_values[action.dest] = getattr(luigi_parser.\n known_args, action.dest)\n return _global_cmdline_values\n", "role": "user" }, { "content": "global_cmdline_values", "role": "assistant" } ]
def x(args, arg, *values): if arg not in args: args = list(args) + [arg] + list(values) return args
add_cmdline_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, arg, *values):\n if arg not in args:\n args = list(args) + [arg] + list(values)\n return args\n", "role": "user" }, { "content": "add_cmdline_arg", "role": "assistant" } ]
def x(args, arg, n=1): if arg in args: idx = args.index(arg) args = list(args) del args[idx:idx + max(n, 1)] return args
remove_cmdline_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, arg, n=1):\n if arg in args:\n idx = args.index(arg)\n args = list(args)\n del args[idx:idx + max(n, 1)]\n return args\n", "role": "user" }, { "content": "remove_cmdline_arg", "role": "assistant" } ]
def x(kwargs, skip=None): skip = make_list(skip) if skip else [] transfer_kwargs = {name: kwargs.pop(name) for name in ['cache', 'prefer_cache', 'retries', 'retry_delay'] if name in kwargs and name not in skip} return transfer_kwargs, kwargs
split_transfer_kwargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(kwargs, skip=None):\n skip = make_list(skip) if skip else []\n transfer_kwargs = {name: kwargs.pop(name) for name in ['cache',\n 'prefer_cache', 'retries', 'retry_delay'] if name in kwargs and \n name not in skip}\n return transfer_kwargs, kwargs\n", "role": "user" }, { "content": "split_transfer_kwargs", "role": "assistant" } ]
def x(cls, job_id=dummy_job_id, branches=None, **kwargs): return dict(job_id=job_id, branches=branches or [])
job_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, job_id=dummy_job_id, branches=None, **kwargs):\n return dict(job_id=job_id, branches=branches or [])\n", "role": "user" }, { "content": "job_data", "role": "assistant" } ]
def x(cls, job_id=dummy_job_id, status=None, code=None, error=None, **kwargs): return dict(job_id=job_id, status=status, code=code, error=error)
job_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, job_id=dummy_job_id, status=None, code=None, error=None, **kwargs):\n return dict(job_id=job_id, status=status, code=code, error=error)\n", "role": "user" }, { "content": "job_data", "role": "assistant" } ]
def x(self, name, fallback=False): attr = '{}_{}'.format(self.workflow_type, name) if not fallback: return getattr(self.task, attr) else: value = getattr(self.task, attr, no_value) return value if value != no_value else getattr(self.task, name)
get_task_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, fallback=False):\n attr = '{}_{}'.format(self.workflow_type, name)\n if not fallback:\n return getattr(self.task, attr)\n else:\n value = getattr(self.task, attr, no_value)\n return value if value != no_value else getattr(self.task, name)\n", "role": "user" }, { "content": "get_task_attribute", "role": "assistant" } ]
def x(self): task = self.task out_dir = self._get_task_attribute('output_directory')() outputs = OrderedDict() postfix = self._get_task_attribute('output_postfix')() submission_file = '{}_submission{}.json'.format(self.workflow_type, postfix ) outputs['submission'] = out_dir.child(submission_file, type='f') outputs['submission'].optional = True if not task.no_poll: status_file = '{}_status{}.json'.format(self.workflow_type, postfix) outputs['status'] = out_dir.child(status_file, type='f') outputs['status'].optional = True if not task.is_controlling_remote_jobs(): outputs.update(super(BaseRemoteWorkflowProxy, self).output()) return outputs
output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n task = self.task\n out_dir = self._get_task_attribute('output_directory')()\n outputs = OrderedDict()\n postfix = self._get_task_attribute('output_postfix')()\n submission_file = '{}_submission{}.json'.format(self.workflow_type, postfix\n )\n outputs['submission'] = out_dir.child(submission_file, type='f')\n outputs['submission'].optional = True\n if not task.no_poll:\n status_file = '{}_status{}.json'.format(self.workflow_type, postfix)\n outputs['status'] = out_dir.child(status_file, type='f')\n outputs['status'].optional = True\n if not task.is_controlling_remote_jobs():\n outputs.update(super(BaseRemoteWorkflowProxy, self).output())\n return outputs\n", "role": "user" }, { "content": "output", "role": "assistant" } ]
def x(self): self.submission_data['dashboard_config' ] = self.dashboard.get_persistent_config() self._outputs['submission'].dump(self.submission_data, formatter='json', indent=4)
dump_submission_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.submission_data['dashboard_config'\n ] = self.dashboard.get_persistent_config()\n self._outputs['submission'].dump(self.submission_data, formatter='json',\n indent=4)\n", "role": "user" }, { "content": "dump_submission_data", "role": "assistant" } ]
def x(self): task = self.task self._outputs = self.output() self.dashboard = task.create_job_dashboard() or NoJobDashboard() submitted = not task.ignore_submission and self._outputs['submission' ].exists() if submitted: self.submission_data.update(self._outputs['submission'].load( formatter='json')) task.tasks_per_job = self.submission_data.tasks_per_job self.dashboard.apply_config(self.submission_data.dashboard_config) if 'collection' in self._outputs and self._outputs['collection'].exists(): self.touch_control_outputs() elif self._cancel_jobs: if submitted: self.cancel() elif self._cleanup_jobs: if submitted: self.cleanup() else: tracking_url = self.dashboard.create_tracking_url() if tracking_url: task.set_tracking_url(tracking_url) if not submitted: self._outputs['submission'].parent.touch() if 'status' in self._outputs: self._outputs['status'].remove() try: self.job_file_factory = self.create_job_file_factory() if not submitted: branches = sorted(task.branch_map.keys()) branch_chunks = list(iter_chunks(branches, task.tasks_per_job)) self.submission_data.unsubmitted_jobs = OrderedDict((i + 1, branches) for i, branches in enumerate(branch_chunks)) self.submit() post_submit_delay = self._get_task_attribute( 'post_submit_delay')() if post_submit_delay: time.sleep(post_submit_delay) if not task.no_poll or submitted: self.poll() finally: if self.job_file_factory: self.job_file_factory.cleanup_dir(force=False)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n task = self.task\n self._outputs = self.output()\n self.dashboard = task.create_job_dashboard() or NoJobDashboard()\n submitted = not task.ignore_submission and self._outputs['submission'\n ].exists()\n if submitted:\n self.submission_data.update(self._outputs['submission'].load(\n formatter='json'))\n task.tasks_per_job = self.submission_data.tasks_per_job\n self.dashboard.apply_config(self.submission_data.dashboard_config)\n if 'collection' in self._outputs and self._outputs['collection'].exists():\n self.touch_control_outputs()\n elif self._cancel_jobs:\n if submitted:\n self.cancel()\n elif self._cleanup_jobs:\n if submitted:\n self.cleanup()\n else:\n tracking_url = self.dashboard.create_tracking_url()\n if tracking_url:\n task.set_tracking_url(tracking_url)\n if not submitted:\n self._outputs['submission'].parent.touch()\n if 'status' in self._outputs:\n self._outputs['status'].remove()\n try:\n self.job_file_factory = self.create_job_file_factory()\n if not submitted:\n branches = sorted(task.branch_map.keys())\n branch_chunks = list(iter_chunks(branches, task.tasks_per_job))\n self.submission_data.unsubmitted_jobs = OrderedDict((i + 1,\n branches) for i, branches in enumerate(branch_chunks))\n self.submit()\n post_submit_delay = self._get_task_attribute(\n 'post_submit_delay')()\n if post_submit_delay:\n time.sleep(post_submit_delay)\n if not task.no_poll or submitted:\n self.poll()\n finally:\n if self.job_file_factory:\n self.job_file_factory.cleanup_dir(force=False)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): task = self.task job_ids = [d['job_id'] for d in self.submission_data.jobs.values() if d ['job_id'] not in (self.submission_data.dummy_job_id, None)] if not job_ids: return task.publish_message('going to cancel {} jobs'.format(len(job_ids))) errors = self.job_manager.cancel_batch(job_ids) if errors: print('{} error(s) occured while cancelling {} job(s) of task {}:'. format(len(errors), len(job_ids), task.task_id)) tmpl = ' {}' for i, err in enumerate(errors): print(tmpl.format(err)) if i + 1 >= self.show_errors: remaining = len(errors) - self.show_errors if remaining > 0: print(' ... and {} more'.format(remaining)) break for job_num, job_data in six.iteritems(self.submission_data.jobs): task.forward_dashboard_event(self.dashboard, job_data, 'action.cancel', job_num)
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n task = self.task\n job_ids = [d['job_id'] for d in self.submission_data.jobs.values() if d\n ['job_id'] not in (self.submission_data.dummy_job_id, None)]\n if not job_ids:\n return\n task.publish_message('going to cancel {} jobs'.format(len(job_ids)))\n errors = self.job_manager.cancel_batch(job_ids)\n if errors:\n print('{} error(s) occured while cancelling {} job(s) of task {}:'.\n format(len(errors), len(job_ids), task.task_id))\n tmpl = ' {}'\n for i, err in enumerate(errors):\n print(tmpl.format(err))\n if i + 1 >= self.show_errors:\n remaining = len(errors) - self.show_errors\n if remaining > 0:\n print(' ... and {} more'.format(remaining))\n break\n for job_num, job_data in six.iteritems(self.submission_data.jobs):\n task.forward_dashboard_event(self.dashboard, job_data,\n 'action.cancel', job_num)\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(self): task = self.task job_ids = [d['job_id'] for d in self.submission_data.jobs.values() if d ['job_id'] not in (self.submission_data.dummy_job_id, None)] if not job_ids: return task.publish_message('going to cleanup {} jobs'.format(len(job_ids))) errors = self.job_manager.cleanup_batch(job_ids) if errors: print('{} error(s) occured while cleaning up {} job(s) of task {}:' .format(len(errors), len(job_ids), task.task_id)) tmpl = ' {}' for i, err in enumerate(errors): print(tmpl.format(err)) if i + 1 >= self.show_errors: remaining = len(errors) - self.show_errors if remaining > 0: print(' ... and {} more'.format(remaining)) break
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n task = self.task\n job_ids = [d['job_id'] for d in self.submission_data.jobs.values() if d\n ['job_id'] not in (self.submission_data.dummy_job_id, None)]\n if not job_ids:\n return\n task.publish_message('going to cleanup {} jobs'.format(len(job_ids)))\n errors = self.job_manager.cleanup_batch(job_ids)\n if errors:\n print('{} error(s) occured while cleaning up {} job(s) of task {}:'\n .format(len(errors), len(job_ids), task.task_id))\n tmpl = ' {}'\n for i, err in enumerate(errors):\n print(tmpl.format(err))\n if i + 1 >= self.show_errors:\n remaining = len(errors) - self.show_errors\n if remaining > 0:\n print(' ... and {} more'.format(remaining))\n break\n", "role": "user" }, { "content": "cleanup", "role": "assistant" } ]
def x(self, retry_jobs=None): task = self.task def x(job_num, branches): if not task.only_missing: return False elif job_num in self.skip_jobs: return self.skip_jobs[job_num] else: self.skip_jobs[job_num] = all(task.as_branch(b).complete() for b in branches) if self.skip_jobs[job_num]: self.submission_data.jobs[job_num ] = self.submission_data_cls.job_data(branches=branches) return self.skip_jobs[job_num] submit_jobs = OrderedDict() if retry_jobs: for job_num, branches in six.iteritems(retry_jobs): if skip_job(job_num, branches): continue n = self.poll_data.n_active + len(submit_jobs) if n >= self.poll_data.n_parallel: self.submission_data.unsubmitted_jobs[job_num] = branches del self.submission_data.jobs[job_num] continue submit_jobs[job_num] = sorted(branches) new_jobs = OrderedDict() for job_num, branches in list(self.submission_data.unsubmitted_jobs.items() ): if skip_job(job_num, branches): del self.submission_data.unsubmitted_jobs[job_num] continue n = self.poll_data.n_active + len(submit_jobs) + len(new_jobs) if n >= self.poll_data.n_parallel: continue del self.submission_data.unsubmitted_jobs[job_num] new_jobs[job_num] = sorted(branches) new_submission_data = OrderedDict() new_job_nums = list(new_jobs.keys()) if task.shuffle_jobs: random.shuffle(new_job_nums) for job_num in new_job_nums: submit_jobs[job_num] = new_jobs[job_num] if not submit_jobs: if retry_jobs or self.submission_data.unsubmitted_jobs: self.dump_submission_data() return new_submission_data job_files = [self.create_job_file(*tpl) for tpl in six.iteritems( submit_jobs)] dst_info = self.destination_info() or '' dst_info = dst_info and ', ' + dst_info task.publish_message('going to submit {} {} job(s){}'.format(len( submit_jobs), self.workflow_type, dst_info)) job_ids = self.submit_jobs(job_files) errors = [] for job_num, job_id in six.moves.zip(submit_jobs, job_ids): error = (job_num, job_id) if isinstance(job_id, Exception) else None if error: errors.append((job_num, job_id)) job_id = self.submission_data_cls.dummy_job_id branches = submit_jobs[job_num] job_data = self.submission_data_cls.job_data(job_id=job_id, branches=branches) self.submission_data.jobs[job_num] = job_data new_submission_data[job_num] = job_data self.submission_data.attempts.setdefault(job_num, 0) task.forward_dashboard_event(self.dashboard, job_data, 'action.submit', job_num) self.dump_submission_data() if errors: print('{} error(s) occured during job submission of task {}:'. format(len(errors), task.task_id)) tmpl = ' job {}: {}' for i, tpl in enumerate(errors): print(tmpl.format(*tpl)) if i + 1 >= self.show_errors: remaining = len(errors) - self.show_errors if remaining > 0: print(' ... and {} more'.format(remaining)) break else: task.publish_message('submitted {} job(s)'.format(len(submit_jobs)) + dst_info) return new_submission_data
submit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, retry_jobs=None):\n task = self.task\n\n def x(job_num, branches):\n if not task.only_missing:\n return False\n elif job_num in self.skip_jobs:\n return self.skip_jobs[job_num]\n else:\n self.skip_jobs[job_num] = all(task.as_branch(b).complete() for\n b in branches)\n if self.skip_jobs[job_num]:\n self.submission_data.jobs[job_num\n ] = self.submission_data_cls.job_data(branches=branches)\n return self.skip_jobs[job_num]\n submit_jobs = OrderedDict()\n if retry_jobs:\n for job_num, branches in six.iteritems(retry_jobs):\n if skip_job(job_num, branches):\n continue\n n = self.poll_data.n_active + len(submit_jobs)\n if n >= self.poll_data.n_parallel:\n self.submission_data.unsubmitted_jobs[job_num] = branches\n del self.submission_data.jobs[job_num]\n continue\n submit_jobs[job_num] = sorted(branches)\n new_jobs = OrderedDict()\n for job_num, branches in list(self.submission_data.unsubmitted_jobs.items()\n ):\n if skip_job(job_num, branches):\n del self.submission_data.unsubmitted_jobs[job_num]\n continue\n n = self.poll_data.n_active + len(submit_jobs) + len(new_jobs)\n if n >= self.poll_data.n_parallel:\n continue\n del self.submission_data.unsubmitted_jobs[job_num]\n new_jobs[job_num] = sorted(branches)\n new_submission_data = OrderedDict()\n new_job_nums = list(new_jobs.keys())\n if task.shuffle_jobs:\n random.shuffle(new_job_nums)\n for job_num in new_job_nums:\n submit_jobs[job_num] = new_jobs[job_num]\n if not submit_jobs:\n if retry_jobs or self.submission_data.unsubmitted_jobs:\n self.dump_submission_data()\n return new_submission_data\n job_files = [self.create_job_file(*tpl) for tpl in six.iteritems(\n submit_jobs)]\n dst_info = self.destination_info() or ''\n dst_info = dst_info and ', ' + dst_info\n task.publish_message('going to submit {} {} job(s){}'.format(len(\n submit_jobs), self.workflow_type, dst_info))\n job_ids = self.submit_jobs(job_files)\n errors = []\n for job_num, job_id in six.moves.zip(submit_jobs, job_ids):\n error = (job_num, job_id) if isinstance(job_id, Exception) else None\n if error:\n errors.append((job_num, job_id))\n job_id = self.submission_data_cls.dummy_job_id\n branches = submit_jobs[job_num]\n job_data = self.submission_data_cls.job_data(job_id=job_id,\n branches=branches)\n self.submission_data.jobs[job_num] = job_data\n new_submission_data[job_num] = job_data\n self.submission_data.attempts.setdefault(job_num, 0)\n task.forward_dashboard_event(self.dashboard, job_data,\n 'action.submit', job_num)\n self.dump_submission_data()\n if errors:\n print('{} error(s) occured during job submission of task {}:'.\n format(len(errors), task.task_id))\n tmpl = ' job {}: {}'\n for i, tpl in enumerate(errors):\n print(tmpl.format(*tpl))\n if i + 1 >= self.show_errors:\n remaining = len(errors) - self.show_errors\n if remaining > 0:\n print(' ... and {} more'.format(remaining))\n break\n else:\n task.publish_message('submitted {} job(s)'.format(len(submit_jobs)) +\n dst_info)\n return new_submission_data\n", "role": "user" }, { "content": "submit", "role": "assistant" } ]
def x(self): task = self.task self._outputs['submission'].parent.touch() branch_chunks = list(iter_chunks(task.branch_map.keys(), task. tasks_per_job)) if not self._outputs['submission'].exists(): submission_data = self.submission_data.copy() submission_data.jobs.clear() for i, branches in enumerate(branch_chunks): job_num = i + 1 submission_data.jobs[job_num] = self.submission_data_cls.job_data( branches=branches) self._outputs['submission'].dump(submission_data, formatter='json', indent=4) if 'status' in self._outputs and not self._outputs['status'].exists(): status_data = self.status_data_cls() for i, branches in enumerate(branch_chunks): job_num = i + 1 status_data.jobs[job_num] = self.status_data_cls.job_data(status =self.job_manager.FINISHED, code=0) self._outputs['status'].dump(status_data, formatter='json', indent=4)
touch_control_outputs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n task = self.task\n self._outputs['submission'].parent.touch()\n branch_chunks = list(iter_chunks(task.branch_map.keys(), task.\n tasks_per_job))\n if not self._outputs['submission'].exists():\n submission_data = self.submission_data.copy()\n submission_data.jobs.clear()\n for i, branches in enumerate(branch_chunks):\n job_num = i + 1\n submission_data.jobs[job_num] = self.submission_data_cls.job_data(\n branches=branches)\n self._outputs['submission'].dump(submission_data, formatter='json',\n indent=4)\n if 'status' in self._outputs and not self._outputs['status'].exists():\n status_data = self.status_data_cls()\n for i, branches in enumerate(branch_chunks):\n job_num = i + 1\n status_data.jobs[job_num] = self.status_data_cls.job_data(status\n =self.job_manager.FINISHED, code=0)\n self._outputs['status'].dump(status_data, formatter='json', indent=4)\n", "role": "user" }, { "content": "touch_control_outputs", "role": "assistant" } ]
def x(self, dashboard, job_data, event, job_num): return dashboard.publish(job_data, event, job_num)
forward_dashboard_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dashboard, job_data, event, job_num):\n return dashboard.publish(job_data, event, job_num)\n", "role": "user" }, { "content": "forward_dashboard_event", "role": "assistant" } ]
def x(self, mode='r', perm=None, parent_perm=None, **kwargs): if mode not in ('r', 'w'): raise Exception("unknown mode '{}', use r or w".format(mode)) skip_copy = kwargs.pop('skip_copy', False) is_tmp = kwargs.pop('is_tmp', mode == 'w') if mode == 'r': if is_tmp: tmp = self.__class__(is_tmp=self.ext(n=1) or True) self.copy_to_local(tmp) try: yield tmp finally: tmp.remove() else: yield self elif is_tmp: tmp = self.__class__(is_tmp=self.ext(n=1) or True) if not skip_copy and self.exists(): self.copy_to_local(tmp) try: yield tmp if tmp.exists(): tmp.move_to_local(self, dir_perm=parent_perm) self.chmod(perm) else: logger.warning( 'cannot move non-existing localized file target {!r}'. format(self)) finally: tmp.remove() else: self.parent.touch(perm=parent_perm) yield self if self.exists(): self.chmod(perm)
localize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode='r', perm=None, parent_perm=None, **kwargs):\n if mode not in ('r', 'w'):\n raise Exception(\"unknown mode '{}', use r or w\".format(mode))\n skip_copy = kwargs.pop('skip_copy', False)\n is_tmp = kwargs.pop('is_tmp', mode == 'w')\n if mode == 'r':\n if is_tmp:\n tmp = self.__class__(is_tmp=self.ext(n=1) or True)\n self.copy_to_local(tmp)\n try:\n yield tmp\n finally:\n tmp.remove()\n else:\n yield self\n elif is_tmp:\n tmp = self.__class__(is_tmp=self.ext(n=1) or True)\n if not skip_copy and self.exists():\n self.copy_to_local(tmp)\n try:\n yield tmp\n if tmp.exists():\n tmp.move_to_local(self, dir_perm=parent_perm)\n self.chmod(perm)\n else:\n logger.warning(\n 'cannot move non-existing localized file target {!r}'.\n format(self))\n finally:\n tmp.remove()\n else:\n self.parent.touch(perm=parent_perm)\n yield self\n if self.exists():\n self.chmod(perm)\n", "role": "user" }, { "content": "localize", "role": "assistant" } ]
def x(sub_parsers): parser = sub_parsers.add_parser('index', prog='law index', description= 'Create or update the (human-readable) law task index file ({}). This is only required for the shell auto-completion.' .format(Config.instance().get('core', 'index_file'))) parser.add_argument('--modules', '-m', nargs='+', help= 'additional modules to traverse') parser.add_argument('--no-externals', '-e', action='store_true', help= 'skip external tasks') parser.add_argument('--remove', '-r', action='store_true', help= 'remove the index file and exit') parser.add_argument('--location', '-l', action='store_true', help= 'print the location of the index file and exit') parser.add_argument('--verbose', '-v', action='store_true', help= 'verbose output')
setup_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sub_parsers):\n parser = sub_parsers.add_parser('index', prog='law index', description=\n 'Create or update the (human-readable) law task index file ({}). This is only required for the shell auto-completion.'\n .format(Config.instance().get('core', 'index_file')))\n parser.add_argument('--modules', '-m', nargs='+', help=\n 'additional modules to traverse')\n parser.add_argument('--no-externals', '-e', action='store_true', help=\n 'skip external tasks')\n parser.add_argument('--remove', '-r', action='store_true', help=\n 'remove the index file and exit')\n parser.add_argument('--location', '-l', action='store_true', help=\n 'print the location of the index file and exit')\n parser.add_argument('--verbose', '-v', action='store_true', help=\n 'verbose output')\n", "role": "user" }, { "content": "setup_parser", "role": "assistant" } ]
def x(args): index_file = Config.instance().get_expanded('core', 'index_file') if args.location: print(index_file) return if args.remove: if os.path.exists(index_file): os.remove(index_file) print('removed index file {}'.format(index_file)) return lookup = [m.strip() for m in Config.instance().keys('modules')] if args.modules: lookup += args.modules print('loading tasks from {} module(s)'.format(len(lookup))) for modid in lookup: if not modid: continue if args.verbose: sys.stdout.write("loading module '{}'".format(modid)) try: import_module(modid) except Exception as e: if not args.verbose: print("Error in module '{}': {}".format(colored(modid, 'red'), str(e))) else: print("\n\nError in module '{}':".format(colored(modid, 'red')) ) traceback.print_exc() continue if args.verbose: print(', {}'.format(colored('done', style='bright'))) seen_families = [] task_classes = [] lookup = [Task] while lookup: cls = lookup.pop(0) lookup.extend(cls.__subclasses__()) if cls.task_family in seen_families: continue seen_families.append(cls.task_family) if cls.exclude_index: continue is_external_task = issubclass(cls, ExternalTask) if args.no_externals and is_external_task: continue run_is_callable = callable(getattr(cls, 'run', None)) run_is_abstract = getattr(cls.run, '__isabstractmethod__', False) if not is_external_task and (not run_is_callable or run_is_abstract): continue task_classes.append(cls) def x(cls): params = [] for attr in dir(cls): member = getattr(cls, attr) if isinstance(member, luigi.Parameter): exclude = getattr(cls, 'exclude_params_index', set()) if not multi_match(attr, exclude, any): params.append(attr.replace('_', '-')) return params def x(cls, params): return '{}:{}:{}'.format(cls.__module__, cls.task_family, ' '.join( params)) stats = OrderedDict() if not os.path.exists(os.path.dirname(index_file)): os.makedirs(os.path.dirname(index_file)) with open(index_file, 'w') as f: for cls in task_classes: params = get_task_params(cls) if cls.__module__ not in stats: stats[cls.__module__] = [] stats[cls.__module__].append((cls.task_family, params)) f.write(index_line(cls, params) + '\n') if args.verbose: for mod, data in six.iteritems(stats): print("\nmodule '{}', {} task(s):".format(colored(mod, style= 'bright'), len(data))) for task_family, _ in data: print(' - {}'.format(colored(task_family, 'green'))) print('') print("written {} task(s) to index file '{}'".format(len(task_classes), index_file))
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n index_file = Config.instance().get_expanded('core', 'index_file')\n if args.location:\n print(index_file)\n return\n if args.remove:\n if os.path.exists(index_file):\n os.remove(index_file)\n print('removed index file {}'.format(index_file))\n return\n lookup = [m.strip() for m in Config.instance().keys('modules')]\n if args.modules:\n lookup += args.modules\n print('loading tasks from {} module(s)'.format(len(lookup)))\n for modid in lookup:\n if not modid:\n continue\n if args.verbose:\n sys.stdout.write(\"loading module '{}'\".format(modid))\n try:\n import_module(modid)\n except Exception as e:\n if not args.verbose:\n print(\"Error in module '{}': {}\".format(colored(modid,\n 'red'), str(e)))\n else:\n print(\"\\n\\nError in module '{}':\".format(colored(modid, 'red'))\n )\n traceback.print_exc()\n continue\n if args.verbose:\n print(', {}'.format(colored('done', style='bright')))\n seen_families = []\n task_classes = []\n lookup = [Task]\n while lookup:\n cls = lookup.pop(0)\n lookup.extend(cls.__subclasses__())\n if cls.task_family in seen_families:\n continue\n seen_families.append(cls.task_family)\n if cls.exclude_index:\n continue\n is_external_task = issubclass(cls, ExternalTask)\n if args.no_externals and is_external_task:\n continue\n run_is_callable = callable(getattr(cls, 'run', None))\n run_is_abstract = getattr(cls.run, '__isabstractmethod__', False)\n if not is_external_task and (not run_is_callable or run_is_abstract):\n continue\n task_classes.append(cls)\n\n def x(cls):\n params = []\n for attr in dir(cls):\n member = getattr(cls, attr)\n if isinstance(member, luigi.Parameter):\n exclude = getattr(cls, 'exclude_params_index', set())\n if not multi_match(attr, exclude, any):\n params.append(attr.replace('_', '-'))\n return params\n\n def x(cls, params):\n return '{}:{}:{}'.format(cls.__module__, cls.task_family, ' '.join(\n params))\n stats = OrderedDict()\n if not os.path.exists(os.path.dirname(index_file)):\n os.makedirs(os.path.dirname(index_file))\n with open(index_file, 'w') as f:\n for cls in task_classes:\n params = get_task_params(cls)\n if cls.__module__ not in stats:\n stats[cls.__module__] = []\n stats[cls.__module__].append((cls.task_family, params))\n f.write(index_line(cls, params) + '\\n')\n if args.verbose:\n for mod, data in six.iteritems(stats):\n print(\"\\nmodule '{}', {} task(s):\".format(colored(mod, style=\n 'bright'), len(data)))\n for task_family, _ in data:\n print(' - {}'.format(colored(task_family, 'green')))\n print('')\n print(\"written {} task(s) to index file '{}'\".format(len(task_classes),\n index_file))\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(config_names=('core', 'scheduler', 'worker', 'retcode')): params = [] for cls in luigi.task.Config.__subclasses__(): if config_names and cls.__name__ not in config_names: continue for attr in dir(cls): param = getattr(cls, attr) if not isinstance(param, luigi.Parameter): continue full_name = attr.replace('_', '-') if getattr(cls, 'use_cmdline_section', True): full_name = '{}-{}'.format(cls.__name__.replace('_', '-'), full_name) params.append((cls, param, attr, full_name)) return params
get_global_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_names=('core', 'scheduler', 'worker', 'retcode')):\n params = []\n for cls in luigi.task.Config.__subclasses__():\n if config_names and cls.__name__ not in config_names:\n continue\n for attr in dir(cls):\n param = getattr(cls, attr)\n if not isinstance(param, luigi.Parameter):\n continue\n full_name = attr.replace('_', '-')\n if getattr(cls, 'use_cmdline_section', True):\n full_name = '{}-{}'.format(cls.__name__.replace('_', '-'),\n full_name)\n params.append((cls, param, attr, full_name))\n return params\n", "role": "user" }, { "content": "get_global_parameters", "role": "assistant" } ]
def x(anchor, *paths): anchor = os.path.abspath(os.path.expandvars(os.path.expanduser(anchor))) if os.path.exists(anchor) and os.path.isfile(anchor): anchor = os.path.dirname(anchor) return os.path.normpath(os.path.join(anchor, *paths))
rel_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(anchor, *paths):\n anchor = os.path.abspath(os.path.expandvars(os.path.expanduser(anchor)))\n if os.path.exists(anchor) and os.path.isfile(anchor):\n anchor = os.path.dirname(anchor)\n return os.path.normpath(os.path.join(anchor, *paths))\n", "role": "user" }, { "content": "rel_path", "role": "assistant" } ]
def x(*paths): home = os.getenv('LAW_HOME', '$HOME/.law') home = os.path.expandvars(os.path.expanduser(home)) return os.path.normpath(os.path.join(home, *paths))
law_home_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*paths):\n home = os.getenv('LAW_HOME', '$HOME/.law')\n home = os.path.expandvars(os.path.expanduser(home))\n return os.path.normpath(os.path.join(home, *paths))\n", "role": "user" }, { "content": "law_home_path", "role": "assistant" } ]
def x(*args, **kwargs): sys.stderr.write(' '.join(str(arg) for arg in args) + '\n') if kwargs.get('flush', False): sys.stderr.flush()
print_err
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n sys.stderr.write(' '.join(str(arg) for arg in args) + '\\n')\n if kwargs.get('flush', False):\n sys.stderr.flush()\n", "role": "user" }, { "content": "print_err", "role": "assistant" } ]
def x(msg=None, exitcode=1): if msg is not None: if exitcode in (None, 0): print(msg) else: print_err(msg) sys.exit(exitcode)
abort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg=None, exitcode=1):\n if msg is not None:\n if exitcode in (None, 0):\n print(msg)\n else:\n print_err(msg)\n sys.exit(exitcode)\n", "role": "user" }, { "content": "abort", "role": "assistant" } ]
def x(msg, color=None, background=None, style=None, force=False): try: if not force and not os.isatty(sys.stdout.fileno()): return msg except: return msg color = colors.get(color, colors['default']) background = backgrounds.get(background, backgrounds['default']) if not isinstance(style, (tuple, list, set)): style = style, style = ';'.join(str(styles.get(s, styles['default'])) for s in style) return '\x1b[{};{};{}m{}\x1b[0m'.format(style, background, color, msg)
colored
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, color=None, background=None, style=None, force=False):\n try:\n if not force and not os.isatty(sys.stdout.fileno()):\n return msg\n except:\n return msg\n color = colors.get(color, colors['default'])\n background = backgrounds.get(background, backgrounds['default'])\n if not isinstance(style, (tuple, list, set)):\n style = style,\n style = ';'.join(str(styles.get(s, styles['default'])) for s in style)\n return '\\x1b[{};{};{}m{}\\x1b[0m'.format(style, background, color, msg)\n", "role": "user" }, { "content": "colored", "role": "assistant" } ]
def x(msg, choices, default=None, descriptions=None, lower=True): choices = _choices = [str(c) for c in choices] if lower: _choices = [c.lower() for c in choices] if default is not None: if default not in choices: raise Exception('default must be one of the choices') hints = [(choice if choice != default else choice + '*') for choice in choices] if descriptions is not None: if len(descriptions) != len(choices): raise ValueError( 'length of descriptions must match length of choices') hints = ['{}({})'.format(*tpl) for tpl in zip(hints, descriptions)] msg += ' [{}] '.format(', '.join(hints)) choice = None while choice not in _choices: if choice is not None: print("invalid choice: '{}'\n".format(choice)) choice = six.moves.input(msg) if default is not None and choice == '': choice = default if lower: choice = choice.lower() return choice
query_choice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, choices, default=None, descriptions=None, lower=True):\n choices = _choices = [str(c) for c in choices]\n if lower:\n _choices = [c.lower() for c in choices]\n if default is not None:\n if default not in choices:\n raise Exception('default must be one of the choices')\n hints = [(choice if choice != default else choice + '*') for choice in\n choices]\n if descriptions is not None:\n if len(descriptions) != len(choices):\n raise ValueError(\n 'length of descriptions must match length of choices')\n hints = ['{}({})'.format(*tpl) for tpl in zip(hints, descriptions)]\n msg += ' [{}] '.format(', '.join(hints))\n choice = None\n while choice not in _choices:\n if choice is not None:\n print(\"invalid choice: '{}'\\n\".format(choice))\n choice = six.moves.input(msg)\n if default is not None and choice == '':\n choice = default\n if lower:\n choice = choice.lower()\n return choice\n", "role": "user" }, { "content": "query_choice", "role": "assistant" } ]
def x(name, patterns, mode=any, regex=False): if not regex: return mode(fnmatch.fnmatch(name, pattern) for pattern in patterns) else: return mode(re.match(pattern, name) for pattern in patterns)
multi_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, patterns, mode=any, regex=False):\n if not regex:\n return mode(fnmatch.fnmatch(name, pattern) for pattern in patterns)\n else:\n return mode(re.match(pattern, name) for pattern in patterns)\n", "role": "user" }, { "content": "multi_match", "role": "assistant" } ]
def x(obj): return isinstance(obj, (types.GeneratorType, collections.MappingView, six.moves.range, enumerate))
is_lazy_iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return isinstance(obj, (types.GeneratorType, collections.MappingView,\n six.moves.range, enumerate))\n", "role": "user" }, { "content": "is_lazy_iterable", "role": "assistant" } ]
def x(obj, cast=True): if isinstance(obj, list): return list(obj) elif is_lazy_iterable(obj): return list(obj) elif isinstance(obj, (tuple, set)) and cast: return list(obj) else: return [obj]
make_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, cast=True):\n if isinstance(obj, list):\n return list(obj)\n elif is_lazy_iterable(obj):\n return list(obj)\n elif isinstance(obj, (tuple, set)) and cast:\n return list(obj)\n else:\n return [obj]\n", "role": "user" }, { "content": "make_list", "role": "assistant" } ]
def x(obj, cast=True): if isinstance(obj, tuple): return tuple(obj) elif is_lazy_iterable(obj): return tuple(obj) elif isinstance(obj, (list, set)) and cast: return tuple(obj) else: return obj,
make_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, cast=True):\n if isinstance(obj, tuple):\n return tuple(obj)\n elif is_lazy_iterable(obj):\n return tuple(obj)\n elif isinstance(obj, (list, set)) and cast:\n return tuple(obj)\n else:\n return obj,\n", "role": "user" }, { "content": "make_tuple", "role": "assistant" } ]
def x(struct): if isinstance(struct, dict): return flatten(struct.values()) elif isinstance(struct, (list, tuple, set)) or is_lazy_iterable(struct): objs = [] for obj in struct: objs.extend(flatten(obj)) return objs else: return [struct]
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(struct):\n if isinstance(struct, dict):\n return flatten(struct.values())\n elif isinstance(struct, (list, tuple, set)) or is_lazy_iterable(struct):\n objs = []\n for obj in struct:\n objs.extend(flatten(obj))\n return objs\n else:\n return [struct]\n", "role": "user" }, { "content": "flatten", "role": "assistant" } ]
def x(*dicts, **kwargs): cls = kwargs.get('cls', None) if cls is None: for d in dicts: if isinstance(d, dict): cls = d.__class__ break else: raise TypeError( 'cannot infer cls as none of the passed objects is of type dict' ) merged_dict = cls() for d in dicts: if isinstance(d, dict): merged_dict.update(d) return merged_dict
merge_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*dicts, **kwargs):\n cls = kwargs.get('cls', None)\n if cls is None:\n for d in dicts:\n if isinstance(d, dict):\n cls = d.__class__\n break\n else:\n raise TypeError(\n 'cannot infer cls as none of the passed objects is of type dict'\n )\n merged_dict = cls()\n for d in dicts:\n if isinstance(d, dict):\n merged_dict.update(d)\n return merged_dict\n", "role": "user" }, { "content": "merge_dicts", "role": "assistant" } ]
def x(prog): executable = lambda path: os.path.isfile(path) and os.access(path, os.X_OK) dirname, _ = os.path.split(prog) if dirname: if executable(prog): return prog elif 'PATH' in os.environ: for search_path in os.environ['PATH'].split(os.pathsep): path = os.path.join(search_path.strip('"'), prog) if executable(path): return path return None
which
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prog):\n executable = lambda path: os.path.isfile(path) and os.access(path, os.X_OK)\n dirname, _ = os.path.split(prog)\n if dirname:\n if executable(prog):\n return prog\n elif 'PATH' in os.environ:\n for search_path in os.environ['PATH'].split(os.pathsep):\n path = os.path.join(search_path.strip('\"'), prog)\n if executable(path):\n return path\n return None\n", "role": "user" }, { "content": "which", "role": "assistant" } ]
def x(func, seq, msg='{}', every=25, start=True, end=True, offset=0, callback=None): if not callable(callback): def x(i): print(msg.format(i + offset)) results = [] for i, obj in enumerate(seq): results.append(func(obj)) do_call = start and i == 0 or (i + 1) % every == 0 if do_call: callback(i) else: if end and results and not do_call: callback(i) return results
map_verbose
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, seq, msg='{}', every=25, start=True, end=True, offset=0,\n callback=None):\n if not callable(callback):\n\n def x(i):\n print(msg.format(i + offset))\n results = []\n for i, obj in enumerate(seq):\n results.append(func(obj))\n do_call = start and i == 0 or (i + 1) % every == 0\n if do_call:\n callback(i)\n else:\n if end and results and not do_call:\n callback(i)\n return results\n", "role": "user" }, { "content": "map_verbose", "role": "assistant" } ]
def x(func, struct, cls=None, map_dict=True, map_list=True, map_tuple=False, map_set=False): if is_lazy_iterable(struct): struct = list(struct) valid_types = tuple() if map_dict: valid_types += dict, if isinstance(map_dict, int) and not isinstance(map_dict, bool): map_dict -= 1 if map_list: valid_types += list, if isinstance(map_list, int) and not isinstance(map_list, bool): map_list -= 1 if map_tuple: valid_types += tuple, if isinstance(map_tuple, int) and not isinstance(map_tuple, bool): map_tuple -= 1 if map_set: valid_types += set, if isinstance(map_set, int) and not isinstance(map_set, bool): map_set -= 1 if cls is not None and isinstance(struct, cls): return func(struct) elif isinstance(struct, valid_types): new_struct = struct.__class__() if not isinstance(struct, tuple) else [ ] if isinstance(struct, (list, tuple)): gen = enumerate(struct) add = lambda _, value: new_struct.append(value) elif isinstance(struct, set): gen = enumerate(struct) add = lambda _, value: new_struct.add(value) else: gen = six.iteritems(struct) add = lambda key, value: new_struct.__setitem__(key, value) for key, value in gen: value = map_struct(func, value, cls=cls, map_dict=map_dict, map_list=map_list, map_tuple=map_tuple, map_set=map_set) add(key, value) if isinstance(struct, tuple): new_struct = struct.__class__(new_struct) return new_struct elif cls is not None: return struct else: return func(struct)
map_struct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, struct, cls=None, map_dict=True, map_list=True, map_tuple=False,\n map_set=False):\n if is_lazy_iterable(struct):\n struct = list(struct)\n valid_types = tuple()\n if map_dict:\n valid_types += dict,\n if isinstance(map_dict, int) and not isinstance(map_dict, bool):\n map_dict -= 1\n if map_list:\n valid_types += list,\n if isinstance(map_list, int) and not isinstance(map_list, bool):\n map_list -= 1\n if map_tuple:\n valid_types += tuple,\n if isinstance(map_tuple, int) and not isinstance(map_tuple, bool):\n map_tuple -= 1\n if map_set:\n valid_types += set,\n if isinstance(map_set, int) and not isinstance(map_set, bool):\n map_set -= 1\n if cls is not None and isinstance(struct, cls):\n return func(struct)\n elif isinstance(struct, valid_types):\n new_struct = struct.__class__() if not isinstance(struct, tuple) else [\n ]\n if isinstance(struct, (list, tuple)):\n gen = enumerate(struct)\n add = lambda _, value: new_struct.append(value)\n elif isinstance(struct, set):\n gen = enumerate(struct)\n add = lambda _, value: new_struct.add(value)\n else:\n gen = six.iteritems(struct)\n add = lambda key, value: new_struct.__setitem__(key, value)\n for key, value in gen:\n value = map_struct(func, value, cls=cls, map_dict=map_dict,\n map_list=map_list, map_tuple=map_tuple, map_set=map_set)\n add(key, value)\n if isinstance(struct, tuple):\n new_struct = struct.__class__(new_struct)\n return new_struct\n elif cls is not None:\n return struct\n else:\n return func(struct)\n", "role": "user" }, { "content": "map_struct", "role": "assistant" } ]
def x(mask, struct, replace=no_value): if is_lazy_iterable(struct): struct = list(struct) if isinstance(mask, bool) or not isinstance(struct, (list, tuple, dict)): return struct if mask else replace elif isinstance(struct, (list, tuple)) and isinstance(mask, (list, tuple)): new_struct = [] for i, val in enumerate(struct): if i >= len(mask): new_struct.append(val) else: repl = replace if isinstance(replace, (list, tuple)) and len(replace) > i: repl = replace[i] val = mask_struct(mask[i], val, replace=repl) if val != no_value: new_struct.append(val) return struct.__class__(new_struct) if new_struct else replace elif isinstance(struct, dict) and isinstance(mask, dict): new_struct = struct.__class__() for key, val in six.iteritems(struct): if key not in mask: new_struct[key] = val else: repl = replace if isinstance(replace, dict) and key in replace: repl = replace[key] val = mask_struct(mask[key], val, replace=repl) if val != no_value: new_struct[key] = val return new_struct or replace raise TypeError( "mask and struct must have the same type, got '{}' and '{}'".format (type(mask), type(struct)))
mask_struct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mask, struct, replace=no_value):\n if is_lazy_iterable(struct):\n struct = list(struct)\n if isinstance(mask, bool) or not isinstance(struct, (list, tuple, dict)):\n return struct if mask else replace\n elif isinstance(struct, (list, tuple)) and isinstance(mask, (list, tuple)):\n new_struct = []\n for i, val in enumerate(struct):\n if i >= len(mask):\n new_struct.append(val)\n else:\n repl = replace\n if isinstance(replace, (list, tuple)) and len(replace) > i:\n repl = replace[i]\n val = mask_struct(mask[i], val, replace=repl)\n if val != no_value:\n new_struct.append(val)\n return struct.__class__(new_struct) if new_struct else replace\n elif isinstance(struct, dict) and isinstance(mask, dict):\n new_struct = struct.__class__()\n for key, val in six.iteritems(struct):\n if key not in mask:\n new_struct[key] = val\n else:\n repl = replace\n if isinstance(replace, dict) and key in replace:\n repl = replace[key]\n val = mask_struct(mask[key], val, replace=repl)\n if val != no_value:\n new_struct[key] = val\n return new_struct or replace\n raise TypeError(\n \"mask and struct must have the same type, got '{}' and '{}'\".format\n (type(mask), type(struct)))\n", "role": "user" }, { "content": "mask_struct", "role": "assistant" } ]
def x(*args, **kwargs): fileno, path = tempfile.mkstemp(*args, **kwargs) with open(path, 'w') as f: f.write('') try: yield fileno, path finally: if os.path.exists(path): os.remove(path)
tmp_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n fileno, path = tempfile.mkstemp(*args, **kwargs)\n with open(path, 'w') as f:\n f.write('')\n try:\n yield fileno, path\n finally:\n if os.path.exists(path):\n os.remove(path)\n", "role": "user" }, { "content": "tmp_file", "role": "assistant" } ]
def x(*args, **kwargs): kwargs['preexec_fn'] = os.setsid p = subprocess.Popen(*args, **kwargs) try: out, err = p.communicate() except KeyboardInterrupt: os.killpg(os.getpgid(p.pid), signal.SIGTERM) raise if six.PY3: if out is not None: out = out.decode('utf-8') if err is not None: err = err.decode('utf-8') return p.returncode, out, err
interruptable_popen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n kwargs['preexec_fn'] = os.setsid\n p = subprocess.Popen(*args, **kwargs)\n try:\n out, err = p.communicate()\n except KeyboardInterrupt:\n os.killpg(os.getpgid(p.pid), signal.SIGTERM)\n raise\n if six.PY3:\n if out is not None:\n out = out.decode('utf-8')\n if err is not None:\n err = err.decode('utf-8')\n return p.returncode, out, err\n", "role": "user" }, { "content": "interruptable_popen", "role": "assistant" } ]
def x(*args, **kwargs): kwargs['stdout'] = subprocess.PIPE kwargs['stderr'] = subprocess.STDOUT p = subprocess.Popen(*args, **kwargs) for line in iter(lambda : p.stdout.readline(), ''): if six.PY3: line = line.decode('utf-8') yield line.rstrip() p.communicate() yield p
readable_popen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n kwargs['stdout'] = subprocess.PIPE\n kwargs['stderr'] = subprocess.STDOUT\n p = subprocess.Popen(*args, **kwargs)\n for line in iter(lambda : p.stdout.readline(), ''):\n if six.PY3:\n line = line.decode('utf-8')\n yield line.rstrip()\n p.communicate()\n yield p\n", "role": "user" }, { "content": "readable_popen", "role": "assistant" } ]
def x(inp, l=10, algo='sha256'): return getattr(hashlib, algo)(six.b(str(inp))).hexdigest()[:l]
create_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inp, l=10, algo='sha256'):\n return getattr(hashlib, algo)(six.b(str(inp))).hexdigest()[:l]\n", "role": "user" }, { "content": "create_hash", "role": "assistant" } ]
def x(src, dst): shutil.copy(src, dst) perm = os.stat(dst).st_mode shutil.copystat(src, dst) os.chmod(dst, perm)
copy_no_perm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst):\n shutil.copy(src, dst)\n perm = os.stat(dst).st_mode\n shutil.copystat(src, dst)\n os.chmod(dst, perm)\n", "role": "user" }, { "content": "copy_no_perm", "role": "assistant" } ]
def x(path, perm=None): if not os.path.exists(path): if perm is None: os.makedirs(path) else: umask = os.umask(0) try: os.makedirs(path, perm) finally: os.umask(umask)
makedirs_perm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, perm=None):\n if not os.path.exists(path):\n if perm is None:\n os.makedirs(path)\n else:\n umask = os.umask(0)\n try:\n os.makedirs(path, perm)\n finally:\n os.umask(umask)\n", "role": "user" }, { "content": "makedirs_perm", "role": "assistant" } ]
def x(path, uid=None): if uid is None: uid = os.getuid() path = os.path.expandvars(os.path.expanduser(path)) return os.stat(path).st_uid == uid
user_owns_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, uid=None):\n if uid is None:\n uid = os.getuid()\n path = os.path.expandvars(os.path.expanduser(path))\n return os.stat(path).st_uid == uid\n", "role": "user" }, { "content": "user_owns_file", "role": "assistant" } ]
def x(l, size): if isinstance(l, six.integer_types): l = six.moves.range(l) if is_lazy_iterable(l): if size < 1: yield list(l) else: chunk = [] for elem in l: if len(chunk) < size: chunk.append(elem) else: yield chunk chunk = [elem] else: if chunk: yield chunk elif size < 1: yield l else: for i in six.moves.range(0, len(l), size): yield l[i:i + size]
iter_chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l, size):\n if isinstance(l, six.integer_types):\n l = six.moves.range(l)\n if is_lazy_iterable(l):\n if size < 1:\n yield list(l)\n else:\n chunk = []\n for elem in l:\n if len(chunk) < size:\n chunk.append(elem)\n else:\n yield chunk\n chunk = [elem]\n else:\n if chunk:\n yield chunk\n elif size < 1:\n yield l\n else:\n for i in six.moves.range(0, len(l), size):\n yield l[i:i + size]\n", "role": "user" }, { "content": "iter_chunks", "role": "assistant" } ]
def x(n, unit=None): if n == 0: idx = 0 elif unit: idx = byte_units.index(unit) else: idx = int(math.floor(math.log(abs(n), 1024))) idx = min(idx, len(byte_units)) return n / 1024.0 ** idx, byte_units[idx]
human_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, unit=None):\n if n == 0:\n idx = 0\n elif unit:\n idx = byte_units.index(unit)\n else:\n idx = int(math.floor(math.log(abs(n), 1024)))\n idx = min(idx, len(byte_units))\n return n / 1024.0 ** idx, byte_units[idx]\n", "role": "user" }, { "content": "human_bytes", "role": "assistant" } ]
def x(*args, **kwargs): secs = float(datetime.timedelta(*args, **kwargs).total_seconds()) parts = [] for unit, mul in time_units: if secs / mul >= 1 or mul == 1: if mul > 1: n = int(math.floor(secs / mul)) secs -= n * mul else: n = round(secs, 1) parts.append('{} {}{}'.format(n, unit, '' if n == 1 else 's')) return ', '.join(parts)
human_time_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n secs = float(datetime.timedelta(*args, **kwargs).total_seconds())\n parts = []\n for unit, mul in time_units:\n if secs / mul >= 1 or mul == 1:\n if mul > 1:\n n = int(math.floor(secs / mul))\n secs -= n * mul\n else:\n n = round(secs, 1)\n parts.append('{} {}{}'.format(n, unit, '' if n == 1 else 's'))\n return ', '.join(parts)\n", "role": "user" }, { "content": "human_time_diff", "role": "assistant" } ]
def x(e): if six.PY3: return isinstance(e, FileExistsError) else: return isinstance(e, OSError) and e.errno == 17
is_file_exists_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(e):\n if six.PY3:\n return isinstance(e, FileExistsError)\n else:\n return isinstance(e, OSError) and e.errno == 17\n", "role": "user" }, { "content": "is_file_exists_error", "role": "assistant" } ]
def x(recipient, sender, subject='', content='', smtp_host='127.0.0.1', smtp_port=25): try: server = smtplib.SMTP(smtp_host, smtp_port) except Exception as e: logger = logging.getLogger(__name__) logger.warning('cannot create SMTP server: {}'.format(e)) return False header = 'From: {}\r\nTo: {}\r\nSubject: {}\r\n\r\n'.format(sender, recipient, subject) server.sendmail(sender, recipient, header + content) return True
send_mail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recipient, sender, subject='', content='', smtp_host='127.0.0.1',\n smtp_port=25):\n try:\n server = smtplib.SMTP(smtp_host, smtp_port)\n except Exception as e:\n logger = logging.getLogger(__name__)\n logger.warning('cannot create SMTP server: {}'.format(e))\n return False\n header = 'From: {}\\r\\nTo: {}\\r\\nSubject: {}\\r\\n\\r\\n'.format(sender,\n recipient, subject)\n server.sendmail(sender, recipient, header + content)\n return True\n", "role": "user" }, { "content": "send_mail", "role": "assistant" } ]
def x(*args, **kwargs): if six.PY3: return open(*args, **kwargs) else: f = io.open(*args, **kwargs) if f.encoding and f.encoding.lower().replace('-', '') == 'utf8': write_orig = f.write def x(data, *args, **kwargs): u = unicode if not isinstance(data, u): data = u(data) return write_orig(data, *args, **kwargs) f.write = write return f
open_compat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n if six.PY3:\n return open(*args, **kwargs)\n else:\n f = io.open(*args, **kwargs)\n if f.encoding and f.encoding.lower().replace('-', '') == 'utf8':\n write_orig = f.write\n\n def x(data, *args, **kwargs):\n u = unicode\n if not isinstance(data, u):\n data = u(data)\n return write_orig(data, *args, **kwargs)\n f.write = write\n return f\n", "role": "user" }, { "content": "open_compat", "role": "assistant" } ]
def x(obj, attr, value): orig = getattr(obj, attr, no_value) try: setattr(obj, attr, value) yield obj finally: try: if orig is no_value: delattr(obj, attr) else: setattr(obj, attr, orig) except: pass
patch_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, attr, value):\n orig = getattr(obj, attr, no_value)\n try:\n setattr(obj, attr, value)\n yield obj\n finally:\n try:\n if orig is no_value:\n delattr(obj, attr)\n else:\n setattr(obj, attr, orig)\n except:\n pass\n", "role": "user" }, { "content": "patch_object", "role": "assistant" } ]
def x(self): for consumer in self.consumers: if not getattr(consumer, 'closed', False): consumer.flush()
flush
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for consumer in self.consumers:\n if not getattr(consumer, 'closed', False):\n consumer.flush()\n", "role": "user" }, { "content": "flush", "role": "assistant" } ]
def x(self, *args, **kwargs): for consumer in self.consumers: consumer.write(*args, **kwargs)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n for consumer in self.consumers:\n consumer.write(*args, **kwargs)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, *args, **kwargs): if self.filter_fn(*args, **kwargs): self.stream.write(*args, **kwargs)
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if self.filter_fn(*args, **kwargs):\n self.stream.write(*args, **kwargs)\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, section, option, default=None, type=None, expandvars=False, expanduser=False): if self.has_section(section) and self.has_option(section, option): value = self.get(section, option) if isinstance(value, six.string_types): if expandvars: value = os.path.expandvars(value) if expanduser: value = os.path.expanduser(value) return value if not type else self._get_type_converter(type)(value) else: return default
get_default
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section, option, default=None, type=None, expandvars=False,\n expanduser=False):\n if self.has_section(section) and self.has_option(section, option):\n value = self.get(section, option)\n if isinstance(value, six.string_types):\n if expandvars:\n value = os.path.expandvars(value)\n if expanduser:\n value = os.path.expanduser(value)\n return value if not type else self._get_type_converter(type)(value)\n else:\n return default\n", "role": "user" }, { "content": "get_default", "role": "assistant" } ]
def x(self, *args, **kwargs): kwargs.setdefault('expandvars', True) kwargs.setdefault('expanduser', True) return self.get_default(*args, **kwargs)
get_expanded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n kwargs.setdefault('expandvars', True)\n kwargs.setdefault('expanduser', True)\n return self.get_default(*args, **kwargs)\n", "role": "user" }, { "content": "get_expanded", "role": "assistant" } ]
def x(self, data, overwrite=None, overwrite_sections=True, overwrite_options=True): if overwrite is not None: overwrite_sections = overwrite overwrite_options = overwrite for section, _data in six.iteritems(data): if not self.has_section(section): self.add_section(section) elif not overwrite_sections: continue for option, value in six.iteritems(_data): if overwrite_options or not self.has_option(section, option): self.set(section, option, str(value))
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, overwrite=None, overwrite_sections=True,\n overwrite_options=True):\n if overwrite is not None:\n overwrite_sections = overwrite\n overwrite_options = overwrite\n for section, _data in six.iteritems(data):\n if not self.has_section(section):\n self.add_section(section)\n elif not overwrite_sections:\n continue\n for option, value in six.iteritems(_data):\n if overwrite_options or not self.has_option(section, option):\n self.set(section, option, str(value))\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, filename, *args, **kwargs): p = self.__class__(filename, skip_defaults=True, skip_fallbacks=True) self.update(p._sections, *args, **kwargs)
include
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, *args, **kwargs):\n p = self.__class__(filename, skip_defaults=True, skip_fallbacks=True)\n self.update(p._sections, *args, **kwargs)\n", "role": "user" }, { "content": "include", "role": "assistant" } ]
def x(self, section, prefix=None): return [key for key, _ in self.items(section) if not prefix or key. startswith(prefix)]
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section, prefix=None):\n return [key for key, _ in self.items(section) if not prefix or key.\n startswith(prefix)]\n", "role": "user" }, { "content": "keys", "role": "assistant" } ]
def x(self, push=True, pull=True, expand=True): prefix = 'luigi_' lparser = luigi.configuration.LuigiConfigParser.instance() if push: for section in self.sections(): if not section.startswith(prefix): continue lsection = section[len(prefix):] if not lparser.has_section(lsection): lparser.add_section(lsection) for option in self.options(section): if not lparser.has_option(lsection, option): if expand: value = self.get_expanded(section, option) else: value = self.get(section, option) lparser.set(lsection, option, value) if pull: for lsection in lparser.sections(): section = prefix + lsection if not self.has_section(section): self.add_section(section) for option, value in lparser.items(lsection): self.set(section, option, value)
sync_luigi_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, push=True, pull=True, expand=True):\n prefix = 'luigi_'\n lparser = luigi.configuration.LuigiConfigParser.instance()\n if push:\n for section in self.sections():\n if not section.startswith(prefix):\n continue\n lsection = section[len(prefix):]\n if not lparser.has_section(lsection):\n lparser.add_section(lsection)\n for option in self.options(section):\n if not lparser.has_option(lsection, option):\n if expand:\n value = self.get_expanded(section, option)\n else:\n value = self.get(section, option)\n lparser.set(lsection, option, value)\n if pull:\n for lsection in lparser.sections():\n section = prefix + lsection\n if not self.has_section(section):\n self.add_section(section)\n for option, value in lparser.items(lsection):\n self.set(section, option, value)\n", "role": "user" }, { "content": "sync_luigi_config", "role": "assistant" } ]
def x(title, content, token=None, chat=None, mention_user=None, **kwargs): import telegram cfg = Config.instance() if not token: token = cfg.get_expanded('notifications', 'telegram_token') if not chat: chat = cfg.get_expanded('notifications', 'telegram_chat') if not token or not chat: logger.warning( 'cannot send Telegram notification, token ({}) or chat ({}) empty' .format(token, chat)) return False mention_text = '' if mention_user is None: mention_user = cfg.get_expanded('notifications', 'telegram_mention_user') if mention_user: mention_text = ' (@{})'.format(mention_user) request = {'parse_mode': 'Markdown'} if isinstance(content, six.string_types): request['text'] = '{}{}\n\n{}'.format(title, mention_text, content) else: request['text'] = '{}{}\n\n'.format(title, mention_text) for key, value in content.items(): request['text'] += '_{}_: {}\n'.format(key, value) request.update(kwargs) thread = threading.Thread(target=_notify_telegram, args=(token, chat, request)) thread.start() return True
notify_telegram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(title, content, token=None, chat=None, mention_user=None, **kwargs):\n import telegram\n cfg = Config.instance()\n if not token:\n token = cfg.get_expanded('notifications', 'telegram_token')\n if not chat:\n chat = cfg.get_expanded('notifications', 'telegram_chat')\n if not token or not chat:\n logger.warning(\n 'cannot send Telegram notification, token ({}) or chat ({}) empty'\n .format(token, chat))\n return False\n mention_text = ''\n if mention_user is None:\n mention_user = cfg.get_expanded('notifications',\n 'telegram_mention_user')\n if mention_user:\n mention_text = ' (@{})'.format(mention_user)\n request = {'parse_mode': 'Markdown'}\n if isinstance(content, six.string_types):\n request['text'] = '{}{}\\n\\n{}'.format(title, mention_text, content)\n else:\n request['text'] = '{}{}\\n\\n'.format(title, mention_text)\n for key, value in content.items():\n request['text'] += '_{}_: {}\\n'.format(key, value)\n request.update(kwargs)\n thread = threading.Thread(target=_notify_telegram, args=(token, chat,\n request))\n thread.start()\n return True\n", "role": "user" }, { "content": "notify_telegram", "role": "assistant" } ]
def x(self): if self.task.local_workflow_require_branches: return self._has_run else: return super(LocalWorkflowProxy, self).complete()
complete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.task.local_workflow_require_branches:\n return self._has_run\n else:\n return super(LocalWorkflowProxy, self).complete()\n", "role": "user" }, { "content": "complete", "role": "assistant" } ]
def x(self): if not self._has_yielded and not self.task.local_workflow_require_branches: self._has_yielded = True yield list(self.task.get_branch_tasks().values()) self._has_run = True
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._has_yielded and not self.task.local_workflow_require_branches:\n self._has_yielded = True\n yield list(self.task.get_branch_tasks().values())\n self._has_run = True\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(**default_opts): def x(decorator): @functools.wraps(decorator) def x(fn=None, **opts): _opts = default_opts.copy() _opts.update(opts) def x(fn): @functools.wraps(fn) def x(*args, **kwargs): return decorator(fn, _opts, *args, **kwargs) return wrapper return wrapper if fn is None else wrapper(fn) return wrapper return wrapper
factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**default_opts):\n\n def x(decorator):\n\n @functools.wraps(decorator)\n def x(fn=None, **opts):\n _opts = default_opts.copy()\n _opts.update(opts)\n\n def x(fn):\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n return decorator(fn, _opts, *args, **kwargs)\n return wrapper\n return wrapper if fn is None else wrapper(fn)\n return wrapper\n return wrapper\n", "role": "user" }, { "content": "factory", "role": "assistant" } ]
def x(fn, opts, task, *args, **kwargs): _task = get_task(task) log = get_param(_task.log_file, _task.default_log_file) if log == '-' or not log: return fn(task, *args, **kwargs) else: LocalFileTarget(log).parent.touch() with open_compat(log, 'a', 1) as f: tee = TeeStream(f, sys.__stdout__) sys.stdout = tee sys.stderr = tee try: ret = fn(task, *args, **kwargs) except: traceback.print_exc(file=tee) raise finally: sys.stdout = sys.__stdout__ sys.stderr = sys.__stderr__ tee.flush() return ret
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, opts, task, *args, **kwargs):\n _task = get_task(task)\n log = get_param(_task.log_file, _task.default_log_file)\n if log == '-' or not log:\n return fn(task, *args, **kwargs)\n else:\n LocalFileTarget(log).parent.touch()\n with open_compat(log, 'a', 1) as f:\n tee = TeeStream(f, sys.__stdout__)\n sys.stdout = tee\n sys.stderr = tee\n try:\n ret = fn(task, *args, **kwargs)\n except:\n traceback.print_exc(file=tee)\n raise\n finally:\n sys.stdout = sys.__stdout__\n sys.stderr = sys.__stderr__\n tee.flush()\n return ret\n", "role": "user" }, { "content": "log", "role": "assistant" } ]
def x(fn, opts, task, *args, **kwargs): try: return fn(task, *args, **kwargs) except Exception as e: if opts['skip'] is None or not isinstance(e, opts['skip']): for outp in luigi.task.flatten(task.output()): outp.remove() raise
safe_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, opts, task, *args, **kwargs):\n try:\n return fn(task, *args, **kwargs)\n except Exception as e:\n if opts['skip'] is None or not isinstance(e, opts['skip']):\n for outp in luigi.task.flatten(task.output()):\n outp.remove()\n raise\n", "role": "user" }, { "content": "safe_output", "role": "assistant" } ]
def x(fn, opts, task, *args, **kwargs): if opts['stddev'] <= 0: t = opts['t'] elif opts['pdf'] == 'gauss': t = random.gauss(opts['t'], opts['stddev']) elif opts['pdf'] == 'uniform': t = random.uniform(opts['t'], opts['stddev']) else: raise ValueError("unknown delay decorator pdf '{}'".format(opts['pdf']) ) time.sleep(t) return fn(task, *args, **kwargs)
delay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, opts, task, *args, **kwargs):\n if opts['stddev'] <= 0:\n t = opts['t']\n elif opts['pdf'] == 'gauss':\n t = random.gauss(opts['t'], opts['stddev'])\n elif opts['pdf'] == 'uniform':\n t = random.uniform(opts['t'], opts['stddev'])\n else:\n raise ValueError(\"unknown delay decorator pdf '{}'\".format(opts['pdf'])\n )\n time.sleep(t)\n return fn(task, *args, **kwargs)\n", "role": "user" }, { "content": "delay", "role": "assistant" } ]
def x(fn, opts, task, *args, **kwargs): _task = get_task(task) transports = [] for param_name, param in _task.get_params(): if isinstance(param, NotifyParameter) and getattr(_task, param_name): try: transport = param.get_transport() if transport: transports.append(transport) except Exception as e: logger.warning("get_transport() failed for '{}' parameter: {}" .format(param_name, e)) if not transports: return fn(task, *args, **kwargs) error = None t0 = time.time() try: return fn(task, *args, **kwargs) except (Exception, KeyboardInterrupt) as e: error = e raise finally: success = error is None if isinstance(error, KeyboardInterrupt): return elif success and not opts['on_success']: return elif not success and not opts['on_failure']: return duration = human_time_diff(seconds=round(time.time() - t0, 1)) status_string = 'succeeded' if success else 'failed' title = 'Task {} {}!'.format(_task.get_task_family(), status_string) parts = collections.OrderedDict([('Host', socket.gethostname()), ( 'Duration', duration), ('Last message', '-' if not len(_task. _message_cache) else _task._message_cache[-1]), ('Task', str( _task))]) if not success: parts['Traceback'] = traceback.format_exc() message = '\n'.join('{}: {}'.format(*tpl) for tpl in parts.items()) for transport in transports: fn = transport['func'] raw = transport.get('raw', False) try: fn(success, title, parts.copy() if raw else message, **opts) except Exception as e: t = traceback.format_exc() logger.warning("notification failed via transport '{}': {}\n{}" .format(fn, e, t))
notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, opts, task, *args, **kwargs):\n _task = get_task(task)\n transports = []\n for param_name, param in _task.get_params():\n if isinstance(param, NotifyParameter) and getattr(_task, param_name):\n try:\n transport = param.get_transport()\n if transport:\n transports.append(transport)\n except Exception as e:\n logger.warning(\"get_transport() failed for '{}' parameter: {}\"\n .format(param_name, e))\n if not transports:\n return fn(task, *args, **kwargs)\n error = None\n t0 = time.time()\n try:\n return fn(task, *args, **kwargs)\n except (Exception, KeyboardInterrupt) as e:\n error = e\n raise\n finally:\n success = error is None\n if isinstance(error, KeyboardInterrupt):\n return\n elif success and not opts['on_success']:\n return\n elif not success and not opts['on_failure']:\n return\n duration = human_time_diff(seconds=round(time.time() - t0, 1))\n status_string = 'succeeded' if success else 'failed'\n title = 'Task {} {}!'.format(_task.get_task_family(), status_string)\n parts = collections.OrderedDict([('Host', socket.gethostname()), (\n 'Duration', duration), ('Last message', '-' if not len(_task.\n _message_cache) else _task._message_cache[-1]), ('Task', str(\n _task))])\n if not success:\n parts['Traceback'] = traceback.format_exc()\n message = '\\n'.join('{}: {}'.format(*tpl) for tpl in parts.items())\n for transport in transports:\n fn = transport['func']\n raw = transport.get('raw', False)\n try:\n fn(success, title, parts.copy() if raw else message, **opts)\n except Exception as e:\n t = traceback.format_exc()\n logger.warning(\"notification failed via transport '{}': {}\\n{}\"\n .format(fn, e, t))\n", "role": "user" }, { "content": "notify", "role": "assistant" } ]
def x(fn, opts, task, *args, **kwargs): start_time = time.time() try: return fn(task, *args, **kwargs) finally: duration = human_time_diff(seconds=round(time.time() - start_time, 1)) timeit_logger = logger.getChild('timeit') timeit_logger.info('runtime of {}: {}'.format(task.task_id, duration)) if opts['publish_message'] and callable(getattr(task, 'publish_message', None)): task.publish_message('runtime: {}'.format(duration))
timeit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, opts, task, *args, **kwargs):\n start_time = time.time()\n try:\n return fn(task, *args, **kwargs)\n finally:\n duration = human_time_diff(seconds=round(time.time() - start_time, 1))\n timeit_logger = logger.getChild('timeit')\n timeit_logger.info('runtime of {}: {}'.format(task.task_id, duration))\n if opts['publish_message'] and callable(getattr(task,\n 'publish_message', None)):\n task.publish_message('runtime: {}'.format(duration))\n", "role": "user" }, { "content": "timeit", "role": "assistant" } ]
def x(): out = _voms_proxy_info(['--identity'])[1].strip() try: return re.match('.*\\/CN\\=([^\\/]+).*', out.strip()).group(1) except: raise Exception('no valid identity found in voms proxy: {}'.format(out) )
get_voms_proxy_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n out = _voms_proxy_info(['--identity'])[1].strip()\n try:\n return re.match('.*\\\\/CN\\\\=([^\\\\/]+).*', out.strip()).group(1)\n except:\n raise Exception('no valid identity found in voms proxy: {}'.format(out)\n )\n", "role": "user" }, { "content": "get_voms_proxy_user", "role": "assistant" } ]
def x(log=False): valid = _voms_proxy_info(['--exists'], silent=True)[0] == 0 if log and not valid: logger.warning('no valid voms proxy found') return valid
check_voms_proxy_validity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log=False):\n valid = _voms_proxy_info(['--exists'], silent=True)[0] == 0\n if log and not valid:\n logger.warning('no valid voms proxy found')\n return valid\n", "role": "user" }, { "content": "check_voms_proxy_validity", "role": "assistant" } ]
def x(passwd='', vo=None, lifetime='196:00'): with tmp_file() as (_, tmp): with open(tmp, 'w') as f: f.write(passwd) cmd = "cat '{}' | voms-proxy-init --valid '{}'".format(tmp, lifetime) if vo: cmd += " -voms '{}'".format(vo) code, out, _ = interruptable_popen(cmd, shell=True, executable= '/bin/bash', stdout=subprocess.PIPE, stderr=subprocess.STDOUT) if code != 0: raise Exception('proxy renewal failed: {}'.format(out))
renew_voms_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(passwd='', vo=None, lifetime='196:00'):\n with tmp_file() as (_, tmp):\n with open(tmp, 'w') as f:\n f.write(passwd)\n cmd = \"cat '{}' | voms-proxy-init --valid '{}'\".format(tmp, lifetime)\n if vo:\n cmd += \" -voms '{}'\".format(vo)\n code, out, _ = interruptable_popen(cmd, shell=True, executable=\n '/bin/bash', stdout=subprocess.PIPE, stderr=subprocess.STDOUT)\n if code != 0:\n raise Exception('proxy renewal failed: {}'.format(out))\n", "role": "user" }, { "content": "renew_voms_proxy", "role": "assistant" } ]
def x(endpoint, stdout=None, stderr=None, cache=True): proxy_file = get_voms_proxy_file() if not os.path.exists(proxy_file): raise Exception("proxy file '{}' does not exist".format(proxy_file)) if cache: if isinstance(cache, six.string_types): cache_file = cache else: cache_file = proxy_file + '_delegation_cache.json' def x(): try: if os.path.exists(cache_file): os.remove(cache_file) except OSError: pass with open(proxy_file, 'r') as f: proxy_hash = create_hash(f.read()) cache_data = {} if os.path.exists(cache_file): with open(cache_file, 'r') as f: try: cache_data = json.load(f) except: remove_cache() if cache_data.get('hash') != proxy_hash: remove_cache() cache_data = {} elif endpoint in cache_data.get('ids', []): return str(cache_data['ids'][endpoint]) delegation_id = uuid.uuid4().hex cmd = ['glite-ce-delegate-proxy', '-e', endpoint, delegation_id] code = interruptable_popen(cmd, stdout=stdout, stderr=stderr)[0] if code != 0: raise Exception('glite proxy delegation to endpoint {} failed'. format(endpoint)) if cache: cache_data['hash'] = proxy_hash cache_data.setdefault('ids', {})[endpoint] = delegation_id with open(cache_file, 'w') as f: json.dump(cache_data, f, indent=4) os.chmod(cache_file, 384) return delegation_id
delegate_voms_proxy_glite
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, stdout=None, stderr=None, cache=True):\n proxy_file = get_voms_proxy_file()\n if not os.path.exists(proxy_file):\n raise Exception(\"proxy file '{}' does not exist\".format(proxy_file))\n if cache:\n if isinstance(cache, six.string_types):\n cache_file = cache\n else:\n cache_file = proxy_file + '_delegation_cache.json'\n\n def x():\n try:\n if os.path.exists(cache_file):\n os.remove(cache_file)\n except OSError:\n pass\n with open(proxy_file, 'r') as f:\n proxy_hash = create_hash(f.read())\n cache_data = {}\n if os.path.exists(cache_file):\n with open(cache_file, 'r') as f:\n try:\n cache_data = json.load(f)\n except:\n remove_cache()\n if cache_data.get('hash') != proxy_hash:\n remove_cache()\n cache_data = {}\n elif endpoint in cache_data.get('ids', []):\n return str(cache_data['ids'][endpoint])\n delegation_id = uuid.uuid4().hex\n cmd = ['glite-ce-delegate-proxy', '-e', endpoint, delegation_id]\n code = interruptable_popen(cmd, stdout=stdout, stderr=stderr)[0]\n if code != 0:\n raise Exception('glite proxy delegation to endpoint {} failed'.\n format(endpoint))\n if cache:\n cache_data['hash'] = proxy_hash\n cache_data.setdefault('ids', {})[endpoint] = delegation_id\n with open(cache_file, 'w') as f:\n json.dump(cache_data, f, indent=4)\n os.chmod(cache_file, 384)\n return delegation_id\n", "role": "user" }, { "content": "delegate_voms_proxy_glite", "role": "assistant" } ]
def x(name, silent=False): formatter = FormatterRegister.formatters.get(name) if formatter or silent: return formatter else: raise Exception("cannot find formatter '{}'".format(name))
get_formatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, silent=False):\n formatter = FormatterRegister.formatters.get(name)\n if formatter or silent:\n return formatter\n else:\n raise Exception(\"cannot find formatter '{}'\".format(name))\n", "role": "user" }, { "content": "get_formatter", "role": "assistant" } ]
def x(path, silent=True): formatters = [f for f in six.itervalues(FormatterRegister.formatters) if f.accepts(path)] if formatters or silent: return formatters else: raise Exception("cannot find formatter for path '{}'".format(path))
find_formatters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, silent=True):\n formatters = [f for f in six.itervalues(FormatterRegister.formatters) if\n f.accepts(path)]\n if formatters or silent:\n return formatters\n else:\n raise Exception(\"cannot find formatter for path '{}'\".format(path))\n", "role": "user" }, { "content": "find_formatters", "role": "assistant" } ]
def x(name, path): if name == AUTO_FORMATTER: return find_formatters(path, silent=False)[0] else: return get_formatter(name, silent=False)
find_formatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, path):\n if name == AUTO_FORMATTER:\n return find_formatters(path, silent=False)[0]\n else:\n return get_formatter(name, silent=False)\n", "role": "user" }, { "content": "find_formatter", "role": "assistant" } ]
def x(cls, value): encoded = base64.b64encode(six.b(' '.join(str(v) for v in value) or '-')) return encoded.decode('utf-8') if six.PY3 else encoded
encode_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, value):\n encoded = base64.b64encode(six.b(' '.join(str(v) for v in value) or '-'))\n return encoded.decode('utf-8') if six.PY3 else encoded\n", "role": "user" }, { "content": "encode_list", "role": "assistant" } ]
def x(self): return [self.task_cls.__module__, self.task_cls.__name__, self. encode_list(self.task_params), self.encode_list(self.branches), self.encode_bool(self.auto_retry), self.encode_list(self. dashboard_data)]
get_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [self.task_cls.__module__, self.task_cls.__name__, self.\n encode_list(self.task_params), self.encode_list(self.branches),\n self.encode_bool(self.auto_retry), self.encode_list(self.\n dashboard_data)]\n", "role": "user" }, { "content": "get_args", "role": "assistant" } ]
def x(*packages): for pkg in flatten(packages): if pkg in loaded_packages: logger.debug("skip contrib package '{}', already loaded".format (pkg)) continue loaded_packages.append(pkg) mod = __import__('law.contrib.{}'.format(pkg), globals(), locals(), [pkg]) logger.debug("loaded contrib package '{}'".format(pkg)) for attr in mod.__all__: if hasattr(law, attr): logger.info( "cannot register 'law.contrib.{0}.{1}' to 'law.{1}', already exists" .format(pkg, attr)) else: setattr(law, attr, getattr(mod, attr)) law.__all__.append(attr) logger.debug("registered 'law.contrib.{0}.{1}' to 'law.{1}'" .format(pkg, attr))
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*packages):\n for pkg in flatten(packages):\n if pkg in loaded_packages:\n logger.debug(\"skip contrib package '{}', already loaded\".format\n (pkg))\n continue\n loaded_packages.append(pkg)\n mod = __import__('law.contrib.{}'.format(pkg), globals(), locals(),\n [pkg])\n logger.debug(\"loaded contrib package '{}'\".format(pkg))\n for attr in mod.__all__:\n if hasattr(law, attr):\n logger.info(\n \"cannot register 'law.contrib.{0}.{1}' to 'law.{1}', already exists\"\n .format(pkg, attr))\n else:\n setattr(law, attr, getattr(mod, attr))\n law.__all__.append(attr)\n logger.debug(\"registered 'law.contrib.{0}.{1}' to 'law.{1}'\"\n .format(pkg, attr))\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(title, message, recipient=None, sender=None, smtp_host=None, smtp_port=None, **kwargs): cfg = Config.instance() if not recipient: recipient = cfg.get_expanded('notifications', 'mail_recipient') if not sender: sender = cfg.get_expanded('notifications', 'mail_sender') if not smtp_host: smtp_host = cfg.get_expanded('notifications', 'mail_smtp_host') if not smtp_port: smtp_port = cfg.get_expanded('notifications', 'mail_smtp_port') if not recipient or not sender: logger.warning( 'cannot send mail notification, recipient ({}) or sender ({}) empty' .format(recipient, sender)) return False return send_mail(recipient, sender, title, message, smtp_host=smtp_host, smtp_port=smtp_port)
notify_mail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(title, message, recipient=None, sender=None, smtp_host=None,\n smtp_port=None, **kwargs):\n cfg = Config.instance()\n if not recipient:\n recipient = cfg.get_expanded('notifications', 'mail_recipient')\n if not sender:\n sender = cfg.get_expanded('notifications', 'mail_sender')\n if not smtp_host:\n smtp_host = cfg.get_expanded('notifications', 'mail_smtp_host')\n if not smtp_port:\n smtp_port = cfg.get_expanded('notifications', 'mail_smtp_port')\n if not recipient or not sender:\n logger.warning(\n 'cannot send mail notification, recipient ({}) or sender ({}) empty'\n .format(recipient, sender))\n return False\n return send_mail(recipient, sender, title, message, smtp_host=smtp_host,\n smtp_port=smtp_port)\n", "role": "user" }, { "content": "notify_mail", "role": "assistant" } ]
def x(): global _patched if _patched: return _patched = True patch_default_retcodes() patch_worker_run_task() patch_worker_factory() patch_keepalive_run() patch_cmdline_parser() logger.debug('applied law-specific luigi patches')
patch_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _patched\n if _patched:\n return\n _patched = True\n patch_default_retcodes()\n patch_worker_run_task()\n patch_worker_factory()\n patch_keepalive_run()\n patch_cmdline_parser()\n logger.debug('applied law-specific luigi patches')\n", "role": "user" }, { "content": "patch_all", "role": "assistant" } ]
def x(): import luigi.retcodes retcode = luigi.retcodes.retcode retcode.already_running._default = 10 retcode.missing_data._default = 20 retcode.not_run._default = 30 retcode.task_failed._default = 40 retcode.scheduling_error._default = 50 retcode.unhandled_exception._default = 60
patch_default_retcodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import luigi.retcodes\n retcode = luigi.retcodes.retcode\n retcode.already_running._default = 10\n retcode.missing_data._default = 20\n retcode.not_run._default = 30\n retcode.task_failed._default = 40\n retcode.scheduling_error._default = 50\n retcode.unhandled_exception._default = 60\n", "role": "user" }, { "content": "patch_default_retcodes", "role": "assistant" } ]
def x(): _run_task = luigi.worker.Worker._run_task def x(self, task_id): task = self._scheduled_tasks[task_id] task._worker_id = self._id task._worker_task = self._first_task try: _run_task(self, task_id) finally: task._worker_id = None task._worker_task = None if os.getenv('LAW_SANDBOX_SWITCHED') == '1': self._start_phasing_out() luigi.worker.Worker._run_task = run_task
patch_worker_run_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n _run_task = luigi.worker.Worker._run_task\n\n def x(self, task_id):\n task = self._scheduled_tasks[task_id]\n task._worker_id = self._id\n task._worker_task = self._first_task\n try:\n _run_task(self, task_id)\n finally:\n task._worker_id = None\n task._worker_task = None\n if os.getenv('LAW_SANDBOX_SWITCHED') == '1':\n self._start_phasing_out()\n luigi.worker.Worker._run_task = run_task\n", "role": "user" }, { "content": "patch_worker_run_task", "role": "assistant" } ]
def x(): def x(self, scheduler, worker_processes, assistant=False): worker = luigi.worker.Worker(scheduler=scheduler, worker_processes= worker_processes, assistant=assistant, worker_id=os.getenv( 'LAW_SANDBOX_WORKER_ID')) worker._first_task = os.getenv('LAW_SANDBOX_WORKER_TASK') return worker luigi.interface._WorkerSchedulerFactory.create_worker = create_worker
patch_worker_factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n\n def x(self, scheduler, worker_processes, assistant=False):\n worker = luigi.worker.Worker(scheduler=scheduler, worker_processes=\n worker_processes, assistant=assistant, worker_id=os.getenv(\n 'LAW_SANDBOX_WORKER_ID'))\n worker._first_task = os.getenv('LAW_SANDBOX_WORKER_TASK')\n return worker\n luigi.interface._WorkerSchedulerFactory.create_worker = create_worker\n", "role": "user" }, { "content": "patch_worker_factory", "role": "assistant" } ]
def x(): _run = luigi.worker.KeepAliveThread.run def x(self): if os.getenv('LAW_SANDBOX_SWITCHED') == '1': self.stop() else: _run(self) luigi.worker.KeepAliveThread.run = run
patch_keepalive_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n _run = luigi.worker.KeepAliveThread.run\n\n def x(self):\n if os.getenv('LAW_SANDBOX_SWITCHED') == '1':\n self.stop()\n else:\n _run(self)\n luigi.worker.KeepAliveThread.run = run\n", "role": "user" }, { "content": "patch_keepalive_run", "role": "assistant" } ]
def x(): _init = luigi.cmdline_parser.CmdlineParser.__init__ def x(self, cmdline_args): _init(self, cmdline_args) self.cmdline_args = cmdline_args luigi.cmdline_parser.CmdlineParser.__init__ = __init__
patch_cmdline_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n _init = luigi.cmdline_parser.CmdlineParser.__init__\n\n def x(self, cmdline_args):\n _init(self, cmdline_args)\n self.cmdline_args = cmdline_args\n luigi.cmdline_parser.CmdlineParser.__init__ = __init__\n", "role": "user" }, { "content": "patch_cmdline_parser", "role": "assistant" } ]
def x(title, content, attachment_color='#4bb543', short_threshold=40, token =None, channel=None, mention_user=None, **kwargs): import slackclient cfg = Config.instance() if not token: token = cfg.get_expanded('notifications', 'slack_token') if not channel: channel = cfg.get_expanded('notifications', 'slack_channel') if not token or not channel: logger.warning( 'cannot send Slack notification, token ({}) or channel ({}) empty' .format(token, channel)) return False mention_text = '' if mention_user is None: mention_user = cfg.get_expanded('notifications', 'slack_mention_user') if mention_user: mention_text = ' (@{})'.format(mention_user) request = {'channel': channel, 'as_user': True, 'parse': 'full'} if isinstance(content, six.string_types): request['text'] = '{}{}\n\n{}'.format(title, mention_text, content) else: request['text'] = '{} {}'.format(title, mention_text) request['attachments'] = at = {'color': attachment_color, 'fields': [], 'fallback': '{}{}\n\n'.format(title, mention_text)} for key, value in content.items(): at['fields'].append({'title': key, 'value': value, 'short': len (value) <= short_threshold}) at['fallback'] += '_{}_: {}\n'.format(key, value) request.update(kwargs) thread = threading.Thread(target=_notify_slack, args=(token, request)) thread.start() return True
notify_slack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(title, content, attachment_color='#4bb543', short_threshold=40, token\n =None, channel=None, mention_user=None, **kwargs):\n import slackclient\n cfg = Config.instance()\n if not token:\n token = cfg.get_expanded('notifications', 'slack_token')\n if not channel:\n channel = cfg.get_expanded('notifications', 'slack_channel')\n if not token or not channel:\n logger.warning(\n 'cannot send Slack notification, token ({}) or channel ({}) empty'\n .format(token, channel))\n return False\n mention_text = ''\n if mention_user is None:\n mention_user = cfg.get_expanded('notifications', 'slack_mention_user')\n if mention_user:\n mention_text = ' (@{})'.format(mention_user)\n request = {'channel': channel, 'as_user': True, 'parse': 'full'}\n if isinstance(content, six.string_types):\n request['text'] = '{}{}\\n\\n{}'.format(title, mention_text, content)\n else:\n request['text'] = '{} {}'.format(title, mention_text)\n request['attachments'] = at = {'color': attachment_color, 'fields':\n [], 'fallback': '{}{}\\n\\n'.format(title, mention_text)}\n for key, value in content.items():\n at['fields'].append({'title': key, 'value': value, 'short': len\n (value) <= short_threshold})\n at['fallback'] += '_{}_: {}\\n'.format(key, value)\n request.update(kwargs)\n thread = threading.Thread(target=_notify_slack, args=(token, request))\n thread.start()\n return True\n", "role": "user" }, { "content": "notify_slack", "role": "assistant" } ]
def x(func): def x(self, *args, **kwargs): if self.slow: time.sleep(random.randint(5, 15)) return func(self, *args, **kwargs) return wrapper
maybe_wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n def x(self, *args, **kwargs):\n if self.slow:\n time.sleep(random.randint(5, 15))\n return func(self, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "maybe_wait", "role": "assistant" } ]
def x(cls, out): query_data = {} for line in out.strip().split('\n'): parts = line.split() if len(parts) < 6: continue job_id = parts[0] status_flag = parts[2] status = cls.map_status(status_flag) query_data[job_id] = cls.job_status_dict(job_id=job_id, status=status) return query_data
parse_query_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, out):\n query_data = {}\n for line in out.strip().split('\\n'):\n parts = line.split()\n if len(parts) < 6:\n continue\n job_id = parts[0]\n status_flag = parts[2]\n status = cls.map_status(status_flag)\n query_data[job_id] = cls.job_status_dict(job_id=job_id, status=status)\n return query_data\n", "role": "user" }, { "content": "parse_query_output", "role": "assistant" } ]
def x(): global console_handler if console_handler: return console_handler = logging.StreamHandler() console_handler.setFormatter(LogFormatter()) logging.getLogger('law').addHandler(console_handler) for name, level in Config.instance().items('logging'): level = level.upper() if hasattr(logging, level): logger = logging.getLogger(name) logger.setLevel(getattr(logging, level)) logger.debug("registered logger with level '{}'".format(level))
setup_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global console_handler\n if console_handler:\n return\n console_handler = logging.StreamHandler()\n console_handler.setFormatter(LogFormatter())\n logging.getLogger('law').addHandler(console_handler)\n for name, level in Config.instance().items('logging'):\n level = level.upper()\n if hasattr(logging, level):\n logger = logging.getLogger(name)\n logger.setLevel(getattr(logging, level))\n logger.debug(\"registered logger with level '{}'\".format(level))\n", "role": "user" }, { "content": "setup_logging", "role": "assistant" } ]
def x(args): if args.location: print(Config.instance().config_file) return if not args.name: abort( 'please give the name of the config in the format <section>[.<option>]' ) if args.remove: abort('config removal not yet implemented') if args.value: abort('config setting not yet implemented') print(get_config(args.name, expand=args.expand))
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n if args.location:\n print(Config.instance().config_file)\n return\n if not args.name:\n abort(\n 'please give the name of the config in the format <section>[.<option>]'\n )\n if args.remove:\n abort('config removal not yet implemented')\n if args.value:\n abort('config setting not yet implemented')\n print(get_config(args.name, expand=args.expand))\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(name, expand=False): cfg = Config.instance() only_section = '.' not in name if only_section: return '\n'.join(cfg.keys(name)) else: section, option = name.split('.', 1) func = cfg.get_expanded if expand else cfg.get return func(section, option)
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, expand=False):\n cfg = Config.instance()\n only_section = '.' not in name\n if only_section:\n return '\\n'.join(cfg.keys(name))\n else:\n section, option = name.split('.', 1)\n func = cfg.get_expanded if expand else cfg.get\n return func(section, option)\n", "role": "user" }, { "content": "get_config", "role": "assistant" } ]
def x(sub_parsers): parser = sub_parsers.add_parser('run', prog='law run', description= 'Run a task with configurable parameters. See http://luigi.rtfd.io/en/stable/running_luigi.html for more info.' ) parser.add_argument('task_family', help= 'a task family registered in the task database file or a module and task class in the format <module>.<class>' ) parser.add_argument('parameter', nargs='*', help='task parameters')
setup_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sub_parsers):\n parser = sub_parsers.add_parser('run', prog='law run', description=\n 'Run a task with configurable parameters. See http://luigi.rtfd.io/en/stable/running_luigi.html for more info.'\n )\n parser.add_argument('task_family', help=\n 'a task family registered in the task database file or a module and task class in the format <module>.<class>'\n )\n parser.add_argument('parameter', nargs='*', help='task parameters')\n", "role": "user" }, { "content": "setup_parser", "role": "assistant" } ]