source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, data, store, signal, context, **kwargs): params = self.params.eval(data, store, exclude=['command']) capture_stdout = self._callback_stdout is not None or params.capture_stdout capture_stderr = self._callback_stderr is not None or params.capture_stderr stdout_file = TemporaryFile() if params.capture_stdout else None stderr_file = TemporaryFile() if params.capture_stderr else None stdout = PIPE if capture_stdout else None stderr = PIPE if capture_stderr else None if params.user is not None or params.group is not None: pre_exec = self._run_as(params.user, params.group) else: pre_exec = None proc = Popen(self.params.eval_single('command', data, store), cwd= params.cwd, shell=True, env=params.env, preexec_fn=pre_exec, stdout =stdout, stderr=stderr, stdin=PIPE if params.stdin is not None else None) if params.stdin is not None: proc.stdin.write(params.stdin.encode(sys.getfilesystemencoding())) try: if self._callback_process is not None: self._callback_process(proc.pid, data, store, signal, context) except (StopTask, AbortWorkflow): proc.terminate() raise if capture_stdout or capture_stderr: output_reader = BashTaskOutputReader(proc, stdout_file, stderr_file, self._callback_stdout, self._callback_stderr, params. refresh_time, data, store, signal, context) output_reader.start() else: output_reader = None while proc.poll( ) is None or output_reader is not None and output_reader.is_alive(): sleep(params.refresh_time) if signal.is_stopped: proc.terminate() if output_reader is not None: output_reader.join() data = output_reader.data if output_reader.exc_obj is not None: if proc.poll() is None: proc.terminate() raise output_reader.exc_obj if self._callback_end is not None: if stdout_file is not None: stdout_file.seek(0) if stderr_file is not None: stderr_file.seek(0) self._callback_end(proc.returncode, stdout_file, stderr_file, data, store, signal, context) if stdout_file is not None: stdout_file.close() if stderr_file is not None: stderr_file.close() return Action(data)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, store, signal, context, **kwargs):\n params = self.params.eval(data, store, exclude=['command'])\n capture_stdout = self._callback_stdout is not None or params.capture_stdout\n capture_stderr = self._callback_stderr is not None or params.capture_stderr\n stdout_file = TemporaryFile() if params.capture_stdout else None\n stderr_file = TemporaryFile() if params.capture_stderr else None\n stdout = PIPE if capture_stdout else None\n stderr = PIPE if capture_stderr else None\n if params.user is not None or params.group is not None:\n pre_exec = self._run_as(params.user, params.group)\n else:\n pre_exec = None\n proc = Popen(self.params.eval_single('command', data, store), cwd=\n params.cwd, shell=True, env=params.env, preexec_fn=pre_exec, stdout\n =stdout, stderr=stderr, stdin=PIPE if params.stdin is not None else\n None)\n if params.stdin is not None:\n proc.stdin.write(params.stdin.encode(sys.getfilesystemencoding()))\n try:\n if self._callback_process is not None:\n self._callback_process(proc.pid, data, store, signal, context)\n except (StopTask, AbortWorkflow):\n proc.terminate()\n raise\n if capture_stdout or capture_stderr:\n output_reader = BashTaskOutputReader(proc, stdout_file, stderr_file,\n self._callback_stdout, self._callback_stderr, params.\n refresh_time, data, store, signal, context)\n output_reader.start()\n else:\n output_reader = None\n while proc.poll(\n ) is None or output_reader is not None and output_reader.is_alive():\n sleep(params.refresh_time)\n if signal.is_stopped:\n proc.terminate()\n if output_reader is not None:\n output_reader.join()\n data = output_reader.data\n if output_reader.exc_obj is not None:\n if proc.poll() is None:\n proc.terminate()\n raise output_reader.exc_obj\n if self._callback_end is not None:\n if stdout_file is not None:\n stdout_file.seek(0)\n if stderr_file is not None:\n stderr_file.seek(0)\n self._callback_end(proc.returncode, stdout_file, stderr_file, data,\n store, signal, context)\n if stdout_file is not None:\n stdout_file.close()\n if stderr_file is not None:\n stderr_file.close()\n return Action(data)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(user, group): def x(): if user is not None: os.setuid(user) if group is not None: os.setgid(group) return wrapper
run_as
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, group):\n\n def x():\n if user is not None:\n os.setuid(user)\n if group is not None:\n os.setgid(group)\n return wrapper\n", "role": "user" }, { "content": "run_as", "role": "assistant" } ]
def x(self, value): if self._type is str: return str(value) elif self._type is int: try: return int(value) except (UnicodeError, ValueError): raise WorkflowArgumentError('Cannot convert {} to int'.format( value)) elif self._type is float: try: return float(value) except (UnicodeError, ValueError): raise WorkflowArgumentError('Cannot convert {} to float'.format (value)) elif self._type is bool: if isinstance(value, bool): return bool(value) value = value.lower() if value in ('true', '1', 'yes', 'y'): return True elif value in ('false', '0', 'no', 'n'): return False raise WorkflowArgumentError('Cannot convert {} to bool'.format(value)) else: return value
convert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self._type is str:\n return str(value)\n elif self._type is int:\n try:\n return int(value)\n except (UnicodeError, ValueError):\n raise WorkflowArgumentError('Cannot convert {} to int'.format(\n value))\n elif self._type is float:\n try:\n return float(value)\n except (UnicodeError, ValueError):\n raise WorkflowArgumentError('Cannot convert {} to float'.format\n (value))\n elif self._type is bool:\n if isinstance(value, bool):\n return bool(value)\n value = value.lower()\n if value in ('true', '1', 'yes', 'y'):\n return True\n elif value in ('false', '0', 'no', 'n'):\n return False\n raise WorkflowArgumentError('Cannot convert {} to bool'.format(value))\n else:\n return value\n", "role": "user" }, { "content": "convert", "role": "assistant" } ]
def x(self, args): return [opt.name for opt in self if opt.name not in args and opt. default is None]
check_missing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n return [opt.name for opt in self if opt.name not in args and opt.\n default is None]\n", "role": "user" }, { "content": "check_missing", "role": "assistant" } ]
def x(self, args): result = dict(args) for opt in self: if opt.name in result: result[opt.name] = opt.convert(result[opt.name]) elif opt.default is not None: result[opt.name] = opt.convert(opt.default) return result
consolidate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n result = dict(args)\n for opt in self:\n if opt.name in result:\n result[opt.name] = opt.convert(result[opt.name])\n elif opt.default is not None:\n result[opt.name] = opt.convert(opt.default)\n return result\n", "role": "user" }, { "content": "consolidate", "role": "assistant" } ]
def x(self, schema, *, validate=True): self._schema = schema if validate: self.validate(self.make_graph(self._schema))
define
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, schema, *, validate=True):\n self._schema = schema\n if validate:\n self.validate(self.make_graph(self._schema))\n", "role": "user" }, { "content": "define", "role": "assistant" } ]
def x(self, config, workflow_id, signal, *, data=None): graph = self.make_graph(self._schema) self.validate(graph) if config is None: raise ConfigNotDefinedError() celery_app = create_app(config) tasks = [] stopped = False for task in nx.topological_sort(graph): task.workflow_name = self.workflow_name task.dag_name = self.name if len(list(graph.predecessors(task))) == 0: task.state = TaskState.Waiting tasks.append(task) def x(completed_task): completed_task.state = TaskState.Completed for successor in graph.successors(completed_task): if successor not in tasks: successor.state = TaskState.Waiting tasks.append(successor) while tasks: if not stopped: stopped = signal.is_stopped if config.dag_polling_time > 0.0: sleep(config.dag_polling_time) for i in range(len(tasks) - 1, -1, -1): task = tasks[i] if task.is_waiting: if stopped: task.state = TaskState.Stopped else: pre_tasks = list(graph.predecessors(task)) if all([p.is_completed for p in pre_tasks]): run_task = task.has_to_run or len(pre_tasks) == 0 for pre in pre_tasks: if run_task: break if pre.is_skipped and not pre.propagate_skip: run_task = True if not pre.is_skipped: if pre.celery_result.result.limit is not None: if task.name in [(n.name if isinstance( n, BaseTask) else n) for n in pre. celery_result.result.limit]: run_task = True else: run_task = True task.is_skipped = not run_task if task.is_skipped: set_task_completed(task) else: if len(pre_tasks) == 0: input_data = data else: input_data = MultiTaskData() for pt in [p for p in pre_tasks if not p. is_skipped]: slot = graph[pt][task]['slot'] input_data.add_dataset(pt.name, pt. celery_result.result.data. default_dataset, aliases=[slot] if slot is not None else None) task.state = TaskState.Running task.celery_result = celery_app.send_task( JobExecPath.Task, args=(task, workflow_id, input_data), queue=task.queue, routing_key= task.queue) elif task.is_running: if task.celery_completed: set_task_completed(task) elif task.celery_failed: task.state = TaskState.Aborted signal.stop_workflow() elif task.is_completed: if all([(s.is_completed or s.is_stopped or s.is_aborted) for s in graph.successors(task)]): if celery_app.conf.result_expires == 0: task.clear_celery_result() tasks.remove(task) elif task.is_stopped or task.is_aborted: if celery_app.conf.result_expires == 0: task.clear_celery_result() tasks.remove(task)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config, workflow_id, signal, *, data=None):\n graph = self.make_graph(self._schema)\n self.validate(graph)\n if config is None:\n raise ConfigNotDefinedError()\n celery_app = create_app(config)\n tasks = []\n stopped = False\n for task in nx.topological_sort(graph):\n task.workflow_name = self.workflow_name\n task.dag_name = self.name\n if len(list(graph.predecessors(task))) == 0:\n task.state = TaskState.Waiting\n tasks.append(task)\n\n def x(completed_task):\n completed_task.state = TaskState.Completed\n for successor in graph.successors(completed_task):\n if successor not in tasks:\n successor.state = TaskState.Waiting\n tasks.append(successor)\n while tasks:\n if not stopped:\n stopped = signal.is_stopped\n if config.dag_polling_time > 0.0:\n sleep(config.dag_polling_time)\n for i in range(len(tasks) - 1, -1, -1):\n task = tasks[i]\n if task.is_waiting:\n if stopped:\n task.state = TaskState.Stopped\n else:\n pre_tasks = list(graph.predecessors(task))\n if all([p.is_completed for p in pre_tasks]):\n run_task = task.has_to_run or len(pre_tasks) == 0\n for pre in pre_tasks:\n if run_task:\n break\n if pre.is_skipped and not pre.propagate_skip:\n run_task = True\n if not pre.is_skipped:\n if pre.celery_result.result.limit is not None:\n if task.name in [(n.name if isinstance(\n n, BaseTask) else n) for n in pre.\n celery_result.result.limit]:\n run_task = True\n else:\n run_task = True\n task.is_skipped = not run_task\n if task.is_skipped:\n set_task_completed(task)\n else:\n if len(pre_tasks) == 0:\n input_data = data\n else:\n input_data = MultiTaskData()\n for pt in [p for p in pre_tasks if not p.\n is_skipped]:\n slot = graph[pt][task]['slot']\n input_data.add_dataset(pt.name, pt.\n celery_result.result.data.\n default_dataset, aliases=[slot] if \n slot is not None else None)\n task.state = TaskState.Running\n task.celery_result = celery_app.send_task(\n JobExecPath.Task, args=(task, workflow_id,\n input_data), queue=task.queue, routing_key=\n task.queue)\n elif task.is_running:\n if task.celery_completed:\n set_task_completed(task)\n elif task.celery_failed:\n task.state = TaskState.Aborted\n signal.stop_workflow()\n elif task.is_completed:\n if all([(s.is_completed or s.is_stopped or s.is_aborted) for\n s in graph.successors(task)]):\n if celery_app.conf.result_expires == 0:\n task.clear_celery_result()\n tasks.remove(task)\n elif task.is_stopped or task.is_aborted:\n if celery_app.conf.result_expires == 0:\n task.clear_celery_result()\n tasks.remove(task)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, graph): if not nx.is_directed_acyclic_graph(graph): raise DirectedAcyclicGraphInvalid(graph_name=self._name)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, graph):\n if not nx.is_directed_acyclic_graph(graph):\n raise DirectedAcyclicGraphInvalid(graph_name=self._name)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(schema): if schema is None: raise DirectedAcyclicGraphUndefined() sanitized_schema = {} for parent, children in schema.items(): child_dict = {} if children is not None: if isinstance(children, list): if len(children) > 0: child_dict = {child: None for child in children} else: child_dict = {None: None} elif isinstance(children, dict): for child, slot in children.items(): child_dict[child] = slot if slot != '' else None else: child_dict = {children: None} else: child_dict = {None: None} sanitized_schema[parent] = child_dict graph = nx.DiGraph() for parent, children in sanitized_schema.items(): for child, slot in children.items(): if child is not None: graph.add_edge(parent, child, slot=slot) else: graph.add_node(parent) return graph
make_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schema):\n if schema is None:\n raise DirectedAcyclicGraphUndefined()\n sanitized_schema = {}\n for parent, children in schema.items():\n child_dict = {}\n if children is not None:\n if isinstance(children, list):\n if len(children) > 0:\n child_dict = {child: None for child in children}\n else:\n child_dict = {None: None}\n elif isinstance(children, dict):\n for child, slot in children.items():\n child_dict[child] = slot if slot != '' else None\n else:\n child_dict = {children: None}\n else:\n child_dict = {None: None}\n sanitized_schema[parent] = child_dict\n graph = nx.DiGraph()\n for parent, children in sanitized_schema.items():\n for child, slot in children.items():\n if child is not None:\n graph.add_edge(parent, child, slot=slot)\n else:\n graph.add_node(parent)\n return graph\n", "role": "user" }, { "content": "make_graph", "role": "assistant" } ]
def x(self, dataset): def x(source, dest): for key, value in source.items(): if isinstance(value, dict): merge_data(value, dest.setdefault(key, {})) else: dest[key] = value return dest merge_data(dataset.data, self._data) for h in dataset.task_history: if h not in self._task_history: self._task_history.append(h)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset):\n\n def x(source, dest):\n for key, value in source.items():\n if isinstance(value, dict):\n merge_data(value, dest.setdefault(key, {}))\n else:\n dest[key] = value\n return dest\n merge_data(dataset.data, self._data)\n for h in dataset.task_history:\n if h not in self._task_history:\n self._task_history.append(h)\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(self, task_name, dataset=None, *, aliases=None): self._datasets.append(dataset if dataset is not None else TaskData()) last_index = len(self._datasets) - 1 self._aliases[task_name] = last_index if aliases is not None: for alias in aliases: self._aliases[alias] = last_index if len(self._datasets) == 1: self._default_index = 0
add_dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, task_name, dataset=None, *, aliases=None):\n self._datasets.append(dataset if dataset is not None else TaskData())\n last_index = len(self._datasets) - 1\n self._aliases[task_name] = last_index\n if aliases is not None:\n for alias in aliases:\n self._aliases[alias] = last_index\n if len(self._datasets) == 1:\n self._default_index = 0\n", "role": "user" }, { "content": "add_dataset", "role": "assistant" } ]
def x(self, alias, index): if index >= len(self._datasets): raise DataInvalidIndex('A dataset with index {} does not exist'. format(index)) self._aliases[alias] = index
add_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alias, index):\n if index >= len(self._datasets):\n raise DataInvalidIndex('A dataset with index {} does not exist'.\n format(index))\n self._aliases[alias] = index\n", "role": "user" }, { "content": "add_alias", "role": "assistant" } ]
def x(self, in_place=True): new_dataset = TaskData() for i, dataset in enumerate(self._datasets): if i != self._default_index: new_dataset.merge(dataset) new_dataset.merge(self.default_dataset) new_aliases = {alias: (0) for alias, _ in self._aliases.items()} if in_place: self._datasets = [new_dataset] self._aliases = new_aliases self._default_index = 0 else: return MultiTaskData(dataset=new_dataset, aliases=list(new_aliases. keys()))
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, in_place=True):\n new_dataset = TaskData()\n for i, dataset in enumerate(self._datasets):\n if i != self._default_index:\n new_dataset.merge(dataset)\n new_dataset.merge(self.default_dataset)\n new_aliases = {alias: (0) for alias, _ in self._aliases.items()}\n if in_place:\n self._datasets = [new_dataset]\n self._aliases = new_aliases\n self._default_index = 0\n else:\n return MultiTaskData(dataset=new_dataset, aliases=list(new_aliases.\n keys()))\n", "role": "user" }, { "content": "flatten", "role": "assistant" } ]
def x(self, alias): if alias not in self._aliases: raise DataInvalidAlias('A dataset with alias {} does not exist'. format(alias)) self._default_index = self._aliases[alias]
set_default_by_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alias):\n if alias not in self._aliases:\n raise DataInvalidAlias('A dataset with alias {} does not exist'.\n format(alias))\n self._default_index = self._aliases[alias]\n", "role": "user" }, { "content": "set_default_by_alias", "role": "assistant" } ]
def x(self, index): if index >= len(self._datasets): raise DataInvalidIndex('A dataset with index {} does not exist'. format(index)) self._default_index = index
set_default_by_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index):\n if index >= len(self._datasets):\n raise DataInvalidIndex('A dataset with index {} does not exist'.\n format(index))\n self._default_index = index\n", "role": "user" }, { "content": "set_default_by_index", "role": "assistant" } ]
def x(self, alias): if alias not in self._aliases: raise DataInvalidAlias('A dataset with alias {} does not exist'. format(alias)) return self.get_by_index(self._aliases[alias])
get_by_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alias):\n if alias not in self._aliases:\n raise DataInvalidAlias('A dataset with alias {} does not exist'.\n format(alias))\n return self.get_by_index(self._aliases[alias])\n", "role": "user" }, { "content": "get_by_alias", "role": "assistant" } ]
def x(self, index): if index >= len(self._datasets): raise DataInvalidIndex('A dataset with index {} does not exist'. format(index)) return self._datasets[index]
get_by_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index):\n if index >= len(self._datasets):\n raise DataInvalidIndex('A dataset with index {} does not exist'.\n format(index))\n return self._datasets[index]\n", "role": "user" }, { "content": "get_by_index", "role": "assistant" } ]
def x(self, data, store, signal, context, **kwargs): if self._callback is not None: result = self._callback(data, store, signal, context, **kwargs) return result if result is not None else Action(data)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, store, signal, context, **kwargs):\n if self._callback is not None:\n result = self._callback(data, store, signal, context, **kwargs)\n return result if result is not None else Action(data)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): return {'task_name': self.task_name, 'dag_name': self.dag_name, 'workflow_name': self.workflow_name, 'workflow_id': self. workflow_id, 'worker_hostname': self.worker_hostname}
to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'task_name': self.task_name, 'dag_name': self.dag_name,\n 'workflow_name': self.workflow_name, 'workflow_id': self.\n workflow_id, 'worker_hostname': self.worker_hostname}\n", "role": "user" }, { "content": "to_dict", "role": "assistant" } ]
def x(queues, config, *, name=None, celery_args=None, check_datastore=True): celery_app = create_app(config) if check_datastore: with DataStore(**config.data_store, auto_connect=True, handle_reconnect=False) as ds: celery_app.user_options['datastore_info'] = ds.server_info argv = ['worker', '-n={}'.format(uuid4() if name is None else name), '--queues={}'.format(','.join(queues))] argv.extend(celery_args or []) celery_app.steps['consumer'].add(WorkerLifecycle) celery_app.user_options['config'] = config celery_app.worker_main(argv)
start_worker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(queues, config, *, name=None, celery_args=None, check_datastore=True):\n celery_app = create_app(config)\n if check_datastore:\n with DataStore(**config.data_store, auto_connect=True,\n handle_reconnect=False) as ds:\n celery_app.user_options['datastore_info'] = ds.server_info\n argv = ['worker', '-n={}'.format(uuid4() if name is None else name),\n '--queues={}'.format(','.join(queues))]\n argv.extend(celery_args or [])\n celery_app.steps['consumer'].add(WorkerLifecycle)\n celery_app.user_options['config'] = config\n celery_app.worker_main(argv)\n", "role": "user" }, { "content": "start_worker", "role": "assistant" } ]
def x(config, *, worker_ids=None): if worker_ids is not None and not isinstance(worker_ids, list): worker_ids = [worker_ids] celery_app = create_app(config) celery_app.control.shutdown(destination=worker_ids)
stop_worker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, *, worker_ids=None):\n if worker_ids is not None and not isinstance(worker_ids, list):\n worker_ids = [worker_ids]\n celery_app = create_app(config)\n celery_app.control.shutdown(destination=worker_ids)\n", "role": "user" }, { "content": "stop_worker", "role": "assistant" } ]
def x(config, *, filter_by_queues=None): celery_app = create_app(config) worker_stats = celery_app.control.inspect().stats() queue_stats = celery_app.control.inspect().active_queues() if worker_stats is None: return [] workers = [] for name, w_stat in worker_stats.items(): queues = [QueueStats.from_celery(q_stat) for q_stat in queue_stats[ name]] add_worker = filter_by_queues is None if not add_worker: for queue in queues: if queue.name in filter_by_queues: add_worker = True break if add_worker: workers.append(WorkerStats.from_celery(name, w_stat, queues)) return workers
list_workers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, *, filter_by_queues=None):\n celery_app = create_app(config)\n worker_stats = celery_app.control.inspect().stats()\n queue_stats = celery_app.control.inspect().active_queues()\n if worker_stats is None:\n return []\n workers = []\n for name, w_stat in worker_stats.items():\n queues = [QueueStats.from_celery(q_stat) for q_stat in queue_stats[\n name]]\n add_worker = filter_by_queues is None\n if not add_worker:\n for queue in queues:\n if queue.name in filter_by_queues:\n add_worker = True\n break\n if add_worker:\n workers.append(WorkerStats.from_celery(name, w_stat, queues))\n return workers\n", "role": "user" }, { "content": "list_workers", "role": "assistant" } ]
def x(self, data, data_store, *, exclude=None): exclude = [] if exclude is None else exclude result = {} for key, value in self.items(): if key in exclude: continue if value is not None and callable(value): result[key] = value(data, data_store) else: result[key] = value return TaskParameters(result)
eval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, data_store, *, exclude=None):\n exclude = [] if exclude is None else exclude\n result = {}\n for key, value in self.items():\n if key in exclude:\n continue\n if value is not None and callable(value):\n result[key] = value(data, data_store)\n else:\n result[key] = value\n return TaskParameters(result)\n", "role": "user" }, { "content": "eval", "role": "assistant" } ]
def x(self, key, data, data_store): if key in self: value = self[key] if value is not None and callable(value): return value(data, data_store) else: return value else: raise AttributeError()
eval_single
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, data, data_store):\n if key in self:\n value = self[key]\n if value is not None and callable(value):\n return value(data, data_store)\n else:\n return value\n else:\n raise AttributeError()\n", "role": "user" }, { "content": "eval_single", "role": "assistant" } ]
def x(**kwargs): url = '' lotw = {} try: url = kwargs['url'] except KeyError: url = 'https://lotw.arrl.org/lotw-user-activity.csv' try: result = requests.get(url) except (ConnectionError, HTTPError, Timeout) as e: raise IOError(e) error_count = 0 if result.status_code == requests.codes.ok: for el in result.text.split(): data = el.split(',') try: lotw[data[0]] = datetime.strptime(data[1], '%Y-%m-%d') except ValueError as e: error_count += 1 if error_count > 10: raise ValueError( 'more than 10 wrongly formatted datasets ' + str(e)) else: raise IOError('HTTP Error: ' + str(result.status_code)) return lotw
get_lotw_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n url = ''\n lotw = {}\n try:\n url = kwargs['url']\n except KeyError:\n url = 'https://lotw.arrl.org/lotw-user-activity.csv'\n try:\n result = requests.get(url)\n except (ConnectionError, HTTPError, Timeout) as e:\n raise IOError(e)\n error_count = 0\n if result.status_code == requests.codes.ok:\n for el in result.text.split():\n data = el.split(',')\n try:\n lotw[data[0]] = datetime.strptime(data[1], '%Y-%m-%d')\n except ValueError as e:\n error_count += 1\n if error_count > 10:\n raise ValueError(\n 'more than 10 wrongly formatted datasets ' + str(e))\n else:\n raise IOError('HTTP Error: ' + str(result.status_code))\n return lotw\n", "role": "user" }, { "content": "get_lotw_users", "role": "assistant" } ]
def x(**kwargs): url = '' clublog = {} try: url = kwargs['url'] except KeyError: url = 'https://secure.clublog.org/clublog-users.json.zip' try: result = requests.get(url) except (ConnectionError, HTTPError, Timeout) as e: raise IOError(e) if result.status_code != requests.codes.ok: raise IOError('HTTP Error: ' + str(result.status_code)) zip_file = zipfile.ZipFile(BytesIO(result.content)) files = zip_file.namelist() cl_json_unzipped = zip_file.read(files[0]).decode('utf8').replace("'", '"') cl_data = json.loads(cl_json_unzipped, encoding='UTF-8') error_count = 0 for call, call_data in iteritems(cl_data): try: data = {} if 'firstqso' in call_data: if call_data['firstqso'] != None: data['firstqso'] = datetime.strptime(call_data[ 'firstqso'], '%Y-%m-%d %H:%M:%S') if 'lastqso' in call_data: if call_data['lastqso'] != None: data['lastqso'] = datetime.strptime(call_data['lastqso' ], '%Y-%m-%d %H:%M:%S') if 'last-lotw' in call_data: if call_data['last-lotw'] != None: data['last-lotw'] = datetime.strptime(call_data[ 'last-lotw'], '%Y-%m-%d %H:%M:%S') if 'lastupload' in call_data: if call_data['lastupload'] != None: data['lastupload'] = datetime.strptime(call_data[ 'lastupload'], '%Y-%m-%d %H:%M:%S') if 'locator' in call_data: if call_data['locator'] != None: data['locator'] = call_data['locator'] if 'oqrs' in call_data: if call_data['oqrs'] != None: data['oqrs'] = call_data['oqrs'] clublog[call] = data except TypeError: print('Ignoring invalid type in data:', call, call_data) pass except ValueError: print('Ignoring invalid data:', call, call_data) pass return clublog
get_clublog_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n url = ''\n clublog = {}\n try:\n url = kwargs['url']\n except KeyError:\n url = 'https://secure.clublog.org/clublog-users.json.zip'\n try:\n result = requests.get(url)\n except (ConnectionError, HTTPError, Timeout) as e:\n raise IOError(e)\n if result.status_code != requests.codes.ok:\n raise IOError('HTTP Error: ' + str(result.status_code))\n zip_file = zipfile.ZipFile(BytesIO(result.content))\n files = zip_file.namelist()\n cl_json_unzipped = zip_file.read(files[0]).decode('utf8').replace(\"'\", '\"')\n cl_data = json.loads(cl_json_unzipped, encoding='UTF-8')\n error_count = 0\n for call, call_data in iteritems(cl_data):\n try:\n data = {}\n if 'firstqso' in call_data:\n if call_data['firstqso'] != None:\n data['firstqso'] = datetime.strptime(call_data[\n 'firstqso'], '%Y-%m-%d %H:%M:%S')\n if 'lastqso' in call_data:\n if call_data['lastqso'] != None:\n data['lastqso'] = datetime.strptime(call_data['lastqso'\n ], '%Y-%m-%d %H:%M:%S')\n if 'last-lotw' in call_data:\n if call_data['last-lotw'] != None:\n data['last-lotw'] = datetime.strptime(call_data[\n 'last-lotw'], '%Y-%m-%d %H:%M:%S')\n if 'lastupload' in call_data:\n if call_data['lastupload'] != None:\n data['lastupload'] = datetime.strptime(call_data[\n 'lastupload'], '%Y-%m-%d %H:%M:%S')\n if 'locator' in call_data:\n if call_data['locator'] != None:\n data['locator'] = call_data['locator']\n if 'oqrs' in call_data:\n if call_data['oqrs'] != None:\n data['oqrs'] = call_data['oqrs']\n clublog[call] = data\n except TypeError:\n print('Ignoring invalid type in data:', call, call_data)\n pass\n except ValueError:\n print('Ignoring invalid data:', call, call_data)\n pass\n return clublog\n", "role": "user" }, { "content": "get_clublog_users", "role": "assistant" } ]
def x(**kwargs): url = '' eqsl = [] try: url = kwargs['url'] except KeyError: url = 'http://www.eqsl.cc/QSLCard/DownloadedFiles/AGMemberlist.txt' try: result = requests.get(url) except (ConnectionError, HTTPError, Timeout) as e: raise IOError(e) if result.status_code == requests.codes.ok: eqsl = re.sub('^List.+UTC', '', result.text) eqsl = eqsl.upper().split() else: raise IOError('HTTP Error: ' + str(result.status_code)) return eqsl
get_eqsl_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n url = ''\n eqsl = []\n try:\n url = kwargs['url']\n except KeyError:\n url = 'http://www.eqsl.cc/QSLCard/DownloadedFiles/AGMemberlist.txt'\n try:\n result = requests.get(url)\n except (ConnectionError, HTTPError, Timeout) as e:\n raise IOError(e)\n if result.status_code == requests.codes.ok:\n eqsl = re.sub('^List.+UTC', '', result.text)\n eqsl = eqsl.upper().split()\n else:\n raise IOError('HTTP Error: ' + str(result.status_code))\n return eqsl\n", "role": "user" }, { "content": "get_eqsl_users", "role": "assistant" } ]
def x(self, redis_prefix, redis_instance): if redis_instance is not None: self._redis = redis_instance if self._redis is None: raise AttributeError('redis_instance is missing') if redis_prefix is None: raise KeyError('redis_prefix is missing') if self._lookuptype == 'clublogxml' or self._lookuptype == 'countryfile': self._push_dict_to_redis(self._entities, redis_prefix, '_entity_') self._push_dict_index_to_redis(self._callsign_exceptions_index, redis_prefix, '_call_ex_index_') self._push_dict_to_redis(self._callsign_exceptions, redis_prefix, '_call_ex_') self._push_dict_index_to_redis(self._prefixes_index, redis_prefix, '_prefix_index_') self._push_dict_to_redis(self._prefixes, redis_prefix, '_prefix_') self._push_dict_index_to_redis(self._invalid_operations_index, redis_prefix, '_inv_op_index_') self._push_dict_to_redis(self._invalid_operations, redis_prefix, '_inv_op_') self._push_dict_index_to_redis(self._zone_exceptions_index, redis_prefix, '_zone_ex_index_') self._push_dict_to_redis(self._zone_exceptions, redis_prefix, '_zone_ex_') return True
copy_data_in_redis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redis_prefix, redis_instance):\n if redis_instance is not None:\n self._redis = redis_instance\n if self._redis is None:\n raise AttributeError('redis_instance is missing')\n if redis_prefix is None:\n raise KeyError('redis_prefix is missing')\n if self._lookuptype == 'clublogxml' or self._lookuptype == 'countryfile':\n self._push_dict_to_redis(self._entities, redis_prefix, '_entity_')\n self._push_dict_index_to_redis(self._callsign_exceptions_index,\n redis_prefix, '_call_ex_index_')\n self._push_dict_to_redis(self._callsign_exceptions, redis_prefix,\n '_call_ex_')\n self._push_dict_index_to_redis(self._prefixes_index, redis_prefix,\n '_prefix_index_')\n self._push_dict_to_redis(self._prefixes, redis_prefix, '_prefix_')\n self._push_dict_index_to_redis(self._invalid_operations_index,\n redis_prefix, '_inv_op_index_')\n self._push_dict_to_redis(self._invalid_operations, redis_prefix,\n '_inv_op_')\n self._push_dict_index_to_redis(self._zone_exceptions_index,\n redis_prefix, '_zone_ex_index_')\n self._push_dict_to_redis(self._zone_exceptions, redis_prefix,\n '_zone_ex_')\n return True\n", "role": "user" }, { "content": "copy_data_in_redis", "role": "assistant" } ]
def x(self, entity=None): if self._lookuptype == 'clublogxml': entity = int(entity) if entity in self._entities: return self._strip_metadata(self._entities[entity]) else: raise KeyError elif self._lookuptype == 'redis': if self._redis_prefix is None: raise KeyError('redis_prefix is missing') json_data = self._redis.get(self._redis_prefix + '_entity_' + str( entity)) if json_data is not None: my_dict = self._deserialize_data(json_data) return self._strip_metadata(my_dict) elif self._lookuptype == 'qrz': result = self._lookup_qrz_dxcc(entity, self._apikey) return result raise KeyError
lookup_entity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, entity=None):\n if self._lookuptype == 'clublogxml':\n entity = int(entity)\n if entity in self._entities:\n return self._strip_metadata(self._entities[entity])\n else:\n raise KeyError\n elif self._lookuptype == 'redis':\n if self._redis_prefix is None:\n raise KeyError('redis_prefix is missing')\n json_data = self._redis.get(self._redis_prefix + '_entity_' + str(\n entity))\n if json_data is not None:\n my_dict = self._deserialize_data(json_data)\n return self._strip_metadata(my_dict)\n elif self._lookuptype == 'qrz':\n result = self._lookup_qrz_dxcc(entity, self._apikey)\n return result\n raise KeyError\n", "role": "user" }, { "content": "lookup_entity", "role": "assistant" } ]
def x(self, my_dict): new_dict = copy.deepcopy(my_dict) if const.START in new_dict: del new_dict[const.START] if const.END in new_dict: del new_dict[const.END] if const.WHITELIST in new_dict: del new_dict[const.WHITELIST] if const.WHITELIST_START in new_dict: del new_dict[const.WHITELIST_START] if const.WHITELIST_END in new_dict: del new_dict[const.WHITELIST_END] return new_dict
strip_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, my_dict):\n new_dict = copy.deepcopy(my_dict)\n if const.START in new_dict:\n del new_dict[const.START]\n if const.END in new_dict:\n del new_dict[const.END]\n if const.WHITELIST in new_dict:\n del new_dict[const.WHITELIST]\n if const.WHITELIST_START in new_dict:\n del new_dict[const.WHITELIST_START]\n if const.WHITELIST_END in new_dict:\n del new_dict[const.WHITELIST_END]\n return new_dict\n", "role": "user" }, { "content": "strip_metadata", "role": "assistant" } ]
def x(self, callsign=None, timestamp=timestamp_now): callsign = callsign.strip().upper() if self._lookuptype == 'clublogapi': callsign_data = self._lookup_clublogAPI(callsign=callsign, timestamp=timestamp, apikey=self._apikey) if callsign_data[const.ADIF] == 1000: raise KeyError else: return callsign_data elif self._lookuptype == 'clublogxml' or self._lookuptype == 'countryfile': return self._check_data_for_date(callsign, timestamp, self. _callsign_exceptions, self._callsign_exceptions_index) elif self._lookuptype == 'redis': data_dict, index = self._get_dicts_from_redis('_call_ex_', '_call_ex_index_', self._redis_prefix, callsign) return self._check_data_for_date(callsign, timestamp, data_dict, index) elif self._lookuptype == 'qrz': return self._lookup_qrz_callsign(callsign, self._apikey, self._apiv) raise KeyError('unknown Callsign')
lookup_callsign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callsign=None, timestamp=timestamp_now):\n callsign = callsign.strip().upper()\n if self._lookuptype == 'clublogapi':\n callsign_data = self._lookup_clublogAPI(callsign=callsign,\n timestamp=timestamp, apikey=self._apikey)\n if callsign_data[const.ADIF] == 1000:\n raise KeyError\n else:\n return callsign_data\n elif self._lookuptype == 'clublogxml' or self._lookuptype == 'countryfile':\n return self._check_data_for_date(callsign, timestamp, self.\n _callsign_exceptions, self._callsign_exceptions_index)\n elif self._lookuptype == 'redis':\n data_dict, index = self._get_dicts_from_redis('_call_ex_',\n '_call_ex_index_', self._redis_prefix, callsign)\n return self._check_data_for_date(callsign, timestamp, data_dict, index)\n elif self._lookuptype == 'qrz':\n return self._lookup_qrz_callsign(callsign, self._apikey, self._apiv)\n raise KeyError('unknown Callsign')\n", "role": "user" }, { "content": "lookup_callsign", "role": "assistant" } ]
def x(self, name, index_name, redis_prefix, item): r = self._redis data_dict = {} data_index_dict = {} if redis_prefix is None: raise KeyError('redis_prefix is missing') if r.scard(redis_prefix + index_name + str(item)) > 0: data_index_dict[str(item)] = r.smembers(redis_prefix + index_name + str(item)) for i in data_index_dict[item]: json_data = r.get(redis_prefix + name + str(int(i))) data_dict[i] = self._deserialize_data(json_data) return data_dict, data_index_dict raise KeyError('No Data found in Redis for ' + item)
get_dicts_from_redis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, index_name, redis_prefix, item):\n r = self._redis\n data_dict = {}\n data_index_dict = {}\n if redis_prefix is None:\n raise KeyError('redis_prefix is missing')\n if r.scard(redis_prefix + index_name + str(item)) > 0:\n data_index_dict[str(item)] = r.smembers(redis_prefix + index_name +\n str(item))\n for i in data_index_dict[item]:\n json_data = r.get(redis_prefix + name + str(int(i)))\n data_dict[i] = self._deserialize_data(json_data)\n return data_dict, data_index_dict\n raise KeyError('No Data found in Redis for ' + item)\n", "role": "user" }, { "content": "get_dicts_from_redis", "role": "assistant" } ]
def x(self, item, timestamp, data_dict, data_index_dict): if item in data_index_dict: for item in data_index_dict[item]: if const.START in data_dict[item] and not const.END in data_dict[ item]: if data_dict[item][const.START] < timestamp: item_data = copy.deepcopy(data_dict[item]) del item_data[const.START] return item_data elif not const.START in data_dict[item] and const.END in data_dict[ item]: if data_dict[item][const.END] > timestamp: item_data = copy.deepcopy(data_dict[item]) del item_data[const.END] return item_data elif const.START in data_dict[item] and const.END in data_dict[item ]: if data_dict[item][const.START] < timestamp and data_dict[item ][const.END] > timestamp: item_data = copy.deepcopy(data_dict[item]) del item_data[const.START] del item_data[const.END] return item_data elif not const.START in data_dict[item ] and not const.END in data_dict[item]: return data_dict[item] raise KeyError
check_data_for_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, timestamp, data_dict, data_index_dict):\n if item in data_index_dict:\n for item in data_index_dict[item]:\n if const.START in data_dict[item] and not const.END in data_dict[\n item]:\n if data_dict[item][const.START] < timestamp:\n item_data = copy.deepcopy(data_dict[item])\n del item_data[const.START]\n return item_data\n elif not const.START in data_dict[item] and const.END in data_dict[\n item]:\n if data_dict[item][const.END] > timestamp:\n item_data = copy.deepcopy(data_dict[item])\n del item_data[const.END]\n return item_data\n elif const.START in data_dict[item] and const.END in data_dict[item\n ]:\n if data_dict[item][const.START] < timestamp and data_dict[item\n ][const.END] > timestamp:\n item_data = copy.deepcopy(data_dict[item])\n del item_data[const.START]\n del item_data[const.END]\n return item_data\n elif not const.START in data_dict[item\n ] and not const.END in data_dict[item]:\n return data_dict[item]\n raise KeyError\n", "role": "user" }, { "content": "check_data_for_date", "role": "assistant" } ]
def x(self, item, timestamp, data_dict, data_index_dict): if item in data_index_dict: for item in data_index_dict[item]: if const.START in data_dict[item] and not const.END in data_dict[ item]: if data_dict[item][const.START] < timestamp: return True elif not const.START in data_dict[item] and const.END in data_dict[ item]: if data_dict[item][const.END] > timestamp: return True elif const.START in data_dict[item] and const.END in data_dict[item ]: if data_dict[item][const.START] < timestamp and data_dict[item ][const.END] > timestamp: return True elif not const.START in data_dict[item ] and not const.END in data_dict[item]: return True raise KeyError
check_inv_operation_for_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, timestamp, data_dict, data_index_dict):\n if item in data_index_dict:\n for item in data_index_dict[item]:\n if const.START in data_dict[item] and not const.END in data_dict[\n item]:\n if data_dict[item][const.START] < timestamp:\n return True\n elif not const.START in data_dict[item] and const.END in data_dict[\n item]:\n if data_dict[item][const.END] > timestamp:\n return True\n elif const.START in data_dict[item] and const.END in data_dict[item\n ]:\n if data_dict[item][const.START] < timestamp and data_dict[item\n ][const.END] > timestamp:\n return True\n elif not const.START in data_dict[item\n ] and not const.END in data_dict[item]:\n return True\n raise KeyError\n", "role": "user" }, { "content": "check_inv_operation_for_date", "role": "assistant" } ]
def x(self, prefix, timestamp=timestamp_now): prefix = prefix.strip().upper() if self._lookuptype == 'clublogxml' or self._lookuptype == 'countryfile': return self._check_data_for_date(prefix, timestamp, self._prefixes, self._prefixes_index) elif self._lookuptype == 'redis': data_dict, index = self._get_dicts_from_redis('_prefix_', '_prefix_index_', self._redis_prefix, prefix) return self._check_data_for_date(prefix, timestamp, data_dict, index) raise KeyError
lookup_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefix, timestamp=timestamp_now):\n prefix = prefix.strip().upper()\n if self._lookuptype == 'clublogxml' or self._lookuptype == 'countryfile':\n return self._check_data_for_date(prefix, timestamp, self._prefixes,\n self._prefixes_index)\n elif self._lookuptype == 'redis':\n data_dict, index = self._get_dicts_from_redis('_prefix_',\n '_prefix_index_', self._redis_prefix, prefix)\n return self._check_data_for_date(prefix, timestamp, data_dict, index)\n raise KeyError\n", "role": "user" }, { "content": "lookup_prefix", "role": "assistant" } ]
def x(self, callsign, timestamp=datetime.utcnow().replace(tzinfo=UTC)): callsign = callsign.strip().upper() if self._lookuptype == 'clublogxml': return self._check_inv_operation_for_date(callsign, timestamp, self ._invalid_operations, self._invalid_operations_index) elif self._lookuptype == 'redis': data_dict, index = self._get_dicts_from_redis('_inv_op_', '_inv_op_index_', self._redis_prefix, callsign) return self._check_inv_operation_for_date(callsign, timestamp, data_dict, index) raise KeyError
is_invalid_operation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callsign, timestamp=datetime.utcnow().replace(tzinfo=UTC)):\n callsign = callsign.strip().upper()\n if self._lookuptype == 'clublogxml':\n return self._check_inv_operation_for_date(callsign, timestamp, self\n ._invalid_operations, self._invalid_operations_index)\n elif self._lookuptype == 'redis':\n data_dict, index = self._get_dicts_from_redis('_inv_op_',\n '_inv_op_index_', self._redis_prefix, callsign)\n return self._check_inv_operation_for_date(callsign, timestamp,\n data_dict, index)\n raise KeyError\n", "role": "user" }, { "content": "is_invalid_operation", "role": "assistant" } ]
def x(self, item, timestamp, data_dict, data_index_dict): if item in data_index_dict: for item in data_index_dict[item]: if const.START in data_dict[item] and not const.END in data_dict[ item]: if data_dict[item][const.START] < timestamp: return data_dict[item][const.CQZ] elif not const.START in data_dict[item] and const.END in data_dict[ item]: if data_dict[item][const.END] > timestamp: return data_dict[item][const.CQZ] elif const.START in data_dict[item] and const.END in data_dict[item ]: if data_dict[item][const.START] < timestamp and data_dict[item ][const.END] > timestamp: return data_dict[item][const.CQZ] elif not const.START in data_dict[item ] and not const.END in data_dict[item]: return data_dict[item][const.CQZ] raise KeyError
check_zone_exception_for_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, timestamp, data_dict, data_index_dict):\n if item in data_index_dict:\n for item in data_index_dict[item]:\n if const.START in data_dict[item] and not const.END in data_dict[\n item]:\n if data_dict[item][const.START] < timestamp:\n return data_dict[item][const.CQZ]\n elif not const.START in data_dict[item] and const.END in data_dict[\n item]:\n if data_dict[item][const.END] > timestamp:\n return data_dict[item][const.CQZ]\n elif const.START in data_dict[item] and const.END in data_dict[item\n ]:\n if data_dict[item][const.START] < timestamp and data_dict[item\n ][const.END] > timestamp:\n return data_dict[item][const.CQZ]\n elif not const.START in data_dict[item\n ] and not const.END in data_dict[item]:\n return data_dict[item][const.CQZ]\n raise KeyError\n", "role": "user" }, { "content": "check_zone_exception_for_date", "role": "assistant" } ]
def x(self, callsign, timestamp=datetime.utcnow().replace(tzinfo=UTC)): callsign = callsign.strip().upper() if self._lookuptype == 'clublogxml': return self._check_zone_exception_for_date(callsign, timestamp, self._zone_exceptions, self._zone_exceptions_index) elif self._lookuptype == 'redis': data_dict, index = self._get_dicts_from_redis('_zone_ex_', '_zone_ex_index_', self._redis_prefix, callsign) return self._check_zone_exception_for_date(callsign, timestamp, data_dict, index) raise KeyError
lookup_zone_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callsign, timestamp=datetime.utcnow().replace(tzinfo=UTC)):\n callsign = callsign.strip().upper()\n if self._lookuptype == 'clublogxml':\n return self._check_zone_exception_for_date(callsign, timestamp,\n self._zone_exceptions, self._zone_exceptions_index)\n elif self._lookuptype == 'redis':\n data_dict, index = self._get_dicts_from_redis('_zone_ex_',\n '_zone_ex_index_', self._redis_prefix, callsign)\n return self._check_zone_exception_for_date(callsign, timestamp,\n data_dict, index)\n raise KeyError\n", "role": "user" }, { "content": "lookup_zone_exception", "role": "assistant" } ]
def x(self, callsign=None, timestamp=timestamp_now, url= 'https://secure.clublog.org/dxcc', apikey=None): params = {'year': timestamp.strftime('%Y'), 'month': timestamp.strftime ('%m'), 'day': timestamp.strftime('%d'), 'hour': timestamp.strftime ('%H'), 'minute': timestamp.strftime('%M'), 'api': apikey, 'full': '1', 'call': callsign} if sys.version_info.major == 3: encodeurl = url + '?' + urllib.parse.urlencode(params) else: encodeurl = url + '?' + urllib.urlencode(params) response = requests.get(encodeurl, timeout=5) if not self._check_html_response(response): raise LookupError jsonLookup = response.json() lookup = {} for item in jsonLookup: if item == 'Name': lookup[const.COUNTRY] = jsonLookup['Name'] elif item == 'DXCC': lookup[const.ADIF] = int(jsonLookup['DXCC']) elif item == 'Lon': lookup[const.LONGITUDE] = float(jsonLookup['Lon']) * -1 elif item == 'Lat': lookup[const.LATITUDE] = float(jsonLookup['Lat']) elif item == 'CQZ': lookup[const.CQZ] = int(jsonLookup['CQZ']) elif item == 'Continent': lookup[const.CONTINENT] = jsonLookup['Continent'] if lookup[const.ADIF] == 0: raise KeyError else: return lookup
lookup_clublogAPI
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callsign=None, timestamp=timestamp_now, url=\n 'https://secure.clublog.org/dxcc', apikey=None):\n params = {'year': timestamp.strftime('%Y'), 'month': timestamp.strftime\n ('%m'), 'day': timestamp.strftime('%d'), 'hour': timestamp.strftime\n ('%H'), 'minute': timestamp.strftime('%M'), 'api': apikey, 'full':\n '1', 'call': callsign}\n if sys.version_info.major == 3:\n encodeurl = url + '?' + urllib.parse.urlencode(params)\n else:\n encodeurl = url + '?' + urllib.urlencode(params)\n response = requests.get(encodeurl, timeout=5)\n if not self._check_html_response(response):\n raise LookupError\n jsonLookup = response.json()\n lookup = {}\n for item in jsonLookup:\n if item == 'Name':\n lookup[const.COUNTRY] = jsonLookup['Name']\n elif item == 'DXCC':\n lookup[const.ADIF] = int(jsonLookup['DXCC'])\n elif item == 'Lon':\n lookup[const.LONGITUDE] = float(jsonLookup['Lon']) * -1\n elif item == 'Lat':\n lookup[const.LATITUDE] = float(jsonLookup['Lat'])\n elif item == 'CQZ':\n lookup[const.CQZ] = int(jsonLookup['CQZ'])\n elif item == 'Continent':\n lookup[const.CONTINENT] = jsonLookup['Continent']\n if lookup[const.ADIF] == 0:\n raise KeyError\n else:\n return lookup\n", "role": "user" }, { "content": "lookup_clublogAPI", "role": "assistant" } ]
def x(self, dxcc_or_callsign, apikey, apiv='1.3.3'): response = self._request_dxcc_info_from_qrz(dxcc_or_callsign, apikey, apiv=apiv) root = BeautifulSoup(response.text, 'html.parser') lookup = {} if root.error: if re.search('No DXCC Information for', root.error.text, re.I): raise KeyError(root.error.text) elif re.search('Session Timeout', root.error.text, re.I): self._apikey = apikey = self._get_qrz_session_key(self. _username, self._pwd) response = self._request_dxcc_info_from_qrz(dxcc_or_callsign, apikey) root = BeautifulSoup(response.text, 'html.parser') else: raise AttributeError('Session Key Missing') if root.dxcc is None: raise ValueError if root.dxcc.dxcc: lookup[const.ADIF] = int(root.dxcc.dxcc.text) if root.dxcc.cc: lookup['cc'] = root.dxcc.cc.text if root.dxcc.cc: lookup['ccc'] = root.dxcc.ccc.text if root.find('name'): lookup[const.COUNTRY] = root.find('name').get_text() if root.dxcc.continent: lookup[const.CONTINENT] = root.dxcc.continent.text if root.dxcc.ituzone: lookup[const.ITUZ] = int(root.dxcc.ituzone.text) if root.dxcc.cqzone: lookup[const.CQZ] = int(root.dxcc.cqzone.text) if root.dxcc.timezone: lookup['timezone'] = float(root.dxcc.timezone.text) if root.dxcc.lat: lookup[const.LATITUDE] = float(root.dxcc.lat.text) if root.dxcc.lon: lookup[const.LONGITUDE] = float(root.dxcc.lon.text) return lookup
lookup_qrz_dxcc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dxcc_or_callsign, apikey, apiv='1.3.3'):\n response = self._request_dxcc_info_from_qrz(dxcc_or_callsign, apikey,\n apiv=apiv)\n root = BeautifulSoup(response.text, 'html.parser')\n lookup = {}\n if root.error:\n if re.search('No DXCC Information for', root.error.text, re.I):\n raise KeyError(root.error.text)\n elif re.search('Session Timeout', root.error.text, re.I):\n self._apikey = apikey = self._get_qrz_session_key(self.\n _username, self._pwd)\n response = self._request_dxcc_info_from_qrz(dxcc_or_callsign,\n apikey)\n root = BeautifulSoup(response.text, 'html.parser')\n else:\n raise AttributeError('Session Key Missing')\n if root.dxcc is None:\n raise ValueError\n if root.dxcc.dxcc:\n lookup[const.ADIF] = int(root.dxcc.dxcc.text)\n if root.dxcc.cc:\n lookup['cc'] = root.dxcc.cc.text\n if root.dxcc.cc:\n lookup['ccc'] = root.dxcc.ccc.text\n if root.find('name'):\n lookup[const.COUNTRY] = root.find('name').get_text()\n if root.dxcc.continent:\n lookup[const.CONTINENT] = root.dxcc.continent.text\n if root.dxcc.ituzone:\n lookup[const.ITUZ] = int(root.dxcc.ituzone.text)\n if root.dxcc.cqzone:\n lookup[const.CQZ] = int(root.dxcc.cqzone.text)\n if root.dxcc.timezone:\n lookup['timezone'] = float(root.dxcc.timezone.text)\n if root.dxcc.lat:\n lookup[const.LATITUDE] = float(root.dxcc.lat.text)\n if root.dxcc.lon:\n lookup[const.LONGITUDE] = float(root.dxcc.lon.text)\n return lookup\n", "role": "user" }, { "content": "lookup_qrz_dxcc", "role": "assistant" } ]
def x(self, url='https://secure.clublog.org/cty.php', apikey=None, cty_file =None): if self._download: cty_file = self._download_file(url=url, apikey=apikey) else: cty_file = self._lib_filename header = self._extract_clublog_header(cty_file) cty_file = self._remove_clublog_xml_header(cty_file) cty_dict = self._parse_clublog_xml(cty_file) self._entities = cty_dict['entities'] self._callsign_exceptions = cty_dict['call_exceptions'] self._prefixes = cty_dict['prefixes'] self._invalid_operations = cty_dict['invalid_operations'] self._zone_exceptions = cty_dict['zone_exceptions'] self._callsign_exceptions_index = cty_dict['call_exceptions_index'] self._prefixes_index = cty_dict['prefixes_index'] self._invalid_operations_index = cty_dict['invalid_operations_index'] self._zone_exceptions_index = cty_dict['zone_exceptions_index'] return True
load_clublogXML
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url='https://secure.clublog.org/cty.php', apikey=None, cty_file\n =None):\n if self._download:\n cty_file = self._download_file(url=url, apikey=apikey)\n else:\n cty_file = self._lib_filename\n header = self._extract_clublog_header(cty_file)\n cty_file = self._remove_clublog_xml_header(cty_file)\n cty_dict = self._parse_clublog_xml(cty_file)\n self._entities = cty_dict['entities']\n self._callsign_exceptions = cty_dict['call_exceptions']\n self._prefixes = cty_dict['prefixes']\n self._invalid_operations = cty_dict['invalid_operations']\n self._zone_exceptions = cty_dict['zone_exceptions']\n self._callsign_exceptions_index = cty_dict['call_exceptions_index']\n self._prefixes_index = cty_dict['prefixes_index']\n self._invalid_operations_index = cty_dict['invalid_operations_index']\n self._zone_exceptions_index = cty_dict['zone_exceptions_index']\n return True\n", "role": "user" }, { "content": "load_clublogXML", "role": "assistant" } ]
def x(self, url='https://www.country-files.com/cty/cty.plist', country_mapping_filename='countryfilemapping.json', cty_file=None): cwdFile = os.path.abspath(os.path.join(os.getcwd(), country_mapping_filename)) pkgFile = os.path.abspath(os.path.join(os.path.dirname(__file__), country_mapping_filename)) if os.path.exists(cwdFile): country_mapping_filename = cwdFile elif os.path.exists(pkgFile): country_mapping_filename = pkgFile else: country_mapping_filename = None if self._download: cty_file = self._download_file(url=url) else: cty_file = os.path.abspath(cty_file) cty_dict = self._parse_country_file(cty_file, country_mapping_filename) self._callsign_exceptions = cty_dict['exceptions'] self._prefixes = cty_dict['prefixes'] self._callsign_exceptions_index = cty_dict['exceptions_index'] self._prefixes_index = cty_dict['prefixes_index'] return True
load_countryfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url='https://www.country-files.com/cty/cty.plist',\n country_mapping_filename='countryfilemapping.json', cty_file=None):\n cwdFile = os.path.abspath(os.path.join(os.getcwd(),\n country_mapping_filename))\n pkgFile = os.path.abspath(os.path.join(os.path.dirname(__file__),\n country_mapping_filename))\n if os.path.exists(cwdFile):\n country_mapping_filename = cwdFile\n elif os.path.exists(pkgFile):\n country_mapping_filename = pkgFile\n else:\n country_mapping_filename = None\n if self._download:\n cty_file = self._download_file(url=url)\n else:\n cty_file = os.path.abspath(cty_file)\n cty_dict = self._parse_country_file(cty_file, country_mapping_filename)\n self._callsign_exceptions = cty_dict['exceptions']\n self._prefixes = cty_dict['prefixes']\n self._callsign_exceptions_index = cty_dict['exceptions_index']\n self._prefixes_index = cty_dict['prefixes_index']\n return True\n", "role": "user" }, { "content": "load_countryfile", "role": "assistant" } ]
def x(self, url, apikey=None): import gzip import tempfile cty = {} cty_date = '' cty_file_path = None filename = None if apikey: response = requests.get(url + '?api=' + apikey, timeout=10) else: response = requests.get(url, timeout=10) if not self._check_html_response(response): raise LookupError if 'Content-Disposition' in response.headers: f = re.search('filename=".+"', response.headers['Content-Disposition']) if f: f = f.group(0) filename = re.search('".+"', f).group(0).replace('"', '') else: f = re.search('/.{4}plist$', url) if f: f = f.group(0) filename = f[1:] if not filename: filename = 'cty_' + self._generate_random_word(5) download_file_path = os.path.join(tempfile.gettempdir(), filename) with open(download_file_path, 'wb') as download_file: download_file.write(response.content) self._logger.debug(str(download_file_path) + ' successfully downloaded') if os.path.splitext(download_file_path)[1][1:] == 'gz': download_file = gzip.open(download_file_path, 'r') try: cty_file_path = os.path.join(os.path.splitext( download_file_path)[0]) with open(cty_file_path, 'wb') as cty_file: cty_file.write(download_file.read()) self._logger.debug(str(cty_file_path) + ' successfully extracted') finally: download_file.close() else: cty_file_path = download_file_path return cty_file_path
download_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, apikey=None):\n import gzip\n import tempfile\n cty = {}\n cty_date = ''\n cty_file_path = None\n filename = None\n if apikey:\n response = requests.get(url + '?api=' + apikey, timeout=10)\n else:\n response = requests.get(url, timeout=10)\n if not self._check_html_response(response):\n raise LookupError\n if 'Content-Disposition' in response.headers:\n f = re.search('filename=\".+\"', response.headers['Content-Disposition'])\n if f:\n f = f.group(0)\n filename = re.search('\".+\"', f).group(0).replace('\"', '')\n else:\n f = re.search('/.{4}plist$', url)\n if f:\n f = f.group(0)\n filename = f[1:]\n if not filename:\n filename = 'cty_' + self._generate_random_word(5)\n download_file_path = os.path.join(tempfile.gettempdir(), filename)\n with open(download_file_path, 'wb') as download_file:\n download_file.write(response.content)\n self._logger.debug(str(download_file_path) + ' successfully downloaded')\n if os.path.splitext(download_file_path)[1][1:] == 'gz':\n download_file = gzip.open(download_file_path, 'r')\n try:\n cty_file_path = os.path.join(os.path.splitext(\n download_file_path)[0])\n with open(cty_file_path, 'wb') as cty_file:\n cty_file.write(download_file.read())\n self._logger.debug(str(cty_file_path) + ' successfully extracted')\n finally:\n download_file.close()\n else:\n cty_file_path = download_file_path\n return cty_file_path\n", "role": "user" }, { "content": "download_file", "role": "assistant" } ]
def x(self, cty_xml_filename): cty_header = {} try: with open(cty_xml_filename, 'r') as cty: raw_header = cty.readline() cty_date = re.search("date='.+'", raw_header) if cty_date: cty_date = cty_date.group(0).replace('date=', '').replace("'", '') cty_date = datetime.strptime(cty_date[:19], '%Y-%m-%dT%H:%M:%S') cty_date.replace(tzinfo=UTC) cty_header['Date'] = cty_date cty_ns = re.search("xmlns='.+[']", raw_header) if cty_ns: cty_ns = cty_ns.group(0).replace('xmlns=', '').replace("'", '') cty_header['NameSpace'] = cty_ns if len(cty_header) == 2: self._logger.debug('Header successfully retrieved from CTY File') elif len(cty_header) < 2: self._logger.warning( 'Header could only be partically retrieved from CTY File') self._logger.warning('Content of Header: ') for key in cty_header: self._logger.warning(str(key) + ': ' + str(cty_header[key])) return cty_header except Exception as e: self._logger.error('Clublog CTY File could not be opened / modified') self._logger.error('Error Message: ' + str(e)) return
extract_clublog_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cty_xml_filename):\n cty_header = {}\n try:\n with open(cty_xml_filename, 'r') as cty:\n raw_header = cty.readline()\n cty_date = re.search(\"date='.+'\", raw_header)\n if cty_date:\n cty_date = cty_date.group(0).replace('date=', '').replace(\"'\", '')\n cty_date = datetime.strptime(cty_date[:19], '%Y-%m-%dT%H:%M:%S')\n cty_date.replace(tzinfo=UTC)\n cty_header['Date'] = cty_date\n cty_ns = re.search(\"xmlns='.+[']\", raw_header)\n if cty_ns:\n cty_ns = cty_ns.group(0).replace('xmlns=', '').replace(\"'\", '')\n cty_header['NameSpace'] = cty_ns\n if len(cty_header) == 2:\n self._logger.debug('Header successfully retrieved from CTY File')\n elif len(cty_header) < 2:\n self._logger.warning(\n 'Header could only be partically retrieved from CTY File')\n self._logger.warning('Content of Header: ')\n for key in cty_header:\n self._logger.warning(str(key) + ': ' + str(cty_header[key]))\n return cty_header\n except Exception as e:\n self._logger.error('Clublog CTY File could not be opened / modified')\n self._logger.error('Error Message: ' + str(e))\n return\n", "role": "user" }, { "content": "extract_clublog_header", "role": "assistant" } ]
def x(self, cty_xml_filename): import tempfile try: with open(cty_xml_filename, 'r') as f: content = f.readlines() cty_dir = tempfile.gettempdir() cty_name = os.path.split(cty_xml_filename)[1] cty_xml_filename_no_header = os.path.join(cty_dir, 'NoHeader_' + cty_name) with open(cty_xml_filename_no_header, 'w') as f: f.writelines('<clublog>\n\r') f.writelines(content[1:]) self._logger.debug('Header successfully modified for XML Parsing') return cty_xml_filename_no_header except Exception as e: self._logger.error('Clublog CTY could not be opened / modified') self._logger.error('Error Message: ' + str(e)) return
remove_clublog_xml_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cty_xml_filename):\n import tempfile\n try:\n with open(cty_xml_filename, 'r') as f:\n content = f.readlines()\n cty_dir = tempfile.gettempdir()\n cty_name = os.path.split(cty_xml_filename)[1]\n cty_xml_filename_no_header = os.path.join(cty_dir, 'NoHeader_' +\n cty_name)\n with open(cty_xml_filename_no_header, 'w') as f:\n f.writelines('<clublog>\\n\\r')\n f.writelines(content[1:])\n self._logger.debug('Header successfully modified for XML Parsing')\n return cty_xml_filename_no_header\n except Exception as e:\n self._logger.error('Clublog CTY could not be opened / modified')\n self._logger.error('Error Message: ' + str(e))\n return\n", "role": "user" }, { "content": "remove_clublog_xml_header", "role": "assistant" } ]
def x(self, cty_file, country_mapping_filename=None): import plistlib cty_list = None entities = {} exceptions = {} prefixes = {} exceptions_index = {} prefixes_index = {} exceptions_counter = 0 prefixes_counter = 0 mapping = None with open(country_mapping_filename, 'r') as f: mapping = json.loads(f.read(), encoding='UTF-8') cty_list = plistlib.readPlist(cty_file) for item in cty_list: entry = {} call = str(item) entry[const.COUNTRY] = unicode(cty_list[item]['Country']) if mapping: entry[const.ADIF] = int(mapping[cty_list[item]['Country']]) entry[const.CQZ] = int(cty_list[item]['CQZone']) entry[const.ITUZ] = int(cty_list[item]['ITUZone']) entry[const.CONTINENT] = unicode(cty_list[item]['Continent']) entry[const.LATITUDE] = float(cty_list[item]['Latitude']) entry[const.LONGITUDE] = float(cty_list[item]['Longitude']) * -1 if cty_list[item]['ExactCallsign']: if call in exceptions_index.keys(): exceptions_index[call].append(exceptions_counter) else: exceptions_index[call] = [exceptions_counter] exceptions[exceptions_counter] = entry exceptions_counter += 1 else: if call in prefixes_index.keys(): prefixes_index[call].append(prefixes_counter) else: prefixes_index[call] = [prefixes_counter] prefixes[prefixes_counter] = entry prefixes_counter += 1 self._logger.debug(str(len(prefixes)) + ' Prefixes added') self._logger.debug(str(len(prefixes_index)) + ' Prefixes in Index') self._logger.debug(str(len(exceptions)) + ' Exceptions added') self._logger.debug(str(len(exceptions_index)) + ' Exceptions in Index') result = {'prefixes': prefixes, 'exceptions': exceptions, 'prefixes_index': prefixes_index, 'exceptions_index': exceptions_index} return result
parse_country_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cty_file, country_mapping_filename=None):\n import plistlib\n cty_list = None\n entities = {}\n exceptions = {}\n prefixes = {}\n exceptions_index = {}\n prefixes_index = {}\n exceptions_counter = 0\n prefixes_counter = 0\n mapping = None\n with open(country_mapping_filename, 'r') as f:\n mapping = json.loads(f.read(), encoding='UTF-8')\n cty_list = plistlib.readPlist(cty_file)\n for item in cty_list:\n entry = {}\n call = str(item)\n entry[const.COUNTRY] = unicode(cty_list[item]['Country'])\n if mapping:\n entry[const.ADIF] = int(mapping[cty_list[item]['Country']])\n entry[const.CQZ] = int(cty_list[item]['CQZone'])\n entry[const.ITUZ] = int(cty_list[item]['ITUZone'])\n entry[const.CONTINENT] = unicode(cty_list[item]['Continent'])\n entry[const.LATITUDE] = float(cty_list[item]['Latitude'])\n entry[const.LONGITUDE] = float(cty_list[item]['Longitude']) * -1\n if cty_list[item]['ExactCallsign']:\n if call in exceptions_index.keys():\n exceptions_index[call].append(exceptions_counter)\n else:\n exceptions_index[call] = [exceptions_counter]\n exceptions[exceptions_counter] = entry\n exceptions_counter += 1\n else:\n if call in prefixes_index.keys():\n prefixes_index[call].append(prefixes_counter)\n else:\n prefixes_index[call] = [prefixes_counter]\n prefixes[prefixes_counter] = entry\n prefixes_counter += 1\n self._logger.debug(str(len(prefixes)) + ' Prefixes added')\n self._logger.debug(str(len(prefixes_index)) + ' Prefixes in Index')\n self._logger.debug(str(len(exceptions)) + ' Exceptions added')\n self._logger.debug(str(len(exceptions_index)) + ' Exceptions in Index')\n result = {'prefixes': prefixes, 'exceptions': exceptions,\n 'prefixes_index': prefixes_index, 'exceptions_index': exceptions_index}\n return result\n", "role": "user" }, { "content": "parse_country_file", "role": "assistant" } ]
def x(self, length): return ''.join(random.choice(string.ascii_lowercase) for _ in range(length) )
generate_random_word
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, length):\n return ''.join(random.choice(string.ascii_lowercase) for _ in range(length)\n )\n", "role": "user" }, { "content": "generate_random_word", "role": "assistant" } ]
def x(self, response): error1 = ( 'Access to this form requires a valid API key. For more info see: http://www.clublog.org/need_api.php' ) error2 = 'Invalid or missing API Key' if response.status_code == requests.codes.ok: return True else: err_str = 'HTTP Status Code: ' + str(response.status_code ) + ' HTTP Response: ' + str(response.text) self._logger.error(err_str) if response.status_code == 403: raise APIKeyMissingError else: raise LookupError(err_str)
check_html_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n error1 = (\n 'Access to this form requires a valid API key. For more info see: http://www.clublog.org/need_api.php'\n )\n error2 = 'Invalid or missing API Key'\n if response.status_code == requests.codes.ok:\n return True\n else:\n err_str = 'HTTP Status Code: ' + str(response.status_code\n ) + ' HTTP Response: ' + str(response.text)\n self._logger.error(err_str)\n if response.status_code == 403:\n raise APIKeyMissingError\n else:\n raise LookupError(err_str)\n", "role": "user" }, { "content": "check_html_response", "role": "assistant" } ]
def x(self, my_dict): new_dict = {} for item in my_dict: if isinstance(my_dict[item], datetime): new_dict[item] = my_dict[item].strftime('%Y-%m-%d%H:%M:%S') else: new_dict[item] = str(my_dict[item]) return json.dumps(new_dict)
serialize_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, my_dict):\n new_dict = {}\n for item in my_dict:\n if isinstance(my_dict[item], datetime):\n new_dict[item] = my_dict[item].strftime('%Y-%m-%d%H:%M:%S')\n else:\n new_dict[item] = str(my_dict[item])\n return json.dumps(new_dict)\n", "role": "user" }, { "content": "serialize_data", "role": "assistant" } ]
def x(self, json_data): my_dict = json.loads(json_data.decode('utf8').replace("'", '"'), encoding='UTF-8') for item in my_dict: if item == const.ADIF: my_dict[item] = int(my_dict[item]) elif item == const.DELETED: my_dict[item] = self._str_to_bool(my_dict[item]) elif item == const.CQZ: my_dict[item] = int(my_dict[item]) elif item == const.ITUZ: my_dict[item] = int(my_dict[item]) elif item == const.LATITUDE: my_dict[item] = float(my_dict[item]) elif item == const.LONGITUDE: my_dict[item] = float(my_dict[item]) elif item == const.START: my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S' ).replace(tzinfo=UTC) elif item == const.END: my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S' ).replace(tzinfo=UTC) elif item == const.WHITELIST_START: my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S' ).replace(tzinfo=UTC) elif item == const.WHITELIST_END: my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S' ).replace(tzinfo=UTC) elif item == const.WHITELIST: my_dict[item] = self._str_to_bool(my_dict[item]) else: my_dict[item] = unicode(my_dict[item]) return my_dict
deserialize_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_data):\n my_dict = json.loads(json_data.decode('utf8').replace(\"'\", '\"'),\n encoding='UTF-8')\n for item in my_dict:\n if item == const.ADIF:\n my_dict[item] = int(my_dict[item])\n elif item == const.DELETED:\n my_dict[item] = self._str_to_bool(my_dict[item])\n elif item == const.CQZ:\n my_dict[item] = int(my_dict[item])\n elif item == const.ITUZ:\n my_dict[item] = int(my_dict[item])\n elif item == const.LATITUDE:\n my_dict[item] = float(my_dict[item])\n elif item == const.LONGITUDE:\n my_dict[item] = float(my_dict[item])\n elif item == const.START:\n my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S'\n ).replace(tzinfo=UTC)\n elif item == const.END:\n my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S'\n ).replace(tzinfo=UTC)\n elif item == const.WHITELIST_START:\n my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S'\n ).replace(tzinfo=UTC)\n elif item == const.WHITELIST_END:\n my_dict[item] = datetime.strptime(my_dict[item], '%Y-%m-%d%H:%M:%S'\n ).replace(tzinfo=UTC)\n elif item == const.WHITELIST:\n my_dict[item] = self._str_to_bool(my_dict[item])\n else:\n my_dict[item] = unicode(my_dict[item])\n return my_dict\n", "role": "user" }, { "content": "deserialize_data", "role": "assistant" } ]
def x(*objs): return set(attr for obj in objs for attr in dir(obj) if not attr. startswith('_') and callable(getattr(obj, attr)))
get_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*objs):\n return set(attr for obj in objs for attr in dir(obj) if not attr.\n startswith('_') and callable(getattr(obj, attr)))\n", "role": "user" }, { "content": "get_methods", "role": "assistant" } ]
def x(cls, filename, *, strict=True): config = cls() config.load_from_file(filename, strict=strict) return config
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename, *, strict=True):\n config = cls()\n config.load_from_file(filename, strict=strict)\n return config\n", "role": "user" }, { "content": "from_file", "role": "assistant" } ]
def x(self, filename=None, *, strict=True): self.set_to_default() if filename: self._update_from_file(filename) elif LIGHTFLOW_CONFIG_ENV not in os.environ: if os.path.isfile(os.path.join(os.getcwd(), LIGHTFLOW_CONFIG_NAME)): self._update_from_file(os.path.join(os.getcwd(), LIGHTFLOW_CONFIG_NAME)) elif os.path.isfile(expand_env_var('~/{}'.format( LIGHTFLOW_CONFIG_NAME))): self._update_from_file(expand_env_var('~/{}'.format( LIGHTFLOW_CONFIG_NAME))) elif strict: raise ConfigLoadError('Could not find the configuration file.') else: self._update_from_file(expand_env_var(os.environ[LIGHTFLOW_CONFIG_ENV]) ) self._update_python_paths()
load_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None, *, strict=True):\n self.set_to_default()\n if filename:\n self._update_from_file(filename)\n elif LIGHTFLOW_CONFIG_ENV not in os.environ:\n if os.path.isfile(os.path.join(os.getcwd(), LIGHTFLOW_CONFIG_NAME)):\n self._update_from_file(os.path.join(os.getcwd(),\n LIGHTFLOW_CONFIG_NAME))\n elif os.path.isfile(expand_env_var('~/{}'.format(\n LIGHTFLOW_CONFIG_NAME))):\n self._update_from_file(expand_env_var('~/{}'.format(\n LIGHTFLOW_CONFIG_NAME)))\n elif strict:\n raise ConfigLoadError('Could not find the configuration file.')\n else:\n self._update_from_file(expand_env_var(os.environ[LIGHTFLOW_CONFIG_ENV])\n )\n self._update_python_paths()\n", "role": "user" }, { "content": "load_from_file", "role": "assistant" } ]
def x(self, conf_dict=None): self.set_to_default() self._update_dict(self._config, conf_dict) self._update_python_paths()
load_from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, conf_dict=None):\n self.set_to_default()\n self._update_dict(self._config, conf_dict)\n self._update_python_paths()\n", "role": "user" }, { "content": "load_from_dict", "role": "assistant" } ]
def x(self, filename): if os.path.exists(filename): try: with open(filename, 'r') as config_file: yaml_dict = yaml.safe_load(config_file.read()) if yaml_dict is not None: self._update_dict(self._config, yaml_dict) except IsADirectoryError: raise ConfigLoadError( 'The specified configuration file is a directory not a file') else: raise ConfigLoadError('The config file {} does not exist'.format( filename))
update_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n if os.path.exists(filename):\n try:\n with open(filename, 'r') as config_file:\n yaml_dict = yaml.safe_load(config_file.read())\n if yaml_dict is not None:\n self._update_dict(self._config, yaml_dict)\n except IsADirectoryError:\n raise ConfigLoadError(\n 'The specified configuration file is a directory not a file')\n else:\n raise ConfigLoadError('The config file {} does not exist'.format(\n filename))\n", "role": "user" }, { "content": "update_from_file", "role": "assistant" } ]
def x(self, to_dict, from_dict): for key, value in from_dict.items(): if key in to_dict and isinstance(to_dict[key], dict) and isinstance( from_dict[key], dict): self._update_dict(to_dict[key], from_dict[key]) else: to_dict[key] = from_dict[key]
update_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to_dict, from_dict):\n for key, value in from_dict.items():\n if key in to_dict and isinstance(to_dict[key], dict) and isinstance(\n from_dict[key], dict):\n self._update_dict(to_dict[key], from_dict[key])\n else:\n to_dict[key] = from_dict[key]\n", "role": "user" }, { "content": "update_dict", "role": "assistant" } ]
def x(self): for path in (self._config['workflows'] + self._config['libraries']): if os.path.isdir(os.path.abspath(path)): if path not in sys.path: sys.path.append(path) else: raise ConfigLoadError('Workflow directory {} does not exist'. format(path))
update_python_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for path in (self._config['workflows'] + self._config['libraries']):\n if os.path.isdir(os.path.abspath(path)):\n if path not in sys.path:\n sys.path.append(path)\n else:\n raise ConfigLoadError('Workflow directory {} does not exist'.\n format(path))\n", "role": "user" }, { "content": "update_python_paths", "role": "assistant" } ]
def x(raw_string): data = {} if re.match('[A-Za-z0-9\\/]+[:$]', raw_string[6:15]): data[const.SPOTTER] = re.sub(':', '', re.match( '[A-Za-z0-9\\/]+[:$]', raw_string[6:15]).group(0)) else: raise ValueError if re.search('[0-9\\.]{5,12}', raw_string[10:25]): data[const.FREQUENCY] = float(re.search('[0-9\\.]{5,12}', raw_string[10:25]).group(0)) else: raise ValueError data[const.DX] = re.sub('[^A-Za-z0-9\\/]+', '', raw_string[26:38]) data[const.COMMENT] = re.sub( '[^\\sA-Za-z0-9\\.,;\\#\\+\\-!\\?\\$\\(\\)@\\/]+', ' ', raw_string[ 39:69]).strip() data[const.TIME] = datetime.now().replace(tzinfo=UTC) return data
decode_char_spot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(raw_string):\n data = {}\n if re.match('[A-Za-z0-9\\\\/]+[:$]', raw_string[6:15]):\n data[const.SPOTTER] = re.sub(':', '', re.match(\n '[A-Za-z0-9\\\\/]+[:$]', raw_string[6:15]).group(0))\n else:\n raise ValueError\n if re.search('[0-9\\\\.]{5,12}', raw_string[10:25]):\n data[const.FREQUENCY] = float(re.search('[0-9\\\\.]{5,12}',\n raw_string[10:25]).group(0))\n else:\n raise ValueError\n data[const.DX] = re.sub('[^A-Za-z0-9\\\\/]+', '', raw_string[26:38])\n data[const.COMMENT] = re.sub(\n '[^\\\\sA-Za-z0-9\\\\.,;\\\\#\\\\+\\\\-!\\\\?\\\\$\\\\(\\\\)@\\\\/]+', ' ', raw_string[\n 39:69]).strip()\n data[const.TIME] = datetime.now().replace(tzinfo=UTC)\n return data\n", "role": "user" }, { "content": "decode_char_spot", "role": "assistant" } ]
def x(raw_string): data = {} spot = raw_string.split('^') data[const.FREQUENCY] = float(spot[1]) data[const.DX] = spot[2] data[const.TIME] = datetime.fromtimestamp(mktime(strptime(spot[3] + ' ' + spot[4][:-1], '%d-%b-%Y %H%M'))) data[const.COMMENT] = spot[5] data[const.SPOTTER] = spot[6] data['node'] = spot[7] data['raw_spot'] = raw_string return data
decode_pc11_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(raw_string):\n data = {}\n spot = raw_string.split('^')\n data[const.FREQUENCY] = float(spot[1])\n data[const.DX] = spot[2]\n data[const.TIME] = datetime.fromtimestamp(mktime(strptime(spot[3] + ' ' +\n spot[4][:-1], '%d-%b-%Y %H%M')))\n data[const.COMMENT] = spot[5]\n data[const.SPOTTER] = spot[6]\n data['node'] = spot[7]\n data['raw_spot'] = raw_string\n return data\n", "role": "user" }, { "content": "decode_pc11_message", "role": "assistant" } ]
def x(raw_string): data = {} wcy = raw_string.split('^') data[const.R] = int(wcy[1]) data[const.expk] = int(wcy[2]) data[const.CALLSIGN] = wcy[3] data[const.A] = wcy[4] data[const.SFI] = wcy[5] data[const.K] = wcy[6] data[const.AURORA] = wcy[7] data['node'] = wcy[7] data['ip'] = wcy[8] data['raw_data'] = raw_string return data
decode_pc23_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(raw_string):\n data = {}\n wcy = raw_string.split('^')\n data[const.R] = int(wcy[1])\n data[const.expk] = int(wcy[2])\n data[const.CALLSIGN] = wcy[3]\n data[const.A] = wcy[4]\n data[const.SFI] = wcy[5]\n data[const.K] = wcy[6]\n data[const.AURORA] = wcy[7]\n data['node'] = wcy[7]\n data['ip'] = wcy[8]\n data['raw_data'] = raw_string\n return data\n", "role": "user" }, { "content": "decode_pc23_message", "role": "assistant" } ]
def x(self, data, store, signal, context, *, success_callback=None, stop_callback=None, abort_callback=None): if data is None: data = MultiTaskData() data.add_dataset(self._name) try: if self._callback_init is not None: self._callback_init(data, store, signal, context) result = self.run(data, store, signal, context) if self._callback_finally is not None: self._callback_finally(TaskStatus.Success, data, store, signal, context) if success_callback is not None: success_callback() except StopTask as err: if self._callback_finally is not None: self._callback_finally(TaskStatus.Stopped, data, store, signal, context) if stop_callback is not None: stop_callback(exc=err) result = Action(data, limit=[]) if err.skip_successors else None except AbortWorkflow as err: if self._callback_finally is not None: self._callback_finally(TaskStatus.Aborted, data, store, signal, context) if abort_callback is not None: abort_callback(exc=err) result = None signal.stop_workflow() except: if self._callback_finally is not None: self._callback_finally(TaskStatus.Error, data, store, signal, context) signal.stop_workflow() raise if result is None: data.flatten(in_place=True) data.add_task_history(self.name) return Action(data) else: if not isinstance(result, Action): raise TaskReturnActionInvalid() result.data.flatten(in_place=True) result.data.add_task_history(self.name) return result
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, store, signal, context, *, success_callback=None,\n stop_callback=None, abort_callback=None):\n if data is None:\n data = MultiTaskData()\n data.add_dataset(self._name)\n try:\n if self._callback_init is not None:\n self._callback_init(data, store, signal, context)\n result = self.run(data, store, signal, context)\n if self._callback_finally is not None:\n self._callback_finally(TaskStatus.Success, data, store, signal,\n context)\n if success_callback is not None:\n success_callback()\n except StopTask as err:\n if self._callback_finally is not None:\n self._callback_finally(TaskStatus.Stopped, data, store, signal,\n context)\n if stop_callback is not None:\n stop_callback(exc=err)\n result = Action(data, limit=[]) if err.skip_successors else None\n except AbortWorkflow as err:\n if self._callback_finally is not None:\n self._callback_finally(TaskStatus.Aborted, data, store, signal,\n context)\n if abort_callback is not None:\n abort_callback(exc=err)\n result = None\n signal.stop_workflow()\n except:\n if self._callback_finally is not None:\n self._callback_finally(TaskStatus.Error, data, store, signal,\n context)\n signal.stop_workflow()\n raise\n if result is None:\n data.flatten(in_place=True)\n data.add_task_history(self.name)\n return Action(data)\n else:\n if not isinstance(result, Action):\n raise TaskReturnActionInvalid()\n result.data.flatten(in_place=True)\n result.data.add_task_history(self.name)\n return result\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(latitude, longitude): if longitude >= 180 or longitude <= -180: raise ValueError if latitude >= 90 or latitude <= -90: raise ValueError longitude += 180 latitude += 90 locator = chr(ord('A') + int(longitude / 20)) locator += chr(ord('A') + int(latitude / 10)) locator += chr(ord('0') + int(longitude % 20 / 2)) locator += chr(ord('0') + int(latitude % 10)) locator += chr(ord('A') + int((longitude - int(longitude / 2) * 2) / (2 / 24))) locator += chr(ord('A') + int((latitude - int(latitude / 1) * 1) / (1 / 24))) return locator
latlong_to_locator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(latitude, longitude):\n if longitude >= 180 or longitude <= -180:\n raise ValueError\n if latitude >= 90 or latitude <= -90:\n raise ValueError\n longitude += 180\n latitude += 90\n locator = chr(ord('A') + int(longitude / 20))\n locator += chr(ord('A') + int(latitude / 10))\n locator += chr(ord('0') + int(longitude % 20 / 2))\n locator += chr(ord('0') + int(latitude % 10))\n locator += chr(ord('A') + int((longitude - int(longitude / 2) * 2) / (2 /\n 24)))\n locator += chr(ord('A') + int((latitude - int(latitude / 1) * 1) / (1 /\n 24)))\n return locator\n", "role": "user" }, { "content": "latlong_to_locator", "role": "assistant" } ]
def x(locator): locator = locator.upper() if len(locator) == 5 or len(locator) < 4: raise ValueError if ord(locator[0]) > ord('R') or ord(locator[0]) < ord('A'): raise ValueError if ord(locator[1]) > ord('R') or ord(locator[1]) < ord('A'): raise ValueError if ord(locator[2]) > ord('9') or ord(locator[2]) < ord('0'): raise ValueError if ord(locator[3]) > ord('9') or ord(locator[3]) < ord('0'): raise ValueError if len(locator) == 6: if ord(locator[4]) > ord('X') or ord(locator[4]) < ord('A'): raise ValueError if ord(locator[5]) > ord('X') or ord(locator[5]) < ord('A'): raise ValueError longitude = (ord(locator[0]) - ord('A')) * 20 - 180 latitude = (ord(locator[1]) - ord('A')) * 10 - 90 longitude += (ord(locator[2]) - ord('0')) * 2 latitude += ord(locator[3]) - ord('0') if len(locator) == 6: longitude += (ord(locator[4]) - ord('A')) * (2 / 24) latitude += (ord(locator[5]) - ord('A')) * (1 / 24) longitude += 1 / 24 latitude += 0.5 / 24 else: longitude += 1 latitude += 0.5 return latitude, longitude
locator_to_latlong
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(locator):\n locator = locator.upper()\n if len(locator) == 5 or len(locator) < 4:\n raise ValueError\n if ord(locator[0]) > ord('R') or ord(locator[0]) < ord('A'):\n raise ValueError\n if ord(locator[1]) > ord('R') or ord(locator[1]) < ord('A'):\n raise ValueError\n if ord(locator[2]) > ord('9') or ord(locator[2]) < ord('0'):\n raise ValueError\n if ord(locator[3]) > ord('9') or ord(locator[3]) < ord('0'):\n raise ValueError\n if len(locator) == 6:\n if ord(locator[4]) > ord('X') or ord(locator[4]) < ord('A'):\n raise ValueError\n if ord(locator[5]) > ord('X') or ord(locator[5]) < ord('A'):\n raise ValueError\n longitude = (ord(locator[0]) - ord('A')) * 20 - 180\n latitude = (ord(locator[1]) - ord('A')) * 10 - 90\n longitude += (ord(locator[2]) - ord('0')) * 2\n latitude += ord(locator[3]) - ord('0')\n if len(locator) == 6:\n longitude += (ord(locator[4]) - ord('A')) * (2 / 24)\n latitude += (ord(locator[5]) - ord('A')) * (1 / 24)\n longitude += 1 / 24\n latitude += 0.5 / 24\n else:\n longitude += 1\n latitude += 0.5\n return latitude, longitude\n", "role": "user" }, { "content": "locator_to_latlong", "role": "assistant" } ]
def x(locator1, locator2): R = 6371 lat1, long1 = locator_to_latlong(locator1) lat2, long2 = locator_to_latlong(locator2) d_lat = radians(lat2) - radians(lat1) d_long = radians(long2) - radians(long1) r_lat1 = radians(lat1) r_long1 = radians(long1) r_lat2 = radians(lat2) r_long2 = radians(long2) a = sin(d_lat / 2) * sin(d_lat / 2) + cos(r_lat1) * cos(r_lat2) * sin( d_long / 2) * sin(d_long / 2) c = 2 * atan2(sqrt(a), sqrt(1 - a)) d = R * c return d
calculate_distance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(locator1, locator2):\n R = 6371\n lat1, long1 = locator_to_latlong(locator1)\n lat2, long2 = locator_to_latlong(locator2)\n d_lat = radians(lat2) - radians(lat1)\n d_long = radians(long2) - radians(long1)\n r_lat1 = radians(lat1)\n r_long1 = radians(long1)\n r_lat2 = radians(lat2)\n r_long2 = radians(long2)\n a = sin(d_lat / 2) * sin(d_lat / 2) + cos(r_lat1) * cos(r_lat2) * sin(\n d_long / 2) * sin(d_long / 2)\n c = 2 * atan2(sqrt(a), sqrt(1 - a))\n d = R * c\n return d\n", "role": "user" }, { "content": "calculate_distance", "role": "assistant" } ]
def x(locator1, locator2): c = 40008 sp = calculate_distance(locator1, locator2) return c - sp
calculate_distance_longpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(locator1, locator2):\n c = 40008\n sp = calculate_distance(locator1, locator2)\n return c - sp\n", "role": "user" }, { "content": "calculate_distance_longpath", "role": "assistant" } ]
def x(locator1, locator2): lat1, long1 = locator_to_latlong(locator1) lat2, long2 = locator_to_latlong(locator2) r_lat1 = radians(lat1) r_lon1 = radians(long1) r_lat2 = radians(lat2) r_lon2 = radians(long2) d_lon = radians(long2 - long1) b = atan2(sin(d_lon) * cos(r_lat2), cos(r_lat1) * sin(r_lat2) - sin( r_lat1) * cos(r_lat2) * cos(d_lon)) bd = degrees(b) br, bn = divmod(bd + 360, 360) return bn
calculate_heading
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(locator1, locator2):\n lat1, long1 = locator_to_latlong(locator1)\n lat2, long2 = locator_to_latlong(locator2)\n r_lat1 = radians(lat1)\n r_lon1 = radians(long1)\n r_lat2 = radians(lat2)\n r_lon2 = radians(long2)\n d_lon = radians(long2 - long1)\n b = atan2(sin(d_lon) * cos(r_lat2), cos(r_lat1) * sin(r_lat2) - sin(\n r_lat1) * cos(r_lat2) * cos(d_lon))\n bd = degrees(b)\n br, bn = divmod(bd + 360, 360)\n return bn\n", "role": "user" }, { "content": "calculate_heading", "role": "assistant" } ]
def x(locator1, locator2): heading = calculate_heading(locator1, locator2) lp = (heading + 180) % 360 return lp
calculate_heading_longpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(locator1, locator2):\n heading = calculate_heading(locator1, locator2)\n lp = (heading + 180) % 360\n return lp\n", "role": "user" }, { "content": "calculate_heading_longpath", "role": "assistant" } ]
def x(locator, calc_date=datetime.utcnow()): morning_dawn = None sunrise = None evening_dawn = None sunset = None latitude, longitude = locator_to_latlong(locator) if type(calc_date) != datetime: raise ValueError sun = ephem.Sun() home = ephem.Observer() home.lat = str(latitude) home.long = str(longitude) home.date = calc_date sun.compute(home) try: nextrise = home.next_rising(sun) nextset = home.next_setting(sun) home.horizon = '-6' beg_twilight = home.next_rising(sun, use_center=True) end_twilight = home.next_setting(sun, use_center=True) morning_dawn = beg_twilight.datetime() sunrise = nextrise.datetime() evening_dawn = nextset.datetime() sunset = end_twilight.datetime() except ephem.AlwaysUpError as e: morning_dawn = None sunrise = None evening_dawn = None sunset = None except ephem.NeverUpError as e: morning_dawn = None sunrise = None evening_dawn = None sunset = None result = {} result['morning_dawn'] = morning_dawn result['sunrise'] = sunrise result['evening_dawn'] = evening_dawn result['sunset'] = sunset if morning_dawn: result['morning_dawn'] = morning_dawn.replace(tzinfo=UTC) if sunrise: result['sunrise'] = sunrise.replace(tzinfo=UTC) if evening_dawn: result['evening_dawn'] = evening_dawn.replace(tzinfo=UTC) if sunset: result['sunset'] = sunset.replace(tzinfo=UTC) return result
calculate_sunrise_sunset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(locator, calc_date=datetime.utcnow()):\n morning_dawn = None\n sunrise = None\n evening_dawn = None\n sunset = None\n latitude, longitude = locator_to_latlong(locator)\n if type(calc_date) != datetime:\n raise ValueError\n sun = ephem.Sun()\n home = ephem.Observer()\n home.lat = str(latitude)\n home.long = str(longitude)\n home.date = calc_date\n sun.compute(home)\n try:\n nextrise = home.next_rising(sun)\n nextset = home.next_setting(sun)\n home.horizon = '-6'\n beg_twilight = home.next_rising(sun, use_center=True)\n end_twilight = home.next_setting(sun, use_center=True)\n morning_dawn = beg_twilight.datetime()\n sunrise = nextrise.datetime()\n evening_dawn = nextset.datetime()\n sunset = end_twilight.datetime()\n except ephem.AlwaysUpError as e:\n morning_dawn = None\n sunrise = None\n evening_dawn = None\n sunset = None\n except ephem.NeverUpError as e:\n morning_dawn = None\n sunrise = None\n evening_dawn = None\n sunset = None\n result = {}\n result['morning_dawn'] = morning_dawn\n result['sunrise'] = sunrise\n result['evening_dawn'] = evening_dawn\n result['sunset'] = sunset\n if morning_dawn:\n result['morning_dawn'] = morning_dawn.replace(tzinfo=UTC)\n if sunrise:\n result['sunrise'] = sunrise.replace(tzinfo=UTC)\n if evening_dawn:\n result['evening_dawn'] = evening_dawn.replace(tzinfo=UTC)\n if sunset:\n result['sunset'] = sunset.replace(tzinfo=UTC)\n return result\n", "role": "user" }, { "content": "calculate_sunrise_sunset", "role": "assistant" } ]
def x(obj, dumper=cloudpickle.dumps): return dumper(obj, protocol=serialization.pickle_protocol)
cloudpickle_dumps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, dumper=cloudpickle.dumps):\n return dumper(obj, protocol=serialization.pickle_protocol)\n", "role": "user" }, { "content": "cloudpickle_dumps", "role": "assistant" } ]
def x(): registry = serialization.registry serialization.pickle = cloudpickle registry.unregister('pickle') registry.register('pickle', cloudpickle_dumps, cloudpickle_loads, content_type='application/x-python-serialize', content_encoding= 'binary') import celery.worker as worker import celery.concurrency.asynpool as asynpool worker.state.pickle = cloudpickle asynpool._pickle = cloudpickle import billiard.common billiard.common.pickle = cloudpickle billiard.common.pickle_dumps = cloudpickle_dumps billiard.common.pickle_loads = cloudpickle_loads
patch_celery
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n registry = serialization.registry\n serialization.pickle = cloudpickle\n registry.unregister('pickle')\n registry.register('pickle', cloudpickle_dumps, cloudpickle_loads,\n content_type='application/x-python-serialize', content_encoding=\n 'binary')\n import celery.worker as worker\n import celery.concurrency.asynpool as asynpool\n worker.state.pickle = cloudpickle\n asynpool._pickle = cloudpickle\n import billiard.common\n billiard.common.pickle = cloudpickle\n billiard.common.pickle_dumps = cloudpickle_dumps\n billiard.common.pickle_loads = cloudpickle_loads\n", "role": "user" }, { "content": "patch_celery", "role": "assistant" } ]
def x(self): self._connection = StrictRedis(host=self._host, port=self._port, db= self._database, password=self._password)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._connection = StrictRedis(host=self._host, port=self._port, db=\n self._database, password=self._password)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): pickled_request = self._connection.connection.lpop(self._request_key) return pickle.loads(pickled_request ) if pickled_request is not None else None
receive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pickled_request = self._connection.connection.lpop(self._request_key)\n return pickle.loads(pickled_request\n ) if pickled_request is not None else None\n", "role": "user" }, { "content": "receive", "role": "assistant" } ]
def x(self, response): self._connection.connection.set('{}:{}'.format(SIGNAL_REDIS_PREFIX, response.uid), pickle.dumps(response))
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n self._connection.connection.set('{}:{}'.format(SIGNAL_REDIS_PREFIX,\n response.uid), pickle.dumps(response))\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self, request): self._connection.connection.rpush(self._request_key, pickle.dumps(request))
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n self._connection.connection.rpush(self._request_key, pickle.dumps(request))\n", "role": "user" }, { "content": "restore", "role": "assistant" } ]
def x(self, request): self._connection.connection.rpush(self._request_key, pickle.dumps(request)) resp_key = '{}:{}'.format(SIGNAL_REDIS_PREFIX, request.uid) while True: if self._connection.polling_time > 0.0: sleep(self._connection.polling_time) response_data = self._connection.connection.get(resp_key) if response_data is not None: self._connection.connection.delete(resp_key) break return pickle.loads(response_data)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n self._connection.connection.rpush(self._request_key, pickle.dumps(request))\n resp_key = '{}:{}'.format(SIGNAL_REDIS_PREFIX, request.uid)\n while True:\n if self._connection.polling_time > 0.0:\n sleep(self._connection.polling_time)\n response_data = self._connection.connection.get(resp_key)\n if response_data is not None:\n self._connection.connection.delete(resp_key)\n break\n return pickle.loads(response_data)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(pattern): regex = re.compile('^!?[a-zA-Z]+$|[*]{1,2}$') def x(__pattern__): if not __pattern__: return False elif __pattern__[0] == '!': return __verify_pattern__(__pattern__[1:]) elif __pattern__[0] == '[' and __pattern__[-1] == ']': return all(__verify_pattern__(p) for p in __pattern__[1:-1]. split(',')) else: return regex.match(__pattern__) return all(__verify_pattern__(p) for p in pattern.split('/'))
verify_pattern
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern):\n regex = re.compile('^!?[a-zA-Z]+$|[*]{1,2}$')\n\n def x(__pattern__):\n if not __pattern__:\n return False\n elif __pattern__[0] == '!':\n return __verify_pattern__(__pattern__[1:])\n elif __pattern__[0] == '[' and __pattern__[-1] == ']':\n return all(__verify_pattern__(p) for p in __pattern__[1:-1].\n split(','))\n else:\n return regex.match(__pattern__)\n return all(__verify_pattern__(p) for p in pattern.split('/'))\n", "role": "user" }, { "content": "verify_pattern", "role": "assistant" } ]
def x(sent, token_attr): def x(token, attr): print('{', end=' ') [__print_sent__(t, attr) for t in token.lefts] print(u'%s->%s(%s)' % (token, token.dep_, token.tag_ if not attr else getattr(token, attr)), end='') [__print_sent__(t, attr) for t in token.rights] print('}', end=' ') return __print_sent__(sent.root, token_attr)
print_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sent, token_attr):\n\n def x(token, attr):\n print('{', end=' ')\n [__print_sent__(t, attr) for t in token.lefts]\n print(u'%s->%s(%s)' % (token, token.dep_, token.tag_ if not attr else\n getattr(token, attr)), end='')\n [__print_sent__(t, attr) for t in token.rights]\n print('}', end=' ')\n return __print_sent__(sent.root, token_attr)\n", "role": "user" }, { "content": "print_tree", "role": "assistant" } ]
def x(sentence, pattern): if not verify_pattern(pattern): raise PatternSyntaxException(pattern) def x(t, p): pat_node = p.pop(0) if p else '' return not pat_node or _match_token(t, pat_node, False ) and _match_edge(t.children, p) def x(edges, p): pat_edge = p.pop(0) if p else '' if not pat_edge: return True elif not edges: return False else: for t in edges: if _match_token(t, pat_edge, True) and _match_node(t, list(p)): return True elif pat_edge == '**' and _match_edge(t.children, ['**'] + p): return True return False return _match_node(sentence.root, pattern.split('/'))
match_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, pattern):\n if not verify_pattern(pattern):\n raise PatternSyntaxException(pattern)\n\n def x(t, p):\n pat_node = p.pop(0) if p else ''\n return not pat_node or _match_token(t, pat_node, False\n ) and _match_edge(t.children, p)\n\n def x(edges, p):\n pat_edge = p.pop(0) if p else ''\n if not pat_edge:\n return True\n elif not edges:\n return False\n else:\n for t in edges:\n if _match_token(t, pat_edge, True) and _match_node(t, list(p)):\n return True\n elif pat_edge == '**' and _match_edge(t.children, ['**'] + p):\n return True\n return False\n return _match_node(sentence.root, pattern.split('/'))\n", "role": "user" }, { "content": "match_tree", "role": "assistant" } ]
def x(sentence, pattern): if not verify_pattern(pattern): raise PatternSyntaxException(pattern) def x(t, p, tokens): pat_node = p.pop(0) if p else '' res = not pat_node or _match_token(t, pat_node, False) and (not p or _match_edge(t.children, p, tokens)) if res and not p: tokens.append(t) return res def x(edges, p, tokens): pat_edge = p.pop(0) if p else '' if pat_edge: for t in edges: if _match_token(t, pat_edge, True): _match_node(t, list(p), tokens) if pat_edge == '**': _match_edge(t.children, ['**'] + p, tokens) result_tokens = [] _match_node(sentence.root, pattern.split('/'), result_tokens) return result_tokens
find_tokens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sentence, pattern):\n if not verify_pattern(pattern):\n raise PatternSyntaxException(pattern)\n\n def x(t, p, tokens):\n pat_node = p.pop(0) if p else ''\n res = not pat_node or _match_token(t, pat_node, False) and (not p or\n _match_edge(t.children, p, tokens))\n if res and not p:\n tokens.append(t)\n return res\n\n def x(edges, p, tokens):\n pat_edge = p.pop(0) if p else ''\n if pat_edge:\n for t in edges:\n if _match_token(t, pat_edge, True):\n _match_node(t, list(p), tokens)\n if pat_edge == '**':\n _match_edge(t.children, ['**'] + p, tokens)\n result_tokens = []\n _match_node(sentence.root, pattern.split('/'), result_tokens)\n return result_tokens\n", "role": "user" }, { "content": "find_tokens", "role": "assistant" } ]
def x(s, delimter, trim=True, limit=0): ret = [] special1 = ['(', ')', '[', ']', '{', '}'] special2 = ["'", '"'] special3 = '\\' flags1 = [0, 0, 0] flags2 = [False, False] flags3 = False start = 0 nlim = 0 for i, c in enumerate(s): if c == special3: flags3 = not flags3 elif not flags3: if c in special1: index = special1.index(c) if index % 2 == 0: flags1[int(index / 2)] += 1 else: flags1[int(index / 2)] -= 1 elif c in special2: index = special2.index(c) flags2[index] = not flags2[index] elif c == delimter and not any(flags1) and not any(flags2): r = s[start:i] if trim: r = r.strip() ret.append(r) start = i + 1 nlim = nlim + 1 if limit and nlim >= limit: break else: flags3 = False r = s[start:] if trim: r = r.strip() ret.append(r) return ret
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, delimter, trim=True, limit=0):\n ret = []\n special1 = ['(', ')', '[', ']', '{', '}']\n special2 = [\"'\", '\"']\n special3 = '\\\\'\n flags1 = [0, 0, 0]\n flags2 = [False, False]\n flags3 = False\n start = 0\n nlim = 0\n for i, c in enumerate(s):\n if c == special3:\n flags3 = not flags3\n elif not flags3:\n if c in special1:\n index = special1.index(c)\n if index % 2 == 0:\n flags1[int(index / 2)] += 1\n else:\n flags1[int(index / 2)] -= 1\n elif c in special2:\n index = special2.index(c)\n flags2[index] = not flags2[index]\n elif c == delimter and not any(flags1) and not any(flags2):\n r = s[start:i]\n if trim:\n r = r.strip()\n ret.append(r)\n start = i + 1\n nlim = nlim + 1\n if limit and nlim >= limit:\n break\n else:\n flags3 = False\n r = s[start:]\n if trim:\n r = r.strip()\n ret.append(r)\n return ret\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, **context): localns = self.envs.copy() localns.update(context) try: exec(str(self.code), None, localns) return localns[Liquid.COMPLIED_RENDERED_STR] except Exception: stacks = list(reversed(traceback.format_exc().splitlines())) for stack in stacks: stack = stack.strip() if stack.startswith('File "<string>"'): lineno = int(stack.split(', ')[1].split()[-1]) source = [] if 'NameError:' in stacks[0]: source.append('Do you forget to provide the data?') import math source.append( '\nCompiled source (use debug mode to see full source):') source.append( '---------------------------------------------------') nlines = len(self.code.codes) nbit = int(math.log(nlines, 10)) + 3 for i, line in enumerate(self.code.codes): if i - 7 > lineno or i + 9 < lineno: continue if i + 1 != lineno: source.append(' ' + (str(i + 1) + '.').ljust(nbit) + str(line).rstrip()) else: source.append('* ' + (str(i + 1) + '.').ljust(nbit) + str(line).rstrip()) raise LiquidRenderError(stacks[0], repr(self.code.codes[ lineno - 1]) + '\n' + '\n'.join(source) + """ PREVIOUS EXCEPTION: ------------------ """ + '\n'. join(stacks) + '\n' + """ CONTEXT: ------------------ """ + '\n'.join(' ' + key + ': ' + str(val) for key, val in localns.items() if not key.startswith('_liquid_') and not key.startswith( '__')) + '\n') raise
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **context):\n localns = self.envs.copy()\n localns.update(context)\n try:\n exec(str(self.code), None, localns)\n return localns[Liquid.COMPLIED_RENDERED_STR]\n except Exception:\n stacks = list(reversed(traceback.format_exc().splitlines()))\n for stack in stacks:\n stack = stack.strip()\n if stack.startswith('File \"<string>\"'):\n lineno = int(stack.split(', ')[1].split()[-1])\n source = []\n if 'NameError:' in stacks[0]:\n source.append('Do you forget to provide the data?')\n import math\n source.append(\n '\\nCompiled source (use debug mode to see full source):')\n source.append(\n '---------------------------------------------------')\n nlines = len(self.code.codes)\n nbit = int(math.log(nlines, 10)) + 3\n for i, line in enumerate(self.code.codes):\n if i - 7 > lineno or i + 9 < lineno:\n continue\n if i + 1 != lineno:\n source.append(' ' + (str(i + 1) + '.').ljust(nbit) +\n str(line).rstrip())\n else:\n source.append('* ' + (str(i + 1) + '.').ljust(nbit) +\n str(line).rstrip())\n raise LiquidRenderError(stacks[0], repr(self.code.codes[\n lineno - 1]) + '\\n' + '\\n'.join(source) +\n \"\"\"\n\nPREVIOUS EXCEPTION:\n------------------\n\"\"\" + '\\n'.\n join(stacks) + '\\n' +\n \"\"\"\nCONTEXT:\n------------------\n\"\"\" + '\\n'.join(' ' +\n key + ': ' + str(val) for key, val in localns.items() if\n not key.startswith('_liquid_') and not key.startswith(\n '__')) + '\\n')\n raise\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(self, line): if not isinstance(line, LiquidLine): line = LiquidLine(line) line.ndent = self.ndent self.codes.append(line)
addLine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n if not isinstance(line, LiquidLine):\n line = LiquidLine(line)\n line.ndent = self.ndent\n self.codes.append(line)\n", "role": "user" }, { "content": "addLine", "role": "assistant" } ]
def x(self, lvl=None): if not lvl: return self._lvl self._lvl = self._parse_level(lvl) self.stream.setLevel(self._lvl) logging.root.setLevel(self._lvl)
level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lvl=None):\n if not lvl:\n return self._lvl\n self._lvl = self._parse_level(lvl)\n self.stream.setLevel(self._lvl)\n logging.root.setLevel(self._lvl)\n", "role": "user" }, { "content": "level", "role": "assistant" } ]
def x(currency: str) ->Decimal: from .models import ConversionRate try: rate = ConversionRate.objects.get_rate(currency) except ConversionRate.DoesNotExist: raise ValueError('No conversion rate for %s' % (currency,)) return rate.rate
get_rate_from_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(currency: str) ->Decimal:\n from .models import ConversionRate\n try:\n rate = ConversionRate.objects.get_rate(currency)\n except ConversionRate.DoesNotExist:\n raise ValueError('No conversion rate for %s' % (currency,))\n return rate.rate\n", "role": "user" }, { "content": "get_rate_from_db", "role": "assistant" } ]
def x(from_currency: str, to_currency: str) ->Decimal: reverse_rate = False if to_currency == BASE_CURRENCY: rate_currency = from_currency reverse_rate = True else: rate_currency = to_currency rate = get_rate_from_db(rate_currency) if reverse_rate: conversion_rate = Decimal(1) / rate else: conversion_rate = rate return conversion_rate
get_conversion_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(from_currency: str, to_currency: str) ->Decimal:\n reverse_rate = False\n if to_currency == BASE_CURRENCY:\n rate_currency = from_currency\n reverse_rate = True\n else:\n rate_currency = to_currency\n rate = get_rate_from_db(rate_currency)\n if reverse_rate:\n conversion_rate = Decimal(1) / rate\n else:\n conversion_rate = rate\n return conversion_rate\n", "role": "user" }, { "content": "get_conversion_rate", "role": "assistant" } ]
def x(base: T, to_currency: str, *, conversion_rate: Decimal=None) ->T: if base.currency == to_currency: return base if base.currency != BASE_CURRENCY and to_currency != BASE_CURRENCY: base = exchange_currency(base, BASE_CURRENCY) if conversion_rate is None: conversion_rate = get_conversion_rate(base.currency, to_currency) if isinstance(base, Money): return Money(base.amount * conversion_rate, currency=to_currency) if isinstance(base, MoneyRange): return MoneyRange(exchange_currency(base.start, to_currency, conversion_rate=conversion_rate), exchange_currency(base.stop, to_currency, conversion_rate=conversion_rate)) if isinstance(base, TaxedMoney): return TaxedMoney(exchange_currency(base.net, to_currency, conversion_rate=conversion_rate), exchange_currency(base.gross, to_currency, conversion_rate=conversion_rate)) if isinstance(base, TaxedMoneyRange): return TaxedMoneyRange(exchange_currency(base.start, to_currency, conversion_rate=conversion_rate), exchange_currency(base.stop, to_currency, conversion_rate=conversion_rate)) raise TypeError('Unknown base for exchange_currency: %r' % (base,))
exchange_currency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(base: T, to_currency: str, *, conversion_rate: Decimal=None) ->T:\n if base.currency == to_currency:\n return base\n if base.currency != BASE_CURRENCY and to_currency != BASE_CURRENCY:\n base = exchange_currency(base, BASE_CURRENCY)\n if conversion_rate is None:\n conversion_rate = get_conversion_rate(base.currency, to_currency)\n if isinstance(base, Money):\n return Money(base.amount * conversion_rate, currency=to_currency)\n if isinstance(base, MoneyRange):\n return MoneyRange(exchange_currency(base.start, to_currency,\n conversion_rate=conversion_rate), exchange_currency(base.stop,\n to_currency, conversion_rate=conversion_rate))\n if isinstance(base, TaxedMoney):\n return TaxedMoney(exchange_currency(base.net, to_currency,\n conversion_rate=conversion_rate), exchange_currency(base.gross,\n to_currency, conversion_rate=conversion_rate))\n if isinstance(base, TaxedMoneyRange):\n return TaxedMoneyRange(exchange_currency(base.start, to_currency,\n conversion_rate=conversion_rate), exchange_currency(base.stop,\n to_currency, conversion_rate=conversion_rate))\n raise TypeError('Unknown base for exchange_currency: %r' % (base,))\n", "role": "user" }, { "content": "exchange_currency", "role": "assistant" } ]
def x(location_name, preserve_commas=False): def x(match): if preserve_commas and ',' in match.group(0): return ',' return ' ' return NORMALIZATION_RE.sub(replace, location_name).strip().lower()
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location_name, preserve_commas=False):\n\n def x(match):\n if preserve_commas and ',' in match.group(0):\n return ','\n return ' '\n return NORMALIZATION_RE.sub(replace, location_name).strip().lower()\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, months=None, avg_stats=True, percentile=50): if months is None: months = [np.arange(12) + 1] self.precip.months = months self.precip.stats = melodist.build_casc(self.data, months=months, avg_stats=avg_stats, percentile=percentile)
calc_precipitation_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, months=None, avg_stats=True, percentile=50):\n if months is None:\n months = [np.arange(12) + 1]\n self.precip.months = months\n self.precip.stats = melodist.build_casc(self.data, months=months,\n avg_stats=avg_stats, percentile=percentile)\n", "role": "user" }, { "content": "calc_precipitation_stats", "role": "assistant" } ]
def x(self): a, b, t_shift = melodist.fit_cosine_function(self.data.wind) self.wind.update(a=a, b=b, t_shift=t_shift)
calc_wind_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n a, b, t_shift = melodist.fit_cosine_function(self.data.wind)\n self.wind.update(a=a, b=b, t_shift=t_shift)\n", "role": "user" }, { "content": "calc_wind_stats", "role": "assistant" } ]
def x(self): a1, a0 = melodist.calculate_dewpoint_regression(self.data, return_stats =False) self.hum.update(a0=a0, a1=a1) self.hum.kr = 12 self.hum.month_hour_precip_mean = (melodist. calculate_month_hour_precip_mean(self.data))
calc_humidity_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n a1, a0 = melodist.calculate_dewpoint_regression(self.data, return_stats\n =False)\n self.hum.update(a0=a0, a1=a1)\n self.hum.kr = 12\n self.hum.month_hour_precip_mean = (melodist.\n calculate_month_hour_precip_mean(self.data))\n", "role": "user" }, { "content": "calc_humidity_stats", "role": "assistant" } ]
def x(self): self.temp.max_delta = melodist.get_shift_by_data(self.data.temp, self. _lon, self._lat, self._timezone) self.temp.mean_course = melodist.util.calculate_mean_daily_course_by_month( self.data.temp, normalize=True)
calc_temperature_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.temp.max_delta = melodist.get_shift_by_data(self.data.temp, self.\n _lon, self._lat, self._timezone)\n self.temp.mean_course = melodist.util.calculate_mean_daily_course_by_month(\n self.data.temp, normalize=True)\n", "role": "user" }, { "content": "calc_temperature_stats", "role": "assistant" } ]
def x(self, data_daily=None, day_length=None, how='all'): assert how in ('all', 'seasonal', 'monthly') self.glob.mean_course = melodist.util.calculate_mean_daily_course_by_month( self.data.glob) if data_daily is not None: pot_rad = melodist.potential_radiation(melodist.util.hourly_index( data_daily.index), self._lon, self._lat, self._timezone) pot_rad_daily = pot_rad.resample('D').mean() obs_rad_daily = self.data.glob.resample('D').mean() if how == 'all': month_ranges = [np.arange(12) + 1] elif how == 'seasonal': month_ranges = [[3, 4, 5], [6, 7, 8], [9, 10, 11], [12, 1, 2]] elif how == 'monthly': month_ranges = zip(np.arange(12) + 1) def x(s, v): return pd.Series(s).isin(v).values def x(s, months): return s[myisin(s.index.month, months)] if 'ssd' in data_daily and day_length is not None: for months in month_ranges: a, b = melodist.fit_angstroem_params(extract_months( data_daily.ssd, months), extract_months(day_length, months), extract_months(pot_rad_daily, months), extract_months(obs_rad_daily, months)) for month in months: self.glob.angstroem.loc[month] = a, b if 'tmin' in data_daily and 'tmax' in data_daily: df = pd.DataFrame(data=dict(tmin=data_daily.tmin, tmax= data_daily.tmax, pot_rad=pot_rad_daily, obs_rad=obs_rad_daily) ).dropna(how='any') for months in month_ranges: a, c = melodist.fit_bristow_campbell_params(extract_months( df.tmin, months), extract_months(df.tmax, months), extract_months(df.pot_rad, months), extract_months(df. obs_rad, months)) for month in months: self.glob.bristcamp.loc[month] = a, c
calc_radiation_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_daily=None, day_length=None, how='all'):\n assert how in ('all', 'seasonal', 'monthly')\n self.glob.mean_course = melodist.util.calculate_mean_daily_course_by_month(\n self.data.glob)\n if data_daily is not None:\n pot_rad = melodist.potential_radiation(melodist.util.hourly_index(\n data_daily.index), self._lon, self._lat, self._timezone)\n pot_rad_daily = pot_rad.resample('D').mean()\n obs_rad_daily = self.data.glob.resample('D').mean()\n if how == 'all':\n month_ranges = [np.arange(12) + 1]\n elif how == 'seasonal':\n month_ranges = [[3, 4, 5], [6, 7, 8], [9, 10, 11], [12, 1, 2]]\n elif how == 'monthly':\n month_ranges = zip(np.arange(12) + 1)\n\n def x(s, v):\n return pd.Series(s).isin(v).values\n\n def x(s, months):\n return s[myisin(s.index.month, months)]\n if 'ssd' in data_daily and day_length is not None:\n for months in month_ranges:\n a, b = melodist.fit_angstroem_params(extract_months(\n data_daily.ssd, months), extract_months(day_length,\n months), extract_months(pot_rad_daily, months),\n extract_months(obs_rad_daily, months))\n for month in months:\n self.glob.angstroem.loc[month] = a, b\n if 'tmin' in data_daily and 'tmax' in data_daily:\n df = pd.DataFrame(data=dict(tmin=data_daily.tmin, tmax=\n data_daily.tmax, pot_rad=pot_rad_daily, obs_rad=obs_rad_daily)\n ).dropna(how='any')\n for months in month_ranges:\n a, c = melodist.fit_bristow_campbell_params(extract_months(\n df.tmin, months), extract_months(df.tmax, months),\n extract_months(df.pot_rad, months), extract_months(df.\n obs_rad, months))\n for month in months:\n self.glob.bristcamp.loc[month] = a, c\n", "role": "user" }, { "content": "calc_radiation_stats", "role": "assistant" } ]
def x(self, filename=None): def x(obj): if isinstance(obj, pd.DataFrame) or isinstance(obj, pd.Series): if isinstance(obj.index, pd.core.index.MultiIndex): obj = obj.reset_index() return json.loads(obj.to_json(date_format='iso')) elif isinstance(obj, melodist.cascade.CascadeStatistics): return obj.__dict__ elif isinstance(obj, np.ndarray): return obj.tolist() else: raise TypeError('%s not supported' % type(obj)) d = dict(temp=self.temp, wind=self.wind, precip=self.precip, hum=self. hum, glob=self.glob) j = json.dumps(d, default=json_encoder, indent=4) if filename is None: return j else: with open(filename, 'w') as f: f.write(j)
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n\n def x(obj):\n if isinstance(obj, pd.DataFrame) or isinstance(obj, pd.Series):\n if isinstance(obj.index, pd.core.index.MultiIndex):\n obj = obj.reset_index()\n return json.loads(obj.to_json(date_format='iso'))\n elif isinstance(obj, melodist.cascade.CascadeStatistics):\n return obj.__dict__\n elif isinstance(obj, np.ndarray):\n return obj.tolist()\n else:\n raise TypeError('%s not supported' % type(obj))\n d = dict(temp=self.temp, wind=self.wind, precip=self.precip, hum=self.\n hum, glob=self.glob)\n j = json.dumps(d, default=json_encoder, indent=4)\n if filename is None:\n return j\n else:\n with open(filename, 'w') as f:\n f.write(j)\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(cls, filename): def x(d): if 'p01' in d and 'pxx' in d: return melodist.cascade.CascadeStatistics.from_dict(d) return d with open(filename) as f: d = json.load(f, object_hook=json_decoder) stats = cls() stats.temp.update(d['temp']) stats.hum.update(d['hum']) stats.precip.update(d['precip']) stats.wind.update(d['wind']) stats.glob.update(d['glob']) if stats.temp.max_delta is not None: stats.temp.max_delta = pd.read_json(json.dumps(stats.temp.max_delta ), typ='series').sort_index() if stats.temp.mean_course is not None: mc = pd.read_json(json.dumps(stats.temp.mean_course), typ='frame' ).sort_index()[np.arange(1, 12 + 1)] stats.temp.mean_course = mc.sort_index()[np.arange(1, 12 + 1)] if stats.hum.month_hour_precip_mean is not None: mhpm = pd.read_json(json.dumps(stats.hum.month_hour_precip_mean), typ='frame').sort_index() mhpm = mhpm.set_index(['level_0', 'level_1', 'level_2']) mhpm = mhpm.squeeze() mhpm = mhpm.rename_axis([None, None, None]) stats.hum.month_hour_precip_mean = mhpm for var in ('angstroem', 'bristcamp', 'mean_course'): if stats.glob[var] is not None: stats.glob[var] = pd.read_json(json.dumps(stats.glob[var]) ).sort_index() if stats.glob.mean_course is not None: stats.glob.mean_course = stats.glob.mean_course[np.arange(1, 12 + 1)] return stats
from_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n\n def x(d):\n if 'p01' in d and 'pxx' in d:\n return melodist.cascade.CascadeStatistics.from_dict(d)\n return d\n with open(filename) as f:\n d = json.load(f, object_hook=json_decoder)\n stats = cls()\n stats.temp.update(d['temp'])\n stats.hum.update(d['hum'])\n stats.precip.update(d['precip'])\n stats.wind.update(d['wind'])\n stats.glob.update(d['glob'])\n if stats.temp.max_delta is not None:\n stats.temp.max_delta = pd.read_json(json.dumps(stats.temp.max_delta\n ), typ='series').sort_index()\n if stats.temp.mean_course is not None:\n mc = pd.read_json(json.dumps(stats.temp.mean_course), typ='frame'\n ).sort_index()[np.arange(1, 12 + 1)]\n stats.temp.mean_course = mc.sort_index()[np.arange(1, 12 + 1)]\n if stats.hum.month_hour_precip_mean is not None:\n mhpm = pd.read_json(json.dumps(stats.hum.month_hour_precip_mean),\n typ='frame').sort_index()\n mhpm = mhpm.set_index(['level_0', 'level_1', 'level_2'])\n mhpm = mhpm.squeeze()\n mhpm = mhpm.rename_axis([None, None, None])\n stats.hum.month_hour_precip_mean = mhpm\n for var in ('angstroem', 'bristcamp', 'mean_course'):\n if stats.glob[var] is not None:\n stats.glob[var] = pd.read_json(json.dumps(stats.glob[var])\n ).sort_index()\n if stats.glob.mean_course is not None:\n stats.glob.mean_course = stats.glob.mean_course[np.arange(1, 12 + 1)]\n return stats\n", "role": "user" }, { "content": "from_json", "role": "assistant" } ]
def x(data_daily, sun_times=None, pot_rad=None, method='pot_rad', angstr_a= 0.25, angstr_b=0.5, bristcamp_a=0.75, bristcamp_c=2.4, mean_course=None): if method not in ('pot_rad', 'pot_rad_via_ssd', 'pot_rad_via_bc', 'mean_course'): raise ValueError('Invalid option') glob_disagg = pd.Series(index=melodist.util.hourly_index(data_daily.index)) if method == 'mean_course': assert mean_course is not None pot_rad = pd.Series(index=glob_disagg.index) pot_rad[:] = mean_course.unstack().loc[list(zip(pot_rad.index.month, pot_rad.index.hour))].values else: assert pot_rad is not None pot_rad_daily = pot_rad.resample('D').mean() if method in ('pot_rad', 'mean_course'): globalrad = data_daily.glob elif method == 'pot_rad_via_ssd': globalrad = pd.Series(index=data_daily.index, data=0.0) dates = sun_times.index[sun_times.daylength > 0] globalrad[dates] = angstroem(data_daily.ssd[dates], sun_times. daylength[dates], pot_rad_daily[dates], angstr_a, angstr_b) elif method == 'pot_rad_via_bc': globalrad = bristow_campbell(data_daily.tmin, data_daily.tmax, pot_rad_daily, bristcamp_a, bristcamp_c) globalrad_equal = globalrad.reindex(pot_rad.index, method='ffill') pot_rad_daily_equal = pot_rad_daily.reindex(pot_rad.index, method='ffill') glob_disagg = pot_rad / pot_rad_daily_equal * globalrad_equal glob_disagg[glob_disagg < 0.01] = 0.0 return glob_disagg
disaggregate_radiation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_daily, sun_times=None, pot_rad=None, method='pot_rad', angstr_a=\n 0.25, angstr_b=0.5, bristcamp_a=0.75, bristcamp_c=2.4, mean_course=None):\n if method not in ('pot_rad', 'pot_rad_via_ssd', 'pot_rad_via_bc',\n 'mean_course'):\n raise ValueError('Invalid option')\n glob_disagg = pd.Series(index=melodist.util.hourly_index(data_daily.index))\n if method == 'mean_course':\n assert mean_course is not None\n pot_rad = pd.Series(index=glob_disagg.index)\n pot_rad[:] = mean_course.unstack().loc[list(zip(pot_rad.index.month,\n pot_rad.index.hour))].values\n else:\n assert pot_rad is not None\n pot_rad_daily = pot_rad.resample('D').mean()\n if method in ('pot_rad', 'mean_course'):\n globalrad = data_daily.glob\n elif method == 'pot_rad_via_ssd':\n globalrad = pd.Series(index=data_daily.index, data=0.0)\n dates = sun_times.index[sun_times.daylength > 0]\n globalrad[dates] = angstroem(data_daily.ssd[dates], sun_times.\n daylength[dates], pot_rad_daily[dates], angstr_a, angstr_b)\n elif method == 'pot_rad_via_bc':\n globalrad = bristow_campbell(data_daily.tmin, data_daily.tmax,\n pot_rad_daily, bristcamp_a, bristcamp_c)\n globalrad_equal = globalrad.reindex(pot_rad.index, method='ffill')\n pot_rad_daily_equal = pot_rad_daily.reindex(pot_rad.index, method='ffill')\n glob_disagg = pot_rad / pot_rad_daily_equal * globalrad_equal\n glob_disagg[glob_disagg < 0.01] = 0.0\n return glob_disagg\n", "role": "user" }, { "content": "disaggregate_radiation", "role": "assistant" } ]
def x(dates, lon, lat, timezone, terrain_slope=0, terrain_slope_azimuth=0, cloud_fraction=0, split=False): solar_constant = 1367.0 days_per_year = 365.25 tropic_of_cancer = np.deg2rad(23.43697) solstice = 173.0 dates = pd.DatetimeIndex(dates) dates_hour = np.array(dates.hour) dates_minute = np.array(dates.minute) day_of_year = np.array(dates.dayofyear) solar_decline = tropic_of_cancer * np.cos(2.0 * np.pi * (day_of_year - solstice) / days_per_year) standard_meridian = timezone * 15.0 delta_lat_time = (lon - standard_meridian) * 24.0 / 360.0 hour_angle = np.pi * ((dates_hour + dates_minute / 60.0 + delta_lat_time) / 12.0 - 1.0) cos_solar_zenith = np.sin(solar_decline) * np.sin(np.deg2rad(lat) ) + np.cos(solar_decline) * np.cos(np.deg2rad(lat)) * np.cos(hour_angle ) cos_solar_zenith = cos_solar_zenith.clip(min=0) solar_zenith_angle = np.arccos(cos_solar_zenith) transmissivity_direct = (0.6 + 0.2 * cos_solar_zenith) * (1.0 - cloud_fraction) transmissivity_diffuse = (0.3 + 0.1 * cos_solar_zenith) * cloud_fraction beta = 2.0 * np.pi * (day_of_year / days_per_year) radius_ratio = 1.00011 + 0.034221 * np.cos(beta) + 0.00128 * np.sin(beta ) + 0.000719 * np.cos(2.0 * beta) + 7.7e-05 * np.sin(2 * beta) solar_constant_times_radius_ratio = solar_constant * radius_ratio mu = np.arcsin(np.cos(solar_decline) * np.sin(hour_angle) / np.sin( solar_zenith_angle)) cosi = np.cos(terrain_slope) * cos_solar_zenith + np.sin(terrain_slope ) * np.sin(solar_zenith_angle) * np.cos(mu - terrain_slope_azimuth) direct_radiation = (solar_constant_times_radius_ratio * transmissivity_direct * cosi) diffuse_radiation = (solar_constant_times_radius_ratio * transmissivity_diffuse * cos_solar_zenith) direct_radiation = direct_radiation.clip(min=0) df = pd.DataFrame(index=dates, data=dict(direct=direct_radiation, diffuse=diffuse_radiation)) if split: return df else: return df.direct + df.diffuse
potential_radiation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dates, lon, lat, timezone, terrain_slope=0, terrain_slope_azimuth=0,\n cloud_fraction=0, split=False):\n solar_constant = 1367.0\n days_per_year = 365.25\n tropic_of_cancer = np.deg2rad(23.43697)\n solstice = 173.0\n dates = pd.DatetimeIndex(dates)\n dates_hour = np.array(dates.hour)\n dates_minute = np.array(dates.minute)\n day_of_year = np.array(dates.dayofyear)\n solar_decline = tropic_of_cancer * np.cos(2.0 * np.pi * (day_of_year -\n solstice) / days_per_year)\n standard_meridian = timezone * 15.0\n delta_lat_time = (lon - standard_meridian) * 24.0 / 360.0\n hour_angle = np.pi * ((dates_hour + dates_minute / 60.0 +\n delta_lat_time) / 12.0 - 1.0)\n cos_solar_zenith = np.sin(solar_decline) * np.sin(np.deg2rad(lat)\n ) + np.cos(solar_decline) * np.cos(np.deg2rad(lat)) * np.cos(hour_angle\n )\n cos_solar_zenith = cos_solar_zenith.clip(min=0)\n solar_zenith_angle = np.arccos(cos_solar_zenith)\n transmissivity_direct = (0.6 + 0.2 * cos_solar_zenith) * (1.0 -\n cloud_fraction)\n transmissivity_diffuse = (0.3 + 0.1 * cos_solar_zenith) * cloud_fraction\n beta = 2.0 * np.pi * (day_of_year / days_per_year)\n radius_ratio = 1.00011 + 0.034221 * np.cos(beta) + 0.00128 * np.sin(beta\n ) + 0.000719 * np.cos(2.0 * beta) + 7.7e-05 * np.sin(2 * beta)\n solar_constant_times_radius_ratio = solar_constant * radius_ratio\n mu = np.arcsin(np.cos(solar_decline) * np.sin(hour_angle) / np.sin(\n solar_zenith_angle))\n cosi = np.cos(terrain_slope) * cos_solar_zenith + np.sin(terrain_slope\n ) * np.sin(solar_zenith_angle) * np.cos(mu - terrain_slope_azimuth)\n direct_radiation = (solar_constant_times_radius_ratio *\n transmissivity_direct * cosi)\n diffuse_radiation = (solar_constant_times_radius_ratio *\n transmissivity_diffuse * cos_solar_zenith)\n direct_radiation = direct_radiation.clip(min=0)\n df = pd.DataFrame(index=dates, data=dict(direct=direct_radiation,\n diffuse=diffuse_radiation))\n if split:\n return df\n else:\n return df.direct + df.diffuse\n", "role": "user" }, { "content": "potential_radiation", "role": "assistant" } ]
def x(tmin, tmax, pot_rad_daily, A, C): assert tmin.index.equals(tmax.index) temp = pd.DataFrame(data=dict(tmin=tmin, tmax=tmax)) temp = temp.reindex(pd.DatetimeIndex(start=temp.index[0], end=temp. index[-1], freq='D')) temp['tmin_nextday'] = temp.tmin temp.tmin_nextday.iloc[:-1] = temp.tmin.iloc[1:].values temp = temp.loc[tmin.index] pot_rad_daily = pot_rad_daily.loc[tmin.index] dT = temp.tmax - (temp.tmin + temp.tmin_nextday) / 2 dT_m_avg = dT.groupby(dT.index.month).mean() B = 0.036 * np.exp(-0.154 * dT_m_avg[temp.index.month]) B.index = temp.index if isinstance(A, pd.Series): months = temp.index.month A = A.loc[months].values C = C.loc[months].values transmissivity = A * (1 - np.exp(-B * dT ** C)) R0 = transmissivity * pot_rad_daily return R0
bristow_campbell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tmin, tmax, pot_rad_daily, A, C):\n assert tmin.index.equals(tmax.index)\n temp = pd.DataFrame(data=dict(tmin=tmin, tmax=tmax))\n temp = temp.reindex(pd.DatetimeIndex(start=temp.index[0], end=temp.\n index[-1], freq='D'))\n temp['tmin_nextday'] = temp.tmin\n temp.tmin_nextday.iloc[:-1] = temp.tmin.iloc[1:].values\n temp = temp.loc[tmin.index]\n pot_rad_daily = pot_rad_daily.loc[tmin.index]\n dT = temp.tmax - (temp.tmin + temp.tmin_nextday) / 2\n dT_m_avg = dT.groupby(dT.index.month).mean()\n B = 0.036 * np.exp(-0.154 * dT_m_avg[temp.index.month])\n B.index = temp.index\n if isinstance(A, pd.Series):\n months = temp.index.month\n A = A.loc[months].values\n C = C.loc[months].values\n transmissivity = A * (1 - np.exp(-B * dT ** C))\n R0 = transmissivity * pot_rad_daily\n return R0\n", "role": "user" }, { "content": "bristow_campbell", "role": "assistant" } ]
def x(tmin, tmax, pot_rad_daily, obs_rad_daily): def x(ac): return np.abs(np.mean(bristow_campbell(df.tmin, df.tmax, df.pot, ac [0], ac[1]) - df.obs)) df = pd.DataFrame(data=dict(tmin=tmin, tmax=tmax, pot=pot_rad_daily, obs=obs_rad_daily)).dropna(how='any') res = scipy.optimize.minimize(bc_absbias, [0.75, 2.4]) return res.x
fit_bristow_campbell_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tmin, tmax, pot_rad_daily, obs_rad_daily):\n\n def x(ac):\n return np.abs(np.mean(bristow_campbell(df.tmin, df.tmax, df.pot, ac\n [0], ac[1]) - df.obs))\n df = pd.DataFrame(data=dict(tmin=tmin, tmax=tmax, pot=pot_rad_daily,\n obs=obs_rad_daily)).dropna(how='any')\n res = scipy.optimize.minimize(bc_absbias, [0.75, 2.4])\n return res.x\n", "role": "user" }, { "content": "fit_bristow_campbell_params", "role": "assistant" } ]
def x(ssd, day_length, pot_rad_daily, a, b): if isinstance(a, pd.Series): months = ssd.index.month a = a.loc[months].values b = b.loc[months].values glob_day = (a + b * ssd / day_length) * pot_rad_daily return glob_day
angstroem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ssd, day_length, pot_rad_daily, a, b):\n if isinstance(a, pd.Series):\n months = ssd.index.month\n a = a.loc[months].values\n b = b.loc[months].values\n glob_day = (a + b * ssd / day_length) * pot_rad_daily\n return glob_day\n", "role": "user" }, { "content": "angstroem", "role": "assistant" } ]
def x(ssd, day_length, pot_rad_daily, obs_rad_daily): df = pd.DataFrame(data=dict(ssd=ssd, day_length=day_length, pot= pot_rad_daily, obs=obs_rad_daily)).dropna(how='any') def x(x, a, b): return angstroem(x[0], x[1], x[2], a, b) x = np.array([df.ssd, df.day_length, df.pot]) popt, pcov = scipy.optimize.curve_fit(angstroem_opt, x, df.obs, p0=[ 0.25, 0.75]) return popt
fit_angstroem_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ssd, day_length, pot_rad_daily, obs_rad_daily):\n df = pd.DataFrame(data=dict(ssd=ssd, day_length=day_length, pot=\n pot_rad_daily, obs=obs_rad_daily)).dropna(how='any')\n\n def x(x, a, b):\n return angstroem(x[0], x[1], x[2], a, b)\n x = np.array([df.ssd, df.day_length, df.pot])\n popt, pcov = scipy.optimize.curve_fit(angstroem_opt, x, df.obs, p0=[\n 0.25, 0.75])\n return popt\n", "role": "user" }, { "content": "fit_angstroem_params", "role": "assistant" } ]