source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(base, *args): ret = base for n in args: if is_string(n): ret = '%s_%s' % (ret, n) else: ret = '%s_%04i' % (ret, n + 1) return ret
concat_padded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(base, *args):\n ret = base\n for n in args:\n if is_string(n):\n ret = '%s_%s' % (ret, n)\n else:\n ret = '%s_%04i' % (ret, n + 1)\n return ret\n", "role": "user" }, { "content": "concat_padded", "role": "assistant" } ]
def x(box): x, y, w, h = box['x'], box['y'], box['w'], box['h'] return '%i,%i %i,%i %i,%i %i,%i' % (x, y, x + w, y, x + w, y + h, x, y + h)
points_from_xywh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(box):\n x, y, w, h = box['x'], box['y'], box['w'], box['h']\n return '%i,%i %i,%i %i,%i %i,%i' % (x, y, x + w, y, x + w, y + h, x, y + h)\n", "role": "user" }, { "content": "points_from_xywh", "role": "assistant" } ]
def x(yxyx): y0 = yxyx[0] x0 = yxyx[1] y1 = yxyx[2] x1 = yxyx[3] return '%s,%s %s,%s %s,%s %s,%s' % (x0, y0, x1, y0, x1, y1, x0, y1)
points_from_y0x0y1x1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yxyx):\n y0 = yxyx[0]\n x0 = yxyx[1]\n y1 = yxyx[2]\n x1 = yxyx[3]\n return '%s,%s %s,%s %s,%s %s,%s' % (x0, y0, x1, y0, x1, y1, x0, y1)\n", "role": "user" }, { "content": "points_from_y0x0y1x1", "role": "assistant" } ]
def x(xyxy): x0 = xyxy[0] y0 = xyxy[1] x1 = xyxy[2] y1 = xyxy[3] return '%s,%s %s,%s %s,%s %s,%s' % (x0, y0, x1, y0, x1, y1, x0, y1)
points_from_x0y0x1y1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xyxy):\n x0 = xyxy[0]\n y0 = xyxy[1]\n x1 = xyxy[2]\n y1 = xyxy[3]\n return '%s,%s %s,%s %s,%s %s,%s' % (x0, y0, x1, y0, x1, y1, x0, y1)\n", "role": "user" }, { "content": "points_from_x0y0x1y1", "role": "assistant" } ]
def x(points): polygon = [] for pair in points.split(' '): x_y = pair.split(',') polygon.append([float(x_y[0]), float(x_y[1])]) return polygon
polygon_from_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(points):\n polygon = []\n for pair in points.split(' '):\n x_y = pair.split(',')\n polygon.append([float(x_y[0]), float(x_y[1])])\n return polygon\n", "role": "user" }, { "content": "polygon_from_points", "role": "assistant" } ]
def x(path_to_zip, output_directory): z = ZipFile(path_to_zip, 'r') z.extractall(output_directory) z.close()
unzip_file_to_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path_to_zip, output_directory):\n z = ZipFile(path_to_zip, 'r')\n z.extractall(output_directory)\n z.close()\n", "role": "user" }, { "content": "unzip_file_to_dir", "role": "assistant" } ]
def x(points): xys = [[int(p) for p in pair.split(',')] for pair in points.split(' ')] minx = sys.maxsize miny = sys.maxsize maxx = 0 maxy = 0 for xy in xys: if xy[0] < minx: minx = xy[0] if xy[0] > maxx: maxx = xy[0] if xy[1] < miny: miny = xy[1] if xy[1] > maxy: maxy = xy[1] return {'x': minx, 'y': miny, 'w': maxx - minx, 'h': maxy - miny}
xywh_from_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(points):\n xys = [[int(p) for p in pair.split(',')] for pair in points.split(' ')]\n minx = sys.maxsize\n miny = sys.maxsize\n maxx = 0\n maxy = 0\n for xy in xys:\n if xy[0] < minx:\n minx = xy[0]\n if xy[0] > maxx:\n maxx = xy[0]\n if xy[1] < miny:\n miny = xy[1]\n if xy[1] > maxy:\n maxy = xy[1]\n return {'x': minx, 'y': miny, 'w': maxx - minx, 'h': maxy - miny}\n", "role": "user" }, { "content": "xywh_from_points", "role": "assistant" } ]
def x(self, bag): if not self.profile_validator.validate(bag): raise Exception(str(self.profile_validator.report))
validate_profile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bag):\n if not self.profile_validator.validate(bag):\n raise Exception(str(self.profile_validator.report))\n", "role": "user" }, { "content": "validate_profile", "role": "assistant" } ]
def x(self, bag, **kwargs): failed = None try: bag.validate(**kwargs) except BagValidationError as e: failed = e if failed: raise BagValidationError('%s' % failed)
validate_bag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bag, **kwargs):\n failed = None\n try:\n bag.validate(**kwargs)\n except BagValidationError as e:\n failed = e\n if failed:\n raise BagValidationError('%s' % failed)\n", "role": "user" }, { "content": "validate_bag", "role": "assistant" } ]
def x(self, skip_checksums=False, skip_bag=False, skip_unzip=False, skip_delete=False, processes=2): if skip_unzip: bagdir = self.path_to_zip skip_delete = True else: self.profile_validator.validate_serialization(self.path_to_zip) bagdir = mkdtemp(prefix=TMP_BAGIT_PREFIX) unzip_file_to_dir(self.path_to_zip, bagdir) try: bag = Bag(bagdir) self._validate_profile(bag) if not skip_bag: self._validate_bag(bag, fast=skip_checksums, processes=processes) finally: if not skip_delete: rmtree(bagdir) return self.report
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, skip_checksums=False, skip_bag=False, skip_unzip=False,\n skip_delete=False, processes=2):\n if skip_unzip:\n bagdir = self.path_to_zip\n skip_delete = True\n else:\n self.profile_validator.validate_serialization(self.path_to_zip)\n bagdir = mkdtemp(prefix=TMP_BAGIT_PREFIX)\n unzip_file_to_dir(self.path_to_zip, bagdir)\n try:\n bag = Bag(bagdir)\n self._validate_profile(bag)\n if not skip_bag:\n self._validate_bag(bag, fast=skip_checksums, processes=processes)\n finally:\n if not skip_delete:\n rmtree(bagdir)\n return self.report\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(inStr): if not inStr: return '' s1 = isinstance(inStr, BaseStrType_) and inStr or '%s' % inStr s2 = '' pos = 0 matchobjects = CDATA_pattern_.finditer(s1) for mo in matchobjects: s3 = s1[pos:mo.start()] s2 += quote_xml_aux(s3) s2 += s1[mo.start():mo.end()] pos = mo.end() s3 = s1[pos:] s2 += quote_xml_aux(s3) return s2
quote_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inStr):\n if not inStr:\n return ''\n s1 = isinstance(inStr, BaseStrType_) and inStr or '%s' % inStr\n s2 = ''\n pos = 0\n matchobjects = CDATA_pattern_.finditer(s1)\n for mo in matchobjects:\n s3 = s1[pos:mo.start()]\n s2 += quote_xml_aux(s3)\n s2 += s1[mo.start():mo.end()]\n pos = mo.end()\n s3 = s1[pos:]\n s2 += quote_xml_aux(s3)\n return s2\n", "role": "user" }, { "content": "quote_xml", "role": "assistant" } ]
def x(inString, silence=False): parser = None rootNode = parsexmlstring_(inString, parser) rootTag, rootClass = get_root_tag(rootNode) if rootClass is None: rootTag = 'PcGts' rootClass = PcGts rootObj = rootClass.factory() rootObj.build(rootNode) if not silence: sys.stdout.write('<?xml version="1.0" ?>\n') rootObj.export(sys.stdout, 0, name_=rootTag, namespacedef_= 'xmlns:pc="http://schema.primaresearch.org/PAGE/gts/pagecontent/2018-07-15"' ) return rootObj
parseString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inString, silence=False):\n parser = None\n rootNode = parsexmlstring_(inString, parser)\n rootTag, rootClass = get_root_tag(rootNode)\n if rootClass is None:\n rootTag = 'PcGts'\n rootClass = PcGts\n rootObj = rootClass.factory()\n rootObj.build(rootNode)\n if not silence:\n sys.stdout.write('<?xml version=\"1.0\" ?>\\n')\n rootObj.export(sys.stdout, 0, name_=rootTag, namespacedef_=\n 'xmlns:pc=\"http://schema.primaresearch.org/PAGE/gts/pagecontent/2018-07-15\"'\n )\n return rootObj\n", "role": "user" }, { "content": "parseString", "role": "assistant" } ]
def x(ctx, parameters, json): if parameters is None or parameters == '': parameters = {} else: with open(parameters, 'r') as f: parameters = loads(f.read()) parameterValidator = ParameterValidator(ctx.json['tools'][ctx.tool_name]) report = parameterValidator.validate(parameters) if not report.is_valid: print(report.to_xml()) sys.exit(1) if json: print(dumps(parameters)) else: for k in parameters: print('params["%s"]="%s"' % (k, parameters[k]))
ocrd_tool_tool_parse_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, parameters, json):\n if parameters is None or parameters == '':\n parameters = {}\n else:\n with open(parameters, 'r') as f:\n parameters = loads(f.read())\n parameterValidator = ParameterValidator(ctx.json['tools'][ctx.tool_name])\n report = parameterValidator.validate(parameters)\n if not report.is_valid:\n print(report.to_xml())\n sys.exit(1)\n if json:\n print(dumps(parameters))\n else:\n for k in parameters:\n print('params[\"%s\"]=\"%s\"' % (k, parameters[k]))\n", "role": "user" }, { "content": "ocrd_tool_tool_parse_params", "role": "assistant" } ]
def x(self, othertype): if othertype is not None: self._el.set('TYPE', 'OTHER') self._el.set('OTHERTYPE', othertype)
othertype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, othertype):\n if othertype is not None:\n self._el.set('TYPE', 'OTHER')\n self._el.set('OTHERTYPE', othertype)\n", "role": "user" }, { "content": "othertype", "role": "assistant" } ]
def x(self, otherrole): if otherrole is not None: self._el.set('ROLE', 'OTHER') self._el.set('OTHERROLE', otherrole)
otherrole
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, otherrole):\n if otherrole is not None:\n self._el.set('ROLE', 'OTHER')\n self._el.set('OTHERROLE', otherrole)\n", "role": "user" }, { "content": "otherrole", "role": "assistant" } ]
def x(self): el_name = self._el.find('mets:name', NS) if el_name is not None: return el_name.text
name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n el_name = self._el.find('mets:name', NS)\n if el_name is not None:\n return el_name.text\n", "role": "user" }, { "content": "name", "role": "assistant" } ]
def x(self, name): if name is not None: el_name = self._el.find('mets:name', NS) if el_name is None: el_name = ET.SubElement(self._el, TAG_METS_NAME) el_name.text = name
name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if name is not None:\n el_name = self._el.find('mets:name', NS)\n if el_name is None:\n el_name = ET.SubElement(self._el, TAG_METS_NAME)\n el_name.text = name\n", "role": "user" }, { "content": "name", "role": "assistant" } ]
def x(self, *args, **kwargs): return super(ParameterValidator, self)._validate(*args, **kwargs)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return super(ParameterValidator, self)._validate(*args, **kwargs)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(node, strictness, strategy, report): if isinstance(node, PcGtsType): node = node.get_Page() elif isinstance(node, GlyphType): return report _, tag, getter, concatenate_with = [x for x in _HIERARCHY if isinstance (node, x[0])][0] children_are_consistent = True children = getattr(node, getter)() for child in children: errors_before = len(report.errors) handle_inconsistencies(child, strictness, strategy, report) if len(report.errors) > errors_before: children_are_consistent = False if concatenate_with is not None: concatenated_children = concatenate_children(node, concatenate_with, strategy) text_results = get_text(node, strategy) if (concatenated_children and text_results and concatenated_children != text_results): if strictness == 'fix': set_text(node, concatenated_children, strategy) elif strictness == 'lax': if not compare_without_whitespace(concatenated_children, text_results): report.add_error(ConsistencyError(tag, node.id, text_results, concatenated_children)) else: report.add_error(ConsistencyError(tag, node.id, text_results, concatenated_children)) return report
handle_inconsistencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, strictness, strategy, report):\n if isinstance(node, PcGtsType):\n node = node.get_Page()\n elif isinstance(node, GlyphType):\n return report\n _, tag, getter, concatenate_with = [x for x in _HIERARCHY if isinstance\n (node, x[0])][0]\n children_are_consistent = True\n children = getattr(node, getter)()\n for child in children:\n errors_before = len(report.errors)\n handle_inconsistencies(child, strictness, strategy, report)\n if len(report.errors) > errors_before:\n children_are_consistent = False\n if concatenate_with is not None:\n concatenated_children = concatenate_children(node, concatenate_with,\n strategy)\n text_results = get_text(node, strategy)\n if (concatenated_children and text_results and \n concatenated_children != text_results):\n if strictness == 'fix':\n set_text(node, concatenated_children, strategy)\n elif strictness == 'lax':\n if not compare_without_whitespace(concatenated_children,\n text_results):\n report.add_error(ConsistencyError(tag, node.id,\n text_results, concatenated_children))\n else:\n report.add_error(ConsistencyError(tag, node.id,\n text_results, concatenated_children))\n return report\n", "role": "user" }, { "content": "handle_inconsistencies", "role": "assistant" } ]
def x(node, concatenate_with, strategy): _, _, getter, concatenate_with = [x for x in _HIERARCHY if isinstance( node, x[0])][0] tokens = [get_text(x, strategy) for x in getattr(node, getter)()] return concatenate_with.join(tokens).strip()
concatenate_children
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, concatenate_with, strategy):\n _, _, getter, concatenate_with = [x for x in _HIERARCHY if isinstance(\n node, x[0])][0]\n tokens = [get_text(x, strategy) for x in getattr(node, getter)()]\n return concatenate_with.join(tokens).strip()\n", "role": "user" }, { "content": "concatenate_children", "role": "assistant" } ]
def x(node, strategy): textEquivs = node.get_TextEquiv() if not textEquivs: log.debug('No text results on %s %s', node, node.id) return '' else: if len(textEquivs) > 1: index1 = [x for x in textEquivs if x.index == 1] if index1: return index1[0].get_Unicode().strip() return textEquivs[0].get_Unicode().strip()
get_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, strategy):\n textEquivs = node.get_TextEquiv()\n if not textEquivs:\n log.debug('No text results on %s %s', node, node.id)\n return ''\n else:\n if len(textEquivs) > 1:\n index1 = [x for x in textEquivs if x.index == 1]\n if index1:\n return index1[0].get_Unicode().strip()\n return textEquivs[0].get_Unicode().strip()\n", "role": "user" }, { "content": "get_text", "role": "assistant" } ]
def x(node, text, strategy): text = text.strip() textEquivs = node.get_TextEquiv() if not textEquivs: node.add_TextEquiv(TextEquivType(Unicode=text)) else: if len(textEquivs) > 1: index1 = [x for x in textEquivs if x.index == 1] if index1: index1[0].set_Unicode(text) return textEquivs[0].set_Unicode(text)
set_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, text, strategy):\n text = text.strip()\n textEquivs = node.get_TextEquiv()\n if not textEquivs:\n node.add_TextEquiv(TextEquivType(Unicode=text))\n else:\n if len(textEquivs) > 1:\n index1 = [x for x in textEquivs if x.index == 1]\n if index1:\n index1[0].set_Unicode(text)\n return\n textEquivs[0].set_Unicode(text)\n", "role": "user" }, { "content": "set_text", "role": "assistant" } ]
def x(filename=None, ocrd_page=None, ocrd_file=None, strictness='strict', strategy='index1'): if ocrd_page: validator = PageValidator(ocrd_page, strictness, strategy) elif ocrd_file: validator = PageValidator(page_from_file(ocrd_file), strictness, strategy) elif filename: validator = PageValidator(parse(filename, silence=True), strictness, strategy) else: raise Exception( 'At least one of ocrd_page, ocrd_file or filename must be set') return validator._validate()
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename=None, ocrd_page=None, ocrd_file=None, strictness='strict',\n strategy='index1'):\n if ocrd_page:\n validator = PageValidator(ocrd_page, strictness, strategy)\n elif ocrd_file:\n validator = PageValidator(page_from_file(ocrd_file), strictness,\n strategy)\n elif filename:\n validator = PageValidator(parse(filename, silence=True), strictness,\n strategy)\n else:\n raise Exception(\n 'At least one of ocrd_page, ocrd_file or filename must be set')\n return validator._validate()\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self): if self.strictness == 'off': return self.report handle_inconsistencies(self.page, self.strictness, self.strategy, self. report) return self.report
validate
[ { "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.strictness == 'off':\n return self.report\n handle_inconsistencies(self.page, self.strictness, self.strategy, self.\n report)\n return self.report\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(f): params = [click.option('-m', '--mets', help='METS URL to validate'), click.option('-w', '--working-dir', help='Working Directory'), click.option('-I', '--input-file-grp', help= 'File group(s) used as input.', default='INPUT'), click.option('-O', '--output-file-grp', help='File group(s) used as output.', default= 'OUTPUT'), click.option('-g', '--page-id', help= 'ID(s) of the pages to process'), click.option('-p', '--parameter', type=click.Path()), click.option('-J', '--dump-json', help= 'Dump tool description as JSON and exit', is_flag=True, default= False), loglevel_option, click.option('-V', '--version', help= 'Show version', is_flag=True, default=False)] for param in params: param(f) return f
ocrd_cli_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n params = [click.option('-m', '--mets', help='METS URL to validate'),\n click.option('-w', '--working-dir', help='Working Directory'),\n click.option('-I', '--input-file-grp', help=\n 'File group(s) used as input.', default='INPUT'), click.option('-O',\n '--output-file-grp', help='File group(s) used as output.', default=\n 'OUTPUT'), click.option('-g', '--page-id', help=\n 'ID(s) of the pages to process'), click.option('-p', '--parameter',\n type=click.Path()), click.option('-J', '--dump-json', help=\n 'Dump tool description as JSON and exit', is_flag=True, default=\n False), loglevel_option, click.option('-V', '--version', help=\n 'Show version', is_flag=True, default=False)]\n for param in params:\n param(f)\n return f\n", "role": "user" }, { "content": "ocrd_cli_options", "role": "assistant" } ]
def x(self): body = '' for k in ['warning', 'error', 'notice']: for msg in self.__dict__[k + 's']: body += '\n <%s>%s</%s>' % (k, msg, k) return '<report valid="%s">%s\n</report>' % ('true' if self.is_valid else 'false', body)
to_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n body = ''\n for k in ['warning', 'error', 'notice']:\n for msg in self.__dict__[k + 's']:\n body += '\\n <%s>%s</%s>' % (k, msg, k)\n return '<report valid=\"%s\">%s\\n</report>' % ('true' if self.is_valid else\n 'false', body)\n", "role": "user" }, { "content": "to_xml", "role": "assistant" } ]
def x(self, otherself): self.notices += otherself.notices self.warnings += otherself.warnings self.errors += otherself.errors
merge_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, otherself):\n self.notices += otherself.notices\n self.warnings += otherself.warnings\n self.errors += otherself.errors\n", "role": "user" }, { "content": "merge_report", "role": "assistant" } ]
def x(log_level, mets, page_id, tasks): log = getLogger('ocrd.cli.process') run_tasks(mets, log_level, page_id, tasks) log.info('Finished')
process_cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log_level, mets, page_id, tasks):\n log = getLogger('ocrd.cli.process')\n run_tasks(mets, log_level, page_id, tasks)\n log.info('Finished')\n", "role": "user" }, { "content": "process_cli", "role": "assistant" } ]
def x(directory, mets_basename, dest, identifier, in_place, manifestation_depth, mets, base_version_checksum, tag_file, skip_zip, processes): resolver = Resolver() workspace = Workspace(resolver, directory=directory, mets_basename= mets_basename) workspace_bagger = WorkspaceBagger(resolver) workspace_bagger.bag(workspace, dest=dest, ocrd_identifier=identifier, ocrd_manifestation_depth=manifestation_depth, ocrd_mets=mets, ocrd_base_version_checksum=base_version_checksum, processes= processes, tag_files=tag_file, skip_zip=skip_zip, in_place=in_place)
bag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory, mets_basename, dest, identifier, in_place,\n manifestation_depth, mets, base_version_checksum, tag_file, skip_zip,\n processes):\n resolver = Resolver()\n workspace = Workspace(resolver, directory=directory, mets_basename=\n mets_basename)\n workspace_bagger = WorkspaceBagger(resolver)\n workspace_bagger.bag(workspace, dest=dest, ocrd_identifier=identifier,\n ocrd_manifestation_depth=manifestation_depth, ocrd_mets=mets,\n ocrd_base_version_checksum=base_version_checksum, processes=\n processes, tag_files=tag_file, skip_zip=skip_zip, in_place=in_place)\n", "role": "user" }, { "content": "bag", "role": "assistant" } ]
def x(directory, src): resolver = Resolver() workspace_bagger = WorkspaceBagger(resolver) workspace = workspace_bagger.spill(src, directory) print(workspace)
spill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory, src):\n resolver = Resolver()\n workspace_bagger = WorkspaceBagger(resolver)\n workspace = workspace_bagger.spill(src, directory)\n print(workspace)\n", "role": "user" }, { "content": "spill", "role": "assistant" } ]
def x(src, **kwargs): resolver = Resolver() validator = OcrdZipValidator(resolver, src) report = validator.validate(**kwargs) print(report) if not report.is_valid: sys.exit(1)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, **kwargs):\n resolver = Resolver()\n validator = OcrdZipValidator(resolver, src)\n report = validator.validate(**kwargs)\n print(report)\n if not report.is_valid:\n sys.exit(1)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, chksum, choose_first=False): log = getLogger('ocrd.workspace_backup.restore') bak = None candidates = glob(join(self.backup_directory, '%s*' % chksum)) if not candidates: log.error('No backup found: %s' % chksum) return if len(candidates) > 1 and not choose_first: raise Exception('Not unique, could be\n%s' % '\n'.join(candidates)) bak = candidates[0] self.add() log.info('Restoring from %s/mets.xml' % bak) src = join(bak, 'mets.xml') dest = self.workspace.mets_target log.debug('cp "%s" "%s"', src, dest) copy(src, dest) self.workspace.reload_mets()
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chksum, choose_first=False):\n log = getLogger('ocrd.workspace_backup.restore')\n bak = None\n candidates = glob(join(self.backup_directory, '%s*' % chksum))\n if not candidates:\n log.error('No backup found: %s' % chksum)\n return\n if len(candidates) > 1 and not choose_first:\n raise Exception('Not unique, could be\\n%s' % '\\n'.join(candidates))\n bak = candidates[0]\n self.add()\n log.info('Restoring from %s/mets.xml' % bak)\n src = join(bak, 'mets.xml')\n dest = self.workspace.mets_target\n log.debug('cp \"%s\" \"%s\"', src, dest)\n copy(src, dest)\n self.workspace.reload_mets()\n", "role": "user" }, { "content": "restore", "role": "assistant" } ]
def x(self): log = getLogger('ocrd.workspace_backup.add') mets_str = self.workspace.mets.to_xml() chksum = _chksum(mets_str) backups = self.list() if backups and backups[0].chksum == chksum: log.info('No changes since last backup: %s' % backups[0]) else: timestamp = datetime.now().timestamp() d = join(self.backup_directory, '%s.%s' % (chksum, timestamp)) mets_file = join(d, 'mets.xml') log.info('Backing up to %s' % mets_file) makedirs(d) with open(mets_file, 'wb') as f: f.write(mets_str) return chksum
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log = getLogger('ocrd.workspace_backup.add')\n mets_str = self.workspace.mets.to_xml()\n chksum = _chksum(mets_str)\n backups = self.list()\n if backups and backups[0].chksum == chksum:\n log.info('No changes since last backup: %s' % backups[0])\n else:\n timestamp = datetime.now().timestamp()\n d = join(self.backup_directory, '%s.%s' % (chksum, timestamp))\n mets_file = join(d, 'mets.xml')\n log.info('Backing up to %s' % mets_file)\n makedirs(d)\n with open(mets_file, 'wb') as f:\n f.write(mets_str)\n return chksum\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self): backups = [] for d in glob(join(self.backup_directory, '*')): backups.append(WorkspaceBackup.from_path(d)) backups.sort(key=lambda b: b.lastmod, reverse=True) return backups
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n backups = []\n for d in glob(join(self.backup_directory, '*')):\n backups.append(WorkspaceBackup.from_path(d))\n backups.sort(key=lambda b: b.lastmod, reverse=True)\n return backups\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(self): log = getLogger('ocrd.workspace_backup.undo') backups = self.list() if backups: last_backup = backups[0] self.restore(last_backup.chksum, choose_first=True) else: log.info('No backups, nothing to undo.')
undo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log = getLogger('ocrd.workspace_backup.undo')\n backups = self.list()\n if backups:\n last_backup = backups[0]\n self.restore(last_backup.chksum, choose_first=True)\n else:\n log.info('No backups, nothing to undo.')\n", "role": "user" }, { "content": "undo", "role": "assistant" } ]
def x(el): sio = StringIO() el.export(sio, 0, name_='PcGts', namespacedef_='xmlns:pc="%s"' % NAMESPACES['page']) return '<?xml version="1.0" encoding="UTF-8"?>\n' + sio.getvalue()
to_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(el):\n sio = StringIO()\n el.export(sio, 0, name_='PcGts', namespacedef_='xmlns:pc=\"%s\"' %\n NAMESPACES['page'])\n return '<?xml version=\"1.0\" encoding=\"UTF-8\"?>\\n' + sio.getvalue()\n", "role": "user" }, { "content": "to_xml", "role": "assistant" } ]
def x(lvl): lvl = _ocrdLevel2pythonLevel.get(lvl, lvl) return logging.getLevelName(lvl)
getLevelName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lvl):\n lvl = _ocrdLevel2pythonLevel.get(lvl, lvl)\n return logging.getLevelName(lvl)\n", "role": "user" }, { "content": "getLevelName", "role": "assistant" } ]
def x(lvl): if lvl is None: return logging.info('Overriding log level globally to %s', lvl) lvl = getLevelName(lvl) global _overrideLogLevel _overrideLogLevel = lvl logging.getLogger('').setLevel(lvl) for loggerName in logging.Logger.manager.loggerDict: logger = logging.Logger.manager.loggerDict[loggerName] if isinstance(logger, logging.PlaceHolder): continue logger.setLevel(logging.NOTSET)
setOverrideLogLevel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lvl):\n if lvl is None:\n return\n logging.info('Overriding log level globally to %s', lvl)\n lvl = getLevelName(lvl)\n global _overrideLogLevel\n _overrideLogLevel = lvl\n logging.getLogger('').setLevel(lvl)\n for loggerName in logging.Logger.manager.loggerDict:\n logger = logging.Logger.manager.loggerDict[loggerName]\n if isinstance(logger, logging.PlaceHolder):\n continue\n logger.setLevel(logging.NOTSET)\n", "role": "user" }, { "content": "setOverrideLogLevel", "role": "assistant" } ]
def x(*args, **kwargs): logger = logging.getLogger(*args, **kwargs) if _overrideLogLevel is not None: logger.setLevel(logging.NOTSET) return logger
getLogger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n logger = logging.getLogger(*args, **kwargs)\n if _overrideLogLevel is not None:\n logger.setLevel(logging.NOTSET)\n return logger\n", "role": "user" }, { "content": "getLogger", "role": "assistant" } ]
def x(): logging.basicConfig(level=logging.INFO, format= '%(asctime)s.%(msecs)03d %(levelname)s %(name)s - %(message)s', datefmt='%H:%M:%S') logging.getLogger('').setLevel(logging.INFO) logging.getLogger('PIL').setLevel(logging.INFO) CONFIG_PATHS = [os.path.curdir, os.path.join(os.path.expanduser('~')), '/etc'] for p in CONFIG_PATHS: config_file = os.path.join(p, 'ocrd_logging.py') if os.path.exists(config_file): logging.info("Loading logging configuration from '%s'", config_file ) with open(config_file) as f: code = compile(f.read(), config_file, 'exec') exec(code, globals(), locals())
initLogging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n logging.basicConfig(level=logging.INFO, format=\n '%(asctime)s.%(msecs)03d %(levelname)s %(name)s - %(message)s',\n datefmt='%H:%M:%S')\n logging.getLogger('').setLevel(logging.INFO)\n logging.getLogger('PIL').setLevel(logging.INFO)\n CONFIG_PATHS = [os.path.curdir, os.path.join(os.path.expanduser('~')),\n '/etc']\n for p in CONFIG_PATHS:\n config_file = os.path.join(p, 'ocrd_logging.py')\n if os.path.exists(config_file):\n logging.info(\"Loading logging configuration from '%s'\", config_file\n )\n with open(config_file) as f:\n code = compile(f.read(), config_file, 'exec')\n exec(code, globals(), locals())\n", "role": "user" }, { "content": "initLogging", "role": "assistant" } ]
def x(self, workspace, ocrd_identifier, dest=None, ocrd_mets='mets.xml', ocrd_manifestation_depth='full', ocrd_base_version_checksum=None, processes=1, skip_zip=False, in_place=False, tag_files=None): if ocrd_manifestation_depth not in ('full', 'partial'): raise Exception("manifestation_depth must be 'full' or 'partial'") if in_place and dest is not None: raise Exception("Setting 'dest' and 'in_place' is a contradiction") if in_place and not skip_zip: raise Exception( "Setting 'skip_zip' and not 'in_place' is a contradiction") if tag_files is None: tag_files = [] bagdir = mkdtemp(prefix=TMP_BAGIT_PREFIX) if dest is None: if in_place: dest = workspace.directory elif not skip_zip: dest = '%s.ocrd.zip' % workspace.directory else: dest = '%s.ocrd' % workspace.directory log.info('Bagging %s to %s (temp dir %s)', workspace.directory, '(in-place)' if in_place else dest, bagdir) makedirs(join(bagdir, 'data')) with open(join(bagdir, 'bagit.txt'), 'wb') as f: f.write(BAGIT_TXT.encode('utf-8')) total_bytes, total_files = self._bag_mets_files(workspace, bagdir, ocrd_manifestation_depth, ocrd_mets, processes) bag = Bag(bagdir) self._set_bag_info(bag, total_bytes, total_files, ocrd_identifier, ocrd_manifestation_depth, ocrd_base_version_checksum) for tag_file in tag_files: copyfile(tag_file, join(bagdir, basename(tag_file))) bag.save() self._serialize_bag(workspace, bagdir, dest, in_place, skip_zip) log.info('Created bag at %s', dest) return dest
bag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, workspace, ocrd_identifier, dest=None, ocrd_mets='mets.xml',\n ocrd_manifestation_depth='full', ocrd_base_version_checksum=None,\n processes=1, skip_zip=False, in_place=False, tag_files=None):\n if ocrd_manifestation_depth not in ('full', 'partial'):\n raise Exception(\"manifestation_depth must be 'full' or 'partial'\")\n if in_place and dest is not None:\n raise Exception(\"Setting 'dest' and 'in_place' is a contradiction\")\n if in_place and not skip_zip:\n raise Exception(\n \"Setting 'skip_zip' and not 'in_place' is a contradiction\")\n if tag_files is None:\n tag_files = []\n bagdir = mkdtemp(prefix=TMP_BAGIT_PREFIX)\n if dest is None:\n if in_place:\n dest = workspace.directory\n elif not skip_zip:\n dest = '%s.ocrd.zip' % workspace.directory\n else:\n dest = '%s.ocrd' % workspace.directory\n log.info('Bagging %s to %s (temp dir %s)', workspace.directory, \n '(in-place)' if in_place else dest, bagdir)\n makedirs(join(bagdir, 'data'))\n with open(join(bagdir, 'bagit.txt'), 'wb') as f:\n f.write(BAGIT_TXT.encode('utf-8'))\n total_bytes, total_files = self._bag_mets_files(workspace, bagdir,\n ocrd_manifestation_depth, ocrd_mets, processes)\n bag = Bag(bagdir)\n self._set_bag_info(bag, total_bytes, total_files, ocrd_identifier,\n ocrd_manifestation_depth, ocrd_base_version_checksum)\n for tag_file in tag_files:\n copyfile(tag_file, join(bagdir, basename(tag_file)))\n bag.save()\n self._serialize_bag(workspace, bagdir, dest, in_place, skip_zip)\n log.info('Created bag at %s', dest)\n return dest\n", "role": "user" }, { "content": "bag", "role": "assistant" } ]
def x(self, src, dest): if exists(dest) and not isdir(dest): raise Exception('Not a directory: %s' % dest) if isdir(dest): workspace_name = re.sub('(\\.ocrd)?\\.zip$', '', basename(src)) new_dest = join(dest, workspace_name) if exists(new_dest): raise Exception('Directory exists: %s' % new_dest) dest = new_dest log.info('Spilling %s to %s', src, dest) bagdir = mkdtemp(prefix=TMP_BAGIT_PREFIX) unzip_file_to_dir(src, bagdir) datadir = join(bagdir, 'data') for root, _, files in walk(datadir): for f in files: srcfile = join(root, f) destdir = join(dest, relpath(root, datadir)) destfile = join(destdir, f) if not exists(destdir): makedirs(destdir) log.debug('Copy %s -> %s', srcfile, destfile) copyfile(srcfile, destfile) rmtree(bagdir) workspace = Workspace(self.resolver, directory=dest) return workspace
spill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src, dest):\n if exists(dest) and not isdir(dest):\n raise Exception('Not a directory: %s' % dest)\n if isdir(dest):\n workspace_name = re.sub('(\\\\.ocrd)?\\\\.zip$', '', basename(src))\n new_dest = join(dest, workspace_name)\n if exists(new_dest):\n raise Exception('Directory exists: %s' % new_dest)\n dest = new_dest\n log.info('Spilling %s to %s', src, dest)\n bagdir = mkdtemp(prefix=TMP_BAGIT_PREFIX)\n unzip_file_to_dir(src, bagdir)\n datadir = join(bagdir, 'data')\n for root, _, files in walk(datadir):\n for f in files:\n srcfile = join(root, f)\n destdir = join(dest, relpath(root, datadir))\n destfile = join(destdir, f)\n if not exists(destdir):\n makedirs(destdir)\n log.debug('Copy %s -> %s', srcfile, destfile)\n copyfile(srcfile, destfile)\n rmtree(bagdir)\n workspace = Workspace(self.resolver, directory=dest)\n return workspace\n", "role": "user" }, { "content": "spill", "role": "assistant" } ]
def x(self, url, **kwargs): if self.baseurl and '://' not in url: url = join(self.baseurl, url) return self.resolver.download_to_directory(self.directory, url, **kwargs)
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, **kwargs):\n if self.baseurl and '://' not in url:\n url = join(self.baseurl, url)\n return self.resolver.download_to_directory(self.directory, url, **kwargs)\n", "role": "user" }, { "content": "download_url", "role": "assistant" } ]
def x(self, f): oldpwd = os.getcwd() try: os.chdir(self.directory) if is_local_filename(f.url): f.local_filename = abspath(f.url) elif f.local_filename: log.debug('Already downloaded: %s', f.local_filename) else: f.local_filename = self.download_url(f.url, basename='%s/%s' % (f.fileGrp, f.ID)) finally: os.chdir(oldpwd) return f
download_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n oldpwd = os.getcwd()\n try:\n os.chdir(self.directory)\n if is_local_filename(f.url):\n f.local_filename = abspath(f.url)\n elif f.local_filename:\n log.debug('Already downloaded: %s', f.local_filename)\n else:\n f.local_filename = self.download_url(f.url, basename='%s/%s' %\n (f.fileGrp, f.ID))\n finally:\n os.chdir(oldpwd)\n return f\n", "role": "user" }, { "content": "download_file", "role": "assistant" } ]
def x(self, file_grp, content=None, **kwargs): log.debug('outputfile file_grp=%s local_filename=%s content=%s', file_grp, kwargs.get('local_filename'), content is not None) if content is not None and 'local_filename' not in kwargs: raise Exception("'content' was set but no 'local_filename'") oldpwd = os.getcwd() try: os.chdir(self.directory) if 'local_filename' in kwargs: local_filename_dir = kwargs['local_filename'].rsplit('/', 1)[0] if not os.path.isdir(local_filename_dir): os.makedirs(local_filename_dir) if 'url' not in kwargs: kwargs['url'] = kwargs['local_filename'] ret = self.mets.add_file(file_grp, **kwargs) if content is not None: with open(kwargs['local_filename'], 'wb') as f: if isinstance(content, str): content = bytes(content, 'utf-8') f.write(content) finally: os.chdir(oldpwd) return ret
add_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_grp, content=None, **kwargs):\n log.debug('outputfile file_grp=%s local_filename=%s content=%s',\n file_grp, kwargs.get('local_filename'), content is not None)\n if content is not None and 'local_filename' not in kwargs:\n raise Exception(\"'content' was set but no 'local_filename'\")\n oldpwd = os.getcwd()\n try:\n os.chdir(self.directory)\n if 'local_filename' in kwargs:\n local_filename_dir = kwargs['local_filename'].rsplit('/', 1)[0]\n if not os.path.isdir(local_filename_dir):\n os.makedirs(local_filename_dir)\n if 'url' not in kwargs:\n kwargs['url'] = kwargs['local_filename']\n ret = self.mets.add_file(file_grp, **kwargs)\n if content is not None:\n with open(kwargs['local_filename'], 'wb') as f:\n if isinstance(content, str):\n content = bytes(content, 'utf-8')\n f.write(content)\n finally:\n os.chdir(oldpwd)\n return ret\n", "role": "user" }, { "content": "add_file", "role": "assistant" } ]
def x(self): log.info("Saving mets '%s'" % self.mets_target) if self.automatic_backup: WorkspaceBackupManager(self).add() with open(self.mets_target, 'wb') as f: f.write(self.mets.to_xml(xmllint=True))
save_mets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info(\"Saving mets '%s'\" % self.mets_target)\n if self.automatic_backup:\n WorkspaceBackupManager(self).add()\n with open(self.mets_target, 'wb') as f:\n f.write(self.mets.to_xml(xmllint=True))\n", "role": "user" }, { "content": "save_mets", "role": "assistant" } ]
def x(self, image_url): files = self.mets.find_files(url=image_url) if files: image_filename = self.download_file(files[0]).local_filename else: image_filename = self.download_url(image_url) if image_url not in self.image_cache['exif']: self.image_cache['exif'][image_url] = OcrdExif(Image.open( image_filename)) return self.image_cache['exif'][image_url]
resolve_image_exif
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image_url):\n files = self.mets.find_files(url=image_url)\n if files:\n image_filename = self.download_file(files[0]).local_filename\n else:\n image_filename = self.download_url(image_url)\n if image_url not in self.image_cache['exif']:\n self.image_cache['exif'][image_url] = OcrdExif(Image.open(\n image_filename))\n return self.image_cache['exif'][image_url]\n", "role": "user" }, { "content": "resolve_image_exif", "role": "assistant" } ]
def x(self, image_url, coords=None): files = self.mets.find_files(url=image_url) if files: image_filename = self.download_file(files[0]).local_filename else: image_filename = self.download_url(image_url) if image_url not in self.image_cache['pil']: self.image_cache['pil'][image_url] = Image.open(image_filename) pil_image = self.image_cache['pil'][image_url] if coords is None: return pil_image if image_url not in self.image_cache['cv2']: log.debug('Converting PIL to OpenCV: %s', image_url) color_conversion = cv2.COLOR_GRAY2BGR if pil_image.mode in ('1', 'L' ) else cv2.COLOR_RGB2BGR pil_as_np_array = np.array(pil_image).astype('uint8' ) if pil_image.mode == '1' else np.array(pil_image) self.image_cache['cv2'][image_url] = cv2.cvtColor(pil_as_np_array, color_conversion) cv2_image = self.image_cache['cv2'][image_url] poly = np.array(coords, np.int32) log.debug('Cutting region %s from %s', coords, image_url) region_cut = cv2_image[np.min(poly[:, 1]):np.max(poly[:, 1]), np.min( poly[:, 0]):np.max(poly[:, 0])] return Image.fromarray(region_cut)
resolve_image_as_pil
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image_url, coords=None):\n files = self.mets.find_files(url=image_url)\n if files:\n image_filename = self.download_file(files[0]).local_filename\n else:\n image_filename = self.download_url(image_url)\n if image_url not in self.image_cache['pil']:\n self.image_cache['pil'][image_url] = Image.open(image_filename)\n pil_image = self.image_cache['pil'][image_url]\n if coords is None:\n return pil_image\n if image_url not in self.image_cache['cv2']:\n log.debug('Converting PIL to OpenCV: %s', image_url)\n color_conversion = cv2.COLOR_GRAY2BGR if pil_image.mode in ('1', 'L'\n ) else cv2.COLOR_RGB2BGR\n pil_as_np_array = np.array(pil_image).astype('uint8'\n ) if pil_image.mode == '1' else np.array(pil_image)\n self.image_cache['cv2'][image_url] = cv2.cvtColor(pil_as_np_array,\n color_conversion)\n cv2_image = self.image_cache['cv2'][image_url]\n poly = np.array(coords, np.int32)\n log.debug('Cutting region %s from %s', coords, image_url)\n region_cut = cv2_image[np.min(poly[:, 1]):np.max(poly[:, 1]), np.min(\n poly[:, 0]):np.max(poly[:, 0])]\n return Image.fromarray(region_cut)\n", "role": "user" }, { "content": "resolve_image_as_pil", "role": "assistant" } ]
def x(self): ret = '<exif>' for k in self.__dict__: ret += '<%s>%s</%s>' % (k, self.__dict__[k], k) ret += '</exif>' return ret
to_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = '<exif>'\n for k in self.__dict__:\n ret += '<%s>%s</%s>' % (k, self.__dict__[k], k)\n ret += '</exif>'\n return ret\n", "role": "user" }, { "content": "to_xml", "role": "assistant" } ]
def x(self): ret = self.basename.rsplit('.', 1)[0] if ret.endswith('.tar'): ret = ret[0:len(ret) - 4] return ret
basename_without_extension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = self.basename.rsplit('.', 1)[0]\n if ret.endswith('.tar'):\n ret = ret[0:len(ret) - 4]\n return ret\n", "role": "user" }, { "content": "basename_without_extension", "role": "assistant" } ]
def x(self): if self.mets is None: raise Exception( "OcrdFile %s has no member 'mets' pointing to parent OcrdMets" % self) return self.mets.get_physical_page_for_file(self)
pageId
[ { "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.mets is None:\n raise Exception(\n \"OcrdFile %s has no member 'mets' pointing to parent OcrdMets\" %\n self)\n return self.mets.get_physical_page_for_file(self)\n", "role": "user" }, { "content": "pageId", "role": "assistant" } ]
def x(self, pageId): if pageId is None: return if self.mets is None: raise Exception( "OcrdFile %s has no member 'mets' pointing to parent OcrdMets" % self) self.mets.set_physical_page_for_file(pageId, self)
pageId
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pageId):\n if pageId is None:\n return\n if self.mets is None:\n raise Exception(\n \"OcrdFile %s has no member 'mets' pointing to parent OcrdMets\" %\n self)\n self.mets.set_physical_page_for_file(pageId, self)\n", "role": "user" }, { "content": "pageId", "role": "assistant" } ]
def x(self): el_FLocat = self._el.find(TAG_METS_FLOCAT) if el_FLocat is not None: return el_FLocat.get('{%s}href' % NS['xlink']) return ''
url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n el_FLocat = self._el.find(TAG_METS_FLOCAT)\n if el_FLocat is not None:\n return el_FLocat.get('{%s}href' % NS['xlink'])\n return ''\n", "role": "user" }, { "content": "url", "role": "assistant" } ]
def x(self, url): if url is None: return el_FLocat = self._el.find('mets:FLocat', NS) if el_FLocat is None: el_FLocat = ET.SubElement(self._el, TAG_METS_FLOCAT) el_FLocat.set('{%s}href' % NS['xlink'], url)
url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n if url is None:\n return\n el_FLocat = self._el.find('mets:FLocat', NS)\n if el_FLocat is None:\n el_FLocat = ET.SubElement(self._el, TAG_METS_FLOCAT)\n el_FLocat.set('{%s}href' % NS['xlink'], url)\n", "role": "user" }, { "content": "url", "role": "assistant" } ]
def x(): tpl = METS_XML_EMPTY.decode('utf-8') tpl = tpl.replace('{{ VERSION }}', VERSION) tpl = tpl.replace('{{ NOW }}', '%s' % datetime.now()) return OcrdMets(content=tpl.encode('utf-8'))
empty_mets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n tpl = METS_XML_EMPTY.decode('utf-8')\n tpl = tpl.replace('{{ VERSION }}', VERSION)\n tpl = tpl.replace('{{ NOW }}', '%s' % datetime.now())\n return OcrdMets(content=tpl.encode('utf-8'))\n", "role": "user" }, { "content": "empty_mets", "role": "assistant" } ]
def x(self): for t in IDENTIFIER_PRIORITY: found = self._tree.getroot().find('.//mods:identifier[@type="%s"]' % t, NS) if found is not None: return found.text
unique_identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for t in IDENTIFIER_PRIORITY:\n found = self._tree.getroot().find('.//mods:identifier[@type=\"%s\"]' %\n t, NS)\n if found is not None:\n return found.text\n", "role": "user" }, { "content": "unique_identifier", "role": "assistant" } ]
def x(self, purl): id_el = None for t in IDENTIFIER_PRIORITY: id_el = self._tree.getroot().find('.//mods:identifier[@type="%s"]' % t, NS) if id_el is not None: break if id_el is None: mods = self._tree.getroot().find('.//mods:mods', NS) id_el = ET.SubElement(mods, TAG_MODS_IDENTIFIER) id_el.set('type', 'purl') id_el.text = purl
unique_identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, purl):\n id_el = None\n for t in IDENTIFIER_PRIORITY:\n id_el = self._tree.getroot().find('.//mods:identifier[@type=\"%s\"]' %\n t, NS)\n if id_el is not None:\n break\n if id_el is None:\n mods = self._tree.getroot().find('.//mods:mods', NS)\n id_el = ET.SubElement(mods, TAG_MODS_IDENTIFIER)\n id_el.set('type', 'purl')\n id_el.text = purl\n", "role": "user" }, { "content": "unique_identifier", "role": "assistant" } ]
def x(self): return [OcrdAgent(el_agent) for el_agent in self._tree.getroot(). findall('mets:metsHdr/mets:agent', NS)]
agents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [OcrdAgent(el_agent) for el_agent in self._tree.getroot().\n findall('mets:metsHdr/mets:agent', NS)]\n", "role": "user" }, { "content": "agents", "role": "assistant" } ]
def x(self, *args, **kwargs): el_metsHdr = self._tree.getroot().find('.//mets:metsHdr', NS) if el_metsHdr is None: el_metsHdr = ET.Element(TAG_METS_METSHDR) self._tree.getroot().insert(0, el_metsHdr) el_agent = ET.SubElement(el_metsHdr, TAG_METS_AGENT) return OcrdAgent(el_agent, *args, **kwargs)
add_agent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n el_metsHdr = self._tree.getroot().find('.//mets:metsHdr', NS)\n if el_metsHdr is None:\n el_metsHdr = ET.Element(TAG_METS_METSHDR)\n self._tree.getroot().insert(0, el_metsHdr)\n el_agent = ET.SubElement(el_metsHdr, TAG_METS_AGENT)\n return OcrdAgent(el_agent, *args, **kwargs)\n", "role": "user" }, { "content": "add_agent", "role": "assistant" } ]
def x(self): return [el.get('USE') for el in self._tree.getroot().findall( './/mets:fileGrp', NS)]
file_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [el.get('USE') for el in self._tree.getroot().findall(\n './/mets:fileGrp', NS)]\n", "role": "user" }, { "content": "file_groups", "role": "assistant" } ]
def x(self, ID=None, fileGrp=None, pageId=None, mimetype=None, url=None, local_only=False): ret = [] fileGrp_clause = '' if fileGrp is None else '[@USE="%s"]' % fileGrp file_clause = '' if ID is not None: file_clause += '[@ID="%s"]' % ID if mimetype is not None: file_clause += '[@MIMETYPE="%s"]' % mimetype if url is not None: file_clause += '[mets:FLocat[@xlink:href = "%s"]]' % url file_ids = self._tree.getroot().xpath( '//mets:fileGrp%s/mets:file%s/@ID' % (fileGrp_clause, file_clause), namespaces=NS) if pageId is not None: by_pageid = self._tree.getroot().xpath( '//mets:div[@TYPE="page"][@ID="%s"]/mets:fptr/@FILEID' % pageId, namespaces=NS) file_ids = [i for i in by_pageid if i in file_ids] for file_id in file_ids: el = self._tree.getroot().find('.//mets:file[@ID="%s"]' % file_id, NS) if file_id not in self._file_by_id: self._file_by_id[file_id] = OcrdFile(el, mets=self) url = self._file_by_id[file_id].url if local_only and not (url.startswith('file://') or '://' not in url): continue ret.append(self._file_by_id[file_id]) return ret
find_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ID=None, fileGrp=None, pageId=None, mimetype=None, url=None,\n local_only=False):\n ret = []\n fileGrp_clause = '' if fileGrp is None else '[@USE=\"%s\"]' % fileGrp\n file_clause = ''\n if ID is not None:\n file_clause += '[@ID=\"%s\"]' % ID\n if mimetype is not None:\n file_clause += '[@MIMETYPE=\"%s\"]' % mimetype\n if url is not None:\n file_clause += '[mets:FLocat[@xlink:href = \"%s\"]]' % url\n file_ids = self._tree.getroot().xpath(\n '//mets:fileGrp%s/mets:file%s/@ID' % (fileGrp_clause, file_clause),\n namespaces=NS)\n if pageId is not None:\n by_pageid = self._tree.getroot().xpath(\n '//mets:div[@TYPE=\"page\"][@ID=\"%s\"]/mets:fptr/@FILEID' % pageId,\n namespaces=NS)\n file_ids = [i for i in by_pageid if i in file_ids]\n for file_id in file_ids:\n el = self._tree.getroot().find('.//mets:file[@ID=\"%s\"]' % file_id, NS)\n if file_id not in self._file_by_id:\n self._file_by_id[file_id] = OcrdFile(el, mets=self)\n url = self._file_by_id[file_id].url\n if local_only and not (url.startswith('file://') or '://' not in url):\n continue\n ret.append(self._file_by_id[file_id])\n return ret\n", "role": "user" }, { "content": "find_files", "role": "assistant" } ]
def x(self, fileGrp): el_fileSec = self._tree.getroot().find('mets:fileSec', NS) if el_fileSec is None: el_fileSec = ET.SubElement(self._tree.getroot(), TAG_METS_FILESEC) el_fileGrp = el_fileSec.find('mets:fileGrp[@USE="%s"]' % fileGrp, NS) if el_fileGrp is None: el_fileGrp = ET.SubElement(el_fileSec, TAG_METS_FILEGRP) el_fileGrp.set('USE', fileGrp) return el_fileGrp
add_file_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fileGrp):\n el_fileSec = self._tree.getroot().find('mets:fileSec', NS)\n if el_fileSec is None:\n el_fileSec = ET.SubElement(self._tree.getroot(), TAG_METS_FILESEC)\n el_fileGrp = el_fileSec.find('mets:fileGrp[@USE=\"%s\"]' % fileGrp, NS)\n if el_fileGrp is None:\n el_fileGrp = ET.SubElement(el_fileSec, TAG_METS_FILEGRP)\n el_fileGrp.set('USE', fileGrp)\n return el_fileGrp\n", "role": "user" }, { "content": "add_file_group", "role": "assistant" } ]
def x(self, fileGrp, mimetype=None, url=None, ID=None, pageId=None, force= False, local_filename=None, **kwargs): if not ID: raise Exception('Must set ID of the mets:file') el_fileGrp = self._tree.getroot().find(".//mets:fileGrp[@USE='%s']" % fileGrp, NS) if el_fileGrp is None: el_fileGrp = self.add_file_group(fileGrp) if ID is not None and self.find_files(ID=ID) != []: if not force: raise Exception("File with ID='%s' already exists" % ID) mets_file = self.find_files(ID=ID)[0] else: mets_file = OcrdFile(ET.SubElement(el_fileGrp, TAG_METS_FILE), mets =self) mets_file.url = url mets_file.mimetype = mimetype mets_file.ID = ID mets_file.pageId = pageId mets_file.local_filename = local_filename self._file_by_id[ID] = mets_file return mets_file
add_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fileGrp, mimetype=None, url=None, ID=None, pageId=None, force=\n False, local_filename=None, **kwargs):\n if not ID:\n raise Exception('Must set ID of the mets:file')\n el_fileGrp = self._tree.getroot().find(\".//mets:fileGrp[@USE='%s']\" %\n fileGrp, NS)\n if el_fileGrp is None:\n el_fileGrp = self.add_file_group(fileGrp)\n if ID is not None and self.find_files(ID=ID) != []:\n if not force:\n raise Exception(\"File with ID='%s' already exists\" % ID)\n mets_file = self.find_files(ID=ID)[0]\n else:\n mets_file = OcrdFile(ET.SubElement(el_fileGrp, TAG_METS_FILE), mets\n =self)\n mets_file.url = url\n mets_file.mimetype = mimetype\n mets_file.ID = ID\n mets_file.pageId = pageId\n mets_file.local_filename = local_filename\n self._file_by_id[ID] = mets_file\n return mets_file\n", "role": "user" }, { "content": "add_file", "role": "assistant" } ]
def x(self, pageId, ocrd_file, order=None, orderlabel=None): for el_fptr in self._tree.getroot().findall( 'mets:structMap[@TYPE="PHYSICAL"]/mets:div[@TYPE="physSequence"]/mets:div[@TYPE="page"]/mets:fptr[@FILEID="%s"]' % ocrd_file.ID, namespaces=NS): el_fptr.getparent().remove(el_fptr) el_structmap = self._tree.getroot().find('mets:structMap[@TYPE="PHYSICAL"]' , NS) if el_structmap is None: el_structmap = ET.SubElement(self._tree.getroot(), TAG_METS_STRUCTMAP) el_structmap.set('TYPE', 'PHYSICAL') el_seqdiv = el_structmap.find('mets:div[@TYPE="physSequence"]', NS) if el_seqdiv is None: el_seqdiv = ET.SubElement(el_structmap, TAG_METS_DIV) el_seqdiv.set('TYPE', 'physSequence') el_pagediv = el_seqdiv.find('mets:div[@ID="%s"]' % pageId, NS) if el_pagediv is None: el_pagediv = ET.SubElement(el_seqdiv, TAG_METS_DIV) el_pagediv.set('TYPE', 'page') el_pagediv.set('ID', pageId) if order: el_pagediv.set('ORDER', order) if orderlabel: el_pagediv.set('ORDERLABEL', orderlabel) el_fptr = ET.SubElement(el_pagediv, TAG_METS_FPTR) el_fptr.set('FILEID', ocrd_file.ID)
set_physical_page_for_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pageId, ocrd_file, order=None, orderlabel=None):\n for el_fptr in self._tree.getroot().findall(\n 'mets:structMap[@TYPE=\"PHYSICAL\"]/mets:div[@TYPE=\"physSequence\"]/mets:div[@TYPE=\"page\"]/mets:fptr[@FILEID=\"%s\"]'\n % ocrd_file.ID, namespaces=NS):\n el_fptr.getparent().remove(el_fptr)\n el_structmap = self._tree.getroot().find('mets:structMap[@TYPE=\"PHYSICAL\"]'\n , NS)\n if el_structmap is None:\n el_structmap = ET.SubElement(self._tree.getroot(), TAG_METS_STRUCTMAP)\n el_structmap.set('TYPE', 'PHYSICAL')\n el_seqdiv = el_structmap.find('mets:div[@TYPE=\"physSequence\"]', NS)\n if el_seqdiv is None:\n el_seqdiv = ET.SubElement(el_structmap, TAG_METS_DIV)\n el_seqdiv.set('TYPE', 'physSequence')\n el_pagediv = el_seqdiv.find('mets:div[@ID=\"%s\"]' % pageId, NS)\n if el_pagediv is None:\n el_pagediv = ET.SubElement(el_seqdiv, TAG_METS_DIV)\n el_pagediv.set('TYPE', 'page')\n el_pagediv.set('ID', pageId)\n if order:\n el_pagediv.set('ORDER', order)\n if orderlabel:\n el_pagediv.set('ORDERLABEL', orderlabel)\n el_fptr = ET.SubElement(el_pagediv, TAG_METS_FPTR)\n el_fptr.set('FILEID', ocrd_file.ID)\n", "role": "user" }, { "content": "set_physical_page_for_file", "role": "assistant" } ]
def x(self, ocrd_file): ret = self._tree.getroot().xpath( '/mets:mets/mets:structMap[@TYPE="PHYSICAL"]/mets:div[@TYPE="physSequence"]/mets:div[@TYPE="page"][./mets:fptr[@FILEID="%s"]]/@ID' % ocrd_file.ID, namespaces=NS) if ret: return ret[0]
get_physical_page_for_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ocrd_file):\n ret = self._tree.getroot().xpath(\n '/mets:mets/mets:structMap[@TYPE=\"PHYSICAL\"]/mets:div[@TYPE=\"physSequence\"]/mets:div[@TYPE=\"page\"][./mets:fptr[@FILEID=\"%s\"]]/@ID'\n % ocrd_file.ID, namespaces=NS)\n if ret:\n return ret[0]\n", "role": "user" }, { "content": "get_physical_page_for_file", "role": "assistant" } ]
def x(self): try: self._resolve_workspace() if 'mets_unique_identifier' not in self.skip: self._validate_mets_unique_identifier() if 'mets_file_group_names' not in self.skip: self._validate_mets_file_group_names() if 'mets_files' not in self.skip: self._validate_mets_files() if 'pixel_density' not in self.skip: self._validate_pixel_density() if 'page' not in self.skip: self._validate_page() except Exception as e: self.report.add_error('Failed to instantiate workspace: %s' % e) return self.report
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self._resolve_workspace()\n if 'mets_unique_identifier' not in self.skip:\n self._validate_mets_unique_identifier()\n if 'mets_file_group_names' not in self.skip:\n self._validate_mets_file_group_names()\n if 'mets_files' not in self.skip:\n self._validate_mets_files()\n if 'pixel_density' not in self.skip:\n self._validate_pixel_density()\n if 'page' not in self.skip:\n self._validate_page()\n except Exception as e:\n self.report.add_error('Failed to instantiate workspace: %s' % e)\n return self.report\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self): if self.workspace is None: self.workspace = self.resolver.workspace_from_url(self.mets_url, baseurl=self.src_dir, download=self.download) self.mets = self.workspace.mets
resolve_workspace
[ { "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.workspace is None:\n self.workspace = self.resolver.workspace_from_url(self.mets_url,\n baseurl=self.src_dir, download=self.download)\n self.mets = self.workspace.mets\n", "role": "user" }, { "content": "resolve_workspace", "role": "assistant" } ]
def x(self): for f in [f for f in self.mets.find_files() if f.mimetype.startswith( 'image/')]: if not f.local_filename and not self.download: self.report.add_notice("Won't download remote image <%s>" % f.url) continue exif = self.workspace.resolve_image_exif(f.url) for k in ['xResolution', 'yResolution']: v = exif.__dict__.get(k) if v is None or v <= 72: self.report.add_error( 'Image %s: %s (%s pixels per %s) is too low' % (f.ID, k, v, exif.resolutionUnit))
validate_pixel_density
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for f in [f for f in self.mets.find_files() if f.mimetype.startswith(\n 'image/')]:\n if not f.local_filename and not self.download:\n self.report.add_notice(\"Won't download remote image <%s>\" % f.url)\n continue\n exif = self.workspace.resolve_image_exif(f.url)\n for k in ['xResolution', 'yResolution']:\n v = exif.__dict__.get(k)\n if v is None or v <= 72:\n self.report.add_error(\n 'Image %s: %s (%s pixels per %s) is too low' % (f.ID, k,\n v, exif.resolutionUnit))\n", "role": "user" }, { "content": "validate_pixel_density", "role": "assistant" } ]
def x(self): for fileGrp in self.mets.file_groups: if not fileGrp.startswith(FILE_GROUP_PREFIX): self.report.add_notice( "fileGrp USE does not begin with '%s': %s" % ( FILE_GROUP_PREFIX, fileGrp)) else: category = fileGrp[len(FILE_GROUP_PREFIX):] name = None if '-' in category: category, name = category.split('-', 1) if category not in FILE_GROUP_CATEGORIES: self.report.add_error( "Unspecified USE category '%s' in fileGrp '%s'" % ( category, fileGrp)) if name is not None and not re.match('^[A-Z0-9-]{3,}$', name): self.report.add_error( "Invalid USE name '%s' in fileGrp '%s'" % (name, fileGrp))
validate_mets_file_group_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for fileGrp in self.mets.file_groups:\n if not fileGrp.startswith(FILE_GROUP_PREFIX):\n self.report.add_notice(\n \"fileGrp USE does not begin with '%s': %s\" % (\n FILE_GROUP_PREFIX, fileGrp))\n else:\n category = fileGrp[len(FILE_GROUP_PREFIX):]\n name = None\n if '-' in category:\n category, name = category.split('-', 1)\n if category not in FILE_GROUP_CATEGORIES:\n self.report.add_error(\n \"Unspecified USE category '%s' in fileGrp '%s'\" % (\n category, fileGrp))\n if name is not None and not re.match('^[A-Z0-9-]{3,}$', name):\n self.report.add_error(\n \"Invalid USE name '%s' in fileGrp '%s'\" % (name, fileGrp))\n", "role": "user" }, { "content": "validate_mets_file_group_names", "role": "assistant" } ]
def x(self): if not self.mets.find_files(): self.report.add_error('No files') for f in self.mets.find_files(): if f._el.get('GROUPID'): self.report.add_notice( "File '%s' has GROUPID attribute - document might need an update" % f.ID) if not f.pageId: self.report.add_error( "File '%s' does not manifest any physical page." % f.ID) if 'url' not in self.skip and ':/' in f.url: if re.match('^file:/[^/]', f.url): self.report.add_warning( "File '%s' has an invalid (Java-specific) file URL '%s'" % (f.ID, f.url)) scheme = f.url[0:f.url.index(':')] if scheme not in ('http', 'https', 'file'): self.report.add_warning( "File '%s' has non-HTTP, non-file URL '%s'" % (f.ID, f.url) )
validate_mets_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.mets.find_files():\n self.report.add_error('No files')\n for f in self.mets.find_files():\n if f._el.get('GROUPID'):\n self.report.add_notice(\n \"File '%s' has GROUPID attribute - document might need an update\"\n % f.ID)\n if not f.pageId:\n self.report.add_error(\n \"File '%s' does not manifest any physical page.\" % f.ID)\n if 'url' not in self.skip and ':/' in f.url:\n if re.match('^file:/[^/]', f.url):\n self.report.add_warning(\n \"File '%s' has an invalid (Java-specific) file URL '%s'\" %\n (f.ID, f.url))\n scheme = f.url[0:f.url.index(':')]\n if scheme not in ('http', 'https', 'file'):\n self.report.add_warning(\n \"File '%s' has non-HTTP, non-file URL '%s'\" % (f.ID, f.url)\n )\n", "role": "user" }, { "content": "validate_mets_files", "role": "assistant" } ]
def x(self): for ocrd_file in self.mets.find_files(mimetype=MIMETYPE_PAGE, local_only=True): self.workspace.download_file(ocrd_file) page_report = PageValidator.validate(ocrd_file=ocrd_file, strictness=self.page_strictness) self.report.merge_report(page_report)
validate_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for ocrd_file in self.mets.find_files(mimetype=MIMETYPE_PAGE,\n local_only=True):\n self.workspace.download_file(ocrd_file)\n page_report = PageValidator.validate(ocrd_file=ocrd_file,\n strictness=self.page_strictness)\n self.report.merge_report(page_report)\n", "role": "user" }, { "content": "validate_page", "role": "assistant" } ]
def x(self, **kwargs): instance = kwargs.get('instance', None) if instance is not None: del kwargs['instance'] request = kwargs.get('request', None) if request is not None: del kwargs['request'] x_forwarded_for = request.META.get('HTTP_X_FORWARDED_FOR') if x_forwarded_for: remote_ip = x_forwarded_for.split(',')[0] else: remote_ip = request.META.get('REMOTE_ADDR') kwargs.setdefault('remote_ip', remote_ip) if instance is not None: pk = self._get_pk_value(instance) kwargs.setdefault('content_type', ContentType.objects.get_for_model (instance)) kwargs.setdefault('object_pk', pk) kwargs.setdefault('object_repr', smart_text(instance)) if isinstance(pk, integer_types): kwargs.setdefault('object_id', pk) get_object_extra_info = getattr(instance, 'get_object_extra_info', None ) if callable(get_object_extra_info): kwargs.setdefault('object_extra_info', get_object_extra_info()) if kwargs.get('action', None) is app_conf.CREATE: is_obj_exists = self.filter(content_type=kwargs.get( 'content_type'), object_id=kwargs.get('object_id')).exists() if kwargs.get('object_id', None) is not None and is_obj_exists: self.filter(content_type=kwargs.get('content_type'), object_id=kwargs.get('object_id')).delete() else: self.filter(content_type=kwargs.get('content_type'), object_pk=kwargs.get('object_pk', '')).delete() action_log = self.create(**kwargs) action_logged.send(sender=LogAction, action=action_log) return action_log
create_log_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n instance = kwargs.get('instance', None)\n if instance is not None:\n del kwargs['instance']\n request = kwargs.get('request', None)\n if request is not None:\n del kwargs['request']\n x_forwarded_for = request.META.get('HTTP_X_FORWARDED_FOR')\n if x_forwarded_for:\n remote_ip = x_forwarded_for.split(',')[0]\n else:\n remote_ip = request.META.get('REMOTE_ADDR')\n kwargs.setdefault('remote_ip', remote_ip)\n if instance is not None:\n pk = self._get_pk_value(instance)\n kwargs.setdefault('content_type', ContentType.objects.get_for_model\n (instance))\n kwargs.setdefault('object_pk', pk)\n kwargs.setdefault('object_repr', smart_text(instance))\n if isinstance(pk, integer_types):\n kwargs.setdefault('object_id', pk)\n get_object_extra_info = getattr(instance, 'get_object_extra_info', None\n )\n if callable(get_object_extra_info):\n kwargs.setdefault('object_extra_info', get_object_extra_info())\n if kwargs.get('action', None) is app_conf.CREATE:\n is_obj_exists = self.filter(content_type=kwargs.get(\n 'content_type'), object_id=kwargs.get('object_id')).exists()\n if kwargs.get('object_id', None) is not None and is_obj_exists:\n self.filter(content_type=kwargs.get('content_type'),\n object_id=kwargs.get('object_id')).delete()\n else:\n self.filter(content_type=kwargs.get('content_type'),\n object_pk=kwargs.get('object_pk', '')).delete()\n action_log = self.create(**kwargs)\n action_logged.send(sender=LogAction, action=action_log)\n return action_log\n", "role": "user" }, { "content": "create_log_action", "role": "assistant" } ]
def x(self, queryset): if not isinstance(queryset, QuerySet) or queryset.count() == 0: return self.none() content_type = ContentType.objects.get_for_model(queryset.model) primary_keys = queryset.values_list(queryset.model._meta.pk.name, flat=True ) if isinstance(primary_keys[0], integer_types): return self.filter(content_type=content_type).filter(Q( object_id__in=primary_keys)).distinct() else: return self.filter(content_type=content_type).filter(Q( object_pk__in=primary_keys)).distinct()
get_for_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queryset):\n if not isinstance(queryset, QuerySet) or queryset.count() == 0:\n return self.none()\n content_type = ContentType.objects.get_for_model(queryset.model)\n primary_keys = queryset.values_list(queryset.model._meta.pk.name, flat=True\n )\n if isinstance(primary_keys[0], integer_types):\n return self.filter(content_type=content_type).filter(Q(\n object_id__in=primary_keys)).distinct()\n else:\n return self.filter(content_type=content_type).filter(Q(\n object_pk__in=primary_keys)).distinct()\n", "role": "user" }, { "content": "get_for_objects", "role": "assistant" } ]
def x(self, model, include_fields=[], exclude_fields=[]): if issubclass(model, Model): self._registry[model] = {'include_fields': include_fields, 'exclude_fields': exclude_fields} self._connect_signals(model) else: raise TypeError('Supplied model is not a valid model.')
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, include_fields=[], exclude_fields=[]):\n if issubclass(model, Model):\n self._registry[model] = {'include_fields': include_fields,\n 'exclude_fields': exclude_fields}\n self._connect_signals(model)\n else:\n raise TypeError('Supplied model is not a valid model.')\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(field): from actionslog.models import LogAction if field.many_to_many: return False if getattr(field, 'rel', None) is not None and field.rel.to == LogAction: return False return True
track_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field):\n from actionslog.models import LogAction\n if field.many_to_many:\n return False\n if getattr(field, 'rel', None) is not None and field.rel.to == LogAction:\n return False\n return True\n", "role": "user" }, { "content": "track_field", "role": "assistant" } ]
def x(old, new): from actionslog.registry import actionslog if not (old is None or isinstance(old, Model)): raise TypeError( 'The supplied old instance is not a valid model instance.') if not (new is None or isinstance(new, Model)): raise TypeError( 'The supplied new instance is not a valid model instance.') diff = {} if old is not None and new is not None: fields = set(old._meta.fields + new._meta.fields) model_fields = actionslog.get_model_fields(new._meta.model) elif old is not None: fields = set(get_fields_in_model(old)) model_fields = actionslog.get_model_fields(old._meta.model) elif new is not None: fields = set(get_fields_in_model(new)) model_fields = actionslog.get_model_fields(new._meta.model) else: fields = set() model_fields = None if model_fields and (model_fields['include_fields'] or model_fields[ 'exclude_fields']) and fields: filtered_fields = [] if model_fields['include_fields']: filtered_fields = [field for field in fields if field.name in model_fields['include_fields']] else: filtered_fields = fields if model_fields['exclude_fields']: filtered_fields = [field for field in filtered_fields if field. name not in model_fields['exclude_fields']] fields = filtered_fields for field in fields: try: old_value = smart_text(getattr(old, field.name, None)) except ObjectDoesNotExist: old_value = (field.default if field.default is not NOT_PROVIDED else None) try: new_value = smart_text(getattr(new, field.name, None)) except ObjectDoesNotExist: new_value = None if old_value != new_value: diff[field.name] = smart_text(old_value), smart_text(new_value) if len(diff) == 0: diff = None return diff
model_instance_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old, new):\n from actionslog.registry import actionslog\n if not (old is None or isinstance(old, Model)):\n raise TypeError(\n 'The supplied old instance is not a valid model instance.')\n if not (new is None or isinstance(new, Model)):\n raise TypeError(\n 'The supplied new instance is not a valid model instance.')\n diff = {}\n if old is not None and new is not None:\n fields = set(old._meta.fields + new._meta.fields)\n model_fields = actionslog.get_model_fields(new._meta.model)\n elif old is not None:\n fields = set(get_fields_in_model(old))\n model_fields = actionslog.get_model_fields(old._meta.model)\n elif new is not None:\n fields = set(get_fields_in_model(new))\n model_fields = actionslog.get_model_fields(new._meta.model)\n else:\n fields = set()\n model_fields = None\n if model_fields and (model_fields['include_fields'] or model_fields[\n 'exclude_fields']) and fields:\n filtered_fields = []\n if model_fields['include_fields']:\n filtered_fields = [field for field in fields if field.name in\n model_fields['include_fields']]\n else:\n filtered_fields = fields\n if model_fields['exclude_fields']:\n filtered_fields = [field for field in filtered_fields if field.\n name not in model_fields['exclude_fields']]\n fields = filtered_fields\n for field in fields:\n try:\n old_value = smart_text(getattr(old, field.name, None))\n except ObjectDoesNotExist:\n old_value = (field.default if field.default is not NOT_PROVIDED\n else None)\n try:\n new_value = smart_text(getattr(new, field.name, None))\n except ObjectDoesNotExist:\n new_value = None\n if old_value != new_value:\n diff[field.name] = smart_text(old_value), smart_text(new_value)\n if len(diff) == 0:\n diff = None\n return diff\n", "role": "user" }, { "content": "model_instance_diff", "role": "assistant" } ]
def x(self, request): threadlocal.actionslog = {'signal_duid': (self.__class__, time.time()), 'remote_ip': request.META.get('REMOTE_ADDR')} if request.META.get('HTTP_X_FORWARDED_FOR'): threadlocal.actionslog['remote_ip'] = request.META.get( 'HTTP_X_FORWARDED_FOR').split(',')[0] if hasattr(request, 'user') and hasattr(request.user, 'is_authenticated' ) and request.user.is_authenticated(): set_user = curry(self.set_user, request.user) pre_save.connect(set_user, sender=LogAction, dispatch_uid= threadlocal.actionslog['signal_duid'], weak=False)
process_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n threadlocal.actionslog = {'signal_duid': (self.__class__, time.time()),\n 'remote_ip': request.META.get('REMOTE_ADDR')}\n if request.META.get('HTTP_X_FORWARDED_FOR'):\n threadlocal.actionslog['remote_ip'] = request.META.get(\n 'HTTP_X_FORWARDED_FOR').split(',')[0]\n if hasattr(request, 'user') and hasattr(request.user, 'is_authenticated'\n ) and request.user.is_authenticated():\n set_user = curry(self.set_user, request.user)\n pre_save.connect(set_user, sender=LogAction, dispatch_uid=\n threadlocal.actionslog['signal_duid'], weak=False)\n", "role": "user" }, { "content": "process_request", "role": "assistant" } ]
def x(self, request, response): if hasattr(threadlocal, 'actionslog'): pre_save.disconnect(sender=LogAction, dispatch_uid=threadlocal. actionslog['signal_duid']) return response
process_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response):\n if hasattr(threadlocal, 'actionslog'):\n pre_save.disconnect(sender=LogAction, dispatch_uid=threadlocal.\n actionslog['signal_duid'])\n return response\n", "role": "user" }, { "content": "process_response", "role": "assistant" } ]
def x(self, request, exception): if hasattr(threadlocal, 'actionslog'): pre_save.disconnect(sender=LogAction, dispatch_uid=threadlocal. actionslog['signal_duid']) return None
process_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, exception):\n if hasattr(threadlocal, 'actionslog'):\n pre_save.disconnect(sender=LogAction, dispatch_uid=threadlocal.\n actionslog['signal_duid'])\n return None\n", "role": "user" }, { "content": "process_exception", "role": "assistant" } ]
def x(user, sender, instance, **kwargs): try: app_label, model_name = settings.AUTH_USER_MODEL.split('.') auth_user_model = apps.get_model(app_label, model_name) except ValueError: auth_user_model = apps.get_model('auth', 'user') if sender == LogAction and isinstance(user, auth_user_model ) and instance.user is None: instance.user = user if hasattr(threadlocal, 'actionslog'): instance.remote_ip = threadlocal.actionslog['remote_ip']
set_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, sender, instance, **kwargs):\n try:\n app_label, model_name = settings.AUTH_USER_MODEL.split('.')\n auth_user_model = apps.get_model(app_label, model_name)\n except ValueError:\n auth_user_model = apps.get_model('auth', 'user')\n if sender == LogAction and isinstance(user, auth_user_model\n ) and instance.user is None:\n instance.user = user\n if hasattr(threadlocal, 'actionslog'):\n instance.remote_ip = threadlocal.actionslog['remote_ip']\n", "role": "user" }, { "content": "set_user", "role": "assistant" } ]
def x(sender, instance, created, **kwargs): if created: changes = model_instance_diff(None, instance) log_entry = LogAction.objects.create_log_action(instance=instance, action=LogAction.CREATE, changes=json.dumps(changes))
action_log_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, instance, created, **kwargs):\n if created:\n changes = model_instance_diff(None, instance)\n log_entry = LogAction.objects.create_log_action(instance=instance,\n action=LogAction.CREATE, changes=json.dumps(changes))\n", "role": "user" }, { "content": "action_log_create", "role": "assistant" } ]
def x(sender, instance, **kwargs): if instance.pk is not None: try: old = sender.objects.get(pk=instance.pk) except sender.DoesNotExist: pass else: new = instance changes = model_instance_diff(old, new) if changes: log_entry = LogAction.objects.create_log_action(instance= instance, action=LogAction.UPDATE, changes=json.dumps( changes))
action_log_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, instance, **kwargs):\n if instance.pk is not None:\n try:\n old = sender.objects.get(pk=instance.pk)\n except sender.DoesNotExist:\n pass\n else:\n new = instance\n changes = model_instance_diff(old, new)\n if changes:\n log_entry = LogAction.objects.create_log_action(instance=\n instance, action=LogAction.UPDATE, changes=json.dumps(\n changes))\n", "role": "user" }, { "content": "action_log_update", "role": "assistant" } ]
def x(sender, instance, **kwargs): if instance.pk is not None: changes = model_instance_diff(instance, None) log_entry = LogAction.objects.create_log_action(instance=instance, action=LogAction.DELETE, changes=json.dumps(changes))
action_log_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, instance, **kwargs):\n if instance.pk is not None:\n changes = model_instance_diff(instance, None)\n log_entry = LogAction.objects.create_log_action(instance=instance,\n action=LogAction.DELETE, changes=json.dumps(changes))\n", "role": "user" }, { "content": "action_log_delete", "role": "assistant" } ]
def x(self, method, api_url, params={}, **kwargs): LOG.debug('axapi_http: full url = %s', self.url_base + api_url) LOG.debug('axapi_http: %s url = %s', method, api_url) LOG.debug('axapi_http: params = %s', json.dumps(logutils.clean(params), indent=4)) if params: extra_params = kwargs.get('axapi_args', {}) params_copy = merge_dicts(params, extra_params) LOG.debug('axapi_http: params_all = %s', logutils.clean(params_copy)) payload = json.dumps(params_copy) else: try: payload = kwargs.pop('payload', None) self.headers = dict(self.HEADERS, **kwargs.pop('headers', {})) LOG.debug('axapi_http: headers_all = %s', logutils.clean(self. headers)) except KeyError: payload = None max_retries = kwargs.get('max_retries', self.max_retries) timeout = kwargs.get('timeout', self.timeout) session = Session() if self.port == 443: session.mount('https://', SSLAdapter(max_retries=max_retries)) else: session.mount('http://', HTTPAdapter(max_retries=max_retries)) session_request = getattr(session, method.lower()) try: device_response = session_request(self.url_base + api_url, verify= False, data=payload, headers=self.HEADERS, timeout=timeout) except Exception as e: LOG.error('acos_client failing with error %s after %s retries', e. __class__.__name__, max_retries) raise e finally: session.close() if device_response in broken_replies: device_response = broken_replies[device_response] LOG.debug('axapi_http: broken reply, new response: %s', logutils. clean(device_response)) try: json_response = device_response.json() LOG.debug('axapi_http: data = %s', json.dumps(logutils.clean( json_response), indent=4)) except ValueError as e: LOG.debug('axapi_http: json = %s', e) return device_response if 'response' in json_response and 'status' in json_response['response']: if json_response['response']['status'] == 'fail': acos_responses.raise_axapi_ex(json_response, action= extract_method(api_url)) return json_response
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, api_url, params={}, **kwargs):\n LOG.debug('axapi_http: full url = %s', self.url_base + api_url)\n LOG.debug('axapi_http: %s url = %s', method, api_url)\n LOG.debug('axapi_http: params = %s', json.dumps(logutils.clean(params),\n indent=4))\n if params:\n extra_params = kwargs.get('axapi_args', {})\n params_copy = merge_dicts(params, extra_params)\n LOG.debug('axapi_http: params_all = %s', logutils.clean(params_copy))\n payload = json.dumps(params_copy)\n else:\n try:\n payload = kwargs.pop('payload', None)\n self.headers = dict(self.HEADERS, **kwargs.pop('headers', {}))\n LOG.debug('axapi_http: headers_all = %s', logutils.clean(self.\n headers))\n except KeyError:\n payload = None\n max_retries = kwargs.get('max_retries', self.max_retries)\n timeout = kwargs.get('timeout', self.timeout)\n session = Session()\n if self.port == 443:\n session.mount('https://', SSLAdapter(max_retries=max_retries))\n else:\n session.mount('http://', HTTPAdapter(max_retries=max_retries))\n session_request = getattr(session, method.lower())\n try:\n device_response = session_request(self.url_base + api_url, verify=\n False, data=payload, headers=self.HEADERS, timeout=timeout)\n except Exception as e:\n LOG.error('acos_client failing with error %s after %s retries', e.\n __class__.__name__, max_retries)\n raise e\n finally:\n session.close()\n if device_response in broken_replies:\n device_response = broken_replies[device_response]\n LOG.debug('axapi_http: broken reply, new response: %s', logutils.\n clean(device_response))\n try:\n json_response = device_response.json()\n LOG.debug('axapi_http: data = %s', json.dumps(logutils.clean(\n json_response), indent=4))\n except ValueError as e:\n LOG.debug('axapi_http: json = %s', e)\n return device_response\n if 'response' in json_response and 'status' in json_response['response']:\n if json_response['response']['status'] == 'fail':\n acos_responses.raise_axapi_ex(json_response, action=\n extract_method(api_url))\n return json_response\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self, host_list=[], serial=None, instance_name=None, use_mgmt_port= False, interval=None, bandwidth_base=None, bandwidth_unrestricted=None): payload = self._build_payload(host_list=host_list, serial=serial, instance_name=instance_name, use_mgmt_port=use_mgmt_port, interval= interval, bandwidth_base=bandwidth_base, bandwidth_unrestricted= bandwidth_unrestricted) return self._post(self.url_base, payload)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host_list=[], serial=None, instance_name=None, use_mgmt_port=\n False, interval=None, bandwidth_base=None, bandwidth_unrestricted=None):\n payload = self._build_payload(host_list=host_list, serial=serial,\n instance_name=instance_name, use_mgmt_port=use_mgmt_port, interval=\n interval, bandwidth_base=bandwidth_base, bandwidth_unrestricted=\n bandwidth_unrestricted)\n return self._post(self.url_base, payload)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, host_list=[], serial=None, instance_name=None, use_mgmt_port= False, interval=None, bandwidth_base=None, bandwidth_unrestricted=None): return self.create(host_list=host_list, serial=serial, instance_name= instance_name, use_mgmt_port=use_mgmt_port, interval=interval, bandwidth_base=bandwidth_base, bandwidth_unrestricted= bandwidth_unrestricted)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host_list=[], serial=None, instance_name=None, use_mgmt_port=\n False, interval=None, bandwidth_base=None, bandwidth_unrestricted=None):\n return self.create(host_list=host_list, serial=serial, instance_name=\n instance_name, use_mgmt_port=use_mgmt_port, interval=interval,\n bandwidth_base=bandwidth_base, bandwidth_unrestricted=\n bandwidth_unrestricted)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, device_id, obj_slot_id): payload = {'device-context': self._build_payload(device_id, obj_slot_id)} return self._post(self.url_prefix, payload)
switch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id, obj_slot_id):\n payload = {'device-context': self._build_payload(device_id, obj_slot_id)}\n return self._post(self.url_prefix, payload)\n", "role": "user" }, { "content": "switch", "role": "assistant" } ]
def x(self, destination, mask, next_hops=[]): payload = {'rib': self._build_payload(destination, mask, next_hops)} return self._post(self.url_prefix, payload)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, destination, mask, next_hops=[]):\n payload = {'rib': self._build_payload(destination, mask, next_hops)}\n return self._post(self.url_prefix, payload)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(dir_name): for f in ['INCAR', 'POSCAR', 'POTCAR', 'KPOINTS']: if not os.path.exists(os.path.join(dir_name, f) ) and not os.path.exists(os.path.join(dir_name, f + '.orig')): return False return True
contains_vasp_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_name):\n for f in ['INCAR', 'POSCAR', 'POTCAR', 'KPOINTS']:\n if not os.path.exists(os.path.join(dir_name, f)\n ) and not os.path.exists(os.path.join(dir_name, f + '.orig')):\n return False\n return True\n", "role": "user" }, { "content": "contains_vasp_input", "role": "assistant" } ]
def x(d): structure = Structure.from_dict(d['output']['crystal']) f = VoronoiNN() cn = [] for i, s in enumerate(structure.sites): try: n = f.get_cn(structure, i) number = int(round(n)) cn.append({'site': s.as_dict(), 'coordination': number}) except Exception: logger.error('Unable to parse coordination errors') return cn
get_coordination_numbers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n structure = Structure.from_dict(d['output']['crystal'])\n f = VoronoiNN()\n cn = []\n for i, s in enumerate(structure.sites):\n try:\n n = f.get_cn(structure, i)\n number = int(round(n))\n cn.append({'site': s.as_dict(), 'coordination': number})\n except Exception:\n logger.error('Unable to parse coordination errors')\n return cn\n", "role": "user" }, { "content": "get_coordination_numbers", "role": "assistant" } ]
def x(dir_name): fullpath = os.path.abspath(dir_name) try: hostname = socket.gethostbyaddr(socket.gethostname())[0] except: hostname = socket.gethostname() return '{}:{}'.format(hostname, fullpath)
get_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_name):\n fullpath = os.path.abspath(dir_name)\n try:\n hostname = socket.gethostbyaddr(socket.gethostname())[0]\n except:\n hostname = socket.gethostname()\n return '{}:{}'.format(hostname, fullpath)\n", "role": "user" }, { "content": "get_uri", "role": "assistant" } ]
def x(self, path): try: d = self.get_task_doc(path) if self.mapi_key is not None and d['state'] == 'successful': self.calculate_stability(d) tid = self._insert_doc(d) return tid except Exception as ex: import traceback logger.error(traceback.format_exc()) return False
assimilate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n try:\n d = self.get_task_doc(path)\n if self.mapi_key is not None and d['state'] == 'successful':\n self.calculate_stability(d)\n tid = self._insert_doc(d)\n return tid\n except Exception as ex:\n import traceback\n logger.error(traceback.format_exc())\n return False\n", "role": "user" }, { "content": "assimilate", "role": "assistant" } ]
def x(self, path): logger.info('Getting task doc for base dir :{}'.format(path)) files = os.listdir(path) vasprun_files = OrderedDict() if 'STOPCAR' in files: logger.info(path + ' contains stopped run') for r in self.runs: if r in files: for f in os.listdir(os.path.join(path, r)): if fnmatch(f, 'vasprun.xml*'): vasprun_files[r] = os.path.join(r, f) else: for f in files: if fnmatch(f, 'vasprun.xml.{}*'.format(r)): vasprun_files[r] = f if len(vasprun_files) == 0: for f in files: if fnmatch(f, 'vasprun.xml*') and f not in vasprun_files.values(): vasprun_files['standard'] = f if len(vasprun_files) > 0: d = self.generate_doc(path, vasprun_files) if not d: d = self.process_killed_run(path) self.post_process(path, d) elif not (path.endswith('relax1') or path.endswith('relax2') ) and contains_vasp_input(path): logger.warning(path + ' contains killed run') d = self.process_killed_run(path) self.post_process(path, d) else: raise ValueError('No VASP files found!') return d
get_task_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n logger.info('Getting task doc for base dir :{}'.format(path))\n files = os.listdir(path)\n vasprun_files = OrderedDict()\n if 'STOPCAR' in files:\n logger.info(path + ' contains stopped run')\n for r in self.runs:\n if r in files:\n for f in os.listdir(os.path.join(path, r)):\n if fnmatch(f, 'vasprun.xml*'):\n vasprun_files[r] = os.path.join(r, f)\n else:\n for f in files:\n if fnmatch(f, 'vasprun.xml.{}*'.format(r)):\n vasprun_files[r] = f\n if len(vasprun_files) == 0:\n for f in files:\n if fnmatch(f, 'vasprun.xml*') and f not in vasprun_files.values():\n vasprun_files['standard'] = f\n if len(vasprun_files) > 0:\n d = self.generate_doc(path, vasprun_files)\n if not d:\n d = self.process_killed_run(path)\n self.post_process(path, d)\n elif not (path.endswith('relax1') or path.endswith('relax2')\n ) and contains_vasp_input(path):\n logger.warning(path + ' contains killed run')\n d = self.process_killed_run(path)\n self.post_process(path, d)\n else:\n raise ValueError('No VASP files found!')\n return d\n", "role": "user" }, { "content": "get_task_doc", "role": "assistant" } ]
def x(self, dir_name, d): logger.info('Post-processing dir:{}'.format(dir_name)) fullpath = os.path.abspath(dir_name) transformations = {} filenames = glob.glob(os.path.join(fullpath, 'transformations.json*')) if len(filenames) >= 1: with zopen(filenames[0], 'rt') as f: transformations = json.load(f) try: m = re.match('(\\d+)-ICSD', transformations['history'][0][ 'source']) if m: d['icsd_id'] = int(m.group(1)) except Exception as ex: logger.warning('Cannot parse ICSD from transformations file.') pass else: logger.warning('Transformations file does not exist.') other_parameters = transformations.get('other_parameters') new_tags = None if other_parameters: new_tags = other_parameters.pop('tags', None) new_author = other_parameters.pop('author', None) if new_author: d['author'] = new_author if not other_parameters: transformations.pop('other_parameters') d['transformations'] = transformations filenames = glob.glob(os.path.join(fullpath, 'custodian.json*')) if len(filenames) >= 1: with zopen(filenames[0], 'rt') as f: d['custodian'] = json.load(f) try: run_stats = {} for filename in glob.glob(os.path.join(fullpath, 'OUTCAR*')): outcar = Outcar(filename) i = 1 if re.search('relax2', filename) else 0 taskname = 'relax2' if re.search('relax2', filename) else 'relax1' d['calculations'][i]['output']['outcar'] = outcar.as_dict() run_stats[taskname] = outcar.run_stats except: logger.error('Bad OUTCAR for {}.'.format(fullpath)) try: overall_run_stats = {} for key in ['Total CPU time used (sec)', 'User time (sec)', 'System time (sec)', 'Elapsed time (sec)']: overall_run_stats[key] = sum([v[key] for v in run_stats.values()]) run_stats['overall'] = overall_run_stats except: logger.error('Bad run stats for {}.'.format(fullpath)) d['run_stats'] = run_stats if self.use_full_uri: d['dir_name'] = get_uri(dir_name) if new_tags: d['tags'] = new_tags logger.info('Post-processed ' + fullpath)
post_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dir_name, d):\n logger.info('Post-processing dir:{}'.format(dir_name))\n fullpath = os.path.abspath(dir_name)\n transformations = {}\n filenames = glob.glob(os.path.join(fullpath, 'transformations.json*'))\n if len(filenames) >= 1:\n with zopen(filenames[0], 'rt') as f:\n transformations = json.load(f)\n try:\n m = re.match('(\\\\d+)-ICSD', transformations['history'][0][\n 'source'])\n if m:\n d['icsd_id'] = int(m.group(1))\n except Exception as ex:\n logger.warning('Cannot parse ICSD from transformations file.')\n pass\n else:\n logger.warning('Transformations file does not exist.')\n other_parameters = transformations.get('other_parameters')\n new_tags = None\n if other_parameters:\n new_tags = other_parameters.pop('tags', None)\n new_author = other_parameters.pop('author', None)\n if new_author:\n d['author'] = new_author\n if not other_parameters:\n transformations.pop('other_parameters')\n d['transformations'] = transformations\n filenames = glob.glob(os.path.join(fullpath, 'custodian.json*'))\n if len(filenames) >= 1:\n with zopen(filenames[0], 'rt') as f:\n d['custodian'] = json.load(f)\n try:\n run_stats = {}\n for filename in glob.glob(os.path.join(fullpath, 'OUTCAR*')):\n outcar = Outcar(filename)\n i = 1 if re.search('relax2', filename) else 0\n taskname = 'relax2' if re.search('relax2', filename) else 'relax1'\n d['calculations'][i]['output']['outcar'] = outcar.as_dict()\n run_stats[taskname] = outcar.run_stats\n except:\n logger.error('Bad OUTCAR for {}.'.format(fullpath))\n try:\n overall_run_stats = {}\n for key in ['Total CPU time used (sec)', 'User time (sec)',\n 'System time (sec)', 'Elapsed time (sec)']:\n overall_run_stats[key] = sum([v[key] for v in run_stats.values()])\n run_stats['overall'] = overall_run_stats\n except:\n logger.error('Bad run stats for {}.'.format(fullpath))\n d['run_stats'] = run_stats\n if self.use_full_uri:\n d['dir_name'] = get_uri(dir_name)\n if new_tags:\n d['tags'] = new_tags\n logger.info('Post-processed ' + fullpath)\n", "role": "user" }, { "content": "post_process", "role": "assistant" } ]
def x(self, dir_name): fullpath = os.path.abspath(dir_name) logger.info('Processing Killed run ' + fullpath) d = {'dir_name': fullpath, 'state': 'killed', 'oszicar': {}} for f in os.listdir(dir_name): filename = os.path.join(dir_name, f) if fnmatch(f, 'INCAR*'): try: incar = Incar.from_file(filename) d['incar'] = incar.as_dict() d['is_hubbard'] = incar.get('LDAU', False) if d['is_hubbard']: us = np.array(incar.get('LDAUU', [])) js = np.array(incar.get('LDAUJ', [])) if sum(us - js) == 0: d['is_hubbard'] = False d['hubbards'] = {} else: d['hubbards'] = {} if d['is_hubbard']: d['run_type'] = 'GGA+U' elif incar.get('LHFCALC', False): d['run_type'] = 'HF' else: d['run_type'] = 'GGA' except Exception as ex: print(str(ex)) logger.error('Unable to parse INCAR for killed run {}.'. format(dir_name)) elif fnmatch(f, 'KPOINTS*'): try: kpoints = Kpoints.from_file(filename) d['kpoints'] = kpoints.as_dict() except: logger.error('Unable to parse KPOINTS for killed run {}.'. format(dir_name)) elif fnmatch(f, 'POSCAR*'): try: s = Poscar.from_file(filename).structure comp = s.composition el_amt = s.composition.get_el_amt_dict() d.update({'unit_cell_formula': comp.as_dict(), 'reduced_cell_formula': comp.to_reduced_dict, 'elements': list(el_amt.keys()), 'nelements': len( el_amt), 'pretty_formula': comp.reduced_formula, 'anonymous_formula': comp.anonymized_formula, 'nsites': comp.num_atoms, 'chemsys': '-'.join(sorted(el_amt.keys()))} ) d['poscar'] = s.as_dict() except: logger.error('Unable to parse POSCAR for killed run {}.'. format(dir_name)) elif fnmatch(f, 'POTCAR*'): try: potcar = Potcar.from_file(filename) d['pseudo_potential'] = {'functional': potcar.functional. lower(), 'pot_type': 'paw', 'labels': potcar.symbols} except: logger.error('Unable to parse POTCAR for killed run in {}.' .format(dir_name)) elif fnmatch(f, 'OSZICAR'): try: d['oszicar']['root'] = Oszicar(os.path.join(dir_name, f) ).as_dict() except: logger.error('Unable to parse OSZICAR for killed run in {}.' .format(dir_name)) elif re.match('relax\\d', f): if os.path.exists(os.path.join(dir_name, f, 'OSZICAR')): try: d['oszicar'][f] = Oszicar(os.path.join(dir_name, f, 'OSZICAR')).as_dict() except: logger.error( 'Unable to parse OSZICAR for killed run in {}.'. format(dir_name)) return d
process_killed_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dir_name):\n fullpath = os.path.abspath(dir_name)\n logger.info('Processing Killed run ' + fullpath)\n d = {'dir_name': fullpath, 'state': 'killed', 'oszicar': {}}\n for f in os.listdir(dir_name):\n filename = os.path.join(dir_name, f)\n if fnmatch(f, 'INCAR*'):\n try:\n incar = Incar.from_file(filename)\n d['incar'] = incar.as_dict()\n d['is_hubbard'] = incar.get('LDAU', False)\n if d['is_hubbard']:\n us = np.array(incar.get('LDAUU', []))\n js = np.array(incar.get('LDAUJ', []))\n if sum(us - js) == 0:\n d['is_hubbard'] = False\n d['hubbards'] = {}\n else:\n d['hubbards'] = {}\n if d['is_hubbard']:\n d['run_type'] = 'GGA+U'\n elif incar.get('LHFCALC', False):\n d['run_type'] = 'HF'\n else:\n d['run_type'] = 'GGA'\n except Exception as ex:\n print(str(ex))\n logger.error('Unable to parse INCAR for killed run {}.'.\n format(dir_name))\n elif fnmatch(f, 'KPOINTS*'):\n try:\n kpoints = Kpoints.from_file(filename)\n d['kpoints'] = kpoints.as_dict()\n except:\n logger.error('Unable to parse KPOINTS for killed run {}.'.\n format(dir_name))\n elif fnmatch(f, 'POSCAR*'):\n try:\n s = Poscar.from_file(filename).structure\n comp = s.composition\n el_amt = s.composition.get_el_amt_dict()\n d.update({'unit_cell_formula': comp.as_dict(),\n 'reduced_cell_formula': comp.to_reduced_dict,\n 'elements': list(el_amt.keys()), 'nelements': len(\n el_amt), 'pretty_formula': comp.reduced_formula,\n 'anonymous_formula': comp.anonymized_formula, 'nsites':\n comp.num_atoms, 'chemsys': '-'.join(sorted(el_amt.keys()))}\n )\n d['poscar'] = s.as_dict()\n except:\n logger.error('Unable to parse POSCAR for killed run {}.'.\n format(dir_name))\n elif fnmatch(f, 'POTCAR*'):\n try:\n potcar = Potcar.from_file(filename)\n d['pseudo_potential'] = {'functional': potcar.functional.\n lower(), 'pot_type': 'paw', 'labels': potcar.symbols}\n except:\n logger.error('Unable to parse POTCAR for killed run in {}.'\n .format(dir_name))\n elif fnmatch(f, 'OSZICAR'):\n try:\n d['oszicar']['root'] = Oszicar(os.path.join(dir_name, f)\n ).as_dict()\n except:\n logger.error('Unable to parse OSZICAR for killed run in {}.'\n .format(dir_name))\n elif re.match('relax\\\\d', f):\n if os.path.exists(os.path.join(dir_name, f, 'OSZICAR')):\n try:\n d['oszicar'][f] = Oszicar(os.path.join(dir_name, f,\n 'OSZICAR')).as_dict()\n except:\n logger.error(\n 'Unable to parse OSZICAR for killed run in {}.'.\n format(dir_name))\n return d\n", "role": "user" }, { "content": "process_killed_run", "role": "assistant" } ]
def x(self, dir_name, taskname, filename): vasprun_file = os.path.join(dir_name, filename) if self.parse_projected_eigen and (self.parse_projected_eigen != 'final' or taskname == self.runs[-1]): parse_projected_eigen = True else: parse_projected_eigen = False r = Vasprun(vasprun_file, parse_projected_eigen=parse_projected_eigen) d = r.as_dict() d['dir_name'] = os.path.abspath(dir_name) d['completed_at'] = str(datetime.datetime.fromtimestamp(os.path. getmtime(vasprun_file))) d['cif'] = str(CifWriter(r.final_structure)) d['density'] = r.final_structure.density if self.parse_dos and (self.parse_dos != 'final' or taskname == self. runs[-1]): try: d['dos'] = r.complete_dos.as_dict() except Exception: logger.warning('No valid dos data exist in {}.\n Skipping dos'. format(dir_name)) if taskname == 'relax1' or taskname == 'relax2': d['task'] = {'type': 'aflow', 'name': taskname} else: d['task'] = {'type': taskname, 'name': taskname} d['oxide_type'] = oxide_type(r.final_structure) return d
process_vasprun
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dir_name, taskname, filename):\n vasprun_file = os.path.join(dir_name, filename)\n if self.parse_projected_eigen and (self.parse_projected_eigen !=\n 'final' or taskname == self.runs[-1]):\n parse_projected_eigen = True\n else:\n parse_projected_eigen = False\n r = Vasprun(vasprun_file, parse_projected_eigen=parse_projected_eigen)\n d = r.as_dict()\n d['dir_name'] = os.path.abspath(dir_name)\n d['completed_at'] = str(datetime.datetime.fromtimestamp(os.path.\n getmtime(vasprun_file)))\n d['cif'] = str(CifWriter(r.final_structure))\n d['density'] = r.final_structure.density\n if self.parse_dos and (self.parse_dos != 'final' or taskname == self.\n runs[-1]):\n try:\n d['dos'] = r.complete_dos.as_dict()\n except Exception:\n logger.warning('No valid dos data exist in {}.\\n Skipping dos'.\n format(dir_name))\n if taskname == 'relax1' or taskname == 'relax2':\n d['task'] = {'type': 'aflow', 'name': taskname}\n else:\n d['task'] = {'type': taskname, 'name': taskname}\n d['oxide_type'] = oxide_type(r.final_structure)\n return d\n", "role": "user" }, { "content": "process_vasprun", "role": "assistant" } ]
def x(self, dir_name, vasprun_files): try: fullpath = os.path.abspath(dir_name) d = {k: v for k, v in self.additional_fields.items()} d['dir_name'] = fullpath d['schema_version'] = VaspToDbTaskDrone.__version__ d['calculations'] = [self.process_vasprun(dir_name, taskname, filename) for taskname, filename in vasprun_files.items()] d1 = d['calculations'][0] d2 = d['calculations'][-1] for root_key in ['completed_at', 'nsites', 'unit_cell_formula', 'reduced_cell_formula', 'pretty_formula', 'elements', 'nelements', 'cif', 'density', 'is_hubbard', 'hubbards', 'run_type' ]: d[root_key] = d2[root_key] d['chemsys'] = '-'.join(sorted(d2['elements'])) xc = d2['input']['incar'].get('GGA') if xc: xc = xc.upper() d['input'] = {'crystal': d1['input']['crystal'], 'is_lasph': d2[ 'input']['incar'].get('LASPH', False), 'potcar_spec': d1[ 'input'].get('potcar_spec'), 'xc_override': xc} vals = sorted(d2['reduced_cell_formula'].values()) d['anonymous_formula'] = {string.ascii_uppercase[i]: float(vals[i]) for i in range(len(vals))} d['output'] = {'crystal': d2['output']['crystal'], 'final_energy': d2['output']['final_energy'], 'final_energy_per_atom': d2[ 'output']['final_energy_per_atom']} d['name'] = 'aflow' p = d2['input']['potcar_type'][0].split('_') pot_type = p[0] functional = 'lda' if len(pot_type) == 1 else '_'.join(p[1:]) d['pseudo_potential'] = {'functional': functional.lower(), 'pot_type': pot_type.lower(), 'labels': d2['input']['potcar']} if len(d['calculations']) == len(self.runs) or list(vasprun_files. keys())[0] != 'relax1': d['state'] = 'successful' if d2['has_vasp_completed' ] else 'unsuccessful' else: d['state'] = 'stopped' d['analysis'] = get_basic_analysis_and_error_checks(d) sg = SpacegroupAnalyzer(Structure.from_dict(d['output']['crystal']), 0.1) d['spacegroup'] = {'symbol': sg.get_space_group_symbol(), 'number': sg.get_space_group_number(), 'point_group': sg. get_point_group_symbol(), 'source': 'spglib', 'crystal_system': sg.get_crystal_system(), 'hall': sg.get_hall()} d['oxide_type'] = d2['oxide_type'] d['last_updated'] = datetime.datetime.today() return d except Exception as ex: import traceback print(traceback.format_exc()) logger.error('Error in ' + os.path.abspath(dir_name) + '.\n' + traceback.format_exc()) return None
generate_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dir_name, vasprun_files):\n try:\n fullpath = os.path.abspath(dir_name)\n d = {k: v for k, v in self.additional_fields.items()}\n d['dir_name'] = fullpath\n d['schema_version'] = VaspToDbTaskDrone.__version__\n d['calculations'] = [self.process_vasprun(dir_name, taskname,\n filename) for taskname, filename in vasprun_files.items()]\n d1 = d['calculations'][0]\n d2 = d['calculations'][-1]\n for root_key in ['completed_at', 'nsites', 'unit_cell_formula',\n 'reduced_cell_formula', 'pretty_formula', 'elements',\n 'nelements', 'cif', 'density', 'is_hubbard', 'hubbards', 'run_type'\n ]:\n d[root_key] = d2[root_key]\n d['chemsys'] = '-'.join(sorted(d2['elements']))\n xc = d2['input']['incar'].get('GGA')\n if xc:\n xc = xc.upper()\n d['input'] = {'crystal': d1['input']['crystal'], 'is_lasph': d2[\n 'input']['incar'].get('LASPH', False), 'potcar_spec': d1[\n 'input'].get('potcar_spec'), 'xc_override': xc}\n vals = sorted(d2['reduced_cell_formula'].values())\n d['anonymous_formula'] = {string.ascii_uppercase[i]: float(vals[i]) for\n i in range(len(vals))}\n d['output'] = {'crystal': d2['output']['crystal'], 'final_energy':\n d2['output']['final_energy'], 'final_energy_per_atom': d2[\n 'output']['final_energy_per_atom']}\n d['name'] = 'aflow'\n p = d2['input']['potcar_type'][0].split('_')\n pot_type = p[0]\n functional = 'lda' if len(pot_type) == 1 else '_'.join(p[1:])\n d['pseudo_potential'] = {'functional': functional.lower(),\n 'pot_type': pot_type.lower(), 'labels': d2['input']['potcar']}\n if len(d['calculations']) == len(self.runs) or list(vasprun_files.\n keys())[0] != 'relax1':\n d['state'] = 'successful' if d2['has_vasp_completed'\n ] else 'unsuccessful'\n else:\n d['state'] = 'stopped'\n d['analysis'] = get_basic_analysis_and_error_checks(d)\n sg = SpacegroupAnalyzer(Structure.from_dict(d['output']['crystal']),\n 0.1)\n d['spacegroup'] = {'symbol': sg.get_space_group_symbol(), 'number':\n sg.get_space_group_number(), 'point_group': sg.\n get_point_group_symbol(), 'source': 'spglib', 'crystal_system':\n sg.get_crystal_system(), 'hall': sg.get_hall()}\n d['oxide_type'] = d2['oxide_type']\n d['last_updated'] = datetime.datetime.today()\n return d\n except Exception as ex:\n import traceback\n print(traceback.format_exc())\n logger.error('Error in ' + os.path.abspath(dir_name) + '.\\n' +\n traceback.format_exc())\n return None\n", "role": "user" }, { "content": "generate_doc", "role": "assistant" } ]
def x(self, path): parent, subdirs, files = path if set(self.runs).intersection(subdirs): return [parent] if not any([parent.endswith(os.sep + r) for r in self.runs]) and len(glob .glob(os.path.join(parent, 'vasprun.xml*'))) > 0: return [parent] return []
get_valid_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n parent, subdirs, files = path\n if set(self.runs).intersection(subdirs):\n return [parent]\n if not any([parent.endswith(os.sep + r) for r in self.runs]) and len(glob\n .glob(os.path.join(parent, 'vasprun.xml*'))) > 0:\n return [parent]\n return []\n", "role": "user" }, { "content": "get_valid_paths", "role": "assistant" } ]
def x(o, handlers={}, verbose=False, count=False): dict_handler = lambda d: chain.from_iterable(d.items()) all_handlers = {tuple: iter, list: iter, deque: iter, dict: dict_handler, set: iter, frozenset: iter} all_handlers.update(handlers) seen = set() default_size = getsizeof(0) def x(o): if id(o) in seen: return 0 seen.add(id(o)) if count: s = 1 else: s = getsizeof(o, default_size) for typ, handler in all_handlers.items(): if isinstance(o, typ): s += sum(map(sizeof, handler(o))) break return s return sizeof(o)
total_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o, handlers={}, verbose=False, count=False):\n dict_handler = lambda d: chain.from_iterable(d.items())\n all_handlers = {tuple: iter, list: iter, deque: iter, dict:\n dict_handler, set: iter, frozenset: iter}\n all_handlers.update(handlers)\n seen = set()\n default_size = getsizeof(0)\n\n def x(o):\n if id(o) in seen:\n return 0\n seen.add(id(o))\n if count:\n s = 1\n else:\n s = getsizeof(o, default_size)\n for typ, handler in all_handlers.items():\n if isinstance(o, typ):\n s += sum(map(sizeof, handler(o)))\n break\n return s\n return sizeof(o)\n", "role": "user" }, { "content": "total_size", "role": "assistant" } ]
def x(s): if s is None: return {} d = {} for item in [e.strip() for e in s.split(',')]: try: key, value = item.split('=', 1) except ValueError: msg = "argument item '{}' not in form key=value".format(item) if _argparse_is_dumb: _alog.warn(msg) raise ValueError(msg) if key in d: msg = "Duplicate key for '{}' not allowed".format(key) if _argparse_is_dumb: _alog.warn(msg) raise ValueError(msg) d[key] = value return d
args_kvp_nodup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if s is None:\n return {}\n d = {}\n for item in [e.strip() for e in s.split(',')]:\n try:\n key, value = item.split('=', 1)\n except ValueError:\n msg = \"argument item '{}' not in form key=value\".format(item)\n if _argparse_is_dumb:\n _alog.warn(msg)\n raise ValueError(msg)\n if key in d:\n msg = \"Duplicate key for '{}' not allowed\".format(key)\n if _argparse_is_dumb:\n _alog.warn(msg)\n raise ValueError(msg)\n d[key] = value\n return d\n", "role": "user" }, { "content": "args_kvp_nodup", "role": "assistant" } ]