source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(filename):
with pikepdf.open(filename) as pdf:
pdfmeta = pdf.open_metadata()
if not pdfmeta.pdfa_status:
return {'pass': False, 'output': 'pdf', 'conformance':
'No PDF/A metadata in XMP'}
valid_part_conforms = {'1A', '1B', '2A', '2B', '2U', '3A', '3B', '3U'}
conformance = f'PDF/A-{pdfmeta.pdfa_status}'
pdfa_dict = {}
if pdfmeta.pdfa_status in valid_part_conforms:
pdfa_dict['pass'] = True
pdfa_dict['output'] = 'pdfa'
pdfa_dict['conformance'] = conformance
return pdfa_dict
| file_claims_pdfa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with pikepdf.open(filename) as pdf:\n pdfmeta = pdf.open_metadata()\n if not pdfmeta.pdfa_status:\n return {'pass': Fa... |
def x(name):
if name in glyphname2unicode:
return glyphname2unicode[name]
if name.startswith('g') or name.startswith('a'):
raise KeyError(name)
if name.startswith('uni'):
try:
return chr(int(name[3:], 16))
except ValueError:
raise KeyError(name)
m = STRIP_NAME.search(name)
if not m:
raise KeyError(name)
return chr(int(m.group(0)))
| name2unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if name in glyphname2unicode:\n return glyphname2unicode[name]\n if name.startswith('g') or name.startswith('a'):\n raise KeyError... |
def x(self, obj):
both_unicode_mapped = isinstance(self._text, str) and isinstance(obj.
_text, str)
try:
if both_unicode_mapped:
return self.rendermode == obj.rendermode
font0, _ = self._text
font1, _ = obj._text
return font0 == font1 and self.rendermode == obj.rendermode
except (ValueError, AttributeError):
return False
| is_compatible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n both_unicode_mapped = isinstance(self._text, str) and isinstance(obj.\n _text, str)\n try:\n if both_unicode_mapped:\n ... |
def x(cls, cdata):
pp = ffi.new('{} **'.format(cls.LEPTONICA_TYPENAME), cdata)
cls.cdata_destroy(pp)
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cdata):\n pp = ffi.new('{} **'.format(cls.LEPTONICA_TYPENAME), cdata)\n cls.cdata_destroy(pp)\n",
"role": "user"
},
{
"content": "destro... |
def x(self):
data = ffi.new('l_uint8 **')
size = ffi.new('size_t *')
err = lept.pixWriteMemPng(data, size, self._cdata, 0)
if err != 0:
raise LeptonicaIOError('pixWriteMemPng')
char_data = ffi.cast('char *', data[0])
return ffi.buffer(char_data, size[0])[:]
| repr_png_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = ffi.new('l_uint8 **')\n size = ffi.new('size_t *')\n err = lept.pixWriteMemPng(data, size, self._cdata, 0)\n if err != 0:\n ... |
def x(cls, path):
filename = fspath(path)
with _LeptonicaErrorTrap():
return cls(lept.pixRead(os.fsencode(filename)))
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path):\n filename = fspath(path)\n with _LeptonicaErrorTrap():\n return cls(lept.pixRead(os.fsencode(filename)))\n",
"role": "user"
},
... |
def x(self, path, jpeg_quality=0, jpeg_progressive=0):
filename = fspath(path)
with _LeptonicaErrorTrap():
lept.pixWriteImpliedFormat(os.fsencode(filename), self._cdata,
jpeg_quality, jpeg_progressive)
| write_implied_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, jpeg_quality=0, jpeg_progressive=0):\n filename = fspath(path)\n with _LeptonicaErrorTrap():\n lept.pixWriteImpliedFormat(os.fsencode(... |
def x(self, pillow_image):
bio = BytesIO()
pillow_image.save(bio, format='png', compress_level=1)
py_buffer = bio.getbuffer()
c_buffer = ffi.from_buffer(py_buffer)
with _LeptonicaErrorTrap():
pix = Pix(lept.pixReadMem(c_buffer, len(c_buffer)))
return pix
| frompil | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pillow_image):\n bio = BytesIO()\n pillow_image.save(bio, format='png', compress_level=1)\n py_buffer = bio.getbuffer()\n c_buffer = ffi.from... |
def x(self):
from PIL import Image
pix = self
if sys.byteorder == 'little':
if self.mode == 'RGB':
raw_mode = 'XBGR'
elif self.mode == 'RGBA':
raw_mode = 'ABGR'
elif self.mode == '1':
raw_mode = '1;I'
pix = Pix(lept.pixEndianByteSwapNew(pix._cdata))
else:
raw_mode = self.mode
pix = Pix(lept.pixEndianByteSwapNew(pix._cdata))
else:
raw_mode = self.mode
size = pix._cdata.w, pix._cdata.h
bytecount = pix._cdata.wpl * 4 * pix._cdata.h
buf = ffi.buffer(pix._cdata.data, bytecount)
stride = pix._cdata.wpl * 4
im = Image.frombytes(self.mode, size, buf, 'raw', raw_mode, stride)
return im
| topil | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from PIL import Image\n pix = self\n if sys.byteorder == 'little':\n if self.mode == 'RGB':\n raw_mode = 'XBGR'\n el... |
def x(self, reduction_factor=0):
with _LeptonicaErrorTrap():
return Pix(lept.pixDeskew(self._cdata, reduction_factor))
| deskew | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reduction_factor=0):\n with _LeptonicaErrorTrap():\n return Pix(lept.pixDeskew(self._cdata, reduction_factor))\n",
"role": "user"
},
{
... |
def x(self, scale_xy):
with _LeptonicaErrorTrap():
return Pix(lept.pixScale(self._cdata, scale_xy[0], scale_xy[1]))
| scale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scale_xy):\n with _LeptonicaErrorTrap():\n return Pix(lept.pixScale(self._cdata, scale_xy[0], scale_xy[1]))\n",
"role": "user"
},
{
... |
def x(self, quads):
with _LeptonicaErrorTrap():
return Pix(lept.pixRotateOrth(self._cdata, quads))
| rotate_orth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quads):\n with _LeptonicaErrorTrap():\n return Pix(lept.pixRotateOrth(self._cdata, quads))\n",
"role": "user"
},
{
"content": "rota... |
def x(self):
with _LeptonicaErrorTrap():
angle = ffi.new('float *', 0.0)
confidence = ffi.new('float *', 0.0)
result = lept.pixFindSkew(self._cdata, angle, confidence)
if result == 0:
return angle[0], confidence[0]
else:
return None, None
| find_skew | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with _LeptonicaErrorTrap():\n angle = ffi.new('float *', 0.0)\n confidence = ffi.new('float *', 0.0)\n result = lept.pixFindSk... |
def x(self, removal_type):
with _LeptonicaErrorTrap():
return Pix(lept.pixRemoveColormapGeneral(self._cdata, removal_type,
lept.L_COPY))
| remove_colormap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, removal_type):\n with _LeptonicaErrorTrap():\n return Pix(lept.pixRemoveColormapGeneral(self._cdata, removal_type,\n lept.L_COPY))\n... |
def x(self, type_, quality):
p_compdata = ffi.new('L_COMP_DATA **')
result = lept.pixGenerateCIData(self._cdata, type_, quality, 0, p_compdata)
if result != 0:
raise LeptonicaError('Generate PDF data failed')
return CompressedData(p_compdata[0])
| generate_pdf_ci_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type_, quality):\n p_compdata = ffi.new('L_COMP_DATA **')\n result = lept.pixGenerateCIData(self._cdata, type_, quality, 0, p_compdata)\n if res... |
def x(cls, path, jpeg_quality=75):
filename = fspath(path)
p_compdata = ffi.new('L_COMP_DATA **')
result = lept.l_generateCIDataForPdf(os.fsencode(filename), ffi.NULL,
jpeg_quality, p_compdata)
if result != 0:
raise LeptonicaError('CompressedData.open')
return CompressedData(p_compdata[0])
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, jpeg_quality=75):\n filename = fspath(path)\n p_compdata = ffi.new('L_COMP_DATA **')\n result = lept.l_generateCIDataForPdf(os.fsencode(fil... |
def x(self):
buflen = len('< ') + len(' rrggbb') * self._cdata.ncolors + len('>')
buf = ffi.buffer(self._cdata.cmapdatahex, buflen)
return bytes(buf)
| get_palette_pdf_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buflen = len('< ') + len(' rrggbb') * self._cdata.ncolors + len('>')\n buf = ffi.buffer(self._cdata.cmapdatahex, buflen)\n return bytes(buf)\... |
def x(*, page, font, font_key, procset):
if '/Resources' not in page:
page['/Resources'] = pikepdf.Dictionary({})
resources = page['/Resources']
try:
fonts = resources['/Font']
except KeyError:
fonts = pikepdf.Dictionary({})
if font_key is not None and font_key not in fonts:
fonts[font_key] = font
resources['/Font'] = fonts
resources['/ProcSet'] = procset
| update_page_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, page, font, font_key, procset):\n if '/Resources' not in page:\n page['/Resources'] = pikepdf.Dictionary({})\n resources = page['/Resources']\n... |
def x(*, pdf_base, page_num, text, font, font_key, procset, rotation,
strip_old_text, log):
log.debug('Grafting')
if Path(text).stat().st_size == 0:
return
pdf_text = pikepdf.open(text)
pdf_text_contents = pdf_text.pages[0].Contents.read_bytes()
if not tesseract.has_textonly_pdf():
stream = bytearray(pdf_text_contents)
pattern = b'/Im1 Do'
idx = stream.find(pattern)
stream[idx:idx + len(pattern)] = b' ' * len(pattern)
pdf_text_contents = bytes(stream)
base_page = pdf_base.pages.p(page_num)
mediabox = [float(pdf_text.pages[0].MediaBox[v]) for v in range(4)]
wt, ht = mediabox[2] - mediabox[0], mediabox[3] - mediabox[1]
mediabox = [float(base_page.MediaBox[v]) for v in range(4)]
wp, hp = mediabox[2] - mediabox[0], mediabox[3] - mediabox[1]
translate = pikepdf.PdfMatrix().translated(-wt / 2, -ht / 2)
untranslate = pikepdf.PdfMatrix().translated(wp / 2, hp / 2)
rotation = -rotation % 360
rotate = pikepdf.PdfMatrix().rotated(rotation)
if rotation in (90, 270):
wt, ht = ht, wt
scale_x = wp / wt
scale_y = hp / ht
log.debug('%r', (scale_x, scale_y))
scale = pikepdf.PdfMatrix().scaled(scale_x, scale_y)
ctm = translate @ rotate @ scale @ untranslate
pdf_text_contents = b'q %s cm\n' % ctm.encode(
) + pdf_text_contents + b'\nQ\n'
new_text_layer = pikepdf.Stream(pdf_base, pdf_text_contents)
if strip_old_text:
strip_invisible_text(pdf_base, base_page, log)
base_page.page_contents_add(new_text_layer, prepend=True)
_update_page_resources(page=base_page, font=font, font_key=font_key,
procset=procset)
pdf_text.close()
| weave_layers_graft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, pdf_base, page_num, text, font, font_key, procset, rotation,\n strip_old_text, log):\n log.debug('Grafting')\n if Path(text).stat().st_size == 0:\n... |
def x(text, pdf_base):
font, font_key = None, None
possible_font_names = '/f-0-0', '/F1'
try:
with pikepdf.open(text) as pdf_text:
try:
pdf_text_fonts = pdf_text.pages[0].Resources.get('/Font', {})
except (AttributeError, IndexError, KeyError):
return None, None
for f in possible_font_names:
pdf_text_font = pdf_text_fonts.get(f, None)
if pdf_text_font is not None:
font_key = f
break
if pdf_text_font:
font = pdf_base.copy_foreign(pdf_text_font)
return font, font_key
except (FileNotFoundError, pikepdf.PdfError):
return None, None
| find_font | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, pdf_base):\n font, font_key = None, None\n possible_font_names = '/f-0-0', '/F1'\n try:\n with pikepdf.open(text) as pdf_text:\n ... |
def x(pdf_base, visitor_fn, log):
visited = set()
queue = set()
link_keys = '/Parent', '/First', '/Last', '/Prev', '/Next'
if not '/Outlines' in pdf_base.root:
return
queue.add(pdf_base.root.Outlines.objgen)
while queue:
objgen = queue.pop()
visited.add(objgen)
node = pdf_base.get_object(objgen)
log.debug('fix toc: exploring outline entries at %r', objgen)
for key in link_keys:
if key not in node:
continue
item = node[key]
if not item.is_indirect:
continue
objgen = item.objgen
if objgen not in visited:
queue.add(objgen)
if visitor_fn:
visitor_fn(pdf_base, node, log)
| traverse_toc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdf_base, visitor_fn, log):\n visited = set()\n queue = set()\n link_keys = '/Parent', '/First', '/Last', '/Prev', '/Next'\n if not '/Outlines' in ... |
def x(pdf_base, pageref_remap, log):
if not pageref_remap:
return
def x(dest_node):
try:
pageref = dest_node[0]
if pageref['/Type'] == '/Page' and pageref.objgen in pageref_remap:
new_objgen = pageref_remap[pageref.objgen]
dest_node[0] = pdf_base.get_object(new_objgen)
except (IndexError, TypeError) as e:
log.warning(
'This file may contain invalid table of contents entries')
log.debug(e)
def x(pdf_base, node, log):
if '/Dest' in node:
remap_dest(node['/Dest'])
elif '/A' in node:
if '/S' in node['/A'] and node['/A']['/S'] == '/GoTo':
remap_dest(node['/A']['/D'])
_traverse_toc(pdf_base, visit_remap_dest, log)
| fix_toc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdf_base, pageref_remap, log):\n if not pageref_remap:\n return\n\n def x(dest_node):\n try:\n pageref = dest_node[0]\n ... |
def x(infiles, output_file, log, context):
def x(key):
try:
return page_number(key)
except ValueError:
return -1
flat_inputs = sorted(flatten_groups(infiles), key=input_sorter)
groups = groupby(flat_inputs, key=input_sorter)
_, basegroup = next(groups)
base = list(basegroup)[0]
path_base = Path(base).resolve()
pdf_base = pikepdf.open(path_base)
font, font_key, procset = None, None, None
pdfinfo = context.get_pdfinfo()
pagerefs = {}
procset = pdf_base.make_indirect(pikepdf.Object.parse(
b'[ /PDF /Text /ImageB /ImageC /ImageI ]'))
replacements = 0
for page_num, layers in groups:
layers = list(layers)
log.debug(page_num)
log.debug(layers)
text = next((ii for ii in layers if ii.endswith('.text.pdf')), None)
image = next((ii for ii in layers if ii.endswith('.image-layer.pdf'
)), None)
if text and not font:
font, font_key = _find_font(text, pdf_base)
replacing = False
content_rotation = pdfinfo[page_num - 1].rotation
path_image = Path(image).resolve() if image else None
if path_image is not None and path_image != path_base:
log.debug('Replace')
old_objgen = pdf_base.pages[page_num - 1].objgen
with pikepdf.open(image) as pdf_image:
replacements += 1
image_page = pdf_image.pages[0]
pdf_base.pages[page_num - 1] = image_page
pagerefs[old_objgen] = pdf_base.pages[page_num - 1].objgen
replacing = True
autorotate_correction = context.get_rotation(page_num - 1)
if replacing:
content_rotation = autorotate_correction
text_rotation = autorotate_correction
text_misaligned = (text_rotation - content_rotation) % 360
log.debug('%r', [text_rotation, autorotate_correction,
text_misaligned, content_rotation])
if text and font:
strip_old = context.get_options().redo_ocr
_weave_layers_graft(pdf_base=pdf_base, page_num=page_num, text=
text, font=font, font_key=font_key, rotation=
text_misaligned, procset=procset, strip_old_text=strip_old,
log=log)
pdf_base.pages[page_num - 1].Rotate = (content_rotation -
autorotate_correction) % 360
if replacements % MAX_REPLACE_PAGES == 0:
page0 = pdf_base.pages[0]
_update_page_resources(page=page0, font=font, font_key=font_key,
procset=procset)
interim = output_file + f'_working{page_num}.pdf'
pdf_base.save(interim)
pdf_base.close()
pdf_base = pikepdf.open(interim)
procset = pdf_base.pages[0].Resources.ProcSet
font, font_key = None, None
_fix_toc(pdf_base, pagerefs, log)
pdf_base.save(output_file)
pdf_base.close()
| weave_layers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infiles, output_file, log, context):\n\n def x(key):\n try:\n return page_number(key)\n except ValueError:\n return -1\n... |
def x(basetype, min_=None, max_=None):
min_ = basetype(min_) if min_ is not None else None
max_ = basetype(max_) if max_ is not None else None
def x(string):
value = basetype(string)
if (min_ is not None and value < min_ or max_ is not None and value >
max_):
msg = '%r not in valid range %r' % (string, (min_, max_))
raise argparse.ArgumentTypeError(msg)
return value
_numeric.__name__ = basetype.__name__
return _numeric
| numeric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(basetype, min_=None, max_=None):\n min_ = basetype(min_) if min_ is not None else None\n max_ = basetype(max_) if max_ is not None else None\n\n def x... |
def x(ruffus_five_tuple, options, log):
exit_code = None
_task_name, _job_name, exc_name, exc_value, exc_stack = ruffus_five_tuple
if isinstance(exc_name, type):
exc_name = exc_name.__name__
if exc_name.startswith('ocrmypdf.exceptions.'):
base_exc_name = exc_name.replace('ocrmypdf.exceptions.', '')
exc_class = getattr(ocrmypdf_exceptions, base_exc_name)
exit_code = getattr(exc_class, 'exit_code', ExitCode.other_error)
try:
if isinstance(exc_value, exc_class):
exc_msg = str(exc_value)
elif isinstance(exc_value, str):
exc_msg = exc_value
else:
exc_msg = str(exc_class())
except Exception:
exc_msg = 'Unknown'
if exc_name in ('builtins.SystemExit', 'SystemExit'):
match = re.search('\\.(.+?)\\)', exc_value)
exit_code_name = match.groups()[0]
exit_code = getattr(ExitCode, exit_code_name, 'other_error')
elif exc_name == 'ruffus.ruffus_exceptions.MissingInputFileError':
log.error(cleanup_ruffus_error_message(exc_value))
exit_code = ExitCode.input_file
elif exc_name in ('builtins.KeyboardInterrupt', 'KeyboardInterrupt'):
print('Interrupted by user', file=sys.stderr)
exit_code = ExitCode.ctrl_c
elif exc_name == 'subprocess.CalledProcessError':
msg = 'Error occurred while running this command:'
log.error(msg + '\n' + exc_value)
exit_code = ExitCode.child_process_error
elif exc_name.startswith('ocrmypdf.exceptions.'):
if exc_msg:
log.error(exc_msg)
elif exc_name == 'PIL.Image.DecompressionBombError':
msg = cleanup_ruffus_error_message(exc_value)
msg += """
Use the --max-image-mpixels argument to set increase the maximum number of megapixels to accept."""
log.error(msg)
exit_code = ExitCode.input_file
if exit_code is not None:
return exit_code
if not options.verbose:
log.error(exc_stack)
return ExitCode.other_error
| do_ruffus_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ruffus_five_tuple, options, log):\n exit_code = None\n _task_name, _job_name, exc_name, exc_value, exc_stack = ruffus_five_tuple\n if isinstance(exc_n... |
def x(exceptions, options, log):
exit_codes = []
for exc in exceptions:
exit_code = do_ruffus_exception(exc, options, log)
exit_codes.append(exit_code)
return exit_codes[0]
| traverse_ruffus_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exceptions, options, log):\n exit_codes = []\n for exc in exceptions:\n exit_code = do_ruffus_exception(exc, options, log)\n exit_codes.app... |
def x(options):
if sys.version_info[0:3] >= (3, 6, 4):
return True
if sys.stderr is None:
sys.stderr = open(os.devnull, 'w')
if sys.stdin is None:
if options.input_file == '-':
print('Trying to read from stdin but stdin seems closed', file=
sys.stderr)
return False
sys.stdin = open(os.devnull, 'r')
if sys.stdout is None:
if options.output_file == '-':
print(textwrap.dedent(
""" Output was set to stdout '-' but the stream attached to
stdout does not support the flush() system call. This
will fail."""
), file=sys.stderr)
return False
sys.stdout = open(os.devnull, 'w')
return True
| check_closed_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options):\n if sys.version_info[0:3] >= (3, 6, 4):\n return True\n if sys.stderr is None:\n sys.stderr = open(os.devnull, 'w')\n if sys.... |
def x(input_file, search_window=1024):
with open(input_file, 'rb') as f:
signature = f.read(search_window)
m = re.search(b'%PDF-(\\d\\.\\d)', signature)
if m:
return m.group(1)
return ''
| pdf_guess_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, search_window=1024):\n with open(input_file, 'rb') as f:\n signature = f.read(search_window)\n m = re.search(b'%PDF-(\\\\d\\\\.\\\\d)'... |
def x(input_file, context):
pageno = page_number(input_file) - 1
pageinfo = context.get_pdfinfo()[pageno]
return pageinfo
| get_pageinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, context):\n pageno = page_number(input_file) - 1\n pageinfo = context.get_pdfinfo()[pageno]\n return pageinfo\n",
"role": "user"
},
... |
def x(pageinfo, options):
xres = max(pageinfo.xres or VECTOR_PAGE_DPI, options.oversample or 0,
VECTOR_PAGE_DPI if pageinfo.has_vector else 0)
yres = max(pageinfo.yres or VECTOR_PAGE_DPI, options.oversample or 0,
VECTOR_PAGE_DPI if pageinfo.has_vector else 0)
return float(xres), float(yres)
| get_page_dpi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pageinfo, options):\n xres = max(pageinfo.xres or VECTOR_PAGE_DPI, options.oversample or 0, \n VECTOR_PAGE_DPI if pageinfo.has_vector else 0)\n yr... |
def x(pageinfo, options):
xres = pageinfo.xres or 0
yres = pageinfo.yres or 0
userunit = pageinfo.userunit or 1
return float(max(xres * userunit or VECTOR_PAGE_DPI, yres * userunit or
VECTOR_PAGE_DPI, VECTOR_PAGE_DPI if pageinfo.has_vector else 0,
options.oversample or 0))
| get_page_square_dpi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pageinfo, options):\n xres = pageinfo.xres or 0\n yres = pageinfo.yres or 0\n userunit = pageinfo.userunit or 1\n return float(max(xres * userunit ... |
def x(pageinfo, options):
return float(max(pageinfo.xres or VECTOR_PAGE_DPI, pageinfo.yres or
VECTOR_PAGE_DPI, VECTOR_PAGE_DPI if pageinfo.has_vector else 0,
options.oversample or 0))
| get_canvas_square_dpi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pageinfo, options):\n return float(max(pageinfo.xres or VECTOR_PAGE_DPI, pageinfo.yres or\n VECTOR_PAGE_DPI, VECTOR_PAGE_DPI if pageinfo.has_vector e... |
def x(infiles, output_file, log, context):
options = context.get_options()
page_pdf = next(ii for ii in infiles if ii.endswith('.page.pdf'))
if not options.rotate_pages:
re_symlink(page_pdf, output_file, log)
return
preview = next(ii for ii in infiles if ii.endswith('.preview.jpg'))
orient_conf = tesseract.get_orientation(preview, engine_mode=options.
tesseract_oem, timeout=options.tesseract_timeout, log=log)
direction = {(0): '⇧', (90): '⇨', (180): '⇩', (270): '⇦'}
pageno = page_number(page_pdf) - 1
pdfinfo = context.get_pdfinfo()
existing_rotation = pdfinfo[pageno].rotation
correction = orient_conf.angle % 360
apply_correction = False
action = ''
if orient_conf.confidence >= options.rotate_pages_threshold:
if correction != 0:
apply_correction = True
action = ' - will rotate'
else:
action = ' - rotation appears correct'
elif correction != 0:
action = ' - confidence too low to rotate'
else:
action = ' - no change'
facing = ''
if existing_rotation != 0:
facing = 'with existing rotation {}, '.format(direction.get(
existing_rotation, '?'))
facing += 'page is facing {}'.format(direction.get(orient_conf.angle, '?'))
log.info('{pagenum:4d}: {facing}, confidence {conf:.2f}{action}'.format
(pagenum=page_number(preview), facing=facing, conf=orient_conf.
confidence, action=action))
re_symlink(page_pdf, output_file, log)
if apply_correction:
context.set_rotation(pageno, correction)
| orient_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infiles, output_file, log, context):\n options = context.get_options()\n page_pdf = next(ii for ii in infiles if ii.endswith('.page.pdf'))\n if not op... |
def x(infiles, output_file, log, context):
image = infiles[0]
options = context.get_options()
pageinfo = get_pageinfo(image, context)
with Image.open(image) as im:
from PIL import ImageColor
from PIL import ImageDraw
white = ImageColor.getcolor('#ffffff', im.mode)
draw = ImageDraw.ImageDraw(im)
xres, yres = im.info['dpi']
log.debug('resolution %r %r', xres, yres)
if not options.force_ocr:
mask = None
if options.redo_ocr:
mask = True
for textarea in pageinfo.get_textareas(visible=mask, corrupt=None):
bbox = [float(v) for v in textarea]
xscale, yscale = float(xres) / 72.0, float(yres) / 72.0
pixcoords = [bbox[0] * xscale, im.height - bbox[3] * yscale,
bbox[2] * xscale, im.height - bbox[1] * yscale]
pixcoords = [int(round(c)) for c in pixcoords]
log.debug('blanking %r', pixcoords)
draw.rectangle(pixcoords, fill=white)
if options.mask_barcodes or options.threshold:
pix = leptonica.Pix.frompil(im)
if options.threshold:
pix = pix.masked_threshold_on_background_norm()
if options.mask_barcodes:
barcodes = pix.locate_barcodes()
for barcode in barcodes:
decoded, rect = barcode
log.info('masking barcode %s %r', decoded, rect)
draw.rectangle(rect, fill=white)
im = pix.topil()
del draw
dpi = round(xres), round(yres)
im.save(output_file, dpi=dpi)
| select_ocr_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infiles, output_file, log, context):\n image = infiles[0]\n options = context.get_options()\n pageinfo = get_pageinfo(image, context)\n with Image.... |
def x(infiles, output_file, log, context):
options = context.get_options()
if options.clean_final:
image_suffix = '.pp-clean.png'
elif options.deskew:
image_suffix = '.pp-deskew.png'
elif options.remove_background:
image_suffix = '.pp-background.png'
else:
image_suffix = '.page.png'
image = next(ii for ii in infiles if ii.endswith(image_suffix))
pageinfo = get_pageinfo(image, context)
if pageinfo.images and all(im.enc == 'jpeg' for im in pageinfo.images):
log.debug(f'{page_number(image):4d}: JPEG input -> JPEG output')
with Image.open(image) as im:
fallback_dpi = get_page_square_dpi(pageinfo, options)
dpi = im.info.get('dpi', (fallback_dpi, fallback_dpi))
dpi = round(dpi[0]), round(dpi[1])
im.save(output_file, format='JPEG', dpi=dpi)
else:
re_symlink(image, output_file, log)
| select_visible_page_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infiles, output_file, log, context):\n options = context.get_options()\n if options.clean_final:\n image_suffix = '.pp-clean.png'\n elif option... |
def x(infiles, output_file, log, context):
options = context.get_options()
page_pdf = next(ii for ii in infiles if ii.endswith('.ocr.oriented.pdf'))
image = next(ii for ii in infiles if ii.endswith('.image'))
if options.lossless_reconstruction:
log.debug(
f'{page_number(page_pdf):4d}: page eligible for lossless reconstruction'
)
re_symlink(page_pdf, output_file, log)
return
pageinfo = get_pageinfo(image, context)
dpi = get_page_square_dpi(pageinfo, options)
layout_fun = img2pdf.get_fixed_dpi_layout_fun((dpi, dpi))
with open(image, 'rb') as imfile, open(output_file, 'wb') as pdf:
log.debug(f'{page_number(page_pdf):4d}: convert')
img2pdf.convert(imfile, with_pdfrw=False, layout_fun=layout_fun,
outputstream=pdf)
log.debug(f'{page_number(page_pdf):4d}: convert done')
| select_image_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infiles, output_file, log, context):\n options = context.get_options()\n page_pdf = next(ii for ii in infiles if ii.endswith('.ocr.oriented.pdf'))\n i... |
def x(graphobjs):
for operands, operator in graphobjs:
operator = str(operator)
if re.match('Q*q+$', operator):
for char in operator:
yield [], char
else:
yield operands, operator
| normalize_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graphobjs):\n for operands, operator in graphobjs:\n operator = str(operator)\n if re.match('Q*q+$', operator):\n for char in opera... |
def x(contentstream, initial_shorthand=UNIT_SQUARE):
stack = []
ctm = PdfMatrix(initial_shorthand)
xobject_settings = []
inline_images = []
found_vector = False
vector_ops = set('S s f F f* B B* b b*'.split())
image_ops = set('BI ID EI q Q Do cm'.split())
operator_whitelist = ' '.join(vector_ops | image_ops)
for n, graphobj in enumerate(_normalize_stack(pikepdf.
parse_content_stream(contentstream, operator_whitelist))):
operands, operator = graphobj
if operator == 'q':
stack.append(ctm)
if len(stack) > 32:
if len(stack) > 128:
raise RuntimeError(
'PDF graphics stack overflowed hard limit, operator %i'
% n)
warn('PDF graphics stack overflowed spec limit')
elif operator == 'Q':
try:
ctm = stack.pop()
except IndexError:
warn('PDF graphics stack underflowed - PDF may be malformed')
elif operator == 'cm':
ctm = PdfMatrix(operands) @ ctm
elif operator == 'Do':
image_name = operands[0]
settings = XobjectSettings(name=image_name, shorthand=ctm.
shorthand, stack_depth=len(stack))
xobject_settings.append(settings)
elif operator == 'INLINE IMAGE':
iimage = operands[0]
inline = InlineSettings(iimage=iimage, shorthand=ctm.shorthand,
stack_depth=len(stack))
inline_images.append(inline)
elif operator in vector_ops:
found_vector = True
return ContentsInfo(xobject_settings=xobject_settings, inline_images=
inline_images, found_vector=found_vector)
| interpret_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contentstream, initial_shorthand=UNIT_SQUARE):\n stack = []\n ctm = PdfMatrix(initial_shorthand)\n xobject_settings = []\n inline_images = []\n ... |
def x(ctm_shorthand, image_size):
a, b, c, d, _, _ = ctm_shorthand
image_drawn_width = hypot(a, b)
image_drawn_height = hypot(c, d)
scale_w = image_size[0] / image_drawn_width
scale_h = image_size[1] / image_drawn_height
dpi_w = scale_w * 72.0
dpi_h = scale_h * 72.0
return dpi_w, dpi_h
| get_dpi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctm_shorthand, image_size):\n a, b, c, d, _, _ = ctm_shorthand\n image_drawn_width = hypot(a, b)\n image_drawn_height = hypot(c, d)\n scale_w = ima... |
def x(contentsinfo):
for n, inline in enumerate(contentsinfo.inline_images):
yield ImageInfo(name='inline-%02d' % n, shorthand=inline.shorthand,
inline=inline)
| find_inline_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contentsinfo):\n for n, inline in enumerate(contentsinfo.inline_images):\n yield ImageInfo(name='inline-%02d' % n, shorthand=inline.shorthand,\n ... |
def x(container):
if '/Resources' not in container:
return
resources = container['/Resources']
if '/XObject' not in resources:
return
xobjs = resources['/XObject'].as_dict()
for xobj in xobjs:
candidate = xobjs[xobj]
if not '/Subtype' in candidate:
continue
if candidate['/Subtype'] == '/Image':
pdfimage = candidate
yield pdfimage, xobj
| image_xobjects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container):\n if '/Resources' not in container:\n return\n resources = container['/Resources']\n if '/XObject' not in resources:\n retur... |
def x(container, contentsinfo):
for pdfimage, xobj in _image_xobjects(container):
for draw in contentsinfo.xobject_settings:
if draw.name != xobj:
continue
if draw.stack_depth == 0 and _is_unit_square(draw.shorthand):
continue
yield ImageInfo(name=draw.name, pdfimage=pdfimage, shorthand=
draw.shorthand)
| find_regular_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container, contentsinfo):\n for pdfimage, xobj in _image_xobjects(container):\n for draw in contentsinfo.xobject_settings:\n if draw.name ... |
def x(pdf, container, contentsinfo):
if '/Resources' not in container:
return
resources = container['/Resources']
if '/XObject' not in resources:
return
xobjs = resources['/XObject'].as_dict()
for xobj in xobjs:
candidate = xobjs[xobj]
if candidate['/Subtype'] != '/Form':
continue
form_xobject = candidate
for settings in contentsinfo.xobject_settings:
if settings.name != xobj:
continue
ctm_shorthand = settings.shorthand
yield from _process_content_streams(pdf=pdf, container=
form_xobject, shorthand=ctm_shorthand)
| find_form_xobject_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdf, container, contentsinfo):\n if '/Resources' not in container:\n return\n resources = container['/Resources']\n if '/XObject' not in resour... |
def x(*, pdf, container, shorthand=None):
if container.get('/Type') == '/Page' and '/Contents' in container:
initial_shorthand = shorthand or UNIT_SQUARE
elif container.get('/Type') == '/XObject' and container['/Subtype'
] == '/Form':
ctm = PdfMatrix(shorthand) if shorthand else PdfMatrix.identity()
form_shorthand = container.get('/Matrix', PdfMatrix.identity())
form_matrix = PdfMatrix(form_shorthand)
ctm = form_matrix @ ctm
initial_shorthand = ctm.shorthand
else:
return
contentsinfo = _interpret_contents(container, initial_shorthand)
if contentsinfo.found_vector:
yield VectorInfo()
yield from _find_inline_images(contentsinfo)
yield from _find_regular_images(container, contentsinfo)
yield from _find_form_xobject_images(pdf, container, contentsinfo)
| process_content_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, pdf, container, shorthand=None):\n if container.get('/Type') == '/Page' and '/Contents' in container:\n initial_shorthand = shorthand or UNIT_SQUA... |
def x(text_blocks, page_width, page_height):
pw, ph = float(page_width), float(page_height)
margin_ratio = 0.125
interior_bbox = margin_ratio * pw, (1 - margin_ratio) * ph, (1 -
margin_ratio) * pw, margin_ratio * ph
def x(a, b):
return a[0] < b[2] and a[2] > b[0] and a[1] > b[3] and a[3] < b[1]
has_text = False
for bbox in text_blocks:
if rects_intersect(bbox, interior_bbox):
has_text = True
break
return has_text
| page_has_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text_blocks, page_width, page_height):\n pw, ph = float(page_width), float(page_height)\n margin_ratio = 0.125\n interior_bbox = margin_ratio * pw, (1... |
def x(miner, textbox_getter):
for box in textbox_getter(miner):
first_line = box._objs[0]
first_char = first_line._objs[0]
visible = first_char.rendermode != 3
corrupt = first_char.get_text() == '�'
yield TextboxInfo(box.bbox, visible, corrupt)
| simplify_textboxes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(miner, textbox_getter):\n for box in textbox_getter(miner):\n first_line = box._objs[0]\n first_char = first_line._objs[0]\n visible = ... |
def x(infile, pageno, xmltext, height):
root = xmltext
if not hasattr(xmltext, 'findall'):
return []
def x():
for span in root.findall('.//span'):
bbox_str = span.attrib['bbox']
font_size = span.attrib['size']
pts = [int(pt) for pt in bbox_str.split()]
pts[1] = pts[1] - int(float(font_size) + 0.5)
bbox_topdown = tuple(pts)
bb = bbox_topdown
bbox_bottomup = bb[0], height - bb[3], bb[2], height - bb[1]
yield bbox_bottomup
def x():
prev = None
for bbox in blocks():
if prev is None:
prev = bbox
if bbox[1] == prev[1] and bbox[3] == prev[3]:
gap = prev[2] - bbox[0]
height = abs(bbox[3] - bbox[1])
if gap < height:
prev = prev[0], prev[1], bbox[2], bbox[3]
continue
yield prev
prev = bbox
if prev is not None:
yield prev
return [block for block in joined_blocks()]
| page_get_textblocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infile, pageno, xmltext, height):\n root = xmltext\n if not hasattr(xmltext, 'findall'):\n return []\n\n def x():\n for span in root.fin... |
def x():
args_tess = ['tesseract', '--print-parameters', 'pdf']
params = ''
try:
params = check_output(args_tess, universal_newlines=True, stderr=STDOUT
)
except CalledProcessError as e:
print('Could not --print-parameters from tesseract', file=sys.stderr)
raise MissingDependencyError from e
if 'textonly_pdf' in params:
return True
return False
| has_textonly_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n args_tess = ['tesseract', '--print-parameters', 'pdf']\n params = ''\n try:\n params = check_output(args_tess, universal_newlines=True, st... |
def x(output_hocr, output_sidecar, image):
from PIL import Image
im = Image.open(image)
w, h = im.size
with open(output_hocr, 'w', encoding='utf-8') as f:
f.write(HOCR_TEMPLATE.format(w, h))
with open(output_sidecar, 'w', encoding='utf-8') as f:
f.write('[skipped page]')
| generate_null_hocr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_hocr, output_sidecar, image):\n from PIL import Image\n im = Image.open(image)\n w, h = im.size\n with open(output_hocr, 'w', encoding='utf-... |
def x(*, input_image, skip_pdf=None, output_pdf, output_text, language:
list, engine_mode, text_only: bool, tessconfig: list, timeout: float,
pagesegmode: int, user_words, user_patterns, log):
args_tesseract = tess_base_args(language, engine_mode)
if pagesegmode is not None:
args_tesseract.extend(['--psm', str(pagesegmode)])
if text_only and has_textonly_pdf():
args_tesseract.extend(['-c', 'textonly_pdf=1'])
if user_words:
args_tesseract.extend(['--user-words', user_words])
if user_patterns:
args_tesseract.extend(['--user-patterns', user_patterns])
prefix = os.path.splitext(output_pdf)[0]
args_tesseract.extend([input_image, prefix, 'pdf', 'txt'] + tessconfig)
try:
log.debug(args_tesseract)
stdout = check_output(args_tesseract, stderr=STDOUT, timeout=timeout)
if os.path.exists(prefix + '.txt'):
shutil.move(prefix + '.txt', output_text)
except TimeoutExpired:
page_timedout(log, input_image, timeout)
use_skip_page(text_only, skip_pdf, output_pdf, output_text)
except CalledProcessError as e:
tesseract_log_output(log, e.output, input_image)
if b'Image too large' in e.output:
use_skip_page(text_only, skip_pdf, output_pdf, output_text)
return
raise e from e
else:
tesseract_log_output(log, stdout, input_image)
| generate_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, input_image, skip_pdf=None, output_pdf, output_text, language:\n list, engine_mode, text_only: bool, tessconfig: list, timeout: float,\n pagesegmode: ... |
def x(pike, root, log, options, extract_fn):
include_xrefs = set()
exclude_xrefs = set()
pageno_for_xref = {}
errors = 0
for pageno, page in enumerate(pike.pages):
try:
xobjs = page.Resources.XObject
except AttributeError:
continue
for _imname, image in dict(xobjs).items():
if image.objgen[1] != 0:
continue
xref = image.objgen[0]
if hasattr(image, 'SMask'):
smask_xref = image.SMask.objgen[0]
exclude_xrefs.add(smask_xref)
include_xrefs.add(xref)
if xref not in pageno_for_xref:
pageno_for_xref[xref] = pageno
working_xrefs = include_xrefs - exclude_xrefs
for xref in working_xrefs:
image = pike.get_object((xref, 0))
try:
result = extract_fn(pike=pike, root=root, log=log, image=image,
xref=xref, options=options)
except Exception as e:
log.debug('Image xref %s, error %s', xref, repr(e))
errors += 1
else:
if result:
_, ext = result
yield pageno_for_xref[xref], xref, ext
| extract_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pike, root, log, options, extract_fn):\n include_xrefs = set()\n exclude_xrefs = set()\n pageno_for_xref = {}\n errors = 0\n for pageno, page in... |
def x(pike, root, log, options):
jpegs = []
pngs = []
for _, xref, ext in extract_images(pike, root, log, options,
extract_image_generic):
log.debug('xref = %s ext = %s', xref, ext)
if ext == '.png':
pngs.append(xref)
elif ext == '.jpg':
jpegs.append(xref)
log.debug('Optimizable images: JPEGs: %s PNGs: %s', len(jpegs), len(pngs))
return jpegs, pngs
| extract_images_generic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pike, root, log, options):\n jpegs = []\n pngs = []\n for _, xref, ext in extract_images(pike, root, log, options,\n extract_image_generic):\n ... |
def x(pike, root, log, options):
jbig2_groups = defaultdict(list)
for pageno, xref, ext in extract_images(pike, root, log, options,
extract_image_jbig2):
group = pageno // options.jbig2_page_group_size
jbig2_groups[group].append((xref, ext))
jbig2_groups = {group: xrefs for group, xrefs in jbig2_groups.items() if
len(xrefs) > 0}
log.debug('Optimizable images: JBIG2 groups: %s', (len(jbig2_groups),))
return jbig2_groups
| extract_images_jbig2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pike, root, log, options):\n jbig2_groups = defaultdict(list)\n for pageno, xref, ext in extract_images(pike, root, log, options,\n extract_image_... |
def x(jbig2_groups, root, log, options):
def x(executor, root, groups):
for group, xref_exts in groups.items():
prefix = f'group{group:08d}'
future = executor.submit(jbig2enc.convert_group, cwd=fspath(
root), infiles=(img_name(root, xref, ext) for xref, ext in
xref_exts), out_prefix=prefix)
yield future
def x(executor, root, groups):
for group, xref_exts in groups.items():
prefix = f'group{group:08d}'
for n, xref_ext in enumerate(xref_exts):
xref, ext = xref_ext
future = executor.submit(jbig2enc.convert_single, cwd=
fspath(root), infile=img_name(root, xref, ext), outfile
=root / f'{prefix}.{n:04d}')
yield future
if options.jbig2_page_group_size > 1:
jbig2_futures = jbig2_group_futures
else:
jbig2_futures = jbig2_single_futures
with concurrent.futures.ThreadPoolExecutor(max_workers=options.jobs
) as executor:
futures = jbig2_futures(executor, root, jbig2_groups)
for future in concurrent.futures.as_completed(futures):
proc = future.result()
log.debug(proc.stderr.decode())
| produce_jbig2_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jbig2_groups, root, log, options):\n\n def x(executor, root, groups):\n for group, xref_exts in groups.items():\n prefix = f'group{group:0... |
def x(pike, jbig2_groups, root, log, options):
_produce_jbig2_images(jbig2_groups, root, log, options)
for group, xref_exts in jbig2_groups.items():
prefix = f'group{group:08d}'
jbig2_symfile = root / (prefix + '.sym')
if jbig2_symfile.exists():
jbig2_globals_data = jbig2_symfile.read_bytes()
jbig2_globals = pikepdf.Stream(pike, jbig2_globals_data)
jbig2_globals_dict = Dictionary(JBIG2Globals=jbig2_globals)
elif options.jbig2_page_group_size == 1:
jbig2_globals_dict = None
else:
raise FileNotFoundError(jbig2_symfile)
for n, xref_ext in enumerate(xref_exts):
xref, _ = xref_ext
jbig2_im_file = root / (prefix + f'.{n:04d}')
jbig2_im_data = jbig2_im_file.read_bytes()
im_obj = pike.get_object(xref, 0)
im_obj.write(jbig2_im_data, filter=Name.JBIG2Decode,
decode_parms=jbig2_globals_dict)
| convert_to_jbig2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pike, jbig2_groups, root, log, options):\n _produce_jbig2_images(jbig2_groups, root, log, options)\n for group, xref_exts in jbig2_groups.items():\n ... |
def x(program, *, version_arg='--version', regex='(\\d+(\\.\\d+)*)'):
args_prog = [program, version_arg]
try:
proc = run(args_prog, close_fds=True, universal_newlines=True,
stdout=PIPE, stderr=STDOUT, check=True)
output = proc.stdout
except FileNotFoundError as e:
raise MissingDependencyError(
f"Could not find program '{program}' on the PATH") from e
except CalledProcessError as e:
if e.returncode != 0:
raise MissingDependencyError(
f"""Ran program '{program}' but it exited with an error:
{e.output}"""
) from e
raise MissingDependencyError(
f"Could not find program '{program}' on the PATH") from e
try:
version = re.match(regex, output.strip()).group(1)
except AttributeError as e:
raise MissingDependencyError(
f"""The program '{program}' did not report its version. Message was:
{output}"""
)
return version
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program, *, version_arg='--version', regex='(\\\\d+(\\\\.\\\\d+)*)'):\n args_prog = [program, version_arg]\n try:\n proc = run(args_prog, close_fd... |
def x(self, element):
text = ''
if element.text is not None:
text += element.text
for child in element.getchildren():
text += self._get_element_text(child)
if element.tail is not None:
text += element.tail
return text
| get_element_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element):\n text = ''\n if element.text is not None:\n text += element.text\n for child in element.getchildren():\n text += self._... |
def x(cls, element):
out = 0, 0, 0, 0
if 'title' in element.attrib:
matches = cls.box_pattern.search(element.attrib['title'])
if matches:
coords = matches.group(1).split()
out = Rect._make(int(coords[n]) for n in range(4))
return out
| element_coordinates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, element):\n out = 0, 0, 0, 0\n if 'title' in element.attrib:\n matches = cls.box_pattern.search(element.attrib['title'])\n if matches:... |
def x(cls, element):
if 'title' in element.attrib:
matches = cls.baseline_pattern.search(element.attrib['title'])
if matches:
return float(matches.group(1)), int(matches.group(2))
return 0, 0
| baseline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, element):\n if 'title' in element.attrib:\n matches = cls.baseline_pattern.search(element.attrib['title'])\n if matches:\n ret... |
def x(self, pxl):
return Rect._make(c / self.dpi * inch for c in pxl)
| pt_from_pixel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pxl):\n return Rect._make(c / self.dpi * inch for c in pxl)\n",
"role": "user"
},
{
"content": "pt_from_pixel",
"role": "assistant"
... |
def x(self, outFileName, imageFileName=None, showBoundingboxes=False,
fontname='Helvetica', invisibleText=False, interwordSpaces=False):
pdf = Canvas(outFileName, pagesize=(self.width, self.height),
pageCompression=1)
pdf.setStrokeColorRGB(0, 1, 1)
pdf.setFillColorRGB(0, 1, 1)
pdf.setLineWidth(0)
for elem in self.hocr.findall(".//%sp[@class='%s']" % (self.xmlns,
'ocr_par')):
elemtxt = self._get_element_text(elem).rstrip()
if len(elemtxt) == 0:
continue
pxl_coords = self.element_coordinates(elem)
pt = self.pt_from_pixel(pxl_coords)
if showBoundingboxes:
pdf.rect(pt.x1, self.height - pt.y2, pt.x2 - pt.x1, pt.y2 - pt.
y1, fill=1)
found_lines = False
for line in self.hocr.findall(".//%sspan[@class='%s']" % (self.xmlns,
'ocr_line')):
found_lines = True
self._do_line(pdf, line, 'ocrx_word', fontname, invisibleText,
interwordSpaces, showBoundingboxes)
if not found_lines:
root = self.hocr.find(".//%sdiv[@class='%s']" % (self.xmlns,
'ocr_page'))
self._do_line(pdf, root, 'ocrx_word', fontname, invisibleText,
interwordSpaces, showBoundingboxes)
if imageFileName is not None:
pdf.drawImage(imageFileName, 0, 0, width=self.width, height=self.height
)
pdf.showPage()
pdf.save()
| to_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outFileName, imageFileName=None, showBoundingboxes=False,\n fontname='Helvetica', invisibleText=False, interwordSpaces=False):\n pdf = Canvas(outFi... |
def x(input_file, pageno=1):
if pageno is not None:
pages = ['-dFirstPage=%i' % pageno, '-dLastPage=%i' % pageno]
else:
pages = []
args_gs = ['gs', '-dQUIET', '-dSAFER', '-dBATCH', '-dNOPAUSE',
'-sDEVICE=txtwrite', '-dTextFormat=0'] + pages + ['-o', '-', fspath
(input_file)]
p = run(args_gs, stdout=PIPE, stderr=PIPE)
if p.returncode != 0:
raise SubprocessOutputError(
'Ghostscript text extraction failed\n%s\n%s\n%s' % (input_file,
p.stdout.decode(), p.stderr.decode()))
return p.stdout
| extract_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, pageno=1):\n if pageno is not None:\n pages = ['-dFirstPage=%i' % pageno, '-dLastPage=%i' % pageno]\n else:\n pages = []\n a... |
def x(input_file, output_file, xres, yres, raster_device, log, pageno=1,
page_dpi=None, rotation=None, filter_vector=False):
res = xres, yres
int_res = round(xres), round(yres)
if not page_dpi:
page_dpi = res
with NamedTemporaryFile(delete=True) as tmp:
args_gs = ['gs', '-dQUIET', '-dSAFER', '-dBATCH', '-dNOPAUSE',
f'-sDEVICE={raster_device}', f'-dFirstPage={pageno}',
f'-dLastPage={pageno}', f'-r{str(int_res[0])}x{str(int_res[1])}'
] + (['-dFILTERVECTOR'] if filter_vector else []) + ['-o', tmp.
name, '-dAutoRotatePages=/None', '-f', fspath(input_file)]
log.debug(args_gs)
p = run(args_gs, stdout=PIPE, stderr=STDOUT, universal_newlines=True)
if _gs_error_reported(p.stdout):
log.error(p.stdout)
else:
log.debug(p.stdout)
if p.returncode != 0:
log.error('Ghostscript rasterizing failed')
raise SubprocessOutputError()
tmp.seek(0)
with Image.open(tmp) as im:
expected_size = round(im.size[0] / int_res[0] * res[0]), round(
im.size[1] / int_res[1] * res[1])
if expected_size != im.size or page_dpi != (xres, yres):
log.debug(
f'Ghostscript: resize output image {im.size} -> {expected_size}'
)
im = im.resize(expected_size)
if rotation is not None:
log.debug('Rotating output by %i', rotation)
if rotation == 90:
im = im.transpose(Image.ROTATE_90)
elif rotation == 180:
im = im.transpose(Image.ROTATE_180)
elif rotation == 270:
im = im.transpose(Image.ROTATE_270)
if rotation % 180 == 90:
page_dpi = page_dpi[1], page_dpi[0]
im.save(fspath(output_file), dpi=page_dpi)
| rasterize_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, output_file, xres, yres, raster_device, log, pageno=1,\n page_dpi=None, rotation=None, filter_vector=False):\n res = xres, yres\n int_res ... |
def x(pdf_pages, output_file, compression, log, threads=1, pdf_version=
'1.5', pdfa_part='2'):
compression_args = []
if compression == 'jpeg':
compression_args = ['-dAutoFilterColorImages=false',
'-dColorImageFilter=/DCTEncode', '-dAutoFilterGrayImages=false',
'-dGrayImageFilter=/DCTEncode']
elif compression == 'lossless':
compression_args = ['-dAutoFilterColorImages=false',
'-dColorImageFilter=/FlateEncode',
'-dAutoFilterGrayImages=false', '-dGrayImageFilter=/FlateEncode']
else:
compression_args = ['-dAutoFilterColorImages=true',
'-dAutoFilterGrayImages=true']
strategy = 'RGB' if version() >= '9.19' else '/RGB'
if version() == '9.23':
compression_args.append('-dPassThroughJPEGImages=false')
with NamedTemporaryFile(delete=True) as gs_pdf:
args_gs = ['gs', '-dQUIET', '-dBATCH', '-dNOPAUSE',
'-dCompatibilityLevel=' + str(pdf_version),
'-dNumRenderingThreads=' + str(threads), '-sDEVICE=pdfwrite',
'-dAutoRotatePages=/None', '-sColorConversionStrategy=' + strategy
] + compression_args + ['-dJPEGQ=95', '-dPDFA=' + pdfa_part,
'-dPDFACompatibilityPolicy=1', '-sOutputFile=' + gs_pdf.name]
args_gs.extend(fspath(s) for s in pdf_pages)
log.debug(args_gs)
p = run(args_gs, stdout=PIPE, stderr=STDOUT, universal_newlines=True)
if _gs_error_reported(p.stdout):
log.error(p.stdout)
elif 'overprint mode not set' in p.stdout:
log.debug(
"Ghostscript had to remove PDF 'overprinting' from the input file to complete PDF/A conversion. "
)
else:
log.debug(p.stdout)
if p.returncode == 0:
copy(gs_pdf.name, fspath(output_file))
else:
log.error('Ghostscript PDF/A rendering failed')
raise SubprocessOutputError()
| generate_pdfa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdf_pages, output_file, compression, log, threads=1, pdf_version=\n '1.5', pdfa_part='2'):\n compression_args = []\n if compression == 'jpeg':\n ... |
def x(pinyin):
if pinyin.startswith('y'):
no_y_py = pinyin[1:]
first_char = no_y_py[0] if len(no_y_py) > 0 else None
if first_char in U_TONES:
pinyin = UV_MAP[first_char] + pinyin[2:]
elif first_char in I_TONES:
pinyin = no_y_py
else:
pinyin = 'i' + no_y_py
return pinyin
if pinyin.startswith('w'):
no_w_py = pinyin[1:]
first_char = no_w_py[0] if len(no_w_py) > 0 else None
if first_char in U_TONES:
pinyin = pinyin[1:]
else:
pinyin = 'u' + pinyin[1:]
return pinyin
return pinyin
| convert_zero_consonant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n if pinyin.startswith('y'):\n no_y_py = pinyin[1:]\n first_char = no_y_py[0] if len(no_y_py) > 0 else None\n if first_char in... |
def x(pinyin):
return UV_RE.sub(lambda m: ''.join((m.group(1), UV_MAP[m.group(2)], m.
group(3))), pinyin)
| convert_uv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n return UV_RE.sub(lambda m: ''.join((m.group(1), UV_MAP[m.group(2)], m.\n group(3))), pinyin)\n",
"role": "user"
},
{
"content"... |
def x(pinyin):
return IU_RE.sub(lambda m: m.group(1) + IU_MAP[m.group(2)], pinyin)
| convert_iou | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n return IU_RE.sub(lambda m: m.group(1) + IU_MAP[m.group(2)], pinyin)\n",
"role": "user"
},
{
"content": "convert_iou",
"role": "as... |
def x(pinyin):
return UI_RE.sub(lambda m: m.group(1) + UI_MAP[m.group(2)], pinyin)
| convert_uei | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n return UI_RE.sub(lambda m: m.group(1) + UI_MAP[m.group(2)], pinyin)\n",
"role": "user"
},
{
"content": "convert_uei",
"role": "as... |
def x(pinyin):
return UN_RE.sub(lambda m: m.group(1) + UN_MAP[m.group(2)], pinyin)
| convert_uen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n return UN_RE.sub(lambda m: m.group(1) + UN_MAP[m.group(2)], pinyin)\n",
"role": "user"
},
{
"content": "convert_uen",
"role": "as... |
def x(pinyin):
pinyin = convert_zero_consonant(pinyin)
pinyin = convert_uv(pinyin)
pinyin = convert_iou(pinyin)
pinyin = convert_uei(pinyin)
pinyin = convert_uen(pinyin)
return pinyin
| convert_finals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n pinyin = convert_zero_consonant(pinyin)\n pinyin = convert_uv(pinyin)\n pinyin = convert_iou(pinyin)\n pinyin = convert_uei(pinyin)\n ... |
def x(chars):
s = ''
ret = []
flag = 0
for n, c in enumerate(chars):
if RE_HANS.match(c):
if n == 0:
flag = 0
if flag == 0:
s += c
else:
ret.append(s)
flag = 0
s = c
else:
if n == 0:
flag = 1
if flag == 1:
s += c
else:
ret.append(s)
flag = 1
s = c
ret.append(s)
return ret
| seg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chars):\n s = ''\n ret = []\n flag = 0\n for n, c in enumerate(chars):\n if RE_HANS.match(c):\n if n == 0:\n flag ... |
def x(hans):
assert not isinstance(hans, bytes_type
), 'must be unicode string or [unicode, ...] list'
if isinstance(hans, text_type):
return _seg(hans)
else:
hans = list(hans)
if len(hans) == 1:
return simple_seg(hans[0])
return list(chain(*[simple_seg(x) for x in hans]))
| simple_seg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hans):\n assert not isinstance(hans, bytes_type\n ), 'must be unicode string or [unicode, ...] list'\n if isinstance(hans, text_type):\n re... |
def x(pinyin_dict, style='default'):
if style == 'tone2':
for k, v in pinyin_dict.items():
v = _replace_tone2_style_dict_to_default(v)
PINYIN_DICT[k] = v
else:
PINYIN_DICT.update(pinyin_dict)
mmseg.retrain(mmseg.seg)
| load_single_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin_dict, style='default'):\n if style == 'tone2':\n for k, v in pinyin_dict.items():\n v = _replace_tone2_style_dict_to_default(v)\n ... |
def x(phrases_dict, style='default'):
if style == 'tone2':
for k, value in phrases_dict.items():
v = [list(map(_replace_tone2_style_dict_to_default, pys)) for
pys in value]
PHRASES_DICT[k] = v
else:
PHRASES_DICT.update(phrases_dict)
mmseg.retrain(mmseg.seg)
| load_phrases_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(phrases_dict, style='default'):\n if style == 'tone2':\n for k, value in phrases_dict.items():\n v = [list(map(_replace_tone2_style_dict_t... |
def x(pinyin, style, strict=True):
return convert_style(pinyin, style=style, strict=strict, default=pinyin)
| to_fixed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin, style, strict=True):\n return convert_style(pinyin, style=style, strict=strict, default=pinyin)\n",
"role": "user"
},
{
"content": "to_f... |
def x(chars, errors='default'):
if callable_check(errors):
return errors(chars)
if errors == 'default':
return chars
elif errors == 'ignore':
return None
elif errors == 'replace':
if len(chars) > 1:
return ''.join(text_type('%x' % ord(x)) for x in chars)
else:
return text_type('%x' % ord(chars))
| handle_nopinyin_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chars, errors='default'):\n if callable_check(errors):\n return errors(chars)\n if errors == 'default':\n return chars\n elif errors == ... |
def x(han, style, heteronym, errors='default', strict=True):
num = ord(han)
if num not in PINYIN_DICT:
return handle_nopinyin(han, errors=errors, heteronym=heteronym)
pys = PINYIN_DICT[num].split(',')
if not heteronym:
return [[_to_fixed(pys[0], style, strict=strict)]]
py_cached = {}
pinyins = []
for i in pys:
py = _to_fixed(i, style, strict=strict)
if py in py_cached:
continue
py_cached[py] = py
pinyins.append(py)
return [pinyins]
| single_pinyin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(han, style, heteronym, errors='default', strict=True):\n num = ord(han)\n if num not in PINYIN_DICT:\n return handle_nopinyin(han, errors=errors, ... |
def x(phrase, style, heteronym, errors='default', strict=True):
py = []
if phrase in PHRASES_DICT:
py = deepcopy(PHRASES_DICT[phrase])
for idx, item in enumerate(py):
if heteronym:
py[idx] = _remove_dup_items([_to_fixed(x, style=style,
strict=strict) for x in item])
else:
py[idx] = [_to_fixed(item[0], style=style, strict=strict)]
else:
for i in phrase:
single = single_pinyin(i, style=style, heteronym=heteronym,
errors=errors, strict=strict)
if single:
py.extend(single)
return py
| phrase_pinyin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(phrase, style, heteronym, errors='default', strict=True):\n py = []\n if phrase in PHRASES_DICT:\n py = deepcopy(PHRASES_DICT[phrase])\n fo... |
def x(words, style, heteronym, errors, strict=True):
pys = []
if RE_HANS.match(words):
pys = phrase_pinyin(words, style=style, heteronym=heteronym, errors
=errors, strict=strict)
return pys
py = handle_nopinyin(words, errors=errors, heteronym=heteronym)
if py:
pys.extend(py)
return pys
| pinyin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(words, style, heteronym, errors, strict=True):\n pys = []\n if RE_HANS.match(words):\n pys = phrase_pinyin(words, style=style, heteronym=heteronym... |
def x(hans, style=Style.TONE, heteronym=False, errors='default', strict=True):
if isinstance(hans, text_type):
han_list = seg(hans)
else:
han_list = chain(*(seg(x) for x in hans))
pys = []
for words in han_list:
pys.extend(_pinyin(words, style, heteronym, errors, strict=strict))
return pys
| pinyin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hans, style=Style.TONE, heteronym=False, errors='default', strict=True):\n if isinstance(hans, text_type):\n han_list = seg(hans)\n else:\n ... |
def x(hans, style=Style.NORMAL, heteronym=False, separator='-', errors=
'default', strict=True):
return separator.join(chain(*pinyin(hans, style=style, heteronym=
heteronym, errors=errors, strict=strict)))
| slug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hans, style=Style.NORMAL, heteronym=False, separator='-', errors=\n 'default', strict=True):\n return separator.join(chain(*pinyin(hans, style=style, het... |
def x(hans, style=Style.NORMAL, errors='default', strict=True):
return list(chain(*pinyin(hans, style=style, heteronym=False, errors=
errors, strict=strict)))
| lazy_pinyin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hans, style=Style.NORMAL, errors='default', strict=True):\n return list(chain(*pinyin(hans, style=style, heteronym=False, errors=\n errors, strict=st... |
def x(pinyin, style, strict, default=None, **kwargs):
if style in _registry:
return _registry[style](pinyin, strict=strict, **kwargs)
return default
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin, style, strict, default=None, **kwargs):\n if style in _registry:\n return _registry[style](pinyin, strict=strict, **kwargs)\n return defau... |
def x(style, func=None):
if func is not None:
_registry[style] = func
return
def x(func):
_registry[style] = func
@wraps(func)
def x(pinyin, **kwargs):
return func(pinyin, **kwargs)
return wrapper
return decorator
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(style, func=None):\n if func is not None:\n _registry[style] = func\n return\n\n def x(func):\n _registry[style] = func\n\n @... |
def x(pinyin, strict):
if strict:
_initials = _INITIALS
else:
_initials = _INITIALS_NOT_STRICT
for i in _initials:
if pinyin.startswith(i):
return i
return ''
| get_initials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin, strict):\n if strict:\n _initials = _INITIALS\n else:\n _initials = _INITIALS_NOT_STRICT\n for i in _initials:\n if pinyi... |
def x(pinyin, strict):
if strict:
pinyin = convert_finals(pinyin)
initials = get_initials(pinyin, strict=strict) or ''
if not initials:
return pinyin
return ''.join(pinyin.split(initials, 1))
| get_finals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin, strict):\n if strict:\n pinyin = convert_finals(pinyin)\n initials = get_initials(pinyin, strict=strict) or ''\n if not initials:\n ... |
def x(pinyin):
def x(match):
symbol = match.group(0)
return PHONETIC_SYMBOL_DICT[symbol]
return RE_PHONETIC_SYMBOL.sub(_replace, pinyin)
| replace_symbol_to_number | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n\n def x(match):\n symbol = match.group(0)\n return PHONETIC_SYMBOL_DICT[symbol]\n return RE_PHONETIC_SYMBOL.sub(_replace, pinyin... |
def x(pinyin):
def x(match):
symbol = match.group(0)
return RE_NUMBER.sub('', PHONETIC_SYMBOL_DICT[symbol])
return RE_PHONETIC_SYMBOL.sub(_replace, pinyin)
| replace_symbol_to_no_symbol | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pinyin):\n\n def x(match):\n symbol = match.group(0)\n return RE_NUMBER.sub('', PHONETIC_SYMBOL_DICT[symbol])\n return RE_PHONETIC_SYMBOL.s... |
def x(self, text):
remain = text
while remain:
matched = ''
for index in range(len(remain)):
word = remain[:index + 1]
if word in self._prefix_set:
matched = word
else:
if matched:
yield matched
matched = ''
remain = remain[index:]
else:
yield word
remain = remain[index + 1:]
break
else:
yield remain
break
| cut | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n remain = text\n while remain:\n matched = ''\n for index in range(len(remain)):\n word = remain[:index + 1]\n ... |
def x(self, word_s):
for word in word_s:
for index in range(len(word)):
self._set.add(word[:index + 1])
| train | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word_s):\n for word in word_s:\n for index in range(len(word)):\n self._set.add(word[:index + 1])\n",
"role": "user"
},
{
... |
def x(ch):
if re.match(en_p, ch):
return 1
elif re.match('\\d+', ch):
return 2
elif re.match(re_han, ch):
return 3
else:
return 4
| get_char_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ch):\n if re.match(en_p, ch):\n return 1\n elif re.match('\\\\d+', ch):\n return 2\n elif re.match(re_han, ch):\n return 3\n e... |
def x(circuit, settings=None):
if settings is None:
settings = get_default_settings()
text = header(settings)
text += body(circuit, settings)
text += footer()
return text
| to_latex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(circuit, settings=None):\n if settings is None:\n settings = get_default_settings()\n text = header(settings)\n text += body(circuit, settings)... |
def x(circuit, settings):
qubit_instruction_mapping = {}
for inst in circuit:
if isinstance(inst, Measurement):
inst.qubits = [inst.qubit]
inst.name = 'MEASURE'
else:
qubits = inst.qubits
for qubit in qubits:
qubit_instruction_mapping[qubit.index] = []
for k, v in list(qubit_instruction_mapping.items()):
v.append(command(ALLOCATE, [k], [], [k], k))
for inst in circuit:
qubits = [qubit.index for qubit in inst.qubits]
gate = inst.name
if len(qubits) == 1:
for qubit in qubits:
qubit_instruction_mapping[qubit].append(command(gate, [
qubit], [], [qubit], qubit))
else:
explicit_lines = [qubit for qubit in copy(qubits)]
all_lines = list(range(min(explicit_lines), max(explicit_lines) +
1))
for line in all_lines:
if line not in qubit_instruction_mapping.keys(
) and line in all_lines:
all_lines.remove(line)
for i, qubit in enumerate(all_lines):
if gate == CZ:
ctrl_lines = list(explicit_lines)
ctrl_lines.remove(qubits[-1])
qubit_instruction_mapping[qubit].append(command(Z, list
(all_lines), list(ctrl_lines), qubits[-1:], None))
elif gate == CNOT:
ctrl_lines = list(explicit_lines)
ctrl_lines.remove(qubits[-1])
qubit_instruction_mapping[qubit].append(command(X, list
(all_lines), list(ctrl_lines), qubits[-1:], None))
else:
qubit_instruction_mapping[qubit].append(command(gate,
list(all_lines), [], list(explicit_lines), None))
relabeled_circuit = {}
index_map = {}
for i, key in enumerate(sorted(qubit_instruction_mapping.keys())):
relabeled_circuit[i] = qubit_instruction_mapping[key]
index_map[key] = i
for line in list(relabeled_circuit.values()):
for cmd in line:
for i, qubit in enumerate(cmd.lines):
cmd.lines[i] = index_map[qubit]
for i, qubit in enumerate(cmd.ctrl_lines):
cmd.ctrl_lines[i] = index_map[qubit]
for i, qubit in enumerate(cmd.target_lines):
cmd.target_lines[i] = index_map[qubit]
code_generator = CircuitTikzGenerator(settings)
return code_generator.generate_circuit(relabeled_circuit)
| body | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(circuit, settings):\n qubit_instruction_mapping = {}\n for inst in circuit:\n if isinstance(inst, Measurement):\n inst.qubits = [inst.q... |
def x(self, line, circuit, end=None):
if end is None:
end = len(circuit[line])
tikz_code = []
cmds = circuit[line]
for i in range(0, end):
gate = cmds[i].gate
lines = cmds[i].lines
ctrl_lines = cmds[i].ctrl_lines
all_lines = list(lines)
all_lines.remove(line)
for l in all_lines:
gate_idx = 0
while not circuit[l][gate_idx] == cmds[i]:
gate_idx += 1
tikz_code.append(self.to_tikz(l, circuit, gate_idx))
circuit[l] = circuit[l][1:]
all_lines = cmds[i].target_lines + cmds[i].ctrl_lines
pos = max([self.pos[l] for l in range(min(all_lines), max(all_lines
) + 1)])
for l in range(min(all_lines), max(all_lines) + 1):
self.pos[l] = pos + self._gate_pre_offset(gate)
connections = ''
for l in all_lines:
connections += self._line(self.op_count[l] - 1, self.op_count[l
], line=l)
add_str = ''
if gate == X:
add_str = self._x_gate(cmds[i].target_lines, ctrl_lines)
if not self.is_quantum[lines[0]]:
if sum([self.is_quantum[i] for i in ctrl_lines]) > 0:
self.is_quantum[lines[0]] = True
elif gate == Z and len(ctrl_lines) > 0:
add_str = self._cz_gate(lines + ctrl_lines)
elif gate == SWAP:
add_str = self._swap_gate(lines, ctrl_lines)
elif gate == MEASURE:
for l in lines:
op = self._op(l)
width = self._gate_width(MEASURE)
height = self._gate_height(MEASURE)
shift0 = 0.07 * height
shift1 = 0.36 * height
shift2 = 0.1 * width
add_str += (
"""
\\node[measure,edgestyle] ({op}) at ({pos},-{line}) {{}};
\\draw[edgestyle] ([yshift=-{shift1}cm,xshift={shift2}cm]{op}.west) to [out=60,in=180] ([yshift={shift0}cm]{op}.center) to [out=0, in=120] ([yshift=-{shift1}cm,xshift=-{shift2}cm]{op}.east);
\\draw[edgestyle] ([yshift=-{shift1}cm]{op}.center) to ([yshift=-{shift2}cm,xshift=-{shift1}cm]{op}.north east);"""
.format(op=op, pos=self.pos[l], line=l, shift0=shift0,
shift1=shift1, shift2=shift2))
self.op_count[l] += 1
self.pos[l] += self._gate_width(gate) + self._gate_offset(gate)
self.is_quantum[l] = False
elif gate == ALLOCATE:
add_str = '\n\\node[none] ({}) at ({},-{}) {{$\\Ket{{0}}{}$}};'
id_str = ''
if self.settings['gates']['AllocateQubitGate']['draw_id']:
id_str = '^{{\\textcolor{{red}}{{{}}}}}'.format(cmds[i].id)
add_str = add_str.format(self._op(line), self.pos[line], line,
id_str)
self.op_count[line] += 1
self.pos[line] += self._gate_offset(gate) + self._gate_width(gate)
self.is_quantum[line] = self.settings['lines']['init_quantum']
else:
add_str = self._regular_gate(gate, lines, ctrl_lines, cmds[i].
target_lines)
for l in lines:
self.is_quantum[l] = True
tikz_code.append(add_str)
if not gate == ALLOCATE:
tikz_code.append(connections)
circuit[line] = circuit[line][end:]
return ''.join(tikz_code)
| to_tikz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line, circuit, end=None):\n if end is None:\n end = len(circuit[line])\n tikz_code = []\n cmds = circuit[line]\n for i in range(0, end... |
def x(self, gate):
try:
name = gate.tex_str()
except AttributeError:
name = str(gate)
return name
| gate_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gate):\n try:\n name = gate.tex_str()\n except AttributeError:\n name = str(gate)\n return name\n",
"role": "user"
},
{
... |
def x(self, lines, ctrl_lines):
delta_pos = self._gate_offset(SWAP)
gate_width = self._gate_width(SWAP)
lines.sort()
gate_str = ''
for line in lines:
op = self._op(line)
w = '{}cm'.format(0.5 * gate_width)
s1 = '[xshift=-{w},yshift=-{w}]{op}.center'.format(w=w, op=op)
s2 = '[xshift={w},yshift={w}]{op}.center'.format(w=w, op=op)
s3 = '[xshift=-{w},yshift={w}]{op}.center'.format(w=w, op=op)
s4 = '[xshift={w},yshift=-{w}]{op}.center'.format(w=w, op=op)
swap_style = 'swapstyle,edgestyle'
if self.settings['gate_shadow']:
swap_style += ',shadowed'
gate_str += (
"""
\\node[swapstyle] ({op}) at ({pos},-{line}) {{}};
\\draw[{swap_style}] ({s1})--({s2});
\\draw[{swap_style}] ({s3})--({s4});"""
.format(op=op, s1=s1, s2=s2, s3=s3, s4=s4, line=line, pos=self.
pos[line], swap_style=swap_style))
gate_str += self._line(lines[0], lines[1])
all_lines = ctrl_lines + lines
new_pos = self.pos[lines[0]] + delta_pos + gate_width
for i in all_lines:
self.op_count[i] += 1
for i in range(min(all_lines), max(all_lines) + 1):
self.pos[i] = new_pos
return gate_str
| swap_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines, ctrl_lines):\n delta_pos = self._gate_offset(SWAP)\n gate_width = self._gate_width(SWAP)\n lines.sort()\n gate_str = ''\n for line ... |
def x(self, lines, ctrl_lines):
line = lines[0]
delta_pos = self._gate_offset('X')
gate_width = self._gate_width('X')
op = self._op(line)
gate_str = (
"""
\\node[xstyle] ({op}) at ({pos},-{line}) {{}};
\\draw[edgestyle] ({op}.north)--({op}.south);
\\draw[edgestyle] ({op}.west)--({op}.east);"""
.format(op=op, line=line, pos=self.pos[line]))
if len(ctrl_lines) > 0:
for ctrl in ctrl_lines:
gate_str += self._phase(ctrl, self.pos[line])
gate_str += self._line(ctrl, line)
all_lines = ctrl_lines + [line]
new_pos = self.pos[line] + delta_pos + gate_width
for i in all_lines:
self.op_count[i] += 1
for i in range(min(all_lines), max(all_lines) + 1):
self.pos[i] = new_pos
return gate_str
| x_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines, ctrl_lines):\n line = lines[0]\n delta_pos = self._gate_offset('X')\n gate_width = self._gate_width('X')\n op = self._op(line)\n ga... |
def x(self, lines):
line = lines[0]
delta_pos = self._gate_offset(Z)
gate_width = self._gate_width(Z)
gate_str = self._phase(line, self.pos[line])
for ctrl in lines[1:]:
gate_str += self._phase(ctrl, self.pos[line])
gate_str += self._line(ctrl, line)
new_pos = self.pos[line] + delta_pos + gate_width
for i in lines:
self.op_count[i] += 1
for i in range(min(lines), max(lines) + 1):
self.pos[i] = new_pos
return gate_str
| cz_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines):\n line = lines[0]\n delta_pos = self._gate_offset(Z)\n gate_width = self._gate_width(Z)\n gate_str = self._phase(line, self.pos[line]... |
def x(self, gate):
try:
gates = self.settings['gates']
gate_width = gates[gate.__class__.__name__]['width']
except KeyError:
gate_width = 0.5
return gate_width
| gate_width | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gate):\n try:\n gates = self.settings['gates']\n gate_width = gates[gate.__class__.__name__]['width']\n except KeyError:\n gat... |
def x(self, gate):
try:
gates = self.settings['gates']
delta_pos = gates[gate.__class__.__name__]['pre_offset']
except KeyError:
delta_pos = self._gate_offset(gate)
return delta_pos
| gate_pre_offset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gate):\n try:\n gates = self.settings['gates']\n delta_pos = gates[gate.__class__.__name__]['pre_offset']\n except KeyError:\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.