source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(args): from astrocats.catalog.utils import logger log_stream_level = None if args.debug: log_stream_level = logger.DEBUG elif args.verbose: log_stream_level = logger.INFO log = logger.get_logger(stream_level=log_stream_level, tofile=args. log_filename) log._verbose = args.verbose log._debug = args.debug return log
load_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n from astrocats.catalog.utils import logger\n log_stream_level = None\n if args.debug:\n log_stream_level = logger.DEBUG\n elif args.verbose:\n log_stream_level = logger.INFO\n log = logger.get_logger(stream_level=log_stream_level, tofile=args.\n log_filename)\n log._verbose = args.verbose\n log._debug = args.debug\n return log\n", "role": "user" }, { "content": "load_log", "role": "assistant" } ]
def x(old_full, new_full, old_data, new_data, depth=0): depth = depth + 1 indent = ' ' * depth def x(str): print('{}{}'.format(indent, str)) old_keys = list(old_data.keys()) for key in old_keys: old_vals = old_data.pop(key) my_print('{}'.format(key)) if key not in new_data: my_print("Key '{}' not in new_data.".format(key)) my_print('Old:') my_print(pprint(new_data)) my_print('New:') my_print(pprint(new_data)) return False new_vals = new_data.pop(key) if isinstance(old_vals, dict) and isinstance(new_vals, dict): if not compare_dicts(old_full, new_full, old_vals, new_vals, depth=depth): return False elif isinstance(old_vals, list) and isinstance(old_vals[0], dict ) and isinstance(old_vals, list) and isinstance(old_vals[0], dict): for old_elem, new_elem in zip_longest(old_vals, new_vals): if old_elem is None or new_elem is None: my_print('Missing element!') my_print("\tOld: '{}'".format(old_elem)) my_print("\tNew: '{}'".format(new_elem)) elif not compare_dicts(old_full, new_full, old_elem, new_elem, depth=depth): return False else: if not isinstance(old_vals, list) and not isinstance(new_vals, list ): old_vals = [old_vals] new_vals = [new_vals] old_vals = sorted(old_vals) new_vals = sorted(new_vals) for oldv, newv in zip_longest(old_vals, new_vals): if oldv is None or newv is None: my_print('Missing element!') my_print("\tOld: '{}'".format(oldv)) my_print("\tNew: '{}'".format(newv)) elif oldv == newv: my_print("Good Match: '{}'".format(key)) else: my_print("Bad Match: '{}'".format(key)) my_print("\tOld: '{}'".format(oldv)) my_print("\tNew: '{}'".format(newv)) return False return True
compare_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old_full, new_full, old_data, new_data, depth=0):\n depth = depth + 1\n indent = ' ' * depth\n\n def x(str):\n print('{}{}'.format(indent, str))\n old_keys = list(old_data.keys())\n for key in old_keys:\n old_vals = old_data.pop(key)\n my_print('{}'.format(key))\n if key not in new_data:\n my_print(\"Key '{}' not in new_data.\".format(key))\n my_print('Old:')\n my_print(pprint(new_data))\n my_print('New:')\n my_print(pprint(new_data))\n return False\n new_vals = new_data.pop(key)\n if isinstance(old_vals, dict) and isinstance(new_vals, dict):\n if not compare_dicts(old_full, new_full, old_vals, new_vals,\n depth=depth):\n return False\n elif isinstance(old_vals, list) and isinstance(old_vals[0], dict\n ) and isinstance(old_vals, list) and isinstance(old_vals[0], dict):\n for old_elem, new_elem in zip_longest(old_vals, new_vals):\n if old_elem is None or new_elem is None:\n my_print('Missing element!')\n my_print(\"\\tOld: '{}'\".format(old_elem))\n my_print(\"\\tNew: '{}'\".format(new_elem))\n elif not compare_dicts(old_full, new_full, old_elem,\n new_elem, depth=depth):\n return False\n else:\n if not isinstance(old_vals, list) and not isinstance(new_vals, list\n ):\n old_vals = [old_vals]\n new_vals = [new_vals]\n old_vals = sorted(old_vals)\n new_vals = sorted(new_vals)\n for oldv, newv in zip_longest(old_vals, new_vals):\n if oldv is None or newv is None:\n my_print('Missing element!')\n my_print(\"\\tOld: '{}'\".format(oldv))\n my_print(\"\\tNew: '{}'\".format(newv))\n elif oldv == newv:\n my_print(\"Good Match: '{}'\".format(key))\n else:\n my_print(\"Bad Match: '{}'\".format(key))\n my_print(\"\\tOld: '{}'\".format(oldv))\n my_print(\"\\tNew: '{}'\".format(newv))\n return False\n return True\n", "role": "user" }, { "content": "compare_dicts", "role": "assistant" } ]
def x(xmin, ymax, xmax, ymin, x1, y1, x2, y2): INSIDE, LEFT, RIGHT, LOWER, UPPER = 0, 1, 2, 4, 8 def x(xa, ya): p = INSIDE if xa < xmin: p |= LEFT elif xa > xmax: p |= RIGHT if ya < ymin: p |= LOWER elif ya > ymax: p |= UPPER return p k1 = _getclip(x1, y1) k2 = _getclip(x2, y2) while k1 | k2 != 0: if k1 & k2 != 0: return None, None, None, None opt = k1 or k2 if opt & UPPER: x = x1 + (x2 - x1) * (ymax - y1) / (y2 - y1) y = ymax elif opt & LOWER: x = x1 + (x2 - x1) * (ymin - y1) / (y2 - y1) y = ymin elif opt & RIGHT: y = y1 + (y2 - y1) * (xmax - x1) / (x2 - x1) x = xmax elif opt & LEFT: y = y1 + (y2 - y1) * (xmin - x1) / (x2 - x1) x = xmin else: raise RuntimeError('Undefined clipping state') if opt == k1: x1, y1 = x, y k1 = _getclip(x1, y1) elif opt == k2: x2, y2 = x, y k2 = _getclip(x2, y2) return x1, y1, x2, y2
cohensutherland
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xmin, ymax, xmax, ymin, x1, y1, x2, y2):\n INSIDE, LEFT, RIGHT, LOWER, UPPER = 0, 1, 2, 4, 8\n\n def x(xa, ya):\n p = INSIDE\n if xa < xmin:\n p |= LEFT\n elif xa > xmax:\n p |= RIGHT\n if ya < ymin:\n p |= LOWER\n elif ya > ymax:\n p |= UPPER\n return p\n k1 = _getclip(x1, y1)\n k2 = _getclip(x2, y2)\n while k1 | k2 != 0:\n if k1 & k2 != 0:\n return None, None, None, None\n opt = k1 or k2\n if opt & UPPER:\n x = x1 + (x2 - x1) * (ymax - y1) / (y2 - y1)\n y = ymax\n elif opt & LOWER:\n x = x1 + (x2 - x1) * (ymin - y1) / (y2 - y1)\n y = ymin\n elif opt & RIGHT:\n y = y1 + (y2 - y1) * (xmax - x1) / (x2 - x1)\n x = xmax\n elif opt & LEFT:\n y = y1 + (y2 - y1) * (xmin - x1) / (x2 - x1)\n x = xmin\n else:\n raise RuntimeError('Undefined clipping state')\n if opt == k1:\n x1, y1 = x, y\n k1 = _getclip(x1, y1)\n elif opt == k2:\n x2, y2 = x, y\n k2 = _getclip(x2, y2)\n return x1, y1, x2, y2\n", "role": "user" }, { "content": "cohensutherland", "role": "assistant" } ]
def x(rc): if cv is not None: r, c = rc u = cv.CreateMat(r, c, cv.CV_32FC1) v = cv.CreateMat(r, c, cv.CV_32FC1) return u, v else: return [None] * 2
setupuv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rc):\n if cv is not None:\n r, c = rc\n u = cv.CreateMat(r, c, cv.CV_32FC1)\n v = cv.CreateMat(r, c, cv.CV_32FC1)\n return u, v\n else:\n return [None] * 2\n", "role": "user" }, { "content": "setupuv", "role": "assistant" } ]
def x(self, cat_dict_class, key_in_self, **kwargs): try: new_entry = cat_dict_class(self, key=key_in_self, **kwargs) except CatDictError as err: if err.warn: self._log.info("'{}' Not adding '{}': '{}'".format(self[self. _KEYS.NAME], key_in_self, str(err))) return None return new_entry
init_cat_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_dict_class, key_in_self, **kwargs):\n try:\n new_entry = cat_dict_class(self, key=key_in_self, **kwargs)\n except CatDictError as err:\n if err.warn:\n self._log.info(\"'{}' Not adding '{}': '{}'\".format(self[self.\n _KEYS.NAME], key_in_self, str(err)))\n return None\n return new_entry\n", "role": "user" }, { "content": "init_cat_dict", "role": "assistant" } ]
def x(self, cat_dict_class, key_in_self, check_for_dupes=True, **kwargs): new_entry = self._init_cat_dict(cat_dict_class, key_in_self, **kwargs) if new_entry is None: return False if cat_dict_class != Error: for item in self.get(key_in_self, []): if new_entry.is_duplicate_of(item): item.append_sources_from(new_entry) return new_entry self.setdefault(key_in_self, []).append(new_entry) return True
add_cat_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_dict_class, key_in_self, check_for_dupes=True, **kwargs):\n new_entry = self._init_cat_dict(cat_dict_class, key_in_self, **kwargs)\n if new_entry is None:\n return False\n if cat_dict_class != Error:\n for item in self.get(key_in_self, []):\n if new_entry.is_duplicate_of(item):\n item.append_sources_from(new_entry)\n return new_entry\n self.setdefault(key_in_self, []).append(new_entry)\n return True\n", "role": "user" }, { "content": "add_cat_dict", "role": "assistant" } ]
def x(iter, desc='', **kwargs): return tqdm(iter, desc='<' + str(datetime.now().strftime( '%Y-%m-%d %H:%M:%S')) + '> ' + desc, dynamic_ncols=True, **kwargs)
pbar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iter, desc='', **kwargs):\n return tqdm(iter, desc='<' + str(datetime.now().strftime(\n '%Y-%m-%d %H:%M:%S')) + '> ' + desc, dynamic_ncols=True, **kwargs)\n", "role": "user" }, { "content": "pbar", "role": "assistant" } ]
def x(files, desc='', **kwargs): return tqdm(sorted(files, key=lambda s: s.lower()), desc='<' + str( datetime.now().strftime('%Y-%m-%d %H:%M:%S')) + '> ' + desc, dynamic_ncols=True, **kwargs)
pbar_strings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, desc='', **kwargs):\n return tqdm(sorted(files, key=lambda s: s.lower()), desc='<' + str(\n datetime.now().strftime('%Y-%m-%d %H:%M:%S')) + '> ' + desc,\n dynamic_ncols=True, **kwargs)\n", "role": "user" }, { "content": "pbar_strings", "role": "assistant" } ]
def x(tasks, task_priority): if task_priority is None: return None if is_integer(task_priority): return task_priority if isinstance(task_priority, basestring): if task_priority in tasks: return tasks[task_priority].priority raise ValueError("Unrecognized task priority '{}'".format(task_priority))
get_task_priority
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tasks, task_priority):\n if task_priority is None:\n return None\n if is_integer(task_priority):\n return task_priority\n if isinstance(task_priority, basestring):\n if task_priority in tasks:\n return tasks[task_priority].priority\n raise ValueError(\"Unrecognized task priority '{}'\".format(task_priority))\n", "role": "user" }, { "content": "get_task_priority", "role": "assistant" } ]
def x(self): tasks_list = self.load_task_list() warnings.filterwarnings('ignore', 'Warning: converting a masked element to nan.') warnings.filterwarnings('ignore', category=DeprecationWarning) if self.args.delete_old: self.log.warning('Deleting all old entry files.') self.delete_old_entry_files() if self.args.load_stubs or self.args.update: self.load_stubs() if self.args.travis: self.log.warning('Running in `travis` mode.') prev_priority = 0 prev_task_name = '' for task_name, task_obj in tasks_list.items(): if not task_obj.active: continue self.log.warning("Task: '{}'".format(task_name)) nice_name = task_obj.nice_name mod_name = task_obj.module func_name = task_obj.function priority = task_obj.priority if priority < prev_priority and priority > 0: raise RuntimeError( "Priority for '{}': '{}', less than prev,'{}': '{}'.\n{}". format(task_name, priority, prev_task_name, prev_priority, task_obj)) self.log.debug('\t{}, {}, {}, {}'.format(nice_name, priority, mod_name, func_name)) mod = importlib.import_module('.' + mod_name, package='astrocats') self.current_task = task_obj getattr(mod, func_name)(self) num_events, num_stubs = self.count() self.log.warning('Task finished. Events: {}, Stubs: {}'.format( num_events, num_stubs)) self.journal_entries() num_events, num_stubs = self.count() self.log.warning('Journal finished. Events: {}, Stubs: {}'.format( num_events, num_stubs)) prev_priority = priority prev_task_name = task_name process = psutil.Process(os.getpid()) memory = process.memory_info().rss self.log.warning('Memory used (MBs): {:,}'.format(memory / 1024.0 / 1024.0) ) return
import_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tasks_list = self.load_task_list()\n warnings.filterwarnings('ignore',\n 'Warning: converting a masked element to nan.')\n warnings.filterwarnings('ignore', category=DeprecationWarning)\n if self.args.delete_old:\n self.log.warning('Deleting all old entry files.')\n self.delete_old_entry_files()\n if self.args.load_stubs or self.args.update:\n self.load_stubs()\n if self.args.travis:\n self.log.warning('Running in `travis` mode.')\n prev_priority = 0\n prev_task_name = ''\n for task_name, task_obj in tasks_list.items():\n if not task_obj.active:\n continue\n self.log.warning(\"Task: '{}'\".format(task_name))\n nice_name = task_obj.nice_name\n mod_name = task_obj.module\n func_name = task_obj.function\n priority = task_obj.priority\n if priority < prev_priority and priority > 0:\n raise RuntimeError(\n \"Priority for '{}': '{}', less than prev,'{}': '{}'.\\n{}\".\n format(task_name, priority, prev_task_name, prev_priority,\n task_obj))\n self.log.debug('\\t{}, {}, {}, {}'.format(nice_name, priority,\n mod_name, func_name))\n mod = importlib.import_module('.' + mod_name, package='astrocats')\n self.current_task = task_obj\n getattr(mod, func_name)(self)\n num_events, num_stubs = self.count()\n self.log.warning('Task finished. Events: {}, Stubs: {}'.format(\n num_events, num_stubs))\n self.journal_entries()\n num_events, num_stubs = self.count()\n self.log.warning('Journal finished. Events: {}, Stubs: {}'.format(\n num_events, num_stubs))\n prev_priority = priority\n prev_task_name = task_name\n process = psutil.Process(os.getpid())\n memory = process.memory_info().rss\n self.log.warning('Memory used (MBs): {:,}'.format(memory / 1024.0 / 1024.0)\n )\n return\n", "role": "user" }, { "content": "import_data", "role": "assistant" } ]
def x(self): if self.args.update: self.log.info("Disabling `pre-delete` for 'update' mode.") self.args.delete_old = False if (self.args.min_task_priority is not None and self.args. max_task_priority is not None): raise ValueError("Can only use *either* 'min' *or* 'max' priority") tasks, task_names = self._load_task_list_from_file() args_lists = [self.args.args_task_list, self.args.yes_task_list, self. args.no_task_list] args_names = ['--tasks', '--yes', '--no'] for arglist, lname in zip(args_lists, args_names): if arglist is not None: for tname in arglist: if tname not in task_names: raise ValueError( "Value '{}' in '{}' list does not match any tasks". format(tname, lname)) min_priority = _get_task_priority(tasks, self.args.min_task_priority) max_priority = _get_task_priority(tasks, self.args.max_task_priority) task_groups = self.args.task_groups if task_groups is not None: if not isinstance(task_groups, list): task_groups = [task_groups] for key in tasks: if self.args.update: if not tasks[key].update: tasks[key].active = False if self.args.args_task_list is not None: if key in self.args.args_task_list: tasks[key].active = True else: tasks[key].active = False if min_priority is not None and tasks[key].priority >= 0: tasks[key].active = False if tasks[key].priority >= min_priority: tasks[key].active = True if max_priority is not None and tasks[key].priority >= 0: tasks[key].active = False if tasks[key].priority <= max_priority: tasks[key].active = True if self.args.yes_task_list is not None: if key in self.args.yes_task_list: tasks[key].active = True if self.args.no_task_list is not None: if key in self.args.no_task_list: tasks[key].active = False if task_groups is not None and tasks[key].groups is not None: for given_group in task_groups: if given_group in tasks[key].groups: tasks[key].active = True break tasks = OrderedDict(sorted(tasks.items(), key=lambda t: (t[1].priority < 0, t[1].priority, t[1].name))) for key in tasks: if tasks[key].active and tasks[key].always_journal: self.min_journal_priority = tasks[key].priority break names_act = [] names_inact = [] for key, val in tasks.items(): if val.active: names_act.append(key) else: names_inact.append(key) self.log.info('Active Tasks:\n\t' + ', '.join(nn for nn in names_act)) self.log.debug('Inactive Tasks:\n\t' + ', '.join(nn for nn in names_inact)) return tasks
load_task_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.args.update:\n self.log.info(\"Disabling `pre-delete` for 'update' mode.\")\n self.args.delete_old = False\n if (self.args.min_task_priority is not None and self.args.\n max_task_priority is not None):\n raise ValueError(\"Can only use *either* 'min' *or* 'max' priority\")\n tasks, task_names = self._load_task_list_from_file()\n args_lists = [self.args.args_task_list, self.args.yes_task_list, self.\n args.no_task_list]\n args_names = ['--tasks', '--yes', '--no']\n for arglist, lname in zip(args_lists, args_names):\n if arglist is not None:\n for tname in arglist:\n if tname not in task_names:\n raise ValueError(\n \"Value '{}' in '{}' list does not match any tasks\".\n format(tname, lname))\n min_priority = _get_task_priority(tasks, self.args.min_task_priority)\n max_priority = _get_task_priority(tasks, self.args.max_task_priority)\n task_groups = self.args.task_groups\n if task_groups is not None:\n if not isinstance(task_groups, list):\n task_groups = [task_groups]\n for key in tasks:\n if self.args.update:\n if not tasks[key].update:\n tasks[key].active = False\n if self.args.args_task_list is not None:\n if key in self.args.args_task_list:\n tasks[key].active = True\n else:\n tasks[key].active = False\n if min_priority is not None and tasks[key].priority >= 0:\n tasks[key].active = False\n if tasks[key].priority >= min_priority:\n tasks[key].active = True\n if max_priority is not None and tasks[key].priority >= 0:\n tasks[key].active = False\n if tasks[key].priority <= max_priority:\n tasks[key].active = True\n if self.args.yes_task_list is not None:\n if key in self.args.yes_task_list:\n tasks[key].active = True\n if self.args.no_task_list is not None:\n if key in self.args.no_task_list:\n tasks[key].active = False\n if task_groups is not None and tasks[key].groups is not None:\n for given_group in task_groups:\n if given_group in tasks[key].groups:\n tasks[key].active = True\n break\n tasks = OrderedDict(sorted(tasks.items(), key=lambda t: (t[1].priority <\n 0, t[1].priority, t[1].name)))\n for key in tasks:\n if tasks[key].active and tasks[key].always_journal:\n self.min_journal_priority = tasks[key].priority\n break\n names_act = []\n names_inact = []\n for key, val in tasks.items():\n if val.active:\n names_act.append(key)\n else:\n names_inact.append(key)\n self.log.info('Active Tasks:\\n\\t' + ', '.join(nn for nn in names_act))\n self.log.debug('Inactive Tasks:\\n\\t' + ', '.join(nn for nn in names_inact))\n return tasks\n", "role": "user" }, { "content": "load_task_list", "role": "assistant" } ]
def x(self, name, load=True, delete=True): newname = self.clean_entry_name(name) if not newname: raise ValueError('Fatal: Attempted to add entry with no name.') if newname in self.entries: self.log.debug("`newname`: '{}' (name: '{}') already exists.". format(newname, name)) if self.entries[newname]._stub: self.log.debug("'{}' is a stub".format(newname)) else: self.log.debug("'{}' is not a stub, returning".format(newname)) return newname match_name = self.find_entry_name_of_alias(newname) if match_name is not None: self.log.debug( "`newname`: '{}' (name: '{}') already exists as alias for '{}'." .format(newname, name, match_name)) newname = match_name if load: loaded_name = self.load_entry_from_name(newname, delete=delete) if loaded_name: return loaded_name if match_name is not None: return match_name new_entry = self.proto(catalog=self, name=newname) new_entry[self.proto._KEYS.SCHEMA] = self.SCHEMA.URL self.log.log(self.log._LOADED, "Created new entry for '{}'".format(newname) ) self.entries[newname] = new_entry return newname
add_entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, load=True, delete=True):\n newname = self.clean_entry_name(name)\n if not newname:\n raise ValueError('Fatal: Attempted to add entry with no name.')\n if newname in self.entries:\n self.log.debug(\"`newname`: '{}' (name: '{}') already exists.\".\n format(newname, name))\n if self.entries[newname]._stub:\n self.log.debug(\"'{}' is a stub\".format(newname))\n else:\n self.log.debug(\"'{}' is not a stub, returning\".format(newname))\n return newname\n match_name = self.find_entry_name_of_alias(newname)\n if match_name is not None:\n self.log.debug(\n \"`newname`: '{}' (name: '{}') already exists as alias for '{}'.\"\n .format(newname, name, match_name))\n newname = match_name\n if load:\n loaded_name = self.load_entry_from_name(newname, delete=delete)\n if loaded_name:\n return loaded_name\n if match_name is not None:\n return match_name\n new_entry = self.proto(catalog=self, name=newname)\n new_entry[self.proto._KEYS.SCHEMA] = self.SCHEMA.URL\n self.log.log(self.log._LOADED, \"Created new entry for '{}'\".format(newname)\n )\n self.entries[newname] = new_entry\n return newname\n", "role": "user" }, { "content": "add_entry", "role": "assistant" } ]
def x(self, alias): if alias in self.aliases: name = self.aliases[alias] if name in self.entries: return name else: for name, entry in self.entries.items(): aliases = entry.get_aliases(includename=False) if alias in aliases: if ENTRY.DISTINCT_FROM not in entry or alias not in entry[ ENTRY.DISTINCT_FROM]: return name return None
find_entry_name_of_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 in self.aliases:\n name = self.aliases[alias]\n if name in self.entries:\n return name\n else:\n for name, entry in self.entries.items():\n aliases = entry.get_aliases(includename=False)\n if alias in aliases:\n if ENTRY.DISTINCT_FROM not in entry or alias not in entry[\n ENTRY.DISTINCT_FROM]:\n return name\n return None\n", "role": "user" }, { "content": "find_entry_name_of_alias", "role": "assistant" } ]
def x(self, fromentry, destentry, check_for_dupes=True, compare_to_existing =True): self.log.info("Copy entry object '{}' to '{}'".format(fromentry[ fromentry._KEYS.NAME], destentry[destentry._KEYS.NAME])) newsourcealiases = {} if self.proto._KEYS.SOURCES in fromentry: for source in fromentry[self.proto._KEYS.SOURCES]: alias = source.pop(SOURCE.ALIAS) newsourcealiases[alias] = source newmodelaliases = {} if self.proto._KEYS.MODELS in fromentry: for model in fromentry[self.proto._KEYS.MODELS]: alias = model.pop(MODEL.ALIAS) newmodelaliases[alias] = model if self.proto._KEYS.ERRORS in fromentry: for err in fromentry[self.proto._KEYS.ERRORS]: destentry.setdefault(self.proto._KEYS.ERRORS, []).append(err) for rkey in fromentry: key = fromentry._KEYS.get_key_by_name(rkey) if key.no_source: continue for item in fromentry[key]: if 'source' not in item: raise ValueError('Item has no source!') nsid = [] for sid in item['source'].split(','): if sid in newsourcealiases: source = newsourcealiases[sid] nsid.append(destentry.add_source(**source)) else: raise ValueError("Couldn't find source alias!") item['source'] = uniq_cdl(nsid) if 'model' in item: nmid = [] for mid in item['model'].split(','): if mid in newmodelaliases: model = newmodelaliases[mid] nmid.append(destentry.add_model(**model)) else: raise ValueError("Couldn't find model alias!") item['model'] = uniq_cdl(nmid) if key == ENTRY.PHOTOMETRY: destentry.add_photometry(compare_to_existing= compare_to_existing, **item) elif key == ENTRY.SPECTRA: destentry.add_spectrum(compare_to_existing= compare_to_existing, **item) elif key == ENTRY.ERRORS: destentry.add_error(**item) elif key == ENTRY.MODELS: continue else: destentry.add_quantity(compare_to_existing= compare_to_existing, check_for_dupes=False, quantities= key, **item) return
copy_entry_to_entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fromentry, destentry, check_for_dupes=True, compare_to_existing\n =True):\n self.log.info(\"Copy entry object '{}' to '{}'\".format(fromentry[\n fromentry._KEYS.NAME], destentry[destentry._KEYS.NAME]))\n newsourcealiases = {}\n if self.proto._KEYS.SOURCES in fromentry:\n for source in fromentry[self.proto._KEYS.SOURCES]:\n alias = source.pop(SOURCE.ALIAS)\n newsourcealiases[alias] = source\n newmodelaliases = {}\n if self.proto._KEYS.MODELS in fromentry:\n for model in fromentry[self.proto._KEYS.MODELS]:\n alias = model.pop(MODEL.ALIAS)\n newmodelaliases[alias] = model\n if self.proto._KEYS.ERRORS in fromentry:\n for err in fromentry[self.proto._KEYS.ERRORS]:\n destentry.setdefault(self.proto._KEYS.ERRORS, []).append(err)\n for rkey in fromentry:\n key = fromentry._KEYS.get_key_by_name(rkey)\n if key.no_source:\n continue\n for item in fromentry[key]:\n if 'source' not in item:\n raise ValueError('Item has no source!')\n nsid = []\n for sid in item['source'].split(','):\n if sid in newsourcealiases:\n source = newsourcealiases[sid]\n nsid.append(destentry.add_source(**source))\n else:\n raise ValueError(\"Couldn't find source alias!\")\n item['source'] = uniq_cdl(nsid)\n if 'model' in item:\n nmid = []\n for mid in item['model'].split(','):\n if mid in newmodelaliases:\n model = newmodelaliases[mid]\n nmid.append(destentry.add_model(**model))\n else:\n raise ValueError(\"Couldn't find model alias!\")\n item['model'] = uniq_cdl(nmid)\n if key == ENTRY.PHOTOMETRY:\n destentry.add_photometry(compare_to_existing=\n compare_to_existing, **item)\n elif key == ENTRY.SPECTRA:\n destentry.add_spectrum(compare_to_existing=\n compare_to_existing, **item)\n elif key == ENTRY.ERRORS:\n destentry.add_error(**item)\n elif key == ENTRY.MODELS:\n continue\n else:\n destentry.add_quantity(compare_to_existing=\n compare_to_existing, check_for_dupes=False, quantities=\n key, **item)\n return\n", "role": "user" }, { "content": "copy_entry_to_entry", "role": "assistant" } ]
def x(self): if len(self.entries) == 0: self.log.error('WARNING: `entries` is empty, loading stubs') if self.args.update: self.log.warning( 'No sources changed, entry files unchanged in update. Skipping merge.' ) return self.entries = self.load_stubs() task_str = self.get_current_task_str() keys = list(sorted(self.entries.keys())) n1 = 0 mainpbar = tqdm(total=len(keys), desc=task_str) while n1 < len(keys): name1 = keys[n1] if name1 not in self.entries: self.log.info( 'Entry for {} not found, likely already deleted in merging process.' .format(name1)) n1 = n1 + 1 mainpbar.update(1) continue allnames1 = set(self.entries[name1].get_aliases() + self.entries[ name1].extra_aliases()) for name2 in keys[n1 + 1:]: if name1 == name2: continue if name1 not in self.entries: self.log.info( 'Entry for {} not found, likely already deleted in merging process.' .format(name1)) continue if name2 not in self.entries: self.log.info( 'Entry for {} not found, likely already deleted in merging process.' .format(name2)) continue allnames2 = set(self.entries[name2].get_aliases() + self. entries[name2].extra_aliases()) if len(allnames1 & allnames2): self.log.warning( "Found two entries with common aliases ('{}' and '{}'), merging." .format(name1, name2)) load1 = self.proto.init_from_file(self, name=name1) load2 = self.proto.init_from_file(self, name=name2) if load1 is not None and load2 is not None: self._delete_entry_file(entry=load1) self._delete_entry_file(entry=load2) self.entries[name1] = load1 self.entries[name2] = load2 priority1 = 0 priority2 = 0 for an in allnames1: if an.startswith(self.entries[name1]. priority_prefixes()): priority1 += 1 for an in allnames2: if an.startswith(self.entries[name2]. priority_prefixes()): priority2 += 1 if priority1 > priority2: self.copy_to_entry_in_catalog(name2, name1) keys.append(name1) del self.entries[name2] else: self.copy_to_entry_in_catalog(name1, name2) keys.append(name2) del self.entries[name1] else: self.log.warning('Duplicate already deleted') self.journal_entries() if self.args.travis and n1 > self.TRAVIS_QUERY_LIMIT: break n1 = n1 + 1 mainpbar.update(1) mainpbar.close()
merge_duplicates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(self.entries) == 0:\n self.log.error('WARNING: `entries` is empty, loading stubs')\n if self.args.update:\n self.log.warning(\n 'No sources changed, entry files unchanged in update. Skipping merge.'\n )\n return\n self.entries = self.load_stubs()\n task_str = self.get_current_task_str()\n keys = list(sorted(self.entries.keys()))\n n1 = 0\n mainpbar = tqdm(total=len(keys), desc=task_str)\n while n1 < len(keys):\n name1 = keys[n1]\n if name1 not in self.entries:\n self.log.info(\n 'Entry for {} not found, likely already deleted in merging process.'\n .format(name1))\n n1 = n1 + 1\n mainpbar.update(1)\n continue\n allnames1 = set(self.entries[name1].get_aliases() + self.entries[\n name1].extra_aliases())\n for name2 in keys[n1 + 1:]:\n if name1 == name2:\n continue\n if name1 not in self.entries:\n self.log.info(\n 'Entry for {} not found, likely already deleted in merging process.'\n .format(name1))\n continue\n if name2 not in self.entries:\n self.log.info(\n 'Entry for {} not found, likely already deleted in merging process.'\n .format(name2))\n continue\n allnames2 = set(self.entries[name2].get_aliases() + self.\n entries[name2].extra_aliases())\n if len(allnames1 & allnames2):\n self.log.warning(\n \"Found two entries with common aliases ('{}' and '{}'), merging.\"\n .format(name1, name2))\n load1 = self.proto.init_from_file(self, name=name1)\n load2 = self.proto.init_from_file(self, name=name2)\n if load1 is not None and load2 is not None:\n self._delete_entry_file(entry=load1)\n self._delete_entry_file(entry=load2)\n self.entries[name1] = load1\n self.entries[name2] = load2\n priority1 = 0\n priority2 = 0\n for an in allnames1:\n if an.startswith(self.entries[name1].\n priority_prefixes()):\n priority1 += 1\n for an in allnames2:\n if an.startswith(self.entries[name2].\n priority_prefixes()):\n priority2 += 1\n if priority1 > priority2:\n self.copy_to_entry_in_catalog(name2, name1)\n keys.append(name1)\n del self.entries[name2]\n else:\n self.copy_to_entry_in_catalog(name1, name2)\n keys.append(name2)\n del self.entries[name1]\n else:\n self.log.warning('Duplicate already deleted')\n self.journal_entries()\n if self.args.travis and n1 > self.TRAVIS_QUERY_LIMIT:\n break\n n1 = n1 + 1\n mainpbar.update(1)\n mainpbar.close()\n", "role": "user" }, { "content": "merge_duplicates", "role": "assistant" } ]
def x(self, log_mem=False): if log_mem: import psutil process = psutil.Process(os.getpid()) rss = process.memory_info().rss LOG_MEMORY_INT = 1000 MEMORY_LIMIT = 1000.0 def x(_fname): fname = uncompress_gz(_fname) if '.gz' in _fname else _fname stub = None stub_name = None with codecs.open(fname, 'r') as jfil: data = json.load(jfil, object_pairs_hook=OrderedDict) stub_name = list(data.keys()) if len(stub_name) != 1: err = "json file '{}' has multiple keys: {}".format(fname, list(stub_name)) self._log.error(err) raise ValueError(err) stub_name = stub_name[0] if stub_name in self.entries and not self.entries[stub_name]._stub: err_str = ( "ERROR: non-stub entry already exists with name '{}'". format(stub_name)) self.log.error(err_str) raise RuntimeError(err_str) data = data[stub_name] proto = self.proto stub = proto(catalog=self, name=stub_name, stub=True) if proto._KEYS.ALIAS in data: stub[proto._KEYS.ALIAS] = data[proto._KEYS.ALIAS] if proto._KEYS.DISTINCT_FROM in data: stub[proto._KEYS.DISTINCT_FROM] = data[proto._KEYS. DISTINCT_FROM] if proto._KEYS.RA in data: stub[proto._KEYS.RA] = data[proto._KEYS.RA] if proto._KEYS.DEC in data: stub[proto._KEYS.DEC] = data[proto._KEYS.DEC] if proto._KEYS.DISCOVER_DATE in data: stub[proto._KEYS.DISCOVER_DATE] = data[proto._KEYS. DISCOVER_DATE] if proto._KEYS.SOURCES in data: stub[proto._KEYS.SOURCES] = data[proto._KEYS.SOURCES] self.entries[stub_name] = stub self.log.debug("Added stub for '{}'".format(stub_name)) currenttask = 'Loading entry stubs' files = self.PATHS.get_repo_output_file_list() for ii, _fname in enumerate(pbar(files, currenttask)): _add_stub_manually(_fname) if log_mem: rss = process.memory_info().rss / 1024 / 1024 if ii % LOG_MEMORY_INT == 0 or rss > MEMORY_LIMIT: log_memory(self.log, '\nLoaded stub {}'.format(ii), logging .INFO) if rss > MEMORY_LIMIT: err = ("Memory usage {}, has exceeded {} on file {} '{}'" .format(rss, MEMORY_LIMIT, ii, _fname)) self.log.error(err) raise RuntimeError(err) return self.entries
load_stubs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, log_mem=False):\n if log_mem:\n import psutil\n process = psutil.Process(os.getpid())\n rss = process.memory_info().rss\n LOG_MEMORY_INT = 1000\n MEMORY_LIMIT = 1000.0\n\n def x(_fname):\n fname = uncompress_gz(_fname) if '.gz' in _fname else _fname\n stub = None\n stub_name = None\n with codecs.open(fname, 'r') as jfil:\n data = json.load(jfil, object_pairs_hook=OrderedDict)\n stub_name = list(data.keys())\n if len(stub_name) != 1:\n err = \"json file '{}' has multiple keys: {}\".format(fname,\n list(stub_name))\n self._log.error(err)\n raise ValueError(err)\n stub_name = stub_name[0]\n if stub_name in self.entries and not self.entries[stub_name]._stub:\n err_str = (\n \"ERROR: non-stub entry already exists with name '{}'\".\n format(stub_name))\n self.log.error(err_str)\n raise RuntimeError(err_str)\n data = data[stub_name]\n proto = self.proto\n stub = proto(catalog=self, name=stub_name, stub=True)\n if proto._KEYS.ALIAS in data:\n stub[proto._KEYS.ALIAS] = data[proto._KEYS.ALIAS]\n if proto._KEYS.DISTINCT_FROM in data:\n stub[proto._KEYS.DISTINCT_FROM] = data[proto._KEYS.\n DISTINCT_FROM]\n if proto._KEYS.RA in data:\n stub[proto._KEYS.RA] = data[proto._KEYS.RA]\n if proto._KEYS.DEC in data:\n stub[proto._KEYS.DEC] = data[proto._KEYS.DEC]\n if proto._KEYS.DISCOVER_DATE in data:\n stub[proto._KEYS.DISCOVER_DATE] = data[proto._KEYS.\n DISCOVER_DATE]\n if proto._KEYS.SOURCES in data:\n stub[proto._KEYS.SOURCES] = data[proto._KEYS.SOURCES]\n self.entries[stub_name] = stub\n self.log.debug(\"Added stub for '{}'\".format(stub_name))\n currenttask = 'Loading entry stubs'\n files = self.PATHS.get_repo_output_file_list()\n for ii, _fname in enumerate(pbar(files, currenttask)):\n _add_stub_manually(_fname)\n if log_mem:\n rss = process.memory_info().rss / 1024 / 1024\n if ii % LOG_MEMORY_INT == 0 or rss > MEMORY_LIMIT:\n log_memory(self.log, '\\nLoaded stub {}'.format(ii), logging\n .INFO)\n if rss > MEMORY_LIMIT:\n err = (\"Memory usage {}, has exceeded {} on file {} '{}'\"\n .format(rss, MEMORY_LIMIT, ii, _fname))\n self.log.error(err)\n raise RuntimeError(err)\n return self.entries\n", "role": "user" }, { "content": "load_stubs", "role": "assistant" } ]
def x(self, entry_name=None, entry=None): if entry_name is None and entry is None: raise RuntimeError('Either `entry_name` or `entry` must be given.') elif entry_name is not None and entry is not None: raise RuntimeError('Cannot use both `entry_name` and `entry`.') if entry_name is not None: entry = self.entries[entry_name] else: entry_name = entry[ENTRY.NAME] entry_filename = self.entry_filename(entry_name) if self.args.write_entries: self.log.info("Deleting entry file '{}' of entry '{}'".format( entry_filename, entry_name)) if not os.path.exists(entry_filename): self.log.error("Filename '{}' does not exist".format( entry_filename)) os.remove(entry_filename) else: self.log.debug("Not deleting '{}' because `write_entries` is False" .format(entry_filename)) return
delete_entry_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, entry_name=None, entry=None):\n if entry_name is None and entry is None:\n raise RuntimeError('Either `entry_name` or `entry` must be given.')\n elif entry_name is not None and entry is not None:\n raise RuntimeError('Cannot use both `entry_name` and `entry`.')\n if entry_name is not None:\n entry = self.entries[entry_name]\n else:\n entry_name = entry[ENTRY.NAME]\n entry_filename = self.entry_filename(entry_name)\n if self.args.write_entries:\n self.log.info(\"Deleting entry file '{}' of entry '{}'\".format(\n entry_filename, entry_name))\n if not os.path.exists(entry_filename):\n self.log.error(\"Filename '{}' does not exist\".format(\n entry_filename))\n os.remove(entry_filename)\n else:\n self.log.debug(\"Not deleting '{}' because `write_entries` is False\"\n .format(entry_filename))\n return\n", "role": "user" }, { "content": "delete_entry_file", "role": "assistant" } ]
def x(self, clear=True, gz=False, bury=False, write_stubs=False, final=False): for name in list(self.entries.keys()): if self.args.write_entries: if self.entries[name]._stub and not write_stubs: continue bury_entry = False save_entry = True if bury: bury_entry, save_entry = self.should_bury(name) if save_entry: save_name = self.entries[name].save(bury=bury_entry, final= final) self.log.info("Saved {} to '{}'.".format(name.ljust(20), save_name)) if gz and os.path.getsize(save_name ) > self.COMPRESS_ABOVE_FILESIZE: save_name = compress_gz(save_name) self.log.debug("Compressed '{}' to '{}'".format(name, save_name)) outdir, filename = os.path.split(save_name) filename = filename.split('.')[0] os.system('cd ' + outdir + '; git rm --cached ' + filename + '.json; git add -f ' + filename + '.json.gz; cd ' + self.PATHS.PATH_BASE) if clear: self.entries[name] = self.entries[name].get_stub() self.log.debug("Entry for '{}' converted to stub".format(name)) return
journal_entries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clear=True, gz=False, bury=False, write_stubs=False, final=False):\n for name in list(self.entries.keys()):\n if self.args.write_entries:\n if self.entries[name]._stub and not write_stubs:\n continue\n bury_entry = False\n save_entry = True\n if bury:\n bury_entry, save_entry = self.should_bury(name)\n if save_entry:\n save_name = self.entries[name].save(bury=bury_entry, final=\n final)\n self.log.info(\"Saved {} to '{}'.\".format(name.ljust(20),\n save_name))\n if gz and os.path.getsize(save_name\n ) > self.COMPRESS_ABOVE_FILESIZE:\n save_name = compress_gz(save_name)\n self.log.debug(\"Compressed '{}' to '{}'\".format(name,\n save_name))\n outdir, filename = os.path.split(save_name)\n filename = filename.split('.')[0]\n os.system('cd ' + outdir + '; git rm --cached ' +\n filename + '.json; git add -f ' + filename +\n '.json.gz; cd ' + self.PATHS.PATH_BASE)\n if clear:\n self.entries[name] = self.entries[name].get_stub()\n self.log.debug(\"Entry for '{}' converted to stub\".format(name))\n return\n", "role": "user" }, { "content": "journal_entries", "role": "assistant" } ]
def x(self): if len(self.entries) == 0: self.log.error('WARNING: `entries` is empty, loading stubs') self.load_stubs() task_str = self.get_current_task_str() for ni, oname in enumerate(pbar(self.entries, task_str)): name = self.add_entry(oname) self.entries[name].set_preferred_name() if self.args.travis and ni > self.TRAVIS_QUERY_LIMIT: break return
set_preferred_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(self.entries) == 0:\n self.log.error('WARNING: `entries` is empty, loading stubs')\n self.load_stubs()\n task_str = self.get_current_task_str()\n for ni, oname in enumerate(pbar(self.entries, task_str)):\n name = self.add_entry(oname)\n self.entries[name].set_preferred_name()\n if self.args.travis and ni > self.TRAVIS_QUERY_LIMIT:\n break\n return\n", "role": "user" }, { "content": "set_preferred_names", "role": "assistant" } ]
def x(self, repo, size_limit, fail=True, file_types=None): add_files = [] if file_types is None: file_patterns = ['*'] else: self.log.error('WARNING: uncertain behavior with specified file types!' ) file_patterns = [('*.' + ft) for ft in file_types] file_patterns = [os.path.join(repo, fp) for fp in file_patterns] for pattern in file_patterns: file_list = glob(pattern) for ff in file_list: fsize = os.path.getsize(ff) fname = str(ff) comp_failed = False if fsize > size_limit: self.log.debug("File '{}' size '{}' MB.".format(fname, fsize / 1028 / 1028)) if ff.endswith('.gz'): self.log.error("File '{}' is already compressed.". format(fname)) comp_failed = True else: fname = compress_gz(fname) fsize = os.path.getsize(fname) self.log.info("Compressed to '{}', size '{}' MB".format (fname, fsize / 1028 / 1028)) if fsize > size_limit: comp_failed = True if comp_failed: if fail: raise RuntimeError("File '{}' cannot be added!".format( fname)) self.log.info('Skipping file.') continue add_files.append(fname) return add_files
prep_git_add_file_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, repo, size_limit, fail=True, file_types=None):\n add_files = []\n if file_types is None:\n file_patterns = ['*']\n else:\n self.log.error('WARNING: uncertain behavior with specified file types!'\n )\n file_patterns = [('*.' + ft) for ft in file_types]\n file_patterns = [os.path.join(repo, fp) for fp in file_patterns]\n for pattern in file_patterns:\n file_list = glob(pattern)\n for ff in file_list:\n fsize = os.path.getsize(ff)\n fname = str(ff)\n comp_failed = False\n if fsize > size_limit:\n self.log.debug(\"File '{}' size '{}' MB.\".format(fname, \n fsize / 1028 / 1028))\n if ff.endswith('.gz'):\n self.log.error(\"File '{}' is already compressed.\".\n format(fname))\n comp_failed = True\n else:\n fname = compress_gz(fname)\n fsize = os.path.getsize(fname)\n self.log.info(\"Compressed to '{}', size '{}' MB\".format\n (fname, fsize / 1028 / 1028))\n if fsize > size_limit:\n comp_failed = True\n if comp_failed:\n if fail:\n raise RuntimeError(\"File '{}' cannot be added!\".format(\n fname))\n self.log.info('Skipping file.')\n continue\n add_files.append(fname)\n return add_files\n", "role": "user" }, { "content": "prep_git_add_file_list", "role": "assistant" } ]
def x(self, url, fname, repo=None, timeout=120, post=None, fail=False, write=True, json_sort=None, cache_only=False, archived_mode=None, archived_task=None, update_mode=None, verify=False): file_txt = None url_txt = None if archived_mode is None: archived_mode = self.args.archived if archived_task is None: archived_task = self.current_task.archived if update_mode is None: update_mode = self.args.update if repo is None: repo = self.get_current_task_repo() cached_path = os.path.join(repo, fname) if os.path.isfile(cached_path): with codecs.open(cached_path, 'r', encoding='utf8') as infile: file_txt = infile.read() self.log.debug("Task {}: Loaded from '{}'.".format(self. current_task.name, cached_path)) if archived_mode or archived_task and not update_mode: if file_txt is not None: return file_txt if cache_only: return None else: self.log.error("Task {}: Cached file '{}' does not exist.". format(self.current_task.name, cached_path)) url_txt = self.download_url(url, timeout, fail=False, post=post, verify =verify) if url_txt is None: if file_txt is None: err_str = 'Both url and file retrieval failed!' if fail: err_str += ' `fail` set.' self.log.error(err_str) raise RuntimeError(err_str) self.log.warning(err_str) return None else: if update_mode: self.log.error('Cannot check for updates, url download failed.' ) return None self.log.warning('URL download failed, using cached data.') return file_txt if write: self.log.info("Writing `url_txt` to file '{}'.".format(cached_path)) self._write_cache_file(url_txt, cached_path, json_sort=json_sort) elif file_txt is None: err_str = "Warning: cached file '{}' does not exist.".format( cached_path) err_str += ' And is not being saved.' self.log.warning(err_str) if file_txt is not None and update_mode: from hashlib import md5 url_md5 = md5(url_txt.encode('utf-8')).hexdigest() file_md5 = md5(file_txt.encode('utf-8')).hexdigest() self.log.debug("URL: '{}', File: '{}'.".format(url_md5, file_md5)) if url_md5 == file_md5: self.log.info("Skipping file '{}', no changes.".format(cached_path) ) return None else: self.log.info("File '{}' has been updated".format(cached_path)) if not write: err_str = 'Warning: updated data not saved to file.' self.log.warning(err_str) return url_txt
load_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, fname, repo=None, timeout=120, post=None, fail=False,\n write=True, json_sort=None, cache_only=False, archived_mode=None,\n archived_task=None, update_mode=None, verify=False):\n file_txt = None\n url_txt = None\n if archived_mode is None:\n archived_mode = self.args.archived\n if archived_task is None:\n archived_task = self.current_task.archived\n if update_mode is None:\n update_mode = self.args.update\n if repo is None:\n repo = self.get_current_task_repo()\n cached_path = os.path.join(repo, fname)\n if os.path.isfile(cached_path):\n with codecs.open(cached_path, 'r', encoding='utf8') as infile:\n file_txt = infile.read()\n self.log.debug(\"Task {}: Loaded from '{}'.\".format(self.\n current_task.name, cached_path))\n if archived_mode or archived_task and not update_mode:\n if file_txt is not None:\n return file_txt\n if cache_only:\n return None\n else:\n self.log.error(\"Task {}: Cached file '{}' does not exist.\".\n format(self.current_task.name, cached_path))\n url_txt = self.download_url(url, timeout, fail=False, post=post, verify\n =verify)\n if url_txt is None:\n if file_txt is None:\n err_str = 'Both url and file retrieval failed!'\n if fail:\n err_str += ' `fail` set.'\n self.log.error(err_str)\n raise RuntimeError(err_str)\n self.log.warning(err_str)\n return None\n else:\n if update_mode:\n self.log.error('Cannot check for updates, url download failed.'\n )\n return None\n self.log.warning('URL download failed, using cached data.')\n return file_txt\n if write:\n self.log.info(\"Writing `url_txt` to file '{}'.\".format(cached_path))\n self._write_cache_file(url_txt, cached_path, json_sort=json_sort)\n elif file_txt is None:\n err_str = \"Warning: cached file '{}' does not exist.\".format(\n cached_path)\n err_str += ' And is not being saved.'\n self.log.warning(err_str)\n if file_txt is not None and update_mode:\n from hashlib import md5\n url_md5 = md5(url_txt.encode('utf-8')).hexdigest()\n file_md5 = md5(file_txt.encode('utf-8')).hexdigest()\n self.log.debug(\"URL: '{}', File: '{}'.\".format(url_md5, file_md5))\n if url_md5 == file_md5:\n self.log.info(\"Skipping file '{}', no changes.\".format(cached_path)\n )\n return None\n else:\n self.log.info(\"File '{}' has been updated\".format(cached_path))\n if not write:\n err_str = 'Warning: updated data not saved to file.'\n self.log.warning(err_str)\n return url_txt\n", "role": "user" }, { "content": "load_url", "role": "assistant" } ]
def x(self, url, timeout, fail=False, post=None, verify=True): _CODE_ERRORS = [500, 307, 404] import requests session = requests.Session() try: headers = {'User-Agent': 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/39.0.2171.95 Safari/537.36' } if post: response = session.post(url, timeout=timeout, headers=headers, data=post, verify=verify) else: response = session.get(url, timeout=timeout, headers=headers, verify=verify) response.raise_for_status() for xx in response.history: xx.raise_for_status() if xx.status_code in _CODE_ERRORS: self.log.error("URL response returned status code '{}'". format(xx.status_code)) raise url_txt = response.text self.log.debug("Task {}: Loaded `url_txt` from '{}'.".format(self. current_task.name, url)) except (KeyboardInterrupt, SystemExit): raise except Exception as err: err_str = "URL Download of '{}' failed ('{}').".format(url, str(err)) if fail: err_str += ' and `fail` is set.' self.log.error(err_str) raise RuntimeError(err_str) else: self.log.warning(err_str) return None return url_txt
download_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, timeout, fail=False, post=None, verify=True):\n _CODE_ERRORS = [500, 307, 404]\n import requests\n session = requests.Session()\n try:\n headers = {'User-Agent':\n 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/39.0.2171.95 Safari/537.36'\n }\n if post:\n response = session.post(url, timeout=timeout, headers=headers,\n data=post, verify=verify)\n else:\n response = session.get(url, timeout=timeout, headers=headers,\n verify=verify)\n response.raise_for_status()\n for xx in response.history:\n xx.raise_for_status()\n if xx.status_code in _CODE_ERRORS:\n self.log.error(\"URL response returned status code '{}'\".\n format(xx.status_code))\n raise\n url_txt = response.text\n self.log.debug(\"Task {}: Loaded `url_txt` from '{}'.\".format(self.\n current_task.name, url))\n except (KeyboardInterrupt, SystemExit):\n raise\n except Exception as err:\n err_str = \"URL Download of '{}' failed ('{}').\".format(url, str(err))\n if fail:\n err_str += ' and `fail` is set.'\n self.log.error(err_str)\n raise RuntimeError(err_str)\n else:\n self.log.warning(err_str)\n return None\n return url_txt\n", "role": "user" }, { "content": "download_url", "role": "assistant" } ]
def x(self, other): self_aliases = self[self._KEYS.SOURCE].split(',') other_aliases = other[self._KEYS.SOURCE].split(',') self[self._KEYS.SOURCE] = uniq_cdl(self_aliases + other_aliases) return
append_sources_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n self_aliases = self[self._KEYS.SOURCE].split(',')\n other_aliases = other[self._KEYS.SOURCE].split(',')\n self[self._KEYS.SOURCE] = uniq_cdl(self_aliases + other_aliases)\n return\n", "role": "user" }, { "content": "append_sources_from", "role": "assistant" } ]
def x(self, args): ctask = self.nice_name if self.nice_name is not None else self.name if args is not None: if args.update: ctask = ctask.replace('%pre', 'Updating') else: ctask = ctask.replace('%pre', 'Loading') return ctask
current_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n ctask = self.nice_name if self.nice_name is not None else self.name\n if args is not None:\n if args.update:\n ctask = ctask.replace('%pre', 'Updating')\n else:\n ctask = ctask.replace('%pre', 'Loading')\n return ctask\n", "role": "user" }, { "content": "current_task", "role": "assistant" } ]
def x(self, args): import warnings warnings.warn( '`Task.load_archive()` is deprecated! `Catalog.load_url` handles the same functionality.' ) return self.archived or args.archived
load_archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n import warnings\n warnings.warn(\n '`Task.load_archive()` is deprecated! `Catalog.load_url` handles the same functionality.'\n )\n return self.archived or args.archived\n", "role": "user" }, { "content": "load_archive", "role": "assistant" } ]
def x(path=None, log=None, short=False, timeout=None): git_command = ['git', 'rev-parse'] if short: git_command.append('--short') git_command.append('HEAD') kwargs = {} if path is not None: kwargs['cwd'] = path if timeout is not None: kwargs['timeout'] = timeout if log is not None: log.debug('{} {}'.format(git_command, str(kwargs))) sha = subprocess.check_output(git_command, **kwargs) try: sha = sha.decode('ascii').strip() except: if log is not None: log.debug("decode of '{}' failed".format(sha)) return sha
get_sha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path=None, log=None, short=False, timeout=None):\n git_command = ['git', 'rev-parse']\n if short:\n git_command.append('--short')\n git_command.append('HEAD')\n kwargs = {}\n if path is not None:\n kwargs['cwd'] = path\n if timeout is not None:\n kwargs['timeout'] = timeout\n if log is not None:\n log.debug('{} {}'.format(git_command, str(kwargs)))\n sha = subprocess.check_output(git_command, **kwargs)\n try:\n sha = sha.decode('ascii').strip()\n except:\n if log is not None:\n log.debug(\"decode of '{}' failed\".format(sha))\n return sha\n", "role": "user" }, { "content": "get_sha", "role": "assistant" } ]
def x(cat): log = cat.log log.debug('gitter.git_add_commit_push_all_repos()') all_repos = cat.PATHS.get_all_repo_folders(private=False) for repo in all_repos: log.info("Repo in: '{}'".format(repo)) sha_beg = get_sha(repo) log.debug("Current SHA: '{}'".format(sha_beg)) add_files = cat._prep_git_add_file_list(repo, cat. COMPRESS_ABOVE_FILESIZE) log.info('Found {} Files to add.'.format(len(add_files))) if len(add_files) == 0: continue try: git_comm = ['git', 'add'] if cat.args.travis: git_comm.append('-f') git_comm.extend(add_files) _call_command_in_repo(git_comm, repo, cat.log, fail=True, log_flag=False) commit_msg = "'push' - adding all files." commit_msg = '{} : {}'.format(cat._version_long, commit_msg) log.info(commit_msg) git_comm = ['git', 'commit', '-am', commit_msg] _call_command_in_repo(git_comm, repo, cat.log) git_comm = ['git', 'push'] if not cat.args.travis: _call_command_in_repo(git_comm, repo, cat.log, fail=True) except Exception as err: try: git_comm = ['git', 'reset', 'HEAD'] _call_command_in_repo(git_comm, repo, cat.log, fail=True) except: pass raise err return
git_add_commit_push_all_repos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cat):\n log = cat.log\n log.debug('gitter.git_add_commit_push_all_repos()')\n all_repos = cat.PATHS.get_all_repo_folders(private=False)\n for repo in all_repos:\n log.info(\"Repo in: '{}'\".format(repo))\n sha_beg = get_sha(repo)\n log.debug(\"Current SHA: '{}'\".format(sha_beg))\n add_files = cat._prep_git_add_file_list(repo, cat.\n COMPRESS_ABOVE_FILESIZE)\n log.info('Found {} Files to add.'.format(len(add_files)))\n if len(add_files) == 0:\n continue\n try:\n git_comm = ['git', 'add']\n if cat.args.travis:\n git_comm.append('-f')\n git_comm.extend(add_files)\n _call_command_in_repo(git_comm, repo, cat.log, fail=True,\n log_flag=False)\n commit_msg = \"'push' - adding all files.\"\n commit_msg = '{} : {}'.format(cat._version_long, commit_msg)\n log.info(commit_msg)\n git_comm = ['git', 'commit', '-am', commit_msg]\n _call_command_in_repo(git_comm, repo, cat.log)\n git_comm = ['git', 'push']\n if not cat.args.travis:\n _call_command_in_repo(git_comm, repo, cat.log, fail=True)\n except Exception as err:\n try:\n git_comm = ['git', 'reset', 'HEAD']\n _call_command_in_repo(git_comm, repo, cat.log, fail=True)\n except:\n pass\n raise err\n return\n", "role": "user" }, { "content": "git_add_commit_push_all_repos", "role": "assistant" } ]
def x(cat, strategy_recursive=True, strategy='theirs'): log = cat.log log.debug('gitter.git_pull_all_repos()') log.warning('WARNING: using experimental `git_pull_all_repos()`!') all_repos = cat.PATHS.get_all_repo_folders() for repo_name in all_repos: log.info("Repo in: '{}'".format(repo_name)) sha_beg = get_sha(repo_name) log.debug("Current SHA: '{}'".format(sha_beg)) repo = git.Repo(repo_name) git_comm = 'git pull --verbose' if strategy_recursive: git_comm += ' -s recursive' if strategy is not None: git_comm += ' -X {:s}'.format(strategy) log.debug("Calling '{}'".format(git_comm)) code, out, err = repo.git.execute(git_comm.split(), with_stdout= True, with_extended_output=True, with_exceptions=False) if len(out): log.info(out) if len(err): log.info(err) if code != 0: err_str = "Command '{}' returned exit code '{}'!".format(git_comm, code) err_str += "\n\tout: '{}'\n\terr: '{}'".format(out, err) log.error(err_str) raise RuntimeError(err_str) sha_end = get_sha(repo_name) if sha_end != sha_beg: log.info("Updated SHA: '{}'".format(sha_end)) return
git_pull_all_repos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cat, strategy_recursive=True, strategy='theirs'):\n log = cat.log\n log.debug('gitter.git_pull_all_repos()')\n log.warning('WARNING: using experimental `git_pull_all_repos()`!')\n all_repos = cat.PATHS.get_all_repo_folders()\n for repo_name in all_repos:\n log.info(\"Repo in: '{}'\".format(repo_name))\n sha_beg = get_sha(repo_name)\n log.debug(\"Current SHA: '{}'\".format(sha_beg))\n repo = git.Repo(repo_name)\n git_comm = 'git pull --verbose'\n if strategy_recursive:\n git_comm += ' -s recursive'\n if strategy is not None:\n git_comm += ' -X {:s}'.format(strategy)\n log.debug(\"Calling '{}'\".format(git_comm))\n code, out, err = repo.git.execute(git_comm.split(), with_stdout=\n True, with_extended_output=True, with_exceptions=False)\n if len(out):\n log.info(out)\n if len(err):\n log.info(err)\n if code != 0:\n err_str = \"Command '{}' returned exit code '{}'!\".format(git_comm,\n code)\n err_str += \"\\n\\tout: '{}'\\n\\terr: '{}'\".format(out, err)\n log.error(err_str)\n raise RuntimeError(err_str)\n sha_end = get_sha(repo_name)\n if sha_end != sha_beg:\n log.info(\"Updated SHA: '{}'\".format(sha_end))\n return\n", "role": "user" }, { "content": "git_pull_all_repos", "role": "assistant" } ]
def x(cat): log = cat.log log.debug('gitter.git_clone_all_repos()') all_repos = cat.PATHS.get_all_repo_folders() out_repos = cat.PATHS.get_repo_output_folders() for repo in all_repos: log.info("Repo in: '{}'".format(repo)) if os.path.isdir(repo): log.info('Directory exists.') else: log.debug('Cloning directory...') clone(repo, cat.log, depth=max(cat.args.clone_depth, 1)) if cat.args.purge_outputs and repo in out_repos: for fil in glob(os.path.join(repo, '*.json')): os.remove(fil) grepo = git.cmd.Git(repo) try: grepo.status() except git.GitCommandError: log.error('Repository does not exist!') raise sha_beg = get_sha(repo) log.debug("Current SHA: '{}'".format(sha_beg)) return
git_clone_all_repos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cat):\n log = cat.log\n log.debug('gitter.git_clone_all_repos()')\n all_repos = cat.PATHS.get_all_repo_folders()\n out_repos = cat.PATHS.get_repo_output_folders()\n for repo in all_repos:\n log.info(\"Repo in: '{}'\".format(repo))\n if os.path.isdir(repo):\n log.info('Directory exists.')\n else:\n log.debug('Cloning directory...')\n clone(repo, cat.log, depth=max(cat.args.clone_depth, 1))\n if cat.args.purge_outputs and repo in out_repos:\n for fil in glob(os.path.join(repo, '*.json')):\n os.remove(fil)\n grepo = git.cmd.Git(repo)\n try:\n grepo.status()\n except git.GitCommandError:\n log.error('Repository does not exist!')\n raise\n sha_beg = get_sha(repo)\n log.debug(\"Current SHA: '{}'\".format(sha_beg))\n return\n", "role": "user" }, { "content": "git_clone_all_repos", "role": "assistant" } ]
def x(cat, hard=True, origin=False, clean=True): log = cat.log log.debug('gitter.git_reset_all_repos()') all_repos = cat.PATHS.get_all_repo_folders() for repo in all_repos: log.warning("Repo in: '{}'".format(repo)) sha_beg = get_sha(repo) log.debug("Current SHA: '{}'".format(sha_beg)) grepo = git.cmd.Git(repo) log.info('fetching') grepo.fetch() args = [] if hard: args.append('--hard') if origin: args.append('origin/master') log.info('resetting') retval = grepo.reset(*args) if len(retval): log.warning("Git says: '{}'".format(retval)) if clean: log.info('cleaning') retval = grepo.clean('-qdf') if len(retval): log.warning("Git says: '{}'".format(retval)) sha_end = get_sha(repo) if sha_end != sha_beg: log.debug("Updated SHA: '{}'".format(sha_end)) return
git_reset_all_repos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cat, hard=True, origin=False, clean=True):\n log = cat.log\n log.debug('gitter.git_reset_all_repos()')\n all_repos = cat.PATHS.get_all_repo_folders()\n for repo in all_repos:\n log.warning(\"Repo in: '{}'\".format(repo))\n sha_beg = get_sha(repo)\n log.debug(\"Current SHA: '{}'\".format(sha_beg))\n grepo = git.cmd.Git(repo)\n log.info('fetching')\n grepo.fetch()\n args = []\n if hard:\n args.append('--hard')\n if origin:\n args.append('origin/master')\n log.info('resetting')\n retval = grepo.reset(*args)\n if len(retval):\n log.warning(\"Git says: '{}'\".format(retval))\n if clean:\n log.info('cleaning')\n retval = grepo.clean('-qdf')\n if len(retval):\n log.warning(\"Git says: '{}'\".format(retval))\n sha_end = get_sha(repo)\n if sha_end != sha_beg:\n log.debug(\"Updated SHA: '{}'\".format(sha_end))\n return\n", "role": "user" }, { "content": "git_reset_all_repos", "role": "assistant" } ]
def x(cat, hard=True, origin=False, clean=True): log = cat.log log.debug('gitter.git_status_all_repos()') all_repos = cat.PATHS.get_all_repo_folders() for repo_name in all_repos: log.info("Repo in: '{}'".format(repo_name)) sha_beg = get_sha(repo_name) log.debug("Current SHA: '{}'".format(sha_beg)) log.info('Fetching') fetch(repo_name, log=cat.log) git_comm = ['git', 'status'] _call_command_in_repo(git_comm, repo_name, cat.log, fail=True, log_flag=True) sha_end = get_sha(repo_name) if sha_end != sha_beg: log.info("Updated SHA: '{}'".format(sha_end)) return
git_status_all_repos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cat, hard=True, origin=False, clean=True):\n log = cat.log\n log.debug('gitter.git_status_all_repos()')\n all_repos = cat.PATHS.get_all_repo_folders()\n for repo_name in all_repos:\n log.info(\"Repo in: '{}'\".format(repo_name))\n sha_beg = get_sha(repo_name)\n log.debug(\"Current SHA: '{}'\".format(sha_beg))\n log.info('Fetching')\n fetch(repo_name, log=cat.log)\n git_comm = ['git', 'status']\n _call_command_in_repo(git_comm, repo_name, cat.log, fail=True,\n log_flag=True)\n sha_end = get_sha(repo_name)\n if sha_end != sha_beg:\n log.info(\"Updated SHA: '{}'\".format(sha_end))\n return\n", "role": "user" }, { "content": "git_status_all_repos", "role": "assistant" } ]
def x(repo, log, depth=1): kwargs = {} if depth > 0: kwargs['depth'] = depth try: repo_name = os.path.split(repo)[-1] repo_name = 'https://github.com/astrocatalogs/' + repo_name + '.git' log.warning("Cloning '{}' (only needs to be done ".format(repo) + 'once, may take few minutes per repo).') grepo = git.Repo.clone_from(repo_name, repo, **kwargs) except: log.error("CLONING '{}' INTERRUPTED".format(repo)) raise return grepo
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo, log, depth=1):\n kwargs = {}\n if depth > 0:\n kwargs['depth'] = depth\n try:\n repo_name = os.path.split(repo)[-1]\n repo_name = 'https://github.com/astrocatalogs/' + repo_name + '.git'\n log.warning(\"Cloning '{}' (only needs to be done \".format(repo) +\n 'once, may take few minutes per repo).')\n grepo = git.Repo.clone_from(repo_name, repo, **kwargs)\n except:\n log.error(\"CLONING '{}' INTERRUPTED\".format(repo))\n raise\n return grepo\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(comm, repo, log, fail=False, log_flag=True): if log_flag: log.debug("Running '{}'.".format(' '.join(comm))) process = subprocess.Popen(comm, cwd=repo, stdout=subprocess.PIPE, stderr=subprocess.PIPE) stdout, stderr = process.communicate() if stderr is not None: err_msg = stderr.decode('ascii').strip().splitlines() for em in err_msg: log.error(em) if stdout is not None: out_msg = stdout.decode('ascii').strip().splitlines() for om in out_msg: log.warning(om) if fail: if process.returncode: raise subprocess.CalledProcessError return
call_command_in_repo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(comm, repo, log, fail=False, log_flag=True):\n if log_flag:\n log.debug(\"Running '{}'.\".format(' '.join(comm)))\n process = subprocess.Popen(comm, cwd=repo, stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n stdout, stderr = process.communicate()\n if stderr is not None:\n err_msg = stderr.decode('ascii').strip().splitlines()\n for em in err_msg:\n log.error(em)\n if stdout is not None:\n out_msg = stdout.decode('ascii').strip().splitlines()\n for om in out_msg:\n log.warning(om)\n if fail:\n if process.returncode:\n raise subprocess.CalledProcessError\n return\n", "role": "user" }, { "content": "call_command_in_repo", "role": "assistant" } ]
def x(self): super(Spectrum, self)._check() err_str = None has_data = self._KEYS.DATA in self has_wave = self._KEYS.WAVELENGTHS in self has_flux = self._KEYS.FLUXES in self has_filename = self._KEYS.FILENAME in self if not has_data: if (not has_wave or not has_flux) and not has_filename: err_str = 'If `{}` not given'.format(self._KEYS.DATA ) + '; `{}` or `{}` needed'.format(self._KEYS.WAVELENGTHS, self._KEYS.FLUXES) if err_str is not None: raise ValueError(err_str) return
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n super(Spectrum, self)._check()\n err_str = None\n has_data = self._KEYS.DATA in self\n has_wave = self._KEYS.WAVELENGTHS in self\n has_flux = self._KEYS.FLUXES in self\n has_filename = self._KEYS.FILENAME in self\n if not has_data:\n if (not has_wave or not has_flux) and not has_filename:\n err_str = 'If `{}` not given'.format(self._KEYS.DATA\n ) + '; `{}` or `{}` needed'.format(self._KEYS.WAVELENGTHS,\n self._KEYS.FLUXES)\n if err_str is not None:\n raise ValueError(err_str)\n return\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, other): if super(Spectrum, self).is_duplicate_of(other): return True row_matches = 0 for ri, row in enumerate(self.get(self._KEYS.DATA, [])): lambda1, flux1 = tuple(row[0:2]) if self._KEYS.DATA not in other or ri > len(other[self._KEYS.DATA]): break lambda2, flux2 = tuple(other[self._KEYS.DATA][ri][0:2]) minlambdalen = min(len(lambda1), len(lambda2)) minfluxlen = min(len(flux1), len(flux2)) if lambda1[:minlambdalen + 1] == lambda2[:minlambdalen + 1] and flux1[: minfluxlen + 1] == flux2[:minfluxlen + 1] and float(flux1[: minfluxlen + 1]) != 0.0: row_matches += 1 if row_matches >= 5: return True if ri >= 10: break return False
is_duplicate_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if super(Spectrum, self).is_duplicate_of(other):\n return True\n row_matches = 0\n for ri, row in enumerate(self.get(self._KEYS.DATA, [])):\n lambda1, flux1 = tuple(row[0:2])\n if self._KEYS.DATA not in other or ri > len(other[self._KEYS.DATA]):\n break\n lambda2, flux2 = tuple(other[self._KEYS.DATA][ri][0:2])\n minlambdalen = min(len(lambda1), len(lambda2))\n minfluxlen = min(len(flux1), len(flux2))\n if lambda1[:minlambdalen + 1] == lambda2[:minlambdalen + 1] and flux1[:\n minfluxlen + 1] == flux2[:minfluxlen + 1] and float(flux1[:\n minfluxlen + 1]) != 0.0:\n row_matches += 1\n if row_matches >= 5:\n return True\n if ri >= 10:\n break\n return False\n", "role": "user" }, { "content": "is_duplicate_of", "role": "assistant" } ]
def x(self, key): if key == self._KEYS.TIME: return 'aaa' if key == self._KEYS.DATA: return 'zzy' if key == self._KEYS.SOURCE: return 'zzz' return key
sort_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key == self._KEYS.TIME:\n return 'aaa'\n if key == self._KEYS.DATA:\n return 'zzy'\n if key == self._KEYS.SOURCE:\n return 'zzz'\n return key\n", "role": "user" }, { "content": "sort_func", "role": "assistant" } ]
def x(self, key): if key == self._KEYS.VALUE: return 'aaa' if key == self._KEYS.SOURCE: return 'zzz' return key
sort_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key == self._KEYS.VALUE:\n return 'aaa'\n if key == self._KEYS.SOURCE:\n return 'zzz'\n return key\n", "role": "user" }, { "content": "sort_func", "role": "assistant" } ]
def x(cls): if cls._keys: return cls._keys _keys = [] for mro in cls.__bases__: if issubclass(mro, KeyCollection): _keys.extend(mro.keys()) _keys.extend([kk for kk in vars(cls).keys() if not kk.startswith('_') and not callable(getattr(cls, kk))]) cls._keys = _keys return cls._keys
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if cls._keys:\n return cls._keys\n _keys = []\n for mro in cls.__bases__:\n if issubclass(mro, KeyCollection):\n _keys.extend(mro.keys())\n _keys.extend([kk for kk in vars(cls).keys() if not kk.startswith('_') and\n not callable(getattr(cls, kk))])\n cls._keys = _keys\n return cls._keys\n", "role": "user" }, { "content": "keys", "role": "assistant" } ]
def x(cls): if cls._vals: return cls._vals _vals = [] for mro in cls.__bases__: if issubclass(mro, KeyCollection): _vals.extend(mro.vals()) _vals.extend([vv for kk, vv in vars(cls).items() if not kk.startswith( '_') and not callable(getattr(cls, kk))]) cls._vals = _vals return cls._vals
vals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if cls._vals:\n return cls._vals\n _vals = []\n for mro in cls.__bases__:\n if issubclass(mro, KeyCollection):\n _vals.extend(mro.vals())\n _vals.extend([vv for kk, vv in vars(cls).items() if not kk.startswith(\n '_') and not callable(getattr(cls, kk))])\n cls._vals = _vals\n return cls._vals\n", "role": "user" }, { "content": "vals", "role": "assistant" } ]
def x(cls, sort=True): if cls._compare_vals: return cls._compare_vals _compare_vals = [] for mro in cls.__bases__: if issubclass(mro, KeyCollection): _compare_vals.extend(mro.compare_vals(sort=False)) _compare_vals.extend([vv for kk, vv in vars(cls).items() if not kk. startswith('_') and not callable(getattr(cls, kk)) and vv.compare]) if sort: _compare_vals = sorted(_compare_vals, reverse=True, key=lambda key: (key.priority, key.name)) cls._compare_vals = _compare_vals return cls._compare_vals
compare_vals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, sort=True):\n if cls._compare_vals:\n return cls._compare_vals\n _compare_vals = []\n for mro in cls.__bases__:\n if issubclass(mro, KeyCollection):\n _compare_vals.extend(mro.compare_vals(sort=False))\n _compare_vals.extend([vv for kk, vv in vars(cls).items() if not kk.\n startswith('_') and not callable(getattr(cls, kk)) and vv.compare])\n if sort:\n _compare_vals = sorted(_compare_vals, reverse=True, key=lambda key:\n (key.priority, key.name))\n cls._compare_vals = _compare_vals\n return cls._compare_vals\n", "role": "user" }, { "content": "compare_vals", "role": "assistant" } ]
def x(self): retval = ( 'Key(name={}, type={}, listable={}, compare={}, priority={}, kind_preference={}, replace_better={})' .format(self.name, self.type, self.listable, self.compare, self. priority, self.kind_preference, self.replace_better)) return retval
pretty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n retval = (\n 'Key(name={}, type={}, listable={}, compare={}, priority={}, kind_preference={}, replace_better={})'\n .format(self.name, self.type, self.listable, self.compare, self.\n priority, self.kind_preference, self.replace_better))\n return retval\n", "role": "user" }, { "content": "pretty", "role": "assistant" } ]
def x(self, val): if self.type is None: return True is_list = isinstance(val, list) if not self.listable and is_list: return False if self.type == KEY_TYPES.NUMERIC and not is_number(val): return False elif self.type == KEY_TYPES.TIME and not is_number(val ) and '-' not in val and '/' not in val: return False elif self.type == KEY_TYPES.STRING: if is_list: if not isinstance(val[0], basestring): return False elif not isinstance(val, basestring): return False elif self.type == KEY_TYPES.BOOL: if is_list and not isinstance(val[0], bool): return False elif not isinstance(val, bool): return False return True
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val):\n if self.type is None:\n return True\n is_list = isinstance(val, list)\n if not self.listable and is_list:\n return False\n if self.type == KEY_TYPES.NUMERIC and not is_number(val):\n return False\n elif self.type == KEY_TYPES.TIME and not is_number(val\n ) and '-' not in val and '/' not in val:\n return False\n elif self.type == KEY_TYPES.STRING:\n if is_list:\n if not isinstance(val[0], basestring):\n return False\n elif not isinstance(val, basestring):\n return False\n elif self.type == KEY_TYPES.BOOL:\n if is_list and not isinstance(val[0], bool):\n return False\n elif not isinstance(val, bool):\n return False\n return True\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(name=None, stream_fmt=None, file_fmt=None, date_fmt=None, stream_level=None, file_level=None, tofile=None, tostr=True): if tofile is None and not tostr: raise ValueError( 'Must log to something: `tofile` or `tostr` must be `True`.') logger = logging.getLogger(name) if hasattr(logger, '_OSC_LOGGER'): return logger else: logger._OSC_LOGGER = True logger._LOADED = _LOADED_LEVEL while len(logger.handlers) > 0: logger.handlers.pop() logger.propagate = 0 if file_level is None: file_level = _FILE_LEVEL_DEF if stream_level is None: stream_level = _STREAM_LEVEL_DEF logger.setLevel(int(np.min([file_level, stream_level]))) if date_fmt is None: date_fmt = '%Y/%m/%d %H:%M:%S' if tofile is not None: if file_fmt is None: file_fmt = '%(asctime)s %(levelname)8.8s [%(filename)20.20s:' file_fmt += '%(funcName)-20.20s]%(indent)s%(message)s' fileFormatter = IndentFormatter(file_fmt, datefmt=date_fmt) fileHandler = logging.FileHandler(tofile, 'w') fileHandler.setFormatter(fileFormatter) fileHandler.setLevel(file_level) logger.addHandler(fileHandler) logger.filename = tofile if tostr: if stream_fmt is None: stream_fmt = '%(indent)s%(message)s' strFormatter = IndentFormatter(stream_fmt, datefmt=date_fmt) strHandler = logging.StreamHandler() strHandler.setFormatter(strFormatter) strHandler.setLevel(stream_level) logger.addHandler(strHandler) return logger
get_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name=None, stream_fmt=None, file_fmt=None, date_fmt=None,\n stream_level=None, file_level=None, tofile=None, tostr=True):\n if tofile is None and not tostr:\n raise ValueError(\n 'Must log to something: `tofile` or `tostr` must be `True`.')\n logger = logging.getLogger(name)\n if hasattr(logger, '_OSC_LOGGER'):\n return logger\n else:\n logger._OSC_LOGGER = True\n logger._LOADED = _LOADED_LEVEL\n while len(logger.handlers) > 0:\n logger.handlers.pop()\n logger.propagate = 0\n if file_level is None:\n file_level = _FILE_LEVEL_DEF\n if stream_level is None:\n stream_level = _STREAM_LEVEL_DEF\n logger.setLevel(int(np.min([file_level, stream_level])))\n if date_fmt is None:\n date_fmt = '%Y/%m/%d %H:%M:%S'\n if tofile is not None:\n if file_fmt is None:\n file_fmt = '%(asctime)s %(levelname)8.8s [%(filename)20.20s:'\n file_fmt += '%(funcName)-20.20s]%(indent)s%(message)s'\n fileFormatter = IndentFormatter(file_fmt, datefmt=date_fmt)\n fileHandler = logging.FileHandler(tofile, 'w')\n fileHandler.setFormatter(fileFormatter)\n fileHandler.setLevel(file_level)\n logger.addHandler(fileHandler)\n logger.filename = tofile\n if tostr:\n if stream_fmt is None:\n stream_fmt = '%(indent)s%(message)s'\n strFormatter = IndentFormatter(stream_fmt, datefmt=date_fmt)\n strHandler = logging.StreamHandler()\n strHandler.setFormatter(strFormatter)\n strHandler.setLevel(stream_level)\n logger.addHandler(strHandler)\n return logger\n", "role": "user" }, { "content": "get_logger", "role": "assistant" } ]
def x(log, err_str, err_type=RuntimeError): log.error(err_str) for handle in log.handlers: handle.flush() raise err_type(err_str)
log_raise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log, err_str, err_type=RuntimeError):\n log.error(err_str)\n for handle in log.handlers:\n handle.flush()\n raise err_type(err_str)\n", "role": "user" }, { "content": "log_raise", "role": "assistant" } ]
def x(log, pref=None, lvl=logging.DEBUG, raise_flag=True): import os import sys cyc_str = '' KB = 1024.0 if pref is not None: cyc_str += '{}: '.format(pref) UNIT = KB * KB if sys.platform == 'darwin' else KB good = False try: import resource max_self = resource.getrusage(resource.RUSAGE_SELF).ru_maxrss max_child = resource.getrusage(resource.RUSAGE_CHILDREN).ru_maxrss _str = 'RSS Max Self: {:7.2f} [MB], Child: {:7.2f} [MB]'.format( max_self / UNIT, max_child / UNIT) cyc_str += _str except Exception as err: log.log(lvl, "resource.getrusage failed. '{}'".format(str(err))) if raise_flag: raise else: good = True try: import psutil process = psutil.Process(os.getpid()) rss = process.memory_info().rss cpu_perc = process.cpu_percent() mem_perc = process.memory_percent() num_thr = process.num_threads() _str = ('; RSS: {:7.2f} [MB], {:7.2f}%; Threads: {:3d}, CPU: {:7.2f}%' .format(rss / UNIT, mem_perc, num_thr, cpu_perc)) cyc_str += _str except Exception as err: log.log(lvl, "psutil.Process failed. '{}'".format(str(err))) if raise_flag: raise else: good = True if good: log.log(lvl, cyc_str) return
log_memory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log, pref=None, lvl=logging.DEBUG, raise_flag=True):\n import os\n import sys\n cyc_str = ''\n KB = 1024.0\n if pref is not None:\n cyc_str += '{}: '.format(pref)\n UNIT = KB * KB if sys.platform == 'darwin' else KB\n good = False\n try:\n import resource\n max_self = resource.getrusage(resource.RUSAGE_SELF).ru_maxrss\n max_child = resource.getrusage(resource.RUSAGE_CHILDREN).ru_maxrss\n _str = 'RSS Max Self: {:7.2f} [MB], Child: {:7.2f} [MB]'.format(\n max_self / UNIT, max_child / UNIT)\n cyc_str += _str\n except Exception as err:\n log.log(lvl, \"resource.getrusage failed. '{}'\".format(str(err)))\n if raise_flag:\n raise\n else:\n good = True\n try:\n import psutil\n process = psutil.Process(os.getpid())\n rss = process.memory_info().rss\n cpu_perc = process.cpu_percent()\n mem_perc = process.memory_percent()\n num_thr = process.num_threads()\n _str = ('; RSS: {:7.2f} [MB], {:7.2f}%; Threads: {:3d}, CPU: {:7.2f}%'\n .format(rss / UNIT, mem_perc, num_thr, cpu_perc))\n cyc_str += _str\n except Exception as err:\n log.log(lvl, \"psutil.Process failed. '{}'\".format(str(err)))\n if raise_flag:\n raise\n else:\n good = True\n if good:\n log.log(lvl, cyc_str)\n return\n", "role": "user" }, { "content": "log_memory", "role": "assistant" } ]
def x(morphed, blobdet, img, anno=True): keypoints = blobdet.detect(morphed) nkey = len(keypoints) kpsize = asarray([k.size for k in keypoints]) final = img.copy() final = cv2.drawKeypoints(img, keypoints, outImage=final, flags=cv2. DRAW_MATCHES_FLAGS_DRAW_RICH_KEYPOINTS) if anno: cv2.putText(final, text=str(nkey), org=(int(img.shape[1] * 0.9), 25 ), fontFace=cv2.FONT_HERSHEY_PLAIN, fontScale=2, color=(0, 255, 0), thickness=2) return final, nkey, kpsize
doblob
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(morphed, blobdet, img, anno=True):\n keypoints = blobdet.detect(morphed)\n nkey = len(keypoints)\n kpsize = asarray([k.size for k in keypoints])\n final = img.copy()\n final = cv2.drawKeypoints(img, keypoints, outImage=final, flags=cv2.\n DRAW_MATCHES_FLAGS_DRAW_RICH_KEYPOINTS)\n if anno:\n cv2.putText(final, text=str(nkey), org=(int(img.shape[1] * 0.9), 25\n ), fontFace=cv2.FONT_HERSHEY_PLAIN, fontScale=2, color=(0, 255,\n 0), thickness=2)\n return final, nkey, kpsize\n", "role": "user" }, { "content": "doblob", "role": "assistant" } ]
def x(self, args, clargs): args = self.parser.parse_args(args=clargs, namespace=args) if args.subcommand is None: self.parser.print_help() args = None return args
load_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args, clargs):\n args = self.parser.parse_args(args=clargs, namespace=args)\n if args.subcommand is None:\n self.parser.print_help()\n args = None\n return args\n", "role": "user" }, { "content": "load_args", "role": "assistant" } ]
def x(self): parser = argparse.ArgumentParser(prog='catalog', description= 'Parent Catalog class for astrocats.') subparsers = parser.add_subparsers(description='valid subcommands', dest='subcommand') self._add_parser_arguments_import(subparsers) self._add_parser_arguments_git(subparsers) self._add_parser_arguments_analyze(subparsers) return parser
setup_argparse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n parser = argparse.ArgumentParser(prog='catalog', description=\n 'Parent Catalog class for astrocats.')\n subparsers = parser.add_subparsers(description='valid subcommands',\n dest='subcommand')\n self._add_parser_arguments_import(subparsers)\n self._add_parser_arguments_git(subparsers)\n self._add_parser_arguments_analyze(subparsers)\n return parser\n", "role": "user" }, { "content": "setup_argparse", "role": "assistant" } ]
def x(self, subparsers): import_pars = subparsers.add_parser('import', help='Import data.') import_pars.add_argument('--update', '-u', dest='update', default=False, action='store_true', help='Only update catalog using live sources.') import_pars.add_argument('--load-stubs', dest='load_stubs', default= False, action='store_true', help='Load stubs before running.') import_pars.add_argument('--archived', '-a', dest='archived', default= False, action='store_true', help='Always use task caches.') import_pars.add_argument('--tasks', dest='args_task_list', nargs='*', default=None, help='space delimited list of tasks to perform.') import_pars.add_argument('--yes', dest='yes_task_list', nargs='+', default=None, help='space delimited list of tasks to turn on.') import_pars.add_argument('--no', dest='no_task_list', nargs='+', default=None, help='space delimited list of tasks to turn off.') import_pars.add_argument('--min-task-priority', dest= 'min_task_priority', default=None, help= 'minimum priority for a task to run') import_pars.add_argument('--max-task-priority', dest= 'max_task_priority', default=None, help= 'maximum priority for a task to run') import_pars.add_argument('--task-groups', dest='task_groups', default= None, help='predefined group(s) of tasks to run.') return import_pars
add_parser_arguments_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subparsers):\n import_pars = subparsers.add_parser('import', help='Import data.')\n import_pars.add_argument('--update', '-u', dest='update', default=False,\n action='store_true', help='Only update catalog using live sources.')\n import_pars.add_argument('--load-stubs', dest='load_stubs', default=\n False, action='store_true', help='Load stubs before running.')\n import_pars.add_argument('--archived', '-a', dest='archived', default=\n False, action='store_true', help='Always use task caches.')\n import_pars.add_argument('--tasks', dest='args_task_list', nargs='*',\n default=None, help='space delimited list of tasks to perform.')\n import_pars.add_argument('--yes', dest='yes_task_list', nargs='+',\n default=None, help='space delimited list of tasks to turn on.')\n import_pars.add_argument('--no', dest='no_task_list', nargs='+',\n default=None, help='space delimited list of tasks to turn off.')\n import_pars.add_argument('--min-task-priority', dest=\n 'min_task_priority', default=None, help=\n 'minimum priority for a task to run')\n import_pars.add_argument('--max-task-priority', dest=\n 'max_task_priority', default=None, help=\n 'maximum priority for a task to run')\n import_pars.add_argument('--task-groups', dest='task_groups', default=\n None, help='predefined group(s) of tasks to run.')\n return import_pars\n", "role": "user" }, { "content": "add_parser_arguments_import", "role": "assistant" } ]
def x(self, subparsers): subparsers.add_parser('git-clone', help= 'Clone all defined data repositories if they dont exist.') subparsers.add_parser('git-push', help= 'Add all files to data repositories, commit, and push.') subparsers.add_parser('git-pull', help="'Pull' all data repositories.") subparsers.add_parser('git-reset-local', help= "Hard reset all data repositories using local 'HEAD'.") subparsers.add_parser('git-reset-origin', help= "Hard reset all data repositories using 'origin/master'.") subparsers.add_parser('git-status', help= "Get the 'git status' of all data repositories.") return
add_parser_arguments_git
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subparsers):\n subparsers.add_parser('git-clone', help=\n 'Clone all defined data repositories if they dont exist.')\n subparsers.add_parser('git-push', help=\n 'Add all files to data repositories, commit, and push.')\n subparsers.add_parser('git-pull', help=\"'Pull' all data repositories.\")\n subparsers.add_parser('git-reset-local', help=\n \"Hard reset all data repositories using local 'HEAD'.\")\n subparsers.add_parser('git-reset-origin', help=\n \"Hard reset all data repositories using 'origin/master'.\")\n subparsers.add_parser('git-status', help=\n \"Get the 'git status' of all data repositories.\")\n return\n", "role": "user" }, { "content": "add_parser_arguments_git", "role": "assistant" } ]
def x(self, subparsers): lyze_pars = subparsers.add_parser('analyze', help= 'Perform basic analysis on this catalog.') lyze_pars.add_argument('--count', '-c', dest='count', default=False, action='store_true', help='Determine counts of entries, files, etc.') return lyze_pars
add_parser_arguments_analyze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subparsers):\n lyze_pars = subparsers.add_parser('analyze', help=\n 'Perform basic analysis on this catalog.')\n lyze_pars.add_argument('--count', '-c', dest='count', default=False,\n action='store_true', help='Determine counts of entries, files, etc.')\n return lyze_pars\n", "role": "user" }, { "content": "add_parser_arguments_analyze", "role": "assistant" } ]
def x(fname): import shutil import gzip comp_fname = fname + '.gz' with codecs.open(fname, 'rb') as f_in, gzip.open(comp_fname, 'wb' ) as f_out: shutil.copyfileobj(f_in, f_out) os.remove(fname) return comp_fname
compress_gz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname):\n import shutil\n import gzip\n comp_fname = fname + '.gz'\n with codecs.open(fname, 'rb') as f_in, gzip.open(comp_fname, 'wb'\n ) as f_out:\n shutil.copyfileobj(f_in, f_out)\n os.remove(fname)\n return comp_fname\n", "role": "user" }, { "content": "compress_gz", "role": "assistant" } ]
def x(img, flow, step=16, dtype=uint8): maxval = iinfo(img.dtype).max canno = 0, maxval, 0 h, w = img.shape[:2] y, x = mgrid[step // 2:h:step, step // 2:w:step].reshape(2, -1) fx, fy = flow[y, x].T lines = vstack([x, y, x + fx, y + fy]).T.reshape(-1, 2, 2) lines = int32(lines + 0.5) if img.ndim == 2: vis = cv2.cvtColor(img, cv2.COLOR_GRAY2BGR) else: vis = img cv2.polylines(vis, lines, isClosed=False, color=canno, thickness=1, lineType=8) for (x1, y1), (x2, y2) in lines: cv2.circle(vis, center=(x1, y1), radius=1, color=canno, thickness=-1) return vis
draw_flow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(img, flow, step=16, dtype=uint8):\n maxval = iinfo(img.dtype).max\n canno = 0, maxval, 0\n h, w = img.shape[:2]\n y, x = mgrid[step // 2:h:step, step // 2:w:step].reshape(2, -1)\n fx, fy = flow[y, x].T\n lines = vstack([x, y, x + fx, y + fy]).T.reshape(-1, 2, 2)\n lines = int32(lines + 0.5)\n if img.ndim == 2:\n vis = cv2.cvtColor(img, cv2.COLOR_GRAY2BGR)\n else:\n vis = img\n cv2.polylines(vis, lines, isClosed=False, color=canno, thickness=1,\n lineType=8)\n for (x1, y1), (x2, y2) in lines:\n cv2.circle(vis, center=(x1, y1), radius=1, color=canno, thickness=-1)\n return vis\n", "role": "user" }, { "content": "draw_flow", "role": "assistant" } ]
def x(mag, ang, dtype=uint8, fn=None): assert mag.shape == ang.shape assert mag.ndim == 2 maxval = iinfo(dtype).max hsv = dstack(((degrees(ang) / 2).astype(dtype), ones_like(mag) * maxval, cv2.normalize(mag, alpha=0, beta=maxval, norm_type=cv2.NORM_MINMAX))) rgb = cv2.cvtColor(hsv, cv2.COLOR_HSV2RGB) if fn is not None: print('writing ' + fn) cv2.imwrite(fn, rgb) return rgb
draw_hsv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mag, ang, dtype=uint8, fn=None):\n assert mag.shape == ang.shape\n assert mag.ndim == 2\n maxval = iinfo(dtype).max\n hsv = dstack(((degrees(ang) / 2).astype(dtype), ones_like(mag) * maxval,\n cv2.normalize(mag, alpha=0, beta=maxval, norm_type=cv2.NORM_MINMAX)))\n rgb = cv2.cvtColor(hsv, cv2.COLOR_HSV2RGB)\n if fn is not None:\n print('writing ' + fn)\n cv2.imwrite(fn, rgb)\n return rgb\n", "role": "user" }, { "content": "draw_hsv", "role": "assistant" } ]
def x(flow, dtype=uint8): fx, fy = flow[..., 0], flow[..., 1] return hypot(fx, fy).astype(dtype), arctan2(fy, fx) + pi
flow2magang
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(flow, dtype=uint8):\n fx, fy = flow[..., 0], flow[..., 1]\n return hypot(fx, fy).astype(dtype), arctan2(fy, fx) + pi\n", "role": "user" }, { "content": "flow2magang", "role": "assistant" } ]
def x(dir, type, nr, size): assert dir <= _IOC_DIRMASK, dir assert type <= _IOC_TYPEMASK, type assert nr <= _IOC_NRMASK, nr assert size <= _IOC_SIZEMASK, size return (dir << _IOC_DIRSHIFT | type << _IOC_TYPESHIFT | nr << _IOC_NRSHIFT | size << _IOC_SIZESHIFT)
IOC
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir, type, nr, size):\n assert dir <= _IOC_DIRMASK, dir\n assert type <= _IOC_TYPEMASK, type\n assert nr <= _IOC_NRMASK, nr\n assert size <= _IOC_SIZEMASK, size\n return (dir << _IOC_DIRSHIFT | type << _IOC_TYPESHIFT | nr <<\n _IOC_NRSHIFT | size << _IOC_SIZESHIFT)\n", "role": "user" }, { "content": "IOC", "role": "assistant" } ]
def x(t): result = ctypes.sizeof(t) assert result <= _IOC_SIZEMASK, result return result
IOC_TYPECHECK
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n result = ctypes.sizeof(t)\n assert result <= _IOC_SIZEMASK, result\n return result\n", "role": "user" }, { "content": "IOC_TYPECHECK", "role": "assistant" } ]
def x(type, nr, size): return IOC(IOC_READ, type, nr, IOC_TYPECHECK(size))
IOR
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type, nr, size):\n return IOC(IOC_READ, type, nr, IOC_TYPECHECK(size))\n", "role": "user" }, { "content": "IOR", "role": "assistant" } ]
def x(type, nr, size): return IOC(IOC_WRITE, type, nr, IOC_TYPECHECK(size))
IOW
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type, nr, size):\n return IOC(IOC_WRITE, type, nr, IOC_TYPECHECK(size))\n", "role": "user" }, { "content": "IOW", "role": "assistant" } ]
def x(type, nr, size): return IOC(IOC_READ | IOC_WRITE, type, nr, IOC_TYPECHECK(size))
IOWR
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type, nr, size):\n return IOC(IOC_READ | IOC_WRITE, type, nr, IOC_TYPECHECK(size))\n", "role": "user" }, { "content": "IOWR", "role": "assistant" } ]
def x(path, num=1): head, tail = os.path.split(path) last_path = str(tail) for ii in range(num): head, tail = os.path.split(head) last_path = os.path.join(tail, last_path) last_path = '...' + last_path return last_path
get_last_dirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, num=1):\n head, tail = os.path.split(path)\n last_path = str(tail)\n for ii in range(num):\n head, tail = os.path.split(head)\n last_path = os.path.join(tail, last_path)\n last_path = '...' + last_path\n return last_path\n", "role": "user" }, { "content": "get_last_dirs", "role": "assistant" } ]
def x(self, args): self.log.info('Running catalog analysis') if args.count: self.count() return
analyze
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n self.log.info('Running catalog analysis')\n if args.count:\n self.count()\n return\n", "role": "user" }, { "content": "analyze", "role": "assistant" } ]
def x(self): self.log.info("Running 'count'") retvals = {} num_tasks = self._count_tasks() retvals['num_tasks'] = num_tasks num_files = self._count_repo_files() retvals['num_files'] = num_files return retvals
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.info(\"Running 'count'\")\n retvals = {}\n num_tasks = self._count_tasks()\n retvals['num_tasks'] = num_tasks\n num_files = self._count_repo_files()\n retvals['num_files'] = num_files\n return retvals\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(self): self.log.warning('Tasks:') tasks, task_names = self.catalog._load_task_list_from_file() num_tasks = len(tasks) num_tasks_act = len([tt for tt, vv in tasks.items() if vv.active]) num_task_files = os.path.join(self.catalog.PATHS.tasks_dir, '*.py') num_task_files = len(glob(num_task_files)) tasks_str = '{} ({} default active) with {} task-files.'.format(num_tasks, num_tasks_act, num_task_files) self.log.warning(tasks_str) return num_tasks
count_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.warning('Tasks:')\n tasks, task_names = self.catalog._load_task_list_from_file()\n num_tasks = len(tasks)\n num_tasks_act = len([tt for tt, vv in tasks.items() if vv.active])\n num_task_files = os.path.join(self.catalog.PATHS.tasks_dir, '*.py')\n num_task_files = len(glob(num_task_files))\n tasks_str = '{} ({} default active) with {} task-files.'.format(num_tasks,\n num_tasks_act, num_task_files)\n self.log.warning(tasks_str)\n return num_tasks\n", "role": "user" }, { "content": "count_tasks", "role": "assistant" } ]
def x(self): self.log.warning('Files:') num_files = 0 repos = self.catalog.PATHS.get_all_repo_folders() num_type = np.zeros(len(self._COUNT_FILE_TYPES), dtype=int) num_ign = 0 for rep in repos: last_path = _get_last_dirs(rep, 2) n_all = self._count_files_by_type(rep, '*') n_type = np.zeros(len(self._COUNT_FILE_TYPES), dtype=int) for ii, ftype in enumerate(self._COUNT_FILE_TYPES): n_type[ii] = self._count_files_by_type(rep, '*.' + ftype) n_ign = self._count_files_by_type(rep, '*', ignore=False) n_ign -= n_all f_str = self._file_nums_str(n_all, n_type, n_ign) f_str = '{}: {}'.format(last_path, f_str) self.log.warning(f_str) num_files += n_all num_type += n_type num_ign += n_ign f_str = self._file_nums_str(num_files, num_type, num_ign) self.log.warning(f_str) return num_files
count_repo_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.warning('Files:')\n num_files = 0\n repos = self.catalog.PATHS.get_all_repo_folders()\n num_type = np.zeros(len(self._COUNT_FILE_TYPES), dtype=int)\n num_ign = 0\n for rep in repos:\n last_path = _get_last_dirs(rep, 2)\n n_all = self._count_files_by_type(rep, '*')\n n_type = np.zeros(len(self._COUNT_FILE_TYPES), dtype=int)\n for ii, ftype in enumerate(self._COUNT_FILE_TYPES):\n n_type[ii] = self._count_files_by_type(rep, '*.' + ftype)\n n_ign = self._count_files_by_type(rep, '*', ignore=False)\n n_ign -= n_all\n f_str = self._file_nums_str(n_all, n_type, n_ign)\n f_str = '{}: {}'.format(last_path, f_str)\n self.log.warning(f_str)\n num_files += n_all\n num_type += n_type\n num_ign += n_ign\n f_str = self._file_nums_str(num_files, num_type, num_ign)\n self.log.warning(f_str)\n return num_files\n", "role": "user" }, { "content": "count_repo_files", "role": "assistant" } ]
def x(self, n_all, n_type, n_ign): n_oth = n_all - np.sum(n_type) f_str = '{} Files'.format(n_all) + ' (' if len(n_type): f_str += ', '.join('{} {}'.format(name, num) for name, num in zip( self._COUNT_FILE_TYPES, n_type)) f_str += ', ' f_str += 'other {}; {} ignored)'.format(n_oth, n_ign) return f_str
file_nums_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n_all, n_type, n_ign):\n n_oth = n_all - np.sum(n_type)\n f_str = '{} Files'.format(n_all) + ' ('\n if len(n_type):\n f_str += ', '.join('{} {}'.format(name, num) for name, num in zip(\n self._COUNT_FILE_TYPES, n_type))\n f_str += ', '\n f_str += 'other {}; {} ignored)'.format(n_oth, n_ign)\n return f_str\n", "role": "user" }, { "content": "file_nums_str", "role": "assistant" } ]
def x(self, path, pattern, ignore=True): files = glob(os.path.join(path, pattern)) files = [ff for ff in files if os.path.split(ff)[-1] not in self. _IGNORE_FILES or not ignore] num_files = len(files) return num_files
count_files_by_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, pattern, ignore=True):\n files = glob(os.path.join(path, pattern))\n files = [ff for ff in files if os.path.split(ff)[-1] not in self.\n _IGNORE_FILES or not ignore]\n num_files = len(files)\n return num_files\n", "role": "user" }, { "content": "count_files_by_type", "role": "assistant" } ]
def x(cls, url): try: code = url.split('/abs/') code = code[1].strip() return code except: return None
bibcode_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, url):\n try:\n code = url.split('/abs/')\n code = code[1].strip()\n return code\n except:\n return None\n", "role": "user" }, { "content": "bibcode_from_url", "role": "assistant" } ]
def x(self, bury=False): filename = self.get_filename(self[self._KEYS.NAME]) if bury: outdir = self.catalog.get_repo_boneyard() else: repo_folders = self.catalog.PATHS.get_repo_output_folders() if not len(repo_folders): err_str = """No output data repositories found. Cannot save. Make sure that repo names are correctly configured in the `input/repos.json` file, and either manually or automatically (using `astrocats CATALOG git-clone`) clone the appropriate data repositories.""" self.catalog.log.error(err_str) raise RuntimeError(err_str) outdir = repo_folders[0] return outdir, filename
get_save_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bury=False):\n filename = self.get_filename(self[self._KEYS.NAME])\n if bury:\n outdir = self.catalog.get_repo_boneyard()\n else:\n repo_folders = self.catalog.PATHS.get_repo_output_folders()\n if not len(repo_folders):\n err_str = \"\"\"No output data repositories found. Cannot save.\nMake sure that repo names are correctly configured in the `input/repos.json` file, and either manually or automatically (using `astrocats CATALOG git-clone`) clone the appropriate data repositories.\"\"\"\n self.catalog.log.error(err_str)\n raise RuntimeError(err_str)\n outdir = repo_folders[0]\n return outdir, filename\n", "role": "user" }, { "content": "get_save_path", "role": "assistant" } ]
def x(self, odict): ndict = OrderedDict() if isinstance(odict, CatDict) or isinstance(odict, Entry): key = odict.sort_func else: key = None nkeys = list(sorted(odict.keys(), key=key)) for key in nkeys: if isinstance(odict[key], OrderedDict): odict[key] = self._ordered(odict[key]) if isinstance(odict[key], list): if not (odict[key] and not isinstance(odict[key][0], OrderedDict)): nlist = [] for item in odict[key]: if isinstance(item, OrderedDict): nlist.append(self._ordered(item)) else: nlist.append(item) odict[key] = nlist ndict[key] = odict[key] return ndict
ordered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, odict):\n ndict = OrderedDict()\n if isinstance(odict, CatDict) or isinstance(odict, Entry):\n key = odict.sort_func\n else:\n key = None\n nkeys = list(sorted(odict.keys(), key=key))\n for key in nkeys:\n if isinstance(odict[key], OrderedDict):\n odict[key] = self._ordered(odict[key])\n if isinstance(odict[key], list):\n if not (odict[key] and not isinstance(odict[key][0], OrderedDict)):\n nlist = []\n for item in odict[key]:\n if isinstance(item, OrderedDict):\n nlist.append(self._ordered(item))\n else:\n nlist.append(item)\n odict[key] = nlist\n ndict[key] = odict[key]\n return ndict\n", "role": "user" }, { "content": "ordered", "role": "assistant" } ]
def x(self, keys=[]): if not len(keys): keys = list(self.keys()) string_rep = '' oself = self._ordered(deepcopy(self)) for key in keys: string_rep += json.dumps(oself.get(key, ''), sort_keys=True) return hashlib.sha512(string_rep.encode()).hexdigest()[:16]
get_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys=[]):\n if not len(keys):\n keys = list(self.keys())\n string_rep = ''\n oself = self._ordered(deepcopy(self))\n for key in keys:\n string_rep += json.dumps(oself.get(key, ''), sort_keys=True)\n return hashlib.sha512(string_rep.encode()).hexdigest()[:16]\n", "role": "user" }, { "content": "get_hash", "role": "assistant" } ]
def x(self, quantity): value = quantity.get(QUANTITY.VALUE, '').strip() error = quantity.get(QUANTITY.E_VALUE, '').strip() unit = quantity.get(QUANTITY.U_VALUE, '').strip() kind = quantity.get(QUANTITY.KIND, '') if isinstance(kind, list) and not isinstance(kind, string_types): kind = [x.strip() for x in kind] else: kind = kind.strip() if not value: return False if is_number(value): value = '%g' % Decimal(value) if error: error = '%g' % Decimal(error) if value: quantity[QUANTITY.VALUE] = value if error: quantity[QUANTITY.E_VALUE] = error if unit: quantity[QUANTITY.U_VALUE] = unit if kind: quantity[QUANTITY.KIND] = kind return True
clean_quantity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity):\n value = quantity.get(QUANTITY.VALUE, '').strip()\n error = quantity.get(QUANTITY.E_VALUE, '').strip()\n unit = quantity.get(QUANTITY.U_VALUE, '').strip()\n kind = quantity.get(QUANTITY.KIND, '')\n if isinstance(kind, list) and not isinstance(kind, string_types):\n kind = [x.strip() for x in kind]\n else:\n kind = kind.strip()\n if not value:\n return False\n if is_number(value):\n value = '%g' % Decimal(value)\n if error:\n error = '%g' % Decimal(error)\n if value:\n quantity[QUANTITY.VALUE] = value\n if error:\n quantity[QUANTITY.E_VALUE] = error\n if unit:\n quantity[QUANTITY.U_VALUE] = unit\n if kind:\n quantity[QUANTITY.KIND] = kind\n return True\n", "role": "user" }, { "content": "clean_quantity", "role": "assistant" } ]
def x(self, data, clean=False, merge=True, pop_schema=True, compare_to_existing=True, filter_on={}): self._log.debug('_convert_odict_to_classes(): {}'.format(self.name())) self._log.debug('This should be a temporary fix. Dont be lazy.') fkeys = list(filter_on.keys()) name_key = self._KEYS.NAME if name_key in data: self[name_key] = data.pop(name_key) schema_key = self._KEYS.SCHEMA if schema_key in data: if pop_schema: data.pop(schema_key) else: self[schema_key] = data.pop(schema_key) if clean: data = self.clean_internal(data) src_key = self._KEYS.SOURCES if src_key in data: sources = data.pop(src_key) self._log.debug("Found {} '{}' entries".format(len(sources), src_key)) self._log.debug('{}: {}'.format(src_key, sources)) for src in sources: self.add_source(allow_alias=True, **src) photo_key = self._KEYS.PHOTOMETRY if photo_key in data: photoms = data.pop(photo_key) self._log.debug("Found {} '{}' entries".format(len(photoms), photo_key) ) phcount = 0 for photo in photoms: skip = False for fkey in fkeys: if fkey in photo and photo[fkey] not in filter_on[fkey]: skip = True if skip: continue self._add_cat_dict(Photometry, self._KEYS.PHOTOMETRY, compare_to_existing=compare_to_existing, **photo) phcount += 1 self._log.debug("Added {} '{}' entries".format(phcount, photo_key)) spec_key = self._KEYS.SPECTRA if spec_key in data: spectra = data.pop(spec_key) self._log.debug("Found {} '{}' entries".format(len(spectra), spec_key)) for spec in spectra: self._add_cat_dict(Spectrum, self._KEYS.SPECTRA, compare_to_existing=compare_to_existing, **spec) err_key = self._KEYS.ERRORS if err_key in data: errors = data.pop(err_key) self._log.debug("Found {} '{}' entries".format(len(errors), err_key)) for err in errors: self._add_cat_dict(Error, self._KEYS.ERRORS, **err) model_key = self._KEYS.MODELS if model_key in data: model = data.pop(model_key) self._log.debug("Found {} '{}' entries".format(len(model), model_key)) for mod in model: self._add_cat_dict(Model, self._KEYS.MODELS, compare_to_existing=compare_to_existing, **mod) if len(data): self._log.debug('{} remaining entries, assuming `Quantity`'.format( len(data))) for key in list(data.keys()): vals = data.pop(key) if not isinstance(vals, list): vals = [vals] self._log.debug('{}: {}'.format(key, vals)) for vv in vals: self._add_cat_dict(Quantity, key, check_for_dupes=merge, compare_to_existing=compare_to_existing, **vv) if merge and self.dupe_of: self.merge_dupes() return
convert_odict_to_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, clean=False, merge=True, pop_schema=True,\n compare_to_existing=True, filter_on={}):\n self._log.debug('_convert_odict_to_classes(): {}'.format(self.name()))\n self._log.debug('This should be a temporary fix. Dont be lazy.')\n fkeys = list(filter_on.keys())\n name_key = self._KEYS.NAME\n if name_key in data:\n self[name_key] = data.pop(name_key)\n schema_key = self._KEYS.SCHEMA\n if schema_key in data:\n if pop_schema:\n data.pop(schema_key)\n else:\n self[schema_key] = data.pop(schema_key)\n if clean:\n data = self.clean_internal(data)\n src_key = self._KEYS.SOURCES\n if src_key in data:\n sources = data.pop(src_key)\n self._log.debug(\"Found {} '{}' entries\".format(len(sources), src_key))\n self._log.debug('{}: {}'.format(src_key, sources))\n for src in sources:\n self.add_source(allow_alias=True, **src)\n photo_key = self._KEYS.PHOTOMETRY\n if photo_key in data:\n photoms = data.pop(photo_key)\n self._log.debug(\"Found {} '{}' entries\".format(len(photoms), photo_key)\n )\n phcount = 0\n for photo in photoms:\n skip = False\n for fkey in fkeys:\n if fkey in photo and photo[fkey] not in filter_on[fkey]:\n skip = True\n if skip:\n continue\n self._add_cat_dict(Photometry, self._KEYS.PHOTOMETRY,\n compare_to_existing=compare_to_existing, **photo)\n phcount += 1\n self._log.debug(\"Added {} '{}' entries\".format(phcount, photo_key))\n spec_key = self._KEYS.SPECTRA\n if spec_key in data:\n spectra = data.pop(spec_key)\n self._log.debug(\"Found {} '{}' entries\".format(len(spectra), spec_key))\n for spec in spectra:\n self._add_cat_dict(Spectrum, self._KEYS.SPECTRA,\n compare_to_existing=compare_to_existing, **spec)\n err_key = self._KEYS.ERRORS\n if err_key in data:\n errors = data.pop(err_key)\n self._log.debug(\"Found {} '{}' entries\".format(len(errors), err_key))\n for err in errors:\n self._add_cat_dict(Error, self._KEYS.ERRORS, **err)\n model_key = self._KEYS.MODELS\n if model_key in data:\n model = data.pop(model_key)\n self._log.debug(\"Found {} '{}' entries\".format(len(model), model_key))\n for mod in model:\n self._add_cat_dict(Model, self._KEYS.MODELS,\n compare_to_existing=compare_to_existing, **mod)\n if len(data):\n self._log.debug('{} remaining entries, assuming `Quantity`'.format(\n len(data)))\n for key in list(data.keys()):\n vals = data.pop(key)\n if not isinstance(vals, list):\n vals = [vals]\n self._log.debug('{}: {}'.format(key, vals))\n for vv in vals:\n self._add_cat_dict(Quantity, key, check_for_dupes=merge,\n compare_to_existing=compare_to_existing, **vv)\n if merge and self.dupe_of:\n self.merge_dupes()\n return\n", "role": "user" }, { "content": "convert_odict_to_classes", "role": "assistant" } ]
def x(self, cat_dict_class, key_in_self, **kwargs): source = kwargs.get(cat_dict_class._KEYS.SOURCE, None) if source is None: raise CatDictError('{}: `source` must be provided!'.format(self[ self._KEYS.NAME]), warn=True) for x in source.split(','): if not is_integer(x): raise CatDictError( '{}: `source` is comma-delimited list of integers!'.format (self[self._KEYS.NAME]), warn=True) if self.is_erroneous(key_in_self, source): self._log.info('This source is erroneous, skipping') return None if (self.catalog.args is not None and not self.catalog.args.private and self.is_private(key_in_self, source)): self._log.info('This source is private, skipping') return None return source
check_cat_dict_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_dict_class, key_in_self, **kwargs):\n source = kwargs.get(cat_dict_class._KEYS.SOURCE, None)\n if source is None:\n raise CatDictError('{}: `source` must be provided!'.format(self[\n self._KEYS.NAME]), warn=True)\n for x in source.split(','):\n if not is_integer(x):\n raise CatDictError(\n '{}: `source` is comma-delimited list of integers!'.format\n (self[self._KEYS.NAME]), warn=True)\n if self.is_erroneous(key_in_self, source):\n self._log.info('This source is erroneous, skipping')\n return None\n if (self.catalog.args is not None and not self.catalog.args.private and\n self.is_private(key_in_self, source)):\n self._log.info('This source is private, skipping')\n return None\n return source\n", "role": "user" }, { "content": "check_cat_dict_source", "role": "assistant" } ]
def x(self, cat_dict_class, key_in_self, check_for_dupes=True, compare_to_existing=True, **kwargs): if cat_dict_class != Error: try: source = self._check_cat_dict_source(cat_dict_class, key_in_self, **kwargs) except CatDictError as err: if err.warn: self._log.info("'{}' Not adding '{}': '{}'".format(self[ self._KEYS.NAME], key_in_self, str(err))) return False if source is None: return False new_entry = self._init_cat_dict(cat_dict_class, key_in_self, **kwargs) if new_entry is None: return False if compare_to_existing and cat_dict_class != Error: for item in self.get(key_in_self, []): if new_entry.is_duplicate_of(item): item.append_sources_from(new_entry) return new_entry if key_in_self == self._KEYS.ALIAS: if check_for_dupes and 'aliases' in dir(self.catalog) and new_entry[ QUANTITY.VALUE] in self.catalog.aliases: possible_dupe = self.catalog.aliases[new_entry[QUANTITY.VALUE]] if possible_dupe != self[self._KEYS.NAME ] and possible_dupe in self.catalog.entries: self.dupe_of.append(possible_dupe) if 'aliases' in dir(self.catalog): self.catalog.aliases[new_entry[QUANTITY.VALUE]] = self[self. _KEYS.NAME] self.setdefault(key_in_self, []).append(new_entry) if key_in_self == self._KEYS.ALIAS and check_for_dupes and self.dupe_of: self.merge_dupes() return True
add_cat_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_dict_class, key_in_self, check_for_dupes=True,\n compare_to_existing=True, **kwargs):\n if cat_dict_class != Error:\n try:\n source = self._check_cat_dict_source(cat_dict_class,\n key_in_self, **kwargs)\n except CatDictError as err:\n if err.warn:\n self._log.info(\"'{}' Not adding '{}': '{}'\".format(self[\n self._KEYS.NAME], key_in_self, str(err)))\n return False\n if source is None:\n return False\n new_entry = self._init_cat_dict(cat_dict_class, key_in_self, **kwargs)\n if new_entry is None:\n return False\n if compare_to_existing and cat_dict_class != Error:\n for item in self.get(key_in_self, []):\n if new_entry.is_duplicate_of(item):\n item.append_sources_from(new_entry)\n return new_entry\n if key_in_self == self._KEYS.ALIAS:\n if check_for_dupes and 'aliases' in dir(self.catalog) and new_entry[\n QUANTITY.VALUE] in self.catalog.aliases:\n possible_dupe = self.catalog.aliases[new_entry[QUANTITY.VALUE]]\n if possible_dupe != self[self._KEYS.NAME\n ] and possible_dupe in self.catalog.entries:\n self.dupe_of.append(possible_dupe)\n if 'aliases' in dir(self.catalog):\n self.catalog.aliases[new_entry[QUANTITY.VALUE]] = self[self.\n _KEYS.NAME]\n self.setdefault(key_in_self, []).append(new_entry)\n if key_in_self == self._KEYS.ALIAS and check_for_dupes and self.dupe_of:\n self.merge_dupes()\n return True\n", "role": "user" }, { "content": "add_cat_dict", "role": "assistant" } ]
def x(cls, catalog, name=None, path=None, clean=False, merge=True, pop_schema=True, ignore_keys=[], compare_to_existing=True, try_gzip= False, filter_on={}): if not catalog: from astrocats.catalog.catalog import Catalog log = logging.getLogger() catalog = Catalog(None, log) catalog.log.debug('init_from_file()') if name is None and path is None: err = 'Either entry `name` or `path` must be specified to load entry.' log.error(err) raise ValueError(err) load_path = '' if path is not None: load_path = path name = '' else: repo_paths = catalog.PATHS.get_repo_output_folders() for rep in repo_paths: filename = cls.get_filename(name) newpath = os.path.join(rep, filename + '.json') if os.path.isfile(newpath): load_path = newpath break if load_path is None or not os.path.isfile(load_path): return None new_entry = cls(catalog, name) if try_gzip and not load_path.endswith('.gz'): try_gzip = False new_entry._load_data_from_json(load_path, clean=clean, merge=merge, pop_schema=pop_schema, ignore_keys=ignore_keys, compare_to_existing =compare_to_existing, gzip=try_gzip, filter_on=filter_on) return new_entry
init_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, catalog, name=None, path=None, clean=False, merge=True,\n pop_schema=True, ignore_keys=[], compare_to_existing=True, try_gzip=\n False, filter_on={}):\n if not catalog:\n from astrocats.catalog.catalog import Catalog\n log = logging.getLogger()\n catalog = Catalog(None, log)\n catalog.log.debug('init_from_file()')\n if name is None and path is None:\n err = 'Either entry `name` or `path` must be specified to load entry.'\n log.error(err)\n raise ValueError(err)\n load_path = ''\n if path is not None:\n load_path = path\n name = ''\n else:\n repo_paths = catalog.PATHS.get_repo_output_folders()\n for rep in repo_paths:\n filename = cls.get_filename(name)\n newpath = os.path.join(rep, filename + '.json')\n if os.path.isfile(newpath):\n load_path = newpath\n break\n if load_path is None or not os.path.isfile(load_path):\n return None\n new_entry = cls(catalog, name)\n if try_gzip and not load_path.endswith('.gz'):\n try_gzip = False\n new_entry._load_data_from_json(load_path, clean=clean, merge=merge,\n pop_schema=pop_schema, ignore_keys=ignore_keys, compare_to_existing\n =compare_to_existing, gzip=try_gzip, filter_on=filter_on)\n return new_entry\n", "role": "user" }, { "content": "init_from_file", "role": "assistant" } ]
def x(self, alias, source, clean=True): if clean: alias = self.catalog.clean_entry_name(alias) self.add_quantity(self._KEYS.ALIAS, alias, source) return alias
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, source, clean=True):\n if clean:\n alias = self.catalog.clean_entry_name(alias)\n self.add_quantity(self._KEYS.ALIAS, alias, source)\n return alias\n", "role": "user" }, { "content": "add_alias", "role": "assistant" } ]
def x(self, value, **kwargs): kwargs.update({ERROR.VALUE: value}) self._add_cat_dict(Error, self._KEYS.ERRORS, **kwargs) return
add_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, **kwargs):\n kwargs.update({ERROR.VALUE: value})\n self._add_cat_dict(Error, self._KEYS.ERRORS, **kwargs)\n return\n", "role": "user" }, { "content": "add_error", "role": "assistant" } ]
def x(self, compare_to_existing=True, **kwargs): self._add_cat_dict(Photometry, self._KEYS.PHOTOMETRY, compare_to_existing=compare_to_existing, **kwargs) return
add_photometry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, compare_to_existing=True, **kwargs):\n self._add_cat_dict(Photometry, self._KEYS.PHOTOMETRY,\n compare_to_existing=compare_to_existing, **kwargs)\n return\n", "role": "user" }, { "content": "add_photometry", "role": "assistant" } ]
def x(self): for dupe in self.dupe_of: if dupe in self.catalog.entries: if self.catalog.entries[dupe]._stub: self.catalog.load_entry_from_name(dupe, delete=True, merge= False) self.catalog.copy_entry_to_entry(self.catalog.entries[dupe], self) del self.catalog.entries[dupe] self.dupe_of = []
merge_dupes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for dupe in self.dupe_of:\n if dupe in self.catalog.entries:\n if self.catalog.entries[dupe]._stub:\n self.catalog.load_entry_from_name(dupe, delete=True, merge=\n False)\n self.catalog.copy_entry_to_entry(self.catalog.entries[dupe], self)\n del self.catalog.entries[dupe]\n self.dupe_of = []\n", "role": "user" }, { "content": "merge_dupes", "role": "assistant" } ]
def x(self, quantities, value, source, check_for_dupes=True, compare_to_existing=True, **kwargs): success = True for quantity in listify(quantities): kwargs.update({QUANTITY.VALUE: value, QUANTITY.SOURCE: source}) cat_dict = self._add_cat_dict(Quantity, quantity, compare_to_existing=compare_to_existing, check_for_dupes= check_for_dupes, **kwargs) if isinstance(cat_dict, CatDict): self._append_additional_tags(quantity, source, cat_dict) success = False return success
add_quantity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantities, value, source, check_for_dupes=True,\n compare_to_existing=True, **kwargs):\n success = True\n for quantity in listify(quantities):\n kwargs.update({QUANTITY.VALUE: value, QUANTITY.SOURCE: source})\n cat_dict = self._add_cat_dict(Quantity, quantity,\n compare_to_existing=compare_to_existing, check_for_dupes=\n check_for_dupes, **kwargs)\n if isinstance(cat_dict, CatDict):\n self._append_additional_tags(quantity, source, cat_dict)\n success = False\n return success\n", "role": "user" }, { "content": "add_quantity", "role": "assistant" } ]
def x(self): return self.add_source(bibcode=self.catalog.OSC_BIBCODE, name=self. catalog.OSC_NAME, url=self.catalog.OSC_URL, secondary=True)
add_self_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.add_source(bibcode=self.catalog.OSC_BIBCODE, name=self.\n catalog.OSC_NAME, url=self.catalog.OSC_URL, secondary=True)\n", "role": "user" }, { "content": "add_self_source", "role": "assistant" } ]
def x(self, allow_alias=False, **kwargs): if not allow_alias and SOURCE.ALIAS in kwargs: err_str = "`{}` passed in kwargs, this shouldn't happen!".format(SOURCE .ALIAS) self._log.error(err_str) raise RuntimeError(err_str) if SOURCE.ALIAS not in kwargs: kwargs[SOURCE.ALIAS] = str(self.num_sources() + 1) source_obj = self._init_cat_dict(Source, self._KEYS.SOURCES, **kwargs) if source_obj is None: return None for item in self.get(self._KEYS.SOURCES, ''): if source_obj.is_duplicate_of(item): return item[item._KEYS.ALIAS] self.setdefault(self._KEYS.SOURCES, []).append(source_obj) return source_obj[source_obj._KEYS.ALIAS]
add_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, allow_alias=False, **kwargs):\n if not allow_alias and SOURCE.ALIAS in kwargs:\n err_str = \"`{}` passed in kwargs, this shouldn't happen!\".format(SOURCE\n .ALIAS)\n self._log.error(err_str)\n raise RuntimeError(err_str)\n if SOURCE.ALIAS not in kwargs:\n kwargs[SOURCE.ALIAS] = str(self.num_sources() + 1)\n source_obj = self._init_cat_dict(Source, self._KEYS.SOURCES, **kwargs)\n if source_obj is None:\n return None\n for item in self.get(self._KEYS.SOURCES, ''):\n if source_obj.is_duplicate_of(item):\n return item[item._KEYS.ALIAS]\n self.setdefault(self._KEYS.SOURCES, []).append(source_obj)\n return source_obj[source_obj._KEYS.ALIAS]\n", "role": "user" }, { "content": "add_source", "role": "assistant" } ]
def x(self, allow_alias=False, **kwargs): if not allow_alias and MODEL.ALIAS in kwargs: err_str = "`{}` passed in kwargs, this shouldn't happen!".format(SOURCE .ALIAS) self._log.error(err_str) raise RuntimeError(err_str) if MODEL.ALIAS not in kwargs: kwargs[MODEL.ALIAS] = str(self.num_models() + 1) model_obj = self._init_cat_dict(Model, self._KEYS.MODELS, **kwargs) if model_obj is None: return None for item in self.get(self._KEYS.MODELS, ''): if model_obj.is_duplicate_of(item): return item[item._KEYS.ALIAS] self.setdefault(self._KEYS.MODELS, []).append(model_obj) return model_obj[model_obj._KEYS.ALIAS]
add_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, allow_alias=False, **kwargs):\n if not allow_alias and MODEL.ALIAS in kwargs:\n err_str = \"`{}` passed in kwargs, this shouldn't happen!\".format(SOURCE\n .ALIAS)\n self._log.error(err_str)\n raise RuntimeError(err_str)\n if MODEL.ALIAS not in kwargs:\n kwargs[MODEL.ALIAS] = str(self.num_models() + 1)\n model_obj = self._init_cat_dict(Model, self._KEYS.MODELS, **kwargs)\n if model_obj is None:\n return None\n for item in self.get(self._KEYS.MODELS, ''):\n if model_obj.is_duplicate_of(item):\n return item[item._KEYS.ALIAS]\n self.setdefault(self._KEYS.MODELS, []).append(model_obj)\n return model_obj[model_obj._KEYS.ALIAS]\n", "role": "user" }, { "content": "add_model", "role": "assistant" } ]
def x(self, compare_to_existing=True, **kwargs): spec_key = self._KEYS.SPECTRA source = self._check_cat_dict_source(Spectrum, spec_key, **kwargs) if source is None: return None new_spectrum = self._init_cat_dict(Spectrum, spec_key, **kwargs) if new_spectrum is None: return None is_dupe = False for item in self.get(spec_key, []): if new_spectrum.is_duplicate_of(item): if SPECTRUM.EXCLUDE in new_spectrum: item[SPECTRUM.EXCLUDE] = new_spectrum[SPECTRUM.EXCLUDE] elif SPECTRUM.EXCLUDE in item: item.update(new_spectrum) is_dupe = True break if not is_dupe: self.setdefault(spec_key, []).append(new_spectrum) return
add_spectrum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, compare_to_existing=True, **kwargs):\n spec_key = self._KEYS.SPECTRA\n source = self._check_cat_dict_source(Spectrum, spec_key, **kwargs)\n if source is None:\n return None\n new_spectrum = self._init_cat_dict(Spectrum, spec_key, **kwargs)\n if new_spectrum is None:\n return None\n is_dupe = False\n for item in self.get(spec_key, []):\n if new_spectrum.is_duplicate_of(item):\n if SPECTRUM.EXCLUDE in new_spectrum:\n item[SPECTRUM.EXCLUDE] = new_spectrum[SPECTRUM.EXCLUDE]\n elif SPECTRUM.EXCLUDE in item:\n item.update(new_spectrum)\n is_dupe = True\n break\n if not is_dupe:\n self.setdefault(spec_key, []).append(new_spectrum)\n return\n", "role": "user" }, { "content": "add_spectrum", "role": "assistant" } ]
def x(self): if self._KEYS.SCHEMA not in self: self[self._KEYS.SCHEMA] = self.catalog.SCHEMA.URL if self._KEYS.NAME not in self or len(self[self._KEYS.NAME]) == 0: raise ValueError('Entry name is empty:\n\t{}'.format(json.dumps( self, indent=2))) return
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._KEYS.SCHEMA not in self:\n self[self._KEYS.SCHEMA] = self.catalog.SCHEMA.URL\n if self._KEYS.NAME not in self or len(self[self._KEYS.NAME]) == 0:\n raise ValueError('Entry name is empty:\\n\\t{}'.format(json.dumps(\n self, indent=2)))\n return\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, includename=True): alias_quanta = self.get(self._KEYS.ALIAS, []) aliases = [aq[QUANTITY.VALUE] for aq in alias_quanta] if includename and self[self._KEYS.NAME] not in aliases: aliases = [self[self._KEYS.NAME]] + aliases return aliases
get_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, includename=True):\n alias_quanta = self.get(self._KEYS.ALIAS, [])\n aliases = [aq[QUANTITY.VALUE] for aq in alias_quanta]\n if includename and self[self._KEYS.NAME] not in aliases:\n aliases = [self[self._KEYS.NAME]] + aliases\n return aliases\n", "role": "user" }, { "content": "get_aliases", "role": "assistant" } ]
def x(self, fname): if fname.split('.')[-1] == 'gz': with gz.open(fname, 'rt') as f: filetext = f.read() else: with codecs.open(fname, 'r') as f: filetext = f.read() return filetext
get_entry_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fname):\n if fname.split('.')[-1] == 'gz':\n with gz.open(fname, 'rt') as f:\n filetext = f.read()\n else:\n with codecs.open(fname, 'r') as f:\n filetext = f.read()\n return filetext\n", "role": "user" }, { "content": "get_entry_text", "role": "assistant" } ]
def x(self, alias): for source in self.get(self._KEYS.SOURCES, []): if source[self._KEYS.ALIAS] == alias: return source raise ValueError("Source '{}': alias '{}' not found!".format(self[self. _KEYS.NAME], alias))
get_source_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 for source in self.get(self._KEYS.SOURCES, []):\n if source[self._KEYS.ALIAS] == alias:\n return source\n raise ValueError(\"Source '{}': alias '{}' not found!\".format(self[self.\n _KEYS.NAME], alias))\n", "role": "user" }, { "content": "get_source_by_alias", "role": "assistant" } ]
def x(self): stub = type(self)(self.catalog, self[self._KEYS.NAME], stub=True) if self._KEYS.ALIAS in self: stub[self._KEYS.ALIAS] = self[self._KEYS.ALIAS] if self._KEYS.DISTINCT_FROM in self: stub[self._KEYS.DISTINCT_FROM] = self[self._KEYS.DISTINCT_FROM] if self._KEYS.RA in self: stub[self._KEYS.RA] = self[self._KEYS.RA] if self._KEYS.DEC in self: stub[self._KEYS.DEC] = self[self._KEYS.DEC] if self._KEYS.DISCOVER_DATE in self: stub[self._KEYS.DISCOVER_DATE] = self[self._KEYS.DISCOVER_DATE] if self._KEYS.SOURCES in self: stub[self._KEYS.SOURCES] = self[self._KEYS.SOURCES] return stub
get_stub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n stub = type(self)(self.catalog, self[self._KEYS.NAME], stub=True)\n if self._KEYS.ALIAS in self:\n stub[self._KEYS.ALIAS] = self[self._KEYS.ALIAS]\n if self._KEYS.DISTINCT_FROM in self:\n stub[self._KEYS.DISTINCT_FROM] = self[self._KEYS.DISTINCT_FROM]\n if self._KEYS.RA in self:\n stub[self._KEYS.RA] = self[self._KEYS.RA]\n if self._KEYS.DEC in self:\n stub[self._KEYS.DEC] = self[self._KEYS.DEC]\n if self._KEYS.DISCOVER_DATE in self:\n stub[self._KEYS.DISCOVER_DATE] = self[self._KEYS.DISCOVER_DATE]\n if self._KEYS.SOURCES in self:\n stub[self._KEYS.SOURCES] = self[self._KEYS.SOURCES]\n return stub\n", "role": "user" }, { "content": "get_stub", "role": "assistant" } ]
def x(self, field, sources): if self._KEYS.ERRORS in self: my_errors = self[self._KEYS.ERRORS] for alias in sources.split(','): source = self.get_source_by_alias(alias) bib_err_values = [err[ERROR.VALUE] for err in my_errors if err[ ERROR.KIND] == SOURCE.BIBCODE and err[ERROR.EXTRA] == field] if SOURCE.BIBCODE in source and source[SOURCE.BIBCODE ] in bib_err_values: return True name_err_values = [err[ERROR.VALUE] for err in my_errors if err [ERROR.KIND] == SOURCE.NAME and err[ERROR.EXTRA] == field] if SOURCE.NAME in source and source[SOURCE.NAME ] in name_err_values: return True return False
is_erroneous
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, sources):\n if self._KEYS.ERRORS in self:\n my_errors = self[self._KEYS.ERRORS]\n for alias in sources.split(','):\n source = self.get_source_by_alias(alias)\n bib_err_values = [err[ERROR.VALUE] for err in my_errors if err[\n ERROR.KIND] == SOURCE.BIBCODE and err[ERROR.EXTRA] == field]\n if SOURCE.BIBCODE in source and source[SOURCE.BIBCODE\n ] in bib_err_values:\n return True\n name_err_values = [err[ERROR.VALUE] for err in my_errors if err\n [ERROR.KIND] == SOURCE.NAME and err[ERROR.EXTRA] == field]\n if SOURCE.NAME in source and source[SOURCE.NAME\n ] in name_err_values:\n return True\n return False\n", "role": "user" }, { "content": "is_erroneous", "role": "assistant" } ]
def x(self, key, sources): if key == ENTRY.ALIAS: return False return all([(SOURCE.PRIVATE in self.get_source_by_alias(x)) for x in sources.split(',')])
is_private
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, sources):\n if key == ENTRY.ALIAS:\n return False\n return all([(SOURCE.PRIVATE in self.get_source_by_alias(x)) for x in\n sources.split(',')])\n", "role": "user" }, { "content": "is_private", "role": "assistant" } ]
def x(self): name = self[self._KEYS.NAME] aliases = self.get_aliases(includename=False) if name not in aliases: if self._KEYS.SOURCES in self: self.add_quantity(self._KEYS.ALIAS, name, '1') if self._KEYS.ALIAS not in self: source = self.add_self_source() self.add_quantity(self._KEYS.ALIAS, name, source) else: source = self.add_self_source() self.add_quantity(self._KEYS.ALIAS, name, source) if self._KEYS.ALIAS in self: self[self._KEYS.ALIAS].sort(key=lambda key: alias_priority(name, key[QUANTITY.VALUE])) else: self._log.error('There should be at least one alias for `{}`.'. format(name)) if self._KEYS.PHOTOMETRY in self: self[self._KEYS.PHOTOMETRY].sort(key=lambda x: ((float(x[PHOTOMETRY .TIME]) if isinstance(x[PHOTOMETRY.TIME], (basestring, float, int)) else min([float(y) for y in x[PHOTOMETRY.TIME]])) if PHOTOMETRY.TIME in x else 0.0, x[PHOTOMETRY.BAND] if PHOTOMETRY .BAND in x else '', float(x[PHOTOMETRY.MAGNITUDE]) if PHOTOMETRY.MAGNITUDE in x else '')) if self._KEYS.SPECTRA in self and list(filter(None, [(SPECTRUM.TIME in x) for x in self[self._KEYS.SPECTRA]])): self[self._KEYS.SPECTRA].sort(key=lambda x: (float(x[SPECTRUM.TIME] ) if SPECTRUM.TIME in x else 0.0, x[SPECTRUM.FILENAME] if SPECTRUM.FILENAME in x else '')) if self._KEYS.SOURCES in self: source_aliases = [x[SOURCE.ALIAS] for x in self[self._KEYS.SOURCES]] source_list = [x[SOURCE.ALIAS] for x in self[self._KEYS.SOURCES] if SOURCE.PRIVATE in x] for key in self: if key in [self._KEYS.NAME, self._KEYS.SCHEMA, self._KEYS. SOURCES, self._KEYS.ERRORS]: continue for item in self[key]: source_list += item[item._KEYS.SOURCE].split(',') new_src_list = sorted(list(set(source_aliases).intersection( source_list))) new_sources = [] for source in self[self._KEYS.SOURCES]: if source[SOURCE.ALIAS] in new_src_list: new_sources.append(source) else: self._log.info('Removing orphaned source from `{}`.'.format (name)) if not new_sources: del self[self._KEYS.SOURCES] self[self._KEYS.SOURCES] = new_sources
sanitize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name = self[self._KEYS.NAME]\n aliases = self.get_aliases(includename=False)\n if name not in aliases:\n if self._KEYS.SOURCES in self:\n self.add_quantity(self._KEYS.ALIAS, name, '1')\n if self._KEYS.ALIAS not in self:\n source = self.add_self_source()\n self.add_quantity(self._KEYS.ALIAS, name, source)\n else:\n source = self.add_self_source()\n self.add_quantity(self._KEYS.ALIAS, name, source)\n if self._KEYS.ALIAS in self:\n self[self._KEYS.ALIAS].sort(key=lambda key: alias_priority(name,\n key[QUANTITY.VALUE]))\n else:\n self._log.error('There should be at least one alias for `{}`.'.\n format(name))\n if self._KEYS.PHOTOMETRY in self:\n self[self._KEYS.PHOTOMETRY].sort(key=lambda x: ((float(x[PHOTOMETRY\n .TIME]) if isinstance(x[PHOTOMETRY.TIME], (basestring, float,\n int)) else min([float(y) for y in x[PHOTOMETRY.TIME]])) if \n PHOTOMETRY.TIME in x else 0.0, x[PHOTOMETRY.BAND] if PHOTOMETRY\n .BAND in x else '', float(x[PHOTOMETRY.MAGNITUDE]) if \n PHOTOMETRY.MAGNITUDE in x else ''))\n if self._KEYS.SPECTRA in self and list(filter(None, [(SPECTRUM.TIME in\n x) for x in self[self._KEYS.SPECTRA]])):\n self[self._KEYS.SPECTRA].sort(key=lambda x: (float(x[SPECTRUM.TIME]\n ) if SPECTRUM.TIME in x else 0.0, x[SPECTRUM.FILENAME] if \n SPECTRUM.FILENAME in x else ''))\n if self._KEYS.SOURCES in self:\n source_aliases = [x[SOURCE.ALIAS] for x in self[self._KEYS.SOURCES]]\n source_list = [x[SOURCE.ALIAS] for x in self[self._KEYS.SOURCES] if\n SOURCE.PRIVATE in x]\n for key in self:\n if key in [self._KEYS.NAME, self._KEYS.SCHEMA, self._KEYS.\n SOURCES, self._KEYS.ERRORS]:\n continue\n for item in self[key]:\n source_list += item[item._KEYS.SOURCE].split(',')\n new_src_list = sorted(list(set(source_aliases).intersection(\n source_list)))\n new_sources = []\n for source in self[self._KEYS.SOURCES]:\n if source[SOURCE.ALIAS] in new_src_list:\n new_sources.append(source)\n else:\n self._log.info('Removing orphaned source from `{}`.'.format\n (name))\n if not new_sources:\n del self[self._KEYS.SOURCES]\n self[self._KEYS.SOURCES] = new_sources\n", "role": "user" }, { "content": "sanitize", "role": "assistant" } ]
def x(self, bury=False, final=False): outdir, filename = self._get_save_path(bury=bury) if final: self.sanitize() jsonstring = json.dumps({self[self._KEYS.NAME]: self._ordered(self)}, indent='\t' if sys.version_info[0] >= 3 else 4, separators=(',', ':'), ensure_ascii=False) if not os.path.isdir(outdir): raise RuntimeError( "Output directory '{}' for event '{}' does not exist.".format( outdir, self[self._KEYS.NAME])) save_name = os.path.join(outdir, filename + '.json') with codecs.open(save_name, 'w', encoding='utf8') as sf: sf.write(jsonstring) if not os.path.exists(save_name): raise RuntimeError("File '{}' was not saved!".format(save_name)) return save_name
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bury=False, final=False):\n outdir, filename = self._get_save_path(bury=bury)\n if final:\n self.sanitize()\n jsonstring = json.dumps({self[self._KEYS.NAME]: self._ordered(self)},\n indent='\\t' if sys.version_info[0] >= 3 else 4, separators=(',',\n ':'), ensure_ascii=False)\n if not os.path.isdir(outdir):\n raise RuntimeError(\n \"Output directory '{}' for event '{}' does not exist.\".format(\n outdir, self[self._KEYS.NAME]))\n save_name = os.path.join(outdir, filename + '.json')\n with codecs.open(save_name, 'w', encoding='utf8') as sf:\n sf.write(jsonstring)\n if not os.path.exists(save_name):\n raise RuntimeError(\"File '{}' was not saved!\".format(save_name))\n return save_name\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, key): if key == self._KEYS.SCHEMA: return 'aaa' if key == self._KEYS.NAME: return 'aab' if key == self._KEYS.SOURCES: return 'aac' if key == self._KEYS.ALIAS: return 'aad' if key == self._KEYS.MODELS: return 'aae' if key == self._KEYS.PHOTOMETRY: return 'zzy' if key == self._KEYS.SPECTRA: return 'zzz' return key
sort_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key == self._KEYS.SCHEMA:\n return 'aaa'\n if key == self._KEYS.NAME:\n return 'aab'\n if key == self._KEYS.SOURCES:\n return 'aac'\n if key == self._KEYS.ALIAS:\n return 'aad'\n if key == self._KEYS.MODELS:\n return 'aae'\n if key == self._KEYS.PHOTOMETRY:\n return 'zzy'\n if key == self._KEYS.SPECTRA:\n return 'zzz'\n return key\n", "role": "user" }, { "content": "sort_func", "role": "assistant" } ]
def x(photodict, c='', ec='', lec='', uec='', zp=DEFAULT_ZP, sig= DEFAULT_UL_SIGMA): with localcontext() as ctx: if lec == '' or uec == '': lec = ec uec = ec prec = max(get_sig_digits(str(c), strip_zeroes=False), get_sig_digits(str(lec), strip_zeroes=False), get_sig_digits( str(uec), strip_zeroes=False)) + 1 ctx.prec = prec dlec = Decimal(str(lec)) duec = Decimal(str(uec)) if c != '': dc = Decimal(str(c)) dzp = Decimal(str(zp)) dsig = Decimal(str(sig)) photodict[PHOTOMETRY.ZERO_POINT] = str(zp) if c == '' or float(c) < float(sig) * float(uec): photodict[PHOTOMETRY.UPPER_LIMIT] = True photodict[PHOTOMETRY.UPPER_LIMIT_SIGMA] = str(sig) photodict[PHOTOMETRY.MAGNITUDE] = str(dzp - D25 * (dsig * duec) .log10()) dnec = Decimal('10.0') ** ((dzp - Decimal(photodict[PHOTOMETRY. MAGNITUDE])) / D25) photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dnec + duec).log10() - dnec.log10())) else: photodict[PHOTOMETRY.MAGNITUDE] = str(dzp - D25 * dc.log10()) photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dc + duec ).log10() - dc.log10())) photodict[PHOTOMETRY.E_LOWER_MAGNITUDE] = str(D25 * (dc.log10() - (dc - dlec).log10()))
set_pd_mag_from_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(photodict, c='', ec='', lec='', uec='', zp=DEFAULT_ZP, sig=\n DEFAULT_UL_SIGMA):\n with localcontext() as ctx:\n if lec == '' or uec == '':\n lec = ec\n uec = ec\n prec = max(get_sig_digits(str(c), strip_zeroes=False),\n get_sig_digits(str(lec), strip_zeroes=False), get_sig_digits(\n str(uec), strip_zeroes=False)) + 1\n ctx.prec = prec\n dlec = Decimal(str(lec))\n duec = Decimal(str(uec))\n if c != '':\n dc = Decimal(str(c))\n dzp = Decimal(str(zp))\n dsig = Decimal(str(sig))\n photodict[PHOTOMETRY.ZERO_POINT] = str(zp)\n if c == '' or float(c) < float(sig) * float(uec):\n photodict[PHOTOMETRY.UPPER_LIMIT] = True\n photodict[PHOTOMETRY.UPPER_LIMIT_SIGMA] = str(sig)\n photodict[PHOTOMETRY.MAGNITUDE] = str(dzp - D25 * (dsig * duec)\n .log10())\n dnec = Decimal('10.0') ** ((dzp - Decimal(photodict[PHOTOMETRY.\n MAGNITUDE])) / D25)\n photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dnec +\n duec).log10() - dnec.log10()))\n else:\n photodict[PHOTOMETRY.MAGNITUDE] = str(dzp - D25 * dc.log10())\n photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dc + duec\n ).log10() - dc.log10()))\n photodict[PHOTOMETRY.E_LOWER_MAGNITUDE] = str(D25 * (dc.log10() -\n (dc - dlec).log10()))\n", "role": "user" }, { "content": "set_pd_mag_from_counts", "role": "assistant" } ]
def x(photodict, fd='', efd='', lefd='', uefd='', sig=DEFAULT_UL_SIGMA): with localcontext() as ctx: if lefd == '' or uefd == '': lefd = efd uefd = efd prec = max(get_sig_digits(str(fd), strip_zeroes=False), get_sig_digits(str(lefd), strip_zeroes=False), get_sig_digits( str(uefd), strip_zeroes=False)) + 1 ctx.prec = prec dlefd = Decimal(str(lefd)) duefd = Decimal(str(uefd)) if fd != '': dfd = Decimal(str(fd)) dsig = Decimal(str(sig)) if fd == '' or float(fd) < DEFAULT_UL_SIGMA * float(uefd): photodict[PHOTOMETRY.UPPER_LIMIT] = True photodict[PHOTOMETRY.UPPER_LIMIT_SIGMA] = str(sig) photodict[PHOTOMETRY.MAGNITUDE] = str(Decimal('23.9') - D25 * ( dsig * duefd).log10()) if fd: photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dfd + duefd).log10() - dfd.log10())) else: photodict[PHOTOMETRY.MAGNITUDE] = str(Decimal('23.9') - D25 * dfd.log10()) photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dfd + duefd).log10() - dfd.log10())) photodict[PHOTOMETRY.E_LOWER_MAGNITUDE] = str(D25 * (dfd.log10( ) - (dfd - dlefd).log10()))
set_pd_mag_from_flux_density
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(photodict, fd='', efd='', lefd='', uefd='', sig=DEFAULT_UL_SIGMA):\n with localcontext() as ctx:\n if lefd == '' or uefd == '':\n lefd = efd\n uefd = efd\n prec = max(get_sig_digits(str(fd), strip_zeroes=False),\n get_sig_digits(str(lefd), strip_zeroes=False), get_sig_digits(\n str(uefd), strip_zeroes=False)) + 1\n ctx.prec = prec\n dlefd = Decimal(str(lefd))\n duefd = Decimal(str(uefd))\n if fd != '':\n dfd = Decimal(str(fd))\n dsig = Decimal(str(sig))\n if fd == '' or float(fd) < DEFAULT_UL_SIGMA * float(uefd):\n photodict[PHOTOMETRY.UPPER_LIMIT] = True\n photodict[PHOTOMETRY.UPPER_LIMIT_SIGMA] = str(sig)\n photodict[PHOTOMETRY.MAGNITUDE] = str(Decimal('23.9') - D25 * (\n dsig * duefd).log10())\n if fd:\n photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dfd +\n duefd).log10() - dfd.log10()))\n else:\n photodict[PHOTOMETRY.MAGNITUDE] = str(Decimal('23.9') - D25 *\n dfd.log10())\n photodict[PHOTOMETRY.E_UPPER_MAGNITUDE] = str(D25 * ((dfd +\n duefd).log10() - dfd.log10()))\n photodict[PHOTOMETRY.E_LOWER_MAGNITUDE] = str(D25 * (dfd.log10(\n ) - (dfd - dlefd).log10()))\n", "role": "user" }, { "content": "set_pd_mag_from_flux_density", "role": "assistant" } ]
def x(self): super(Photometry, self)._check() err_str = None has_flux = self._KEYS.FLUX in self has_flux_dens = self._KEYS.FLUX_DENSITY in self has_u_flux = self._KEYS.U_FLUX in self has_u_flux_dens = self._KEYS.U_FLUX_DENSITY in self has_freq = self._KEYS.FREQUENCY in self has_band = self._KEYS.BAND in self has_ener = self._KEYS.ENERGY in self has_u_freq = self._KEYS.U_FREQUENCY in self has_u_ener = self._KEYS.U_ENERGY in self if has_flux or has_flux_dens: if not any([has_freq, has_band, has_ener]): err_str = 'Has `{}` or `{}`'.format(self._KEYS.FLUX, self._KEYS .FLUX_DENSITY) + ' but None of `{}`, `{}`, `{}`'.format(self ._KEYS.FREQUENCY, self._KEYS.BAND, self._KEYS.ENERGY) elif has_flux and not has_u_flux: err_str = '`{}` provided without `{}`.'.format(self._KEYS.FLUX, self._KEYS.U_FLUX) elif has_flux_dens and not has_u_flux_dens: err_str = '`{}` provided without `{}`.'.format(self._KEYS. FLUX_DENSITY, self._KEYS.U_FLUX_DENSITY) elif has_freq and not has_u_freq: err_str = '`{}` provided without `{}`.'.format(self._KEYS. FREQUENCY, self._KEYS.U_FREQUENCY) elif has_ener and not has_u_ener: err_str = '`{}` provided without `{}`.'.format(self._KEYS. ENERGY, self._KEYS.U_ENERGY) if err_str is not None: raise ValueError(err_str) return
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n super(Photometry, self)._check()\n err_str = None\n has_flux = self._KEYS.FLUX in self\n has_flux_dens = self._KEYS.FLUX_DENSITY in self\n has_u_flux = self._KEYS.U_FLUX in self\n has_u_flux_dens = self._KEYS.U_FLUX_DENSITY in self\n has_freq = self._KEYS.FREQUENCY in self\n has_band = self._KEYS.BAND in self\n has_ener = self._KEYS.ENERGY in self\n has_u_freq = self._KEYS.U_FREQUENCY in self\n has_u_ener = self._KEYS.U_ENERGY in self\n if has_flux or has_flux_dens:\n if not any([has_freq, has_band, has_ener]):\n err_str = 'Has `{}` or `{}`'.format(self._KEYS.FLUX, self._KEYS\n .FLUX_DENSITY) + ' but None of `{}`, `{}`, `{}`'.format(self\n ._KEYS.FREQUENCY, self._KEYS.BAND, self._KEYS.ENERGY)\n elif has_flux and not has_u_flux:\n err_str = '`{}` provided without `{}`.'.format(self._KEYS.FLUX,\n self._KEYS.U_FLUX)\n elif has_flux_dens and not has_u_flux_dens:\n err_str = '`{}` provided without `{}`.'.format(self._KEYS.\n FLUX_DENSITY, self._KEYS.U_FLUX_DENSITY)\n elif has_freq and not has_u_freq:\n err_str = '`{}` provided without `{}`.'.format(self._KEYS.\n FREQUENCY, self._KEYS.U_FREQUENCY)\n elif has_ener and not has_u_ener:\n err_str = '`{}` provided without `{}`.'.format(self._KEYS.\n ENERGY, self._KEYS.U_ENERGY)\n if err_str is not None:\n raise ValueError(err_str)\n return\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, key): if key == self._KEYS.TIME: return 'aaa' if key == self._KEYS.MODEL: return 'zzy' if key == self._KEYS.SOURCE: return 'zzz' return key
sort_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key == self._KEYS.TIME:\n return 'aaa'\n if key == self._KEYS.MODEL:\n return 'zzy'\n if key == self._KEYS.SOURCE:\n return 'zzz'\n return key\n", "role": "user" }, { "content": "sort_func", "role": "assistant" } ]
def x(): url = get_url() context.configure(url=url, version_table= 'alembic_ziggurat_foundations_version', transaction_per_migration=True) with context.begin_transaction(): context.run_migrations()
run_migrations_offline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n url = get_url()\n context.configure(url=url, version_table=\n 'alembic_ziggurat_foundations_version', transaction_per_migration=True)\n with context.begin_transaction():\n context.run_migrations()\n", "role": "user" }, { "content": "run_migrations_offline", "role": "assistant" } ]