source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, t, i):
octal = self.get_octal(t, i)
if octal:
value = int(octal, 8)
if value > 255 and self.is_bytes:
raise ValueError('octal escape value outside of range 0-0o377!')
value = chr(value)
elif t in _STANDARD_ESCAPES or t == '\\':
value = _BACK_SLASH_TRANSLATION['\\' + t]
elif not self.is_bytes and t == 'U':
value = chr(int(self.get_wide_unicode(i), 16))
elif not self.is_bytes and t == 'u':
value = chr(int(self.get_narrow_unicode(i), 16))
elif not self.is_bytes and t == 'N':
value = _unicodedata.lookup(self.get_named_unicode(i))
elif t == 'x':
value = chr(int(self.get_byte(i), 16))
else:
i.rewind(1)
value = '\\'
return value
|
format_references
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, i):\n octal = self.get_octal(t, i)\n if octal:\n value = int(octal, 8)\n if value > 255 and self.is_bytes:\n raise ValueError('octal escape value outside of range 0-0o377!')\n value = chr(value)\n elif t in _STANDARD_ESCAPES or t == '\\\\':\n value = _BACK_SLASH_TRANSLATION['\\\\' + t]\n elif not self.is_bytes and t == 'U':\n value = chr(int(self.get_wide_unicode(i), 16))\n elif not self.is_bytes and t == 'u':\n value = chr(int(self.get_narrow_unicode(i), 16))\n elif not self.is_bytes and t == 'N':\n value = _unicodedata.lookup(self.get_named_unicode(i))\n elif t == 'x':\n value = chr(int(self.get_byte(i), 16))\n else:\n i.rewind(1)\n value = '\\\\'\n return value\n",
"role": "user"
},
{
"content": "format_references",
"role": "assistant"
}
] |
def x(self, t, i):
octal = self.get_octal(t, i)
if t in _OCTAL and octal:
self.parse_octal(octal, i)
elif (t in _DIGIT or t == 'g') and not self.use_format:
group = self.get_group(t, i)
if not group:
group = self.get_named_group(t, i)
self.handle_group('\\' + group)
elif t in _STANDARD_ESCAPES:
self.get_single_stack()
self.result.append('\\' + t)
elif t == 'l':
self.single_case(i, _LOWER)
elif t == 'L':
self.span_case(i, _LOWER)
elif t == 'c':
self.single_case(i, _UPPER)
elif t == 'C':
self.span_case(i, _UPPER)
elif t == 'E':
self.end_found = True
elif not self.is_bytes and t == 'U':
self.parse_unicode(i, True)
elif not self.is_bytes and t == 'u':
self.parse_unicode(i)
elif not self.is_bytes and t == 'N':
self.parse_named_unicode(i)
elif t == 'x':
self.parse_bytes(i)
elif self.use_format and t in _CURLY_BRACKETS:
self.result.append('\\\\')
self.handle_format(t, i)
elif self.use_format and t == 'g':
self.result.append('\\\\')
self.result.append(t)
else:
value = '\\' + t
self.get_single_stack()
if self.span_stack:
value = self.convert_case(value, self.span_stack[-1])
self.result.append(value)
|
reference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, i):\n octal = self.get_octal(t, i)\n if t in _OCTAL and octal:\n self.parse_octal(octal, i)\n elif (t in _DIGIT or t == 'g') and not self.use_format:\n group = self.get_group(t, i)\n if not group:\n group = self.get_named_group(t, i)\n self.handle_group('\\\\' + group)\n elif t in _STANDARD_ESCAPES:\n self.get_single_stack()\n self.result.append('\\\\' + t)\n elif t == 'l':\n self.single_case(i, _LOWER)\n elif t == 'L':\n self.span_case(i, _LOWER)\n elif t == 'c':\n self.single_case(i, _UPPER)\n elif t == 'C':\n self.span_case(i, _UPPER)\n elif t == 'E':\n self.end_found = True\n elif not self.is_bytes and t == 'U':\n self.parse_unicode(i, True)\n elif not self.is_bytes and t == 'u':\n self.parse_unicode(i)\n elif not self.is_bytes and t == 'N':\n self.parse_named_unicode(i)\n elif t == 'x':\n self.parse_bytes(i)\n elif self.use_format and t in _CURLY_BRACKETS:\n self.result.append('\\\\\\\\')\n self.handle_format(t, i)\n elif self.use_format and t == 'g':\n self.result.append('\\\\\\\\')\n self.result.append(t)\n else:\n value = '\\\\' + t\n self.get_single_stack()\n if self.span_stack:\n value = self.convert_case(value, self.span_stack[-1])\n self.result.append(value)\n",
"role": "user"
},
{
"content": "reference",
"role": "assistant"
}
] |
def x(self, i, case):
if self.span_stack:
self.span_stack.pop()
if self.single_stack:
self.single_stack.pop()
self.span_stack.append(case)
count = len(self.span_stack)
self.end_found = False
try:
while not self.end_found:
t = next(i)
if self.use_format and t in _CURLY_BRACKETS:
self.handle_format(t, i)
elif t == '\\':
try:
t = next(i)
self.reference(t, i)
except StopIteration:
self.result.append(t)
raise
else:
self.result.append(self.convert_case(t, case))
if self.end_found or count > len(self.span_stack):
self.end_found = False
break
except StopIteration:
pass
if count == len(self.span_stack):
self.span_stack.pop()
|
span_case
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, case):\n if self.span_stack:\n self.span_stack.pop()\n if self.single_stack:\n self.single_stack.pop()\n self.span_stack.append(case)\n count = len(self.span_stack)\n self.end_found = False\n try:\n while not self.end_found:\n t = next(i)\n if self.use_format and t in _CURLY_BRACKETS:\n self.handle_format(t, i)\n elif t == '\\\\':\n try:\n t = next(i)\n self.reference(t, i)\n except StopIteration:\n self.result.append(t)\n raise\n else:\n self.result.append(self.convert_case(t, case))\n if self.end_found or count > len(self.span_stack):\n self.end_found = False\n break\n except StopIteration:\n pass\n if count == len(self.span_stack):\n self.span_stack.pop()\n",
"role": "user"
},
{
"content": "span_case",
"role": "assistant"
}
] |
def x(self, value, case):
if self.is_bytes:
cased = []
for c in value:
if c in _ASCII_LETTERS:
cased.append(c.lower() if case == _LOWER else c.upper())
else:
cased.append(c)
return ''.join(cased)
else:
return value.lower() if case == _LOWER else value.upper()
|
convert_case
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, case):\n if self.is_bytes:\n cased = []\n for c in value:\n if c in _ASCII_LETTERS:\n cased.append(c.lower() if case == _LOWER else c.upper())\n else:\n cased.append(c)\n return ''.join(cased)\n else:\n return value.lower() if case == _LOWER else value.upper()\n",
"role": "user"
},
{
"content": "convert_case",
"role": "assistant"
}
] |
def x(self, i, case):
if self.single_stack:
self.single_stack.pop()
self.single_stack.append(case)
try:
t = next(i)
if self.use_format and t in _CURLY_BRACKETS:
self.handle_format(t, i)
elif t == '\\':
try:
t = next(i)
self.reference(t, i)
except StopIteration:
self.result.append(t)
raise
elif self.single_stack:
self.result.append(self.convert_case(t, self.get_single_stack()))
except StopIteration:
pass
|
single_case
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, case):\n if self.single_stack:\n self.single_stack.pop()\n self.single_stack.append(case)\n try:\n t = next(i)\n if self.use_format and t in _CURLY_BRACKETS:\n self.handle_format(t, i)\n elif t == '\\\\':\n try:\n t = next(i)\n self.reference(t, i)\n except StopIteration:\n self.result.append(t)\n raise\n elif self.single_stack:\n self.result.append(self.convert_case(t, self.get_single_stack()))\n except StopIteration:\n pass\n",
"role": "user"
},
{
"content": "single_case",
"role": "assistant"
}
] |
def x(self):
single = None
while self.single_stack:
single = self.single_stack.pop()
return single
|
get_single_stack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n single = None\n while self.single_stack:\n single = self.single_stack.pop()\n return single\n",
"role": "user"
},
{
"content": "get_single_stack",
"role": "assistant"
}
] |
def x(self, field, text):
if field == '':
if self.auto:
field = str(self.auto_index)
text[0] = _util.FMT_FIELD, field
self.auto_index += 1
elif not self.manual and not self.auto:
self.auto = True
field = str(self.auto_index)
text[0] = _util.FMT_FIELD, field
self.auto_index += 1
else:
raise ValueError(
'Cannot switch to auto format during manual format!')
elif not self.manual and not self.auto:
self.manual = True
elif not self.manual:
raise ValueError('Cannot switch to manual format during auto format!')
self.handle_group(field, tuple(text), True)
|
handle_format_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, text):\n if field == '':\n if self.auto:\n field = str(self.auto_index)\n text[0] = _util.FMT_FIELD, field\n self.auto_index += 1\n elif not self.manual and not self.auto:\n self.auto = True\n field = str(self.auto_index)\n text[0] = _util.FMT_FIELD, field\n self.auto_index += 1\n else:\n raise ValueError(\n 'Cannot switch to auto format during manual format!')\n elif not self.manual and not self.auto:\n self.manual = True\n elif not self.manual:\n raise ValueError('Cannot switch to manual format during auto format!')\n self.handle_group(field, tuple(text), True)\n",
"role": "user"
},
{
"content": "handle_format_group",
"role": "assistant"
}
] |
def x(self, text, capture=None, is_format=False):
if capture is None:
capture = tuple() if self.is_bytes else ''
if len(self.result) > 1:
self.literal_slots.append(''.join(self.result))
if is_format:
self.literal_slots.extend(['\\g<', text, '>'])
else:
self.literal_slots.append(text)
del self.result[:]
self.result.append('')
self.slot += 1
elif is_format:
self.literal_slots.extend(['\\g<', text, '>'])
else:
self.literal_slots.append(text)
self.group_slots.append((self.slot, (self.span_stack[-1] if self.
span_stack else None, self.get_single_stack(), capture)))
self.slot += 1
|
handle_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, capture=None, is_format=False):\n if capture is None:\n capture = tuple() if self.is_bytes else ''\n if len(self.result) > 1:\n self.literal_slots.append(''.join(self.result))\n if is_format:\n self.literal_slots.extend(['\\\\g<', text, '>'])\n else:\n self.literal_slots.append(text)\n del self.result[:]\n self.result.append('')\n self.slot += 1\n elif is_format:\n self.literal_slots.extend(['\\\\g<', text, '>'])\n else:\n self.literal_slots.append(text)\n self.group_slots.append((self.slot, (self.span_stack[-1] if self.\n span_stack else None, self.get_single_stack(), capture)))\n self.slot += 1\n",
"role": "user"
},
{
"content": "handle_group",
"role": "assistant"
}
] |
def x(self, pattern, template, use_format=False):
if isinstance(template, bytes):
self.is_bytes = True
else:
self.is_bytes = False
if isinstance(pattern.pattern, bytes) != self.is_bytes:
raise TypeError(
'Pattern string type must match replace template string type!')
self._original = template
self.use_format = use_format
self.parse_template(pattern)
return ReplaceTemplate(tuple(self.groups), tuple(self.group_slots),
tuple(self.literals), hash(pattern), self.use_format, self.is_bytes)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern, template, use_format=False):\n if isinstance(template, bytes):\n self.is_bytes = True\n else:\n self.is_bytes = False\n if isinstance(pattern.pattern, bytes) != self.is_bytes:\n raise TypeError(\n 'Pattern string type must match replace template string type!')\n self._original = template\n self.use_format = use_format\n self.parse_template(pattern)\n return ReplaceTemplate(tuple(self.groups), tuple(self.group_slots),\n tuple(self.literals), hash(pattern), self.use_format, self.is_bytes)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, index):
g_index = None
for group in self.groups:
if group[0] == index:
g_index = group[1]
break
return g_index
|
get_group_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n g_index = None\n for group in self.groups:\n if group[0] == index:\n g_index = group[1]\n break\n return g_index\n",
"role": "user"
},
{
"content": "get_group_index",
"role": "assistant"
}
] |
def x(self, index):
g_case = None, None, -1
for group in self.group_slots:
if group[0] == index:
g_case = group[1]
break
return g_case
|
get_group_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n g_case = None, None, -1\n for group in self.group_slots:\n if group[0] == index:\n g_case = group[1]\n break\n return g_case\n",
"role": "user"
},
{
"content": "get_group_attributes",
"role": "assistant"
}
] |
def x(l):
if isinstance(l, str):
l = l.encode('ascii', 'backslashreplace')
elif not isinstance(l, bytes):
l = str(l).encode('ascii', 'backslashreplace')
return l
|
to_bstr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(l):\n if isinstance(l, str):\n l = l.encode('ascii', 'backslashreplace')\n elif not isinstance(l, bytes):\n l = str(l).encode('ascii', 'backslashreplace')\n return l\n",
"role": "user"
},
{
"content": "to_bstr",
"role": "assistant"
}
] |
def x(m, l, capture, is_bytes):
for fmt_type, value in capture[1:]:
if fmt_type == FMT_ATTR:
l = getattr(l, value)
elif fmt_type == FMT_INDEX:
l = l[value]
elif fmt_type == FMT_CONV:
if is_bytes:
if value in ('r', 'a'):
l = repr(l).encode('ascii', 'backslashreplace')
elif value == 's':
l = _to_bstr(l)
elif value == 'a':
l = ascii(l)
elif value == 'r':
l = repr(l)
elif value == 's':
l = str(l)
elif fmt_type == FMT_SPEC:
if value[3] and value[3] == 's':
if isinstance(l, int):
raise ValueError(
"Unknown format code 's' for object of type 'int'")
if isinstance(l, float):
raise ValueError(
"Unknown format code 's' for object of type 'float'")
l = _to_bstr(l) if is_bytes else str(l)
spec_type = value[1]
if spec_type == '^':
l = l.center(value[2], value[0])
elif spec_type == '>':
l = l.rjust(value[2], value[0])
else:
l = l.ljust(value[2], value[0])
return _to_bstr(l) if is_bytes else str(l)
|
format_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, l, capture, is_bytes):\n for fmt_type, value in capture[1:]:\n if fmt_type == FMT_ATTR:\n l = getattr(l, value)\n elif fmt_type == FMT_INDEX:\n l = l[value]\n elif fmt_type == FMT_CONV:\n if is_bytes:\n if value in ('r', 'a'):\n l = repr(l).encode('ascii', 'backslashreplace')\n elif value == 's':\n l = _to_bstr(l)\n elif value == 'a':\n l = ascii(l)\n elif value == 'r':\n l = repr(l)\n elif value == 's':\n l = str(l)\n elif fmt_type == FMT_SPEC:\n if value[3] and value[3] == 's':\n if isinstance(l, int):\n raise ValueError(\n \"Unknown format code 's' for object of type 'int'\")\n if isinstance(l, float):\n raise ValueError(\n \"Unknown format code 's' for object of type 'float'\")\n l = _to_bstr(l) if is_bytes else str(l)\n spec_type = value[1]\n if spec_type == '^':\n l = l.center(value[2], value[0])\n elif spec_type == '>':\n l = l.rjust(value[2], value[0])\n else:\n l = l.ljust(value[2], value[0])\n return _to_bstr(l) if is_bytes else str(l)\n",
"role": "user"
},
{
"content": "format_string",
"role": "assistant"
}
] |
def x(self, count):
if count > self._index:
raise ValueError("Can't rewind past beginning!")
self._index -= count
|
rewind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count):\n if count > self._index:\n raise ValueError(\"Can't rewind past beginning!\")\n self._index -= count\n",
"role": "user"
},
{
"content": "rewind",
"role": "assistant"
}
] |
def x():
path = os.path.join(os.path.dirname(__file__), 'backrefs')
fp, pathname, desc = imp.find_module('__meta__', [path])
try:
vi = imp.load_module('__meta__', fp, pathname, desc).__version_info__
return vi._get_canonical(), vi._get_dev_status()
except Exception:
print(traceback.format_exc())
finally:
fp.close()
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n path = os.path.join(os.path.dirname(__file__), 'backrefs')\n fp, pathname, desc = imp.find_module('__meta__', [path])\n try:\n vi = imp.load_module('__meta__', fp, pathname, desc).__version_info__\n return vi._get_canonical(), vi._get_dev_status()\n except Exception:\n print(traceback.format_exc())\n finally:\n fp.close()\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x():
install_requires = []
with open('requirements/project.txt') as f:
for line in f:
if not line.startswith('#'):
install_requires.append(line.strip())
return install_requires
|
get_requirements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n install_requires = []\n with open('requirements/project.txt') as f:\n for line in f:\n if not line.startswith('#'):\n install_requires.append(line.strip())\n return install_requires\n",
"role": "user"
},
{
"content": "get_requirements",
"role": "assistant"
}
] |
def x():
import unicodedata
fail = False
uver = unicodedata.unidata_version
path = os.path.join(os.path.dirname(__file__), 'tools')
fp, pathname, desc = imp.find_module('unidatadownload', [path])
try:
unidatadownload = imp.load_module('unidatadownload', fp, pathname, desc
)
unidatadownload.get_unicodedata(uver, no_zip=True)
except Exception:
print(traceback.format_exc())
fail = True
finally:
fp.close()
assert not fail, 'Failed to obtain unicodedata!'
return uver
|
get_unicodedata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import unicodedata\n fail = False\n uver = unicodedata.unidata_version\n path = os.path.join(os.path.dirname(__file__), 'tools')\n fp, pathname, desc = imp.find_module('unidatadownload', [path])\n try:\n unidatadownload = imp.load_module('unidatadownload', fp, pathname, desc\n )\n unidatadownload.get_unicodedata(uver, no_zip=True)\n except Exception:\n print(traceback.format_exc())\n fail = True\n finally:\n fp.close()\n assert not fail, 'Failed to obtain unicodedata!'\n return uver\n",
"role": "user"
},
{
"content": "get_unicodedata",
"role": "assistant"
}
] |
def x():
uver = get_unicodedata()
fail = False
path = os.path.join(os.path.dirname(__file__), 'tools')
fp, pathname, desc = imp.find_module('unipropgen', [path])
try:
unipropgen = imp.load_module('unipropgen', fp, pathname, desc)
unipropgen.build_tables(os.path.join(os.path.dirname(__file__),
'backrefs', 'uniprops', 'unidata'), uver)
except Exception:
print(traceback.format_exc())
fail = True
finally:
fp.close()
assert not fail, 'Failed uniprops.py generation!'
|
generate_unicode_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n uver = get_unicodedata()\n fail = False\n path = os.path.join(os.path.dirname(__file__), 'tools')\n fp, pathname, desc = imp.find_module('unipropgen', [path])\n try:\n unipropgen = imp.load_module('unipropgen', fp, pathname, desc)\n unipropgen.build_tables(os.path.join(os.path.dirname(__file__),\n 'backrefs', 'uniprops', 'unidata'), uver)\n except Exception:\n print(traceback.format_exc())\n fail = True\n finally:\n fp.close()\n assert not fail, 'Failed uniprops.py generation!'\n",
"role": "user"
},
{
"content": "generate_unicode_table",
"role": "assistant"
}
] |
def x(pattern, re_verbose, re_version, pattern_type):
return _bregex_parse._SearchParser(pattern, re_verbose, re_version).parse()
|
cached_search_compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, re_verbose, re_version, pattern_type):\n return _bregex_parse._SearchParser(pattern, re_verbose, re_version).parse()\n",
"role": "user"
},
{
"content": "cached_search_compile",
"role": "assistant"
}
] |
def x(pattern, repl, flags, pattern_type):
return _bregex_parse._ReplaceParser().parse(pattern, repl, bool(flags &
FORMAT))
|
cached_replace_compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, repl, flags, pattern_type):\n return _bregex_parse._ReplaceParser().parse(pattern, repl, bool(flags &\n FORMAT))\n",
"role": "user"
},
{
"content": "cached_replace_compile",
"role": "assistant"
}
] |
def x(replace=False):
if not replace:
size = _cached_search_compile.cache_info().currsize
else:
size = _cached_replace_compile.cache_info().currsize
return size
|
get_cache_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(replace=False):\n if not replace:\n size = _cached_search_compile.cache_info().currsize\n else:\n size = _cached_replace_compile.cache_info().currsize\n return size\n",
"role": "user"
},
{
"content": "get_cache_size",
"role": "assistant"
}
] |
def x(m, repl=None, flags=0):
if m is None:
raise ValueError('Match is None!')
elif isinstance(repl, ReplaceTemplate):
return repl.expand(m)
elif isinstance(repl, (str, bytes)):
return _bregex_parse._ReplaceParser().parse(m.re, repl, bool(flags &
FORMAT)).expand(m)
|
apply_replace_backrefs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, repl=None, flags=0):\n if m is None:\n raise ValueError('Match is None!')\n elif isinstance(repl, ReplaceTemplate):\n return repl.expand(m)\n elif isinstance(repl, (str, bytes)):\n return _bregex_parse._ReplaceParser().parse(m.re, repl, bool(flags &\n FORMAT)).expand(m)\n",
"role": "user"
},
{
"content": "apply_replace_backrefs",
"role": "assistant"
}
] |
def x(pattern, flags=0):
if isinstance(pattern, (str, bytes)):
re_verbose = VERBOSE & flags
if flags & V0:
re_version = V0
elif flags & V1:
re_version = V1
else:
re_version = 0
if not flags & DEBUG:
pattern = _cached_search_compile(pattern, re_verbose,
re_version, type(pattern))
else:
pattern = _bregex_parse._SearchParser(pattern, re_verbose,
re_version).parse()
elif isinstance(pattern, Bregex):
if flags:
raise ValueError(
'Cannot process flags argument with a compiled pattern')
pattern = pattern._pattern
elif isinstance(pattern, _REGEX_TYPE):
if flags:
raise ValueError(
'Cannot process flags argument with a compiled pattern!')
else:
raise TypeError('Not a string or compiled pattern!')
return pattern
|
apply_search_backrefs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, flags=0):\n if isinstance(pattern, (str, bytes)):\n re_verbose = VERBOSE & flags\n if flags & V0:\n re_version = V0\n elif flags & V1:\n re_version = V1\n else:\n re_version = 0\n if not flags & DEBUG:\n pattern = _cached_search_compile(pattern, re_verbose,\n re_version, type(pattern))\n else:\n pattern = _bregex_parse._SearchParser(pattern, re_verbose,\n re_version).parse()\n elif isinstance(pattern, Bregex):\n if flags:\n raise ValueError(\n 'Cannot process flags argument with a compiled pattern')\n pattern = pattern._pattern\n elif isinstance(pattern, _REGEX_TYPE):\n if flags:\n raise ValueError(\n 'Cannot process flags argument with a compiled pattern!')\n else:\n raise TypeError('Not a string or compiled pattern!')\n return pattern\n",
"role": "user"
},
{
"content": "apply_search_backrefs",
"role": "assistant"
}
] |
def x(repl, use_format=False):
if isinstance(repl, ReplaceTemplate):
if repl.use_format != use_format:
if use_format:
raise ValueError('Replace not compiled as a format replace')
else:
raise ValueError(
'Replace should not be compiled as a format replace!')
elif not isinstance(repl, (str, bytes)):
raise TypeError('Expected string, buffer, or compiled replace!')
|
assert_expandable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repl, use_format=False):\n if isinstance(repl, ReplaceTemplate):\n if repl.use_format != use_format:\n if use_format:\n raise ValueError('Replace not compiled as a format replace')\n else:\n raise ValueError(\n 'Replace should not be compiled as a format replace!')\n elif not isinstance(repl, (str, bytes)):\n raise TypeError('Expected string, buffer, or compiled replace!')\n",
"role": "user"
},
{
"content": "assert_expandable",
"role": "assistant"
}
] |
def x(pattern, flags=0, auto_compile=None, **kwargs):
if isinstance(pattern, Bregex):
if auto_compile is not None:
raise ValueError(
'Cannot compile Bregex with a different auto_compile!')
elif flags != 0:
raise ValueError(
'Cannot process flags argument with a compiled pattern')
return pattern
else:
if auto_compile is None:
auto_compile = True
return Bregex(compile_search(pattern, flags, **kwargs), auto_compile)
|
compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, flags=0, auto_compile=None, **kwargs):\n if isinstance(pattern, Bregex):\n if auto_compile is not None:\n raise ValueError(\n 'Cannot compile Bregex with a different auto_compile!')\n elif flags != 0:\n raise ValueError(\n 'Cannot process flags argument with a compiled pattern')\n return pattern\n else:\n if auto_compile is None:\n auto_compile = True\n return Bregex(compile_search(pattern, flags, **kwargs), auto_compile)\n",
"role": "user"
},
{
"content": "compile",
"role": "assistant"
}
] |
def x(pattern, flags=0, **kwargs):
return _regex.compile(_apply_search_backrefs(pattern, flags), flags, **
kwargs)
|
compile_search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, flags=0, **kwargs):\n return _regex.compile(_apply_search_backrefs(pattern, flags), flags, **\n kwargs)\n",
"role": "user"
},
{
"content": "compile_search",
"role": "assistant"
}
] |
def x(m, format):
_assert_expandable(format, True)
return _apply_replace_backrefs(m, format, flags=FORMAT)
|
expandf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(m, format):\n _assert_expandable(format, True)\n return _apply_replace_backrefs(m, format, flags=FORMAT)\n",
"role": "user"
},
{
"content": "expandf",
"role": "assistant"
}
] |
def x(pattern, format, string, *args, **kwargs):
flags = args[4] if len(args) > 4 else kwargs.get('flags', 0)
is_replace = _is_replace(format)
is_string = isinstance(format, (str, bytes))
if is_replace and not format.use_format:
raise ValueError('Compiled replace is not a format object!')
pattern = compile_search(pattern, flags)
rflags = FORMAT if is_string else 0
return _regex.subn(pattern, compile_replace(pattern, format, flags=
rflags) if is_replace or is_string else format, string, *args, **kwargs
)
|
subfn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, format, string, *args, **kwargs):\n flags = args[4] if len(args) > 4 else kwargs.get('flags', 0)\n is_replace = _is_replace(format)\n is_string = isinstance(format, (str, bytes))\n if is_replace and not format.use_format:\n raise ValueError('Compiled replace is not a format object!')\n pattern = compile_search(pattern, flags)\n rflags = FORMAT if is_string else 0\n return _regex.subn(pattern, compile_replace(pattern, format, flags=\n rflags) if is_replace or is_string else format, string, *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "subfn",
"role": "assistant"
}
] |
def x(self, template, use_format=False):
is_replace = _is_replace(template)
is_string = isinstance(template, (str, bytes))
if is_replace and use_format != template.use_format:
raise ValueError('Compiled replace cannot be a format object!')
if is_replace or is_string and self.auto_compile:
return self.compile(template, FORMAT if use_format and not
is_replace else 0)
elif is_string and use_format:
raise AttributeError(
'Format replaces cannot be called without compiling replace template!'
)
else:
return template
|
auto_compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template, use_format=False):\n is_replace = _is_replace(template)\n is_string = isinstance(template, (str, bytes))\n if is_replace and use_format != template.use_format:\n raise ValueError('Compiled replace cannot be a format object!')\n if is_replace or is_string and self.auto_compile:\n return self.compile(template, FORMAT if use_format and not\n is_replace else 0)\n elif is_string and use_format:\n raise AttributeError(\n 'Format replaces cannot be called without compiling replace template!'\n )\n else:\n return template\n",
"role": "user"
},
{
"content": "auto_compile",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.search(string, *args, **kwargs)
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.search(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.match(string, *args, **kwargs)
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.match(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.fullmatch(string, *args, **kwargs)
|
fullmatch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.fullmatch(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "fullmatch",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.split(string, *args, **kwargs)
|
split
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.split(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "split",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.splititer(string, *args, **kwargs)
|
splititer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.splititer(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "splititer",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.findall(string, *args, **kwargs)
|
findall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.findall(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "findall",
"role": "assistant"
}
] |
def x(self, string, *args, **kwargs):
return self._pattern.finditer(string, *args, **kwargs)
|
finditer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, *args, **kwargs):\n return self._pattern.finditer(string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "finditer",
"role": "assistant"
}
] |
def x(self, repl, string, *args, **kwargs):
return self._pattern.sub(self._auto_compile(repl), string, *args, **kwargs)
|
sub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, repl, string, *args, **kwargs):\n return self._pattern.sub(self._auto_compile(repl), string, *args, **kwargs)\n",
"role": "user"
},
{
"content": "sub",
"role": "assistant"
}
] |
def x(self, text, scoped=False):
global_retry = False
if (self.version == _regex.V1 or scoped) and '-x' in text and self.verbose:
self.verbose = False
elif 'x' in text and not self.verbose:
self.verbose = True
if not scoped and self.version == _regex.V0:
self.temp_global_flag_swap['verbose'] = True
global_retry = True
if 'V0' in text and self.version == _regex.V1:
self.temp_global_flag_swap['version'] = True
self.version = _regex.V0
global_retry = True
elif 'V1' in text and self.version == _regex.V0:
self.temp_global_flag_swap['version'] = True
self.version = _regex.V1
global_retry = True
if global_retry:
raise GlobalRetryException('Global Retry')
|
flags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, scoped=False):\n global_retry = False\n if (self.version == _regex.V1 or scoped) and '-x' in text and self.verbose:\n self.verbose = False\n elif 'x' in text and not self.verbose:\n self.verbose = True\n if not scoped and self.version == _regex.V0:\n self.temp_global_flag_swap['verbose'] = True\n global_retry = True\n if 'V0' in text and self.version == _regex.V1:\n self.temp_global_flag_swap['version'] = True\n self.version = _regex.V0\n global_retry = True\n elif 'V1' in text and self.version == _regex.V0:\n self.temp_global_flag_swap['version'] = True\n self.version = _regex.V1\n global_retry = True\n if global_retry:\n raise GlobalRetryException('Global Retry')\n",
"role": "user"
},
{
"content": "flags",
"role": "assistant"
}
] |
def x(self, t, i, in_group=False):
current = []
if not in_group and t == 'R':
current.append(self._re_line_break)
elif t == 'e':
current.extend(self._re_escape)
else:
current.extend(['\\', t])
return current
|
reference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, i, in_group=False):\n current = []\n if not in_group and t == 'R':\n current.append(self._re_line_break)\n elif t == 'e':\n current.extend(self._re_escape)\n else:\n current.extend(['\\\\', t])\n return current\n",
"role": "user"
},
{
"content": "reference",
"role": "assistant"
}
] |
def x(self, i):
index = i.index
value = ['[']
try:
c = next(i)
if c != ':':
raise ValueError('Not a valid property!')
else:
value.append(c)
c = next(i)
if c == '^':
value.append(c)
c = next(i)
while c != ':':
if c not in _PROPERTY:
raise ValueError('Not a valid property!')
if c not in _PROPERTY_STRIP:
value.append(c)
c = next(i)
value.append(c)
c = next(i)
if c != ']' or not value:
raise ValueError('Unmatched ]')
value.append(c)
except Exception:
i.rewind(i.index - index)
value = []
return ''.join(value) if value else None
|
get_posix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i):\n index = i.index\n value = ['[']\n try:\n c = next(i)\n if c != ':':\n raise ValueError('Not a valid property!')\n else:\n value.append(c)\n c = next(i)\n if c == '^':\n value.append(c)\n c = next(i)\n while c != ':':\n if c not in _PROPERTY:\n raise ValueError('Not a valid property!')\n if c not in _PROPERTY_STRIP:\n value.append(c)\n c = next(i)\n value.append(c)\n c = next(i)\n if c != ']' or not value:\n raise ValueError('Unmatched ]')\n value.append(c)\n except Exception:\n i.rewind(i.index - index)\n value = []\n return ''.join(value) if value else None\n",
"role": "user"
},
{
"content": "get_posix",
"role": "assistant"
}
] |
def x(self, i, version0, scoped=False):
index = i.index
value = ['(']
version = False
toggle = False
end = ':' if scoped else ')'
try:
c = next(i)
if c != '?':
i.rewind(1)
return None
value.append(c)
c = next(i)
while c != end:
if toggle:
if c not in _SCOPED_FLAGS:
raise ValueError('Bad scope')
toggle = False
elif (not version0 or scoped) and c == '-':
toggle = True
elif version:
if c not in _VERSIONS:
raise ValueError('Bad version')
version = False
elif c == 'V':
version = True
elif c not in _GLOBAL_FLAGS and c not in _SCOPED_FLAGS:
raise ValueError('Bad flag')
value.append(c)
c = next(i)
value.append(c)
except Exception:
i.rewind(i.index - index)
value = []
return ''.join(value) if value else None
|
get_flags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, version0, scoped=False):\n index = i.index\n value = ['(']\n version = False\n toggle = False\n end = ':' if scoped else ')'\n try:\n c = next(i)\n if c != '?':\n i.rewind(1)\n return None\n value.append(c)\n c = next(i)\n while c != end:\n if toggle:\n if c not in _SCOPED_FLAGS:\n raise ValueError('Bad scope')\n toggle = False\n elif (not version0 or scoped) and c == '-':\n toggle = True\n elif version:\n if c not in _VERSIONS:\n raise ValueError('Bad version')\n version = False\n elif c == 'V':\n version = True\n elif c not in _GLOBAL_FLAGS and c not in _SCOPED_FLAGS:\n raise ValueError('Bad flag')\n value.append(c)\n c = next(i)\n value.append(c)\n except Exception:\n i.rewind(i.index - index)\n value = []\n return ''.join(value) if value else None\n",
"role": "user"
},
{
"content": "get_flags",
"role": "assistant"
}
] |
def x(self, t, i):
flags = self.get_flags(i, self.version == _regex.V0)
if flags:
self.flags(flags[2:-1])
return [flags]
comments = self.get_comments(i)
if comments:
return [comments]
verbose = self.verbose
flags = self.get_flags(i, self.version == _regex.V0, True)
if flags:
t = flags
self.flags(flags[2:-1], scoped=True)
current = []
try:
while t != ')':
if not current:
current.append(t)
else:
current.extend(self.normal(t, i))
t = next(i)
except StopIteration:
pass
self.verbose = verbose
if t == ')':
current.append(t)
return current
|
subgroup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, i):\n flags = self.get_flags(i, self.version == _regex.V0)\n if flags:\n self.flags(flags[2:-1])\n return [flags]\n comments = self.get_comments(i)\n if comments:\n return [comments]\n verbose = self.verbose\n flags = self.get_flags(i, self.version == _regex.V0, True)\n if flags:\n t = flags\n self.flags(flags[2:-1], scoped=True)\n current = []\n try:\n while t != ')':\n if not current:\n current.append(t)\n else:\n current.extend(self.normal(t, i))\n t = next(i)\n except StopIteration:\n pass\n self.verbose = verbose\n if t == ')':\n current.append(t)\n return current\n",
"role": "user"
},
{
"content": "subgroup",
"role": "assistant"
}
] |
def x(self, t, i):
current = []
pos = i.index - 1
found = 0
sub_first = None
escaped = False
first = None
try:
while True:
if not escaped and t == '\\':
escaped = True
elif escaped:
escaped = False
current.extend(self.reference(t, i, True))
elif t == '[' and not found:
found += 1
first = pos
current.append(t)
elif t == '[' and found and self.version == _regex.V1:
posix = None if self.is_bytes else self.get_posix(i)
if posix:
current.append(posix)
pos = i.index - 2
else:
found += 1
sub_first = pos
current.append(t)
elif t == '[':
posix = None if self.is_bytes else self.get_posix(i)
if posix:
current.append(posix)
pos = i.index - 2
else:
current.append(t)
elif t == '^' and found == 1 and pos == first + 1:
current.append(t)
first = pos
elif self.version == _regex.V1 and t == '^' and found > 1 and pos == sub_first + 1:
current.append(t)
sub_first = pos
elif t == ']' and found == 1 and pos != first + 1:
current.append(t)
found = 0
break
elif self.version == _regex.V1 and t == ']' and found > 1 and pos != sub_first + 1:
found -= 1
current.append(t)
else:
current.append(t)
pos += 1
t = next(i)
except StopIteration:
pass
if escaped:
current.append(t)
return current
|
char_groups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, i):\n current = []\n pos = i.index - 1\n found = 0\n sub_first = None\n escaped = False\n first = None\n try:\n while True:\n if not escaped and t == '\\\\':\n escaped = True\n elif escaped:\n escaped = False\n current.extend(self.reference(t, i, True))\n elif t == '[' and not found:\n found += 1\n first = pos\n current.append(t)\n elif t == '[' and found and self.version == _regex.V1:\n posix = None if self.is_bytes else self.get_posix(i)\n if posix:\n current.append(posix)\n pos = i.index - 2\n else:\n found += 1\n sub_first = pos\n current.append(t)\n elif t == '[':\n posix = None if self.is_bytes else self.get_posix(i)\n if posix:\n current.append(posix)\n pos = i.index - 2\n else:\n current.append(t)\n elif t == '^' and found == 1 and pos == first + 1:\n current.append(t)\n first = pos\n elif self.version == _regex.V1 and t == '^' and found > 1 and pos == sub_first + 1:\n current.append(t)\n sub_first = pos\n elif t == ']' and found == 1 and pos != first + 1:\n current.append(t)\n found = 0\n break\n elif self.version == _regex.V1 and t == ']' and found > 1 and pos != sub_first + 1:\n found -= 1\n current.append(t)\n else:\n current.append(t)\n pos += 1\n t = next(i)\n except StopIteration:\n pass\n if escaped:\n current.append(t)\n return current\n",
"role": "user"
},
{
"content": "char_groups",
"role": "assistant"
}
] |
def x(self):
self.verbose = bool(self.re_verbose)
self.version = (self.re_version if self.re_version else _regex.
DEFAULT_VERSION)
self.global_flag_swap = {'version': self.re_version != 0, 'verbose': False}
self.temp_global_flag_swap = {'version': False, 'verbose': False}
new_pattern = []
text = self.process_quotes(self.search.decode('latin-1') if self.
is_bytes else self.search)
i = _util.StringIter(text)
iter(i)
retry = True
while retry:
retry = False
try:
new_pattern = self.main_group(i)
except GlobalRetryException:
if self.temp_global_flag_swap['version']:
if self.global_flag_swap['version']:
raise LoopException('Global version flag recursion.')
else:
self.global_flag_swap['version'] = True
if self.temp_global_flag_swap['verbose']:
if self.global_flag_swap['verbose']:
raise LoopException('Global verbose flag recursion.')
else:
self.global_flag_swap['verbose'] = True
self.temp_global_flag_swap = {'version': False, 'verbose': False}
i.rewind(i.index)
retry = True
return ''.join(new_pattern).encode('latin-1'
) if self.is_bytes else ''.join(new_pattern)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.verbose = bool(self.re_verbose)\n self.version = (self.re_version if self.re_version else _regex.\n DEFAULT_VERSION)\n self.global_flag_swap = {'version': self.re_version != 0, 'verbose': False}\n self.temp_global_flag_swap = {'version': False, 'verbose': False}\n new_pattern = []\n text = self.process_quotes(self.search.decode('latin-1') if self.\n is_bytes else self.search)\n i = _util.StringIter(text)\n iter(i)\n retry = True\n while retry:\n retry = False\n try:\n new_pattern = self.main_group(i)\n except GlobalRetryException:\n if self.temp_global_flag_swap['version']:\n if self.global_flag_swap['version']:\n raise LoopException('Global version flag recursion.')\n else:\n self.global_flag_swap['version'] = True\n if self.temp_global_flag_swap['verbose']:\n if self.global_flag_swap['verbose']:\n raise LoopException('Global verbose flag recursion.')\n else:\n self.global_flag_swap['verbose'] = True\n self.temp_global_flag_swap = {'version': False, 'verbose': False}\n i.rewind(i.index)\n retry = True\n return ''.join(new_pattern).encode('latin-1'\n ) if self.is_bytes else ''.join(new_pattern)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, c, i):
index = i.index
field = ''
value = []
try:
if c == '}':
value.append((_util.FMT_FIELD, ''))
value.append((_util.FMT_INDEX, -1))
else:
if c in _LETTERS_UNDERSCORE:
value.append(c)
c = self.format_next(i)
while c in _WORD:
value.append(c)
c = self.format_next(i)
elif c in _DIGIT:
value.append(c)
c = self.format_next(i)
while c in _DIGIT:
value.append(c)
c = self.format_next(i)
field = ''.join(value).strip()
try:
value = [(_util.FMT_FIELD, str(int(field, 10)))]
except ValueError:
value = [(_util.FMT_FIELD, field)]
pass
count = 0
while c in ('[', '.'):
if c == '[':
findex = []
sindex = i.index - 1
c = self.format_next(i)
try:
while c != ']':
findex.append(c)
c = self.format_next(i)
except StopIteration:
raise SyntaxError("Unmatched '[' at %d" % (sindex - 1))
idx = self.parse_format_index(''.join(findex))
if isinstance(idx, int):
value.append((_util.FMT_INDEX, idx))
else:
value.append((_util.FMT_INDEX, idx))
c = self.format_next(i)
else:
if count == 0:
value.append((_util.FMT_INDEX, -1))
findex = []
c = self.format_next(i)
while c in _WORD:
findex.append(c)
c = self.format_next(i)
value.append((_util.FMT_ATTR, ''.join(findex)))
count += 1
if count == 0:
value.append((_util.FMT_INDEX, -1))
if c == '!':
c = self.format_next(i)
if c not in _FMT_CONV_TYPE:
raise SyntaxError('Invalid conversion type at %d!' % (i
.index - 1))
value.append((_util.FMT_CONV, c))
c = self.format_next(i)
if c == ':':
fill = None
width = []
align = None
convert = None
c = self.format_next(i)
if c in ('<', '>', '^'):
align = c
c = self.format_next(i)
if c in ('<', '>', '^'):
fill = align
align = c
c = self.format_next(i)
elif c in _DIGIT:
fill = c
c = self.format_next(i)
if c in ('<', '>', '^'):
align = c
c = self.format_next(i)
else:
width.append(fill)
fill = None
else:
fill = c
c = self.format_next(i)
if fill == 's' and c == '}':
convert = fill
fill = None
if fill is not None:
if c not in ('<', '>', '^'):
raise SyntaxError(
'Invalid format spec char at %d!' % (i.
index - 1))
align = c
c = self.format_next(i)
while c in _DIGIT:
width.append(c)
c = self.format_next(i)
if not align and len(width) and width[0] == '0':
raise ValueError("'=' alignment is not supported!")
if align and not fill and len(width) and width[0] == '0':
fill = '0'
if c == 's':
convert = c
c = self.format_next(i)
if fill and self.is_bytes:
fill = fill.encode('latin-1')
elif not fill:
fill = b' ' if self.is_bytes else ' '
value.append((_util.FMT_SPEC, (fill, align, int(''.join(
width)) if width else 0, convert)))
if c != '}':
raise SyntaxError("Unmatched '{' at %d" % (index - 1))
except StopIteration:
raise SyntaxError("Unmatched '{' at %d!" % (index - 1))
return field, value
|
get_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, c, i):\n index = i.index\n field = ''\n value = []\n try:\n if c == '}':\n value.append((_util.FMT_FIELD, ''))\n value.append((_util.FMT_INDEX, -1))\n else:\n if c in _LETTERS_UNDERSCORE:\n value.append(c)\n c = self.format_next(i)\n while c in _WORD:\n value.append(c)\n c = self.format_next(i)\n elif c in _DIGIT:\n value.append(c)\n c = self.format_next(i)\n while c in _DIGIT:\n value.append(c)\n c = self.format_next(i)\n field = ''.join(value).strip()\n try:\n value = [(_util.FMT_FIELD, str(int(field, 10)))]\n except ValueError:\n value = [(_util.FMT_FIELD, field)]\n pass\n count = 0\n while c in ('[', '.'):\n if c == '[':\n findex = []\n sindex = i.index - 1\n c = self.format_next(i)\n try:\n while c != ']':\n findex.append(c)\n c = self.format_next(i)\n except StopIteration:\n raise SyntaxError(\"Unmatched '[' at %d\" % (sindex - 1))\n idx = self.parse_format_index(''.join(findex))\n if isinstance(idx, int):\n value.append((_util.FMT_INDEX, idx))\n else:\n value.append((_util.FMT_INDEX, idx))\n c = self.format_next(i)\n else:\n if count == 0:\n value.append((_util.FMT_INDEX, -1))\n findex = []\n c = self.format_next(i)\n while c in _WORD:\n findex.append(c)\n c = self.format_next(i)\n value.append((_util.FMT_ATTR, ''.join(findex)))\n count += 1\n if count == 0:\n value.append((_util.FMT_INDEX, -1))\n if c == '!':\n c = self.format_next(i)\n if c not in _FMT_CONV_TYPE:\n raise SyntaxError('Invalid conversion type at %d!' % (i\n .index - 1))\n value.append((_util.FMT_CONV, c))\n c = self.format_next(i)\n if c == ':':\n fill = None\n width = []\n align = None\n convert = None\n c = self.format_next(i)\n if c in ('<', '>', '^'):\n align = c\n c = self.format_next(i)\n if c in ('<', '>', '^'):\n fill = align\n align = c\n c = self.format_next(i)\n elif c in _DIGIT:\n fill = c\n c = self.format_next(i)\n if c in ('<', '>', '^'):\n align = c\n c = self.format_next(i)\n else:\n width.append(fill)\n fill = None\n else:\n fill = c\n c = self.format_next(i)\n if fill == 's' and c == '}':\n convert = fill\n fill = None\n if fill is not None:\n if c not in ('<', '>', '^'):\n raise SyntaxError(\n 'Invalid format spec char at %d!' % (i.\n index - 1))\n align = c\n c = self.format_next(i)\n while c in _DIGIT:\n width.append(c)\n c = self.format_next(i)\n if not align and len(width) and width[0] == '0':\n raise ValueError(\"'=' alignment is not supported!\")\n if align and not fill and len(width) and width[0] == '0':\n fill = '0'\n if c == 's':\n convert = c\n c = self.format_next(i)\n if fill and self.is_bytes:\n fill = fill.encode('latin-1')\n elif not fill:\n fill = b' ' if self.is_bytes else ' '\n value.append((_util.FMT_SPEC, (fill, align, int(''.join(\n width)) if width else 0, convert)))\n if c != '}':\n raise SyntaxError(\"Unmatched '{' at %d\" % (index - 1))\n except StopIteration:\n raise SyntaxError(\"Unmatched '{' at %d!\" % (index - 1))\n return field, value\n",
"role": "user"
},
{
"content": "get_format",
"role": "assistant"
}
] |
def x(self, template, pattern):
groups = []
literals = []
replacements = _compile_replacement_helper(pattern, template)
count = 0
for part in replacements:
if isinstance(part, int):
literals.append(None)
groups.append((count, part))
else:
literals.append(part)
count += 1
return groups, literals
|
regex_parse_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template, pattern):\n groups = []\n literals = []\n replacements = _compile_replacement_helper(pattern, template)\n count = 0\n for part in replacements:\n if isinstance(part, int):\n literals.append(None)\n groups.append((count, part))\n else:\n literals.append(part)\n count += 1\n return groups, literals\n",
"role": "user"
},
{
"content": "regex_parse_template",
"role": "assistant"
}
] |
def x(self, pattern):
i = _util.StringIter(self._original.decode('latin-1') if self.is_bytes else
self._original)
iter(i)
self.result = ['']
while True:
try:
t = next(i)
if self.use_format and t in _CURLY_BRACKETS:
self.handle_format(t, i)
elif t == '\\':
try:
t = next(i)
self.reference(t, i)
except StopIteration:
self.result.append(t)
raise
else:
self.result.append(t)
except StopIteration:
break
if len(self.result) > 1:
self.literal_slots.append(''.join(self.result))
del self.result[:]
self.result.append('')
self.slot += 1
if self.is_bytes:
self._template = ''.join(self.literal_slots).encode('latin-1')
else:
self._template = ''.join(self.literal_slots)
self.groups, self.literals = self.regex_parse_template(self._template,
pattern)
|
parse_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n i = _util.StringIter(self._original.decode('latin-1') if self.is_bytes else\n self._original)\n iter(i)\n self.result = ['']\n while True:\n try:\n t = next(i)\n if self.use_format and t in _CURLY_BRACKETS:\n self.handle_format(t, i)\n elif t == '\\\\':\n try:\n t = next(i)\n self.reference(t, i)\n except StopIteration:\n self.result.append(t)\n raise\n else:\n self.result.append(t)\n except StopIteration:\n break\n if len(self.result) > 1:\n self.literal_slots.append(''.join(self.result))\n del self.result[:]\n self.result.append('')\n self.slot += 1\n if self.is_bytes:\n self._template = ''.join(self.literal_slots).encode('latin-1')\n else:\n self._template = ''.join(self.literal_slots)\n self.groups, self.literals = self.regex_parse_template(self._template,\n pattern)\n",
"role": "user"
},
{
"content": "parse_template",
"role": "assistant"
}
] |
def x(self, m):
if m is None:
raise ValueError('Match is None!')
sep = m.string[:0]
if isinstance(sep, bytes) != self._bytes:
raise TypeError(
'Match string type does not match expander string type!')
text = []
for x in range(0, len(self.literals)):
index = x
l = self.literals[x]
if l is None:
g_index = self._get_group_index(index)
span_case, single_case, capture = self._get_group_attributes(index)
if not self.use_format:
try:
l = m.group(g_index)
except IndexError:
raise IndexError("'%d' is out of range!" % capture)
else:
try:
obj = m.captures(g_index)
except IndexError:
raise IndexError("'%d' is out of range!" % g_index)
l = _util.format_string(m, obj, capture, self._bytes)
if span_case is not None:
if span_case == _LOWER:
l = l.lower()
else:
l = l.upper()
if single_case is not None:
if single_case == _LOWER:
l = l[0:1].lower() + l[1:]
else:
l = l[0:1].upper() + l[1:]
text.append(l)
return sep.join(text)
|
expand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, m):\n if m is None:\n raise ValueError('Match is None!')\n sep = m.string[:0]\n if isinstance(sep, bytes) != self._bytes:\n raise TypeError(\n 'Match string type does not match expander string type!')\n text = []\n for x in range(0, len(self.literals)):\n index = x\n l = self.literals[x]\n if l is None:\n g_index = self._get_group_index(index)\n span_case, single_case, capture = self._get_group_attributes(index)\n if not self.use_format:\n try:\n l = m.group(g_index)\n except IndexError:\n raise IndexError(\"'%d' is out of range!\" % capture)\n else:\n try:\n obj = m.captures(g_index)\n except IndexError:\n raise IndexError(\"'%d' is out of range!\" % g_index)\n l = _util.format_string(m, obj, capture, self._bytes)\n if span_case is not None:\n if span_case == _LOWER:\n l = l.lower()\n else:\n l = l.upper()\n if single_case is not None:\n if single_case == _LOWER:\n l = l[0:1].lower() + l[1:]\n else:\n l = l[0:1].upper() + l[1:]\n text.append(l)\n return sep.join(text)\n",
"role": "user"
},
{
"content": "expand",
"role": "assistant"
}
] |
def x(value):
if value in GROUP_ESCAPES:
c = '\\x%02x\\x%02x' % (92, value)
elif value <= 255:
c = '\\x%02x' % value
elif value <= 65535:
c = '\\u%04x' % value
else:
c = '\\U%08x' % value
return c
|
uniformat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if value in GROUP_ESCAPES:\n c = '\\\\x%02x\\\\x%02x' % (92, value)\n elif value <= 255:\n c = '\\\\x%02x' % value\n elif value <= 65535:\n c = '\\\\u%04x' % value\n else:\n c = '\\\\U%08x' % value\n return c\n",
"role": "user"
},
{
"content": "uniformat",
"role": "assistant"
}
] |
def x(unirange, is_bytes=False):
if len(unirange) < 2:
unirange.append(unirange[0])
if is_bytes:
if unirange[0] > MAXASCII:
return None
if unirange[1] > MAXASCII:
unirange[1] = MAXASCII
return [x for x in range(unirange[0], unirange[1] + 1)]
|
create_span
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unirange, is_bytes=False):\n if len(unirange) < 2:\n unirange.append(unirange[0])\n if is_bytes:\n if unirange[0] > MAXASCII:\n return None\n if unirange[1] > MAXASCII:\n unirange[1] = MAXASCII\n return [x for x in range(unirange[0], unirange[1] + 1)]\n",
"role": "user"
},
{
"content": "create_span",
"role": "assistant"
}
] |
def x(table, name, is_bytes=False):
all_chars = ALL_ASCII if is_bytes else ALL_CHARS
s = set()
for k, v in table.items():
s.update(v)
if name in table:
table[name] = list(set(table[name]) | all_chars - s)
else:
table[name] = list(all_chars - s)
|
not_explicitly_defined
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, name, is_bytes=False):\n all_chars = ALL_ASCII if is_bytes else ALL_CHARS\n s = set()\n for k, v in table.items():\n s.update(v)\n if name in table:\n table[name] = list(set(table[name]) | all_chars - s)\n else:\n table[name] = list(all_chars - s)\n",
"role": "user"
},
{
"content": "not_explicitly_defined",
"role": "assistant"
}
] |
def x(d, is_bytes=False, invert=True):
fmt = bytesformat if is_bytes else uniformat
maxrange = MAXASCII if is_bytes else MAXUNICODE
for k1 in sorted(d.keys()):
v1 = d[k1]
if not isinstance(v1, list):
char2range(v1, is_bytes=is_bytes, invert=invert)
else:
inverted = k1.startswith('^')
v1.sort()
last = None
first = None
ilast = None
ifirst = None
v2 = []
iv2 = []
if v1 and v1[0] != 0:
ifirst = 0
for i in v1:
if first is None:
first = i
last = i
elif i == last + 1:
last = i
elif first is not None:
if first == last:
v2.append(fmt(first))
else:
v2.append('%s-%s' % (fmt(first), fmt(last)))
if invert and ifirst is not None:
ilast = first - 1
if ifirst == ilast:
iv2.append(fmt(ifirst))
else:
iv2.append('%s-%s' % (fmt(ifirst), fmt(ilast)))
ifirst = last + 1
first = i
last = i
if not v1:
iv2 = ['%s-%s' % (fmt(0), fmt(maxrange))]
elif first is not None:
if first == last:
v2.append(fmt(first))
else:
v2.append('%s-%s' % (fmt(first), fmt(last)))
if invert and ifirst is not None:
ilast = first - 1
if ifirst == ilast:
iv2.append(fmt(ifirst))
else:
iv2.append('%s-%s' % (fmt(ifirst), fmt(ilast)))
ifirst = last + 1
if invert and ifirst <= maxrange:
ilast = maxrange
if ifirst == ilast:
iv2.append(fmt(ifirst))
else:
iv2.append('%s-%s' % (fmt(ifirst), fmt(ilast)))
d[k1] = ''.join(v2)
if invert:
d[k1[1:] if inverted else '^' + k1] = ''.join(iv2)
|
char2range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, is_bytes=False, invert=True):\n fmt = bytesformat if is_bytes else uniformat\n maxrange = MAXASCII if is_bytes else MAXUNICODE\n for k1 in sorted(d.keys()):\n v1 = d[k1]\n if not isinstance(v1, list):\n char2range(v1, is_bytes=is_bytes, invert=invert)\n else:\n inverted = k1.startswith('^')\n v1.sort()\n last = None\n first = None\n ilast = None\n ifirst = None\n v2 = []\n iv2 = []\n if v1 and v1[0] != 0:\n ifirst = 0\n for i in v1:\n if first is None:\n first = i\n last = i\n elif i == last + 1:\n last = i\n elif first is not None:\n if first == last:\n v2.append(fmt(first))\n else:\n v2.append('%s-%s' % (fmt(first), fmt(last)))\n if invert and ifirst is not None:\n ilast = first - 1\n if ifirst == ilast:\n iv2.append(fmt(ifirst))\n else:\n iv2.append('%s-%s' % (fmt(ifirst), fmt(ilast)))\n ifirst = last + 1\n first = i\n last = i\n if not v1:\n iv2 = ['%s-%s' % (fmt(0), fmt(maxrange))]\n elif first is not None:\n if first == last:\n v2.append(fmt(first))\n else:\n v2.append('%s-%s' % (fmt(first), fmt(last)))\n if invert and ifirst is not None:\n ilast = first - 1\n if ifirst == ilast:\n iv2.append(fmt(ifirst))\n else:\n iv2.append('%s-%s' % (fmt(ifirst), fmt(ilast)))\n ifirst = last + 1\n if invert and ifirst <= maxrange:\n ilast = maxrange\n if ifirst == ilast:\n iv2.append(fmt(ifirst))\n else:\n iv2.append('%s-%s' % (fmt(ifirst), fmt(ilast)))\n d[k1] = ''.join(v2)\n if invert:\n d[k1[1:] if inverted else '^' + k1] = ''.join(iv2)\n",
"role": "user"
},
{
"content": "char2range",
"role": "assistant"
}
] |
def x(output, ascii_props=False, append=False, prefix=''):
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_blocks = {' % prefix)
no_block = []
last = -1
max_range = MAXASCII if ascii_props else MAXUNICODE
formatter = bytesformat if ascii_props else uniformat
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'Blocks.txt'), 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split(';')
if len(data) < 2:
continue
block = [int(i, 16) for i in data[0].strip().split('..')]
if block[0] > last + 1:
if last + 1 <= max_range:
endval = block[0] - 1 if block[0
] - 1 < max_range else max_range
no_block.append((last + 1, endval))
last = block[1]
name = format_name(data[1])
inverse_range = []
if block[0] > max_range:
if ascii_props:
f.write('\n "%s": "",' % name)
f.write('\n "^%s": "%s-%s",' % (name,
formatter(0), formatter(max_range)))
continue
if block[0] > 0:
inverse_range.append('%s-%s' % (formatter(0),
formatter(block[0] - 1)))
if block[1] < max_range:
inverse_range.append('%s-%s' % (formatter(block[1] +
1), formatter(max_range)))
f.write('\n "%s": "%s-%s",' % (name, formatter(block
[0]), formatter(block[1])))
f.write('\n "^%s": "%s",' % (name, ''.join(
inverse_range)))
if last < max_range:
if last + 1 <= max_range:
no_block.append((last + 1, max_range))
last = -1
no_block_inverse = []
if not no_block:
no_block_inverse.append((0, max_range))
else:
for piece in no_block:
if piece[0] > last + 1:
no_block_inverse.append((last + 1, piece[0] - 1))
last = piece[1]
for block, name in ((no_block, 'noblock'), (no_block_inverse,
'^noblock')):
f.write('\n "%s": "' % name)
for piece in block:
if piece[0] == piece[1]:
f.write(formatter(piece[0]))
else:
f.write('%s-%s' % (formatter(piece[0]), formatter(
piece[1])))
f.write('",')
f.write('\n}\n')
|
gen_blocks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, ascii_props=False, append=False, prefix=''):\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_blocks = {' % prefix)\n no_block = []\n last = -1\n max_range = MAXASCII if ascii_props else MAXUNICODE\n formatter = bytesformat if ascii_props else uniformat\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'Blocks.txt'), 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split(';')\n if len(data) < 2:\n continue\n block = [int(i, 16) for i in data[0].strip().split('..')]\n if block[0] > last + 1:\n if last + 1 <= max_range:\n endval = block[0] - 1 if block[0\n ] - 1 < max_range else max_range\n no_block.append((last + 1, endval))\n last = block[1]\n name = format_name(data[1])\n inverse_range = []\n if block[0] > max_range:\n if ascii_props:\n f.write('\\n \"%s\": \"\",' % name)\n f.write('\\n \"^%s\": \"%s-%s\",' % (name,\n formatter(0), formatter(max_range)))\n continue\n if block[0] > 0:\n inverse_range.append('%s-%s' % (formatter(0),\n formatter(block[0] - 1)))\n if block[1] < max_range:\n inverse_range.append('%s-%s' % (formatter(block[1] +\n 1), formatter(max_range)))\n f.write('\\n \"%s\": \"%s-%s\",' % (name, formatter(block\n [0]), formatter(block[1])))\n f.write('\\n \"^%s\": \"%s\",' % (name, ''.join(\n inverse_range)))\n if last < max_range:\n if last + 1 <= max_range:\n no_block.append((last + 1, max_range))\n last = -1\n no_block_inverse = []\n if not no_block:\n no_block_inverse.append((0, max_range))\n else:\n for piece in no_block:\n if piece[0] > last + 1:\n no_block_inverse.append((last + 1, piece[0] - 1))\n last = piece[1]\n for block, name in ((no_block, 'noblock'), (no_block_inverse,\n '^noblock')):\n f.write('\\n \"%s\": \"' % name)\n for piece in block:\n if piece[0] == piece[1]:\n f.write(formatter(piece[0]))\n else:\n f.write('%s-%s' % (formatter(piece[0]), formatter(\n piece[1])))\n f.write('\",')\n f.write('\\n}\\n')\n",
"role": "user"
},
{
"content": "gen_blocks",
"role": "assistant"
}
] |
def x(output, ascii_props=False, append=False, prefix=''):
obj = {}
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'DerivedCombiningClass.txt'), 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split('#')[0].split(';')
if len(data) < 2:
continue
span = create_span([int(i, 16) for i in data[0].strip().
split('..')], is_bytes=ascii_props)
if span is None:
continue
name = format_name(data[1])
if name not in obj:
obj[name] = []
obj[name].extend(span)
for x in range(0, 256):
key = str(x)
if key not in obj:
obj[key] = []
for name in list(obj.keys()):
s = set(obj[name])
obj[name] = sorted(s)
not_explicitly_defined(obj, '0', is_bytes=ascii_props)
char2range(obj, is_bytes=ascii_props)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_canonical_combining_class = {\n' % prefix)
count = len(obj) - 1
i = 0
for k1, v1 in sorted(obj.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
|
gen_ccc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, ascii_props=False, append=False, prefix=''):\n obj = {}\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'DerivedCombiningClass.txt'), 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split('#')[0].split(';')\n if len(data) < 2:\n continue\n span = create_span([int(i, 16) for i in data[0].strip().\n split('..')], is_bytes=ascii_props)\n if span is None:\n continue\n name = format_name(data[1])\n if name not in obj:\n obj[name] = []\n obj[name].extend(span)\n for x in range(0, 256):\n key = str(x)\n if key not in obj:\n obj[key] = []\n for name in list(obj.keys()):\n s = set(obj[name])\n obj[name] = sorted(s)\n not_explicitly_defined(obj, '0', is_bytes=ascii_props)\n char2range(obj, is_bytes=ascii_props)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_canonical_combining_class = {\\n' % prefix)\n count = len(obj) - 1\n i = 0\n for k1, v1 in sorted(obj.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n",
"role": "user"
},
{
"content": "gen_ccc",
"role": "assistant"
}
] |
def x(file_name, file_name_ext, obj_name, obj_ext_name, output, output_ext,
field=1, notexplicit=None, ascii_props=False, append=False, prefix=''):
obj = {}
obj2 = {}
aliases = {}
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'PropertyValueAliases.txt'), 'r', 'utf-8') as uf:
for line in uf:
if line.startswith('sc ;'):
values = line.split(';')
aliases[format_name(values[1].strip())] = format_name(values
[2].strip())
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
file_name_ext), 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split('#')[0].split(';')
if len(data) < 2:
continue
exts = [aliases[format_name(n)] for n in data[1].strip().
split(' ')]
span = create_span([int(i, 16) for i in data[0].strip().
split('..')], is_bytes=ascii_props)
for ext in exts:
if ext not in obj2:
obj2[ext] = []
if span is None:
continue
obj2[ext].extend(span)
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
file_name), 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split('#')[0].split(';')
if len(data) < 2:
continue
span = create_span([int(i, 16) for i in data[0].strip().
split('..')], is_bytes=ascii_props)
name = format_name(data[1])
if name not in obj:
obj[name] = []
if name not in obj2:
obj2[name] = []
if span is None:
continue
obj[name].extend(span)
obj2[name].extend(span)
for name in list(obj.keys()):
s = set(obj[name])
obj[name] = sorted(s)
for name in list(obj2.keys()):
s = set(obj2[name])
obj2[name] = sorted(s)
if notexplicit:
not_explicitly_defined(obj, notexplicit, is_bytes=ascii_props)
not_explicitly_defined(obj2, notexplicit, is_bytes=ascii_props)
char2range(obj, is_bytes=ascii_props)
char2range(obj2, is_bytes=ascii_props)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_%s = {\n' % (prefix, obj_name))
count = len(obj) - 1
i = 0
for k1, v1 in sorted(obj.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
with codecs.open(output_ext, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_%s = {\n' % (prefix, obj_ext_name))
count = len(obj2) - 1
i = 0
for k1, v1 in sorted(obj2.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
|
gen_scripts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_name, file_name_ext, obj_name, obj_ext_name, output, output_ext,\n field=1, notexplicit=None, ascii_props=False, append=False, prefix=''):\n obj = {}\n obj2 = {}\n aliases = {}\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'PropertyValueAliases.txt'), 'r', 'utf-8') as uf:\n for line in uf:\n if line.startswith('sc ;'):\n values = line.split(';')\n aliases[format_name(values[1].strip())] = format_name(values\n [2].strip())\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n file_name_ext), 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split('#')[0].split(';')\n if len(data) < 2:\n continue\n exts = [aliases[format_name(n)] for n in data[1].strip().\n split(' ')]\n span = create_span([int(i, 16) for i in data[0].strip().\n split('..')], is_bytes=ascii_props)\n for ext in exts:\n if ext not in obj2:\n obj2[ext] = []\n if span is None:\n continue\n obj2[ext].extend(span)\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n file_name), 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split('#')[0].split(';')\n if len(data) < 2:\n continue\n span = create_span([int(i, 16) for i in data[0].strip().\n split('..')], is_bytes=ascii_props)\n name = format_name(data[1])\n if name not in obj:\n obj[name] = []\n if name not in obj2:\n obj2[name] = []\n if span is None:\n continue\n obj[name].extend(span)\n obj2[name].extend(span)\n for name in list(obj.keys()):\n s = set(obj[name])\n obj[name] = sorted(s)\n for name in list(obj2.keys()):\n s = set(obj2[name])\n obj2[name] = sorted(s)\n if notexplicit:\n not_explicitly_defined(obj, notexplicit, is_bytes=ascii_props)\n not_explicitly_defined(obj2, notexplicit, is_bytes=ascii_props)\n char2range(obj, is_bytes=ascii_props)\n char2range(obj2, is_bytes=ascii_props)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_%s = {\\n' % (prefix, obj_name))\n count = len(obj) - 1\n i = 0\n for k1, v1 in sorted(obj.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n with codecs.open(output_ext, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_%s = {\\n' % (prefix, obj_ext_name))\n count = len(obj2) - 1\n i = 0\n for k1, v1 in sorted(obj2.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n",
"role": "user"
},
{
"content": "gen_scripts",
"role": "assistant"
}
] |
def x(output, ascii_props=False, append=False, prefix=''):
obj = {}
all_chars = ALL_ASCII if ascii_props else ALL_CHARS
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'DerivedAge.txt'), 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split('#')[0].split(';')
if len(data) < 2:
continue
span = create_span([int(i, 16) for i in data[0].strip().
split('..')], is_bytes=ascii_props)
name = format_name(data[1])
if name not in obj:
obj[name] = []
if span is None:
continue
obj[name].extend(span)
unassigned = set()
for x in obj.values():
unassigned |= set(x)
obj['na'] = list(all_chars - unassigned)
for name in list(obj.keys()):
s = set(obj[name])
obj[name] = sorted(s)
char2range(obj, is_bytes=ascii_props)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_age = {\n' % prefix)
count = len(obj) - 1
i = 0
for k1, v1 in sorted(obj.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
|
gen_age
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, ascii_props=False, append=False, prefix=''):\n obj = {}\n all_chars = ALL_ASCII if ascii_props else ALL_CHARS\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'DerivedAge.txt'), 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split('#')[0].split(';')\n if len(data) < 2:\n continue\n span = create_span([int(i, 16) for i in data[0].strip().\n split('..')], is_bytes=ascii_props)\n name = format_name(data[1])\n if name not in obj:\n obj[name] = []\n if span is None:\n continue\n obj[name].extend(span)\n unassigned = set()\n for x in obj.values():\n unassigned |= set(x)\n obj['na'] = list(all_chars - unassigned)\n for name in list(obj.keys()):\n s = set(obj[name])\n obj[name] = sorted(s)\n char2range(obj, is_bytes=ascii_props)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_age = {\\n' % prefix)\n count = len(obj) - 1\n i = 0\n for k1, v1 in sorted(obj.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n",
"role": "user"
},
{
"content": "gen_age",
"role": "assistant"
}
] |
def x(output, ascii_props=False, append=False, prefix=''):
categories = []
nf = {}
all_chars = ALL_ASCII if ascii_props else ALL_CHARS
file_name = os.path.join(HOME, 'unicodedata', UNIVERSION,
'DerivedNormalizationProps.txt')
with codecs.open(file_name, 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split('#')[0].split(';')
if len(data) < 2:
continue
if not data[1].strip().lower().endswith('_qc'):
continue
span = create_span([int(i, 16) for i in data[0].strip().
split('..')], is_bytes=ascii_props)
if span is None:
continue
name = format_name(data[1][:-3] + 'quickcheck')
subvalue = format_name(data[2])
if name not in nf:
nf[name] = {}
categories.append(name)
if subvalue not in nf[name]:
nf[name][subvalue] = []
nf[name][subvalue].extend(span)
for k1, v1 in nf.items():
temp = set()
for k2 in list(v1.keys()):
temp |= set(v1[k2])
v1['y'] = list(all_chars - temp)
for k1, v1 in nf.items():
for name in list(v1.keys()):
s = set(nf[k1][name])
nf[k1][name] = sorted(s)
char2range(nf, is_bytes=ascii_props)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
for key, value in sorted(nf.items()):
f.write('%s_%s = {\n' % (prefix, key.replace('quickcheck',
'_quick_check')))
count = len(value) - 1
i = 0
for k1, v1 in sorted(value.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
return categories
|
gen_nf_quick_check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, ascii_props=False, append=False, prefix=''):\n categories = []\n nf = {}\n all_chars = ALL_ASCII if ascii_props else ALL_CHARS\n file_name = os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'DerivedNormalizationProps.txt')\n with codecs.open(file_name, 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split('#')[0].split(';')\n if len(data) < 2:\n continue\n if not data[1].strip().lower().endswith('_qc'):\n continue\n span = create_span([int(i, 16) for i in data[0].strip().\n split('..')], is_bytes=ascii_props)\n if span is None:\n continue\n name = format_name(data[1][:-3] + 'quickcheck')\n subvalue = format_name(data[2])\n if name not in nf:\n nf[name] = {}\n categories.append(name)\n if subvalue not in nf[name]:\n nf[name][subvalue] = []\n nf[name][subvalue].extend(span)\n for k1, v1 in nf.items():\n temp = set()\n for k2 in list(v1.keys()):\n temp |= set(v1[k2])\n v1['y'] = list(all_chars - temp)\n for k1, v1 in nf.items():\n for name in list(v1.keys()):\n s = set(nf[k1][name])\n nf[k1][name] = sorted(s)\n char2range(nf, is_bytes=ascii_props)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n for key, value in sorted(nf.items()):\n f.write('%s_%s = {\\n' % (prefix, key.replace('quickcheck',\n '_quick_check')))\n count = len(value) - 1\n i = 0\n for k1, v1 in sorted(value.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n return categories\n",
"role": "user"
},
{
"content": "gen_nf_quick_check",
"role": "assistant"
}
] |
def x(table, output, ascii_props=False, append=False, prefix=''):
categories = []
binary_props = ('DerivedCoreProperties.txt', None), ('PropList.txt', None
), ('DerivedNormalizationProps.txt', (
'Changes_When_NFKC_Casefolded', 'Full_Composition_Exclusion'))
binary = {}
for filename, include in binary_props:
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
filename), 'r', 'utf-8') as uf:
for line in uf:
if not line.startswith('#'):
data = line.split('#')[0].split(';')
if len(data) < 2:
continue
if include and data[1].strip() not in include:
continue
span = create_span([int(i, 16) for i in data[0].strip()
.split('..')], is_bytes=ascii_props)
name = format_name(data[1])
if name not in binary:
binary[name] = []
categories.append(name)
if span is None:
continue
binary[name].extend(span)
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'CompositionExclusions.txt'), 'r', 'utf-8') as uf:
name = 'compositionexclusion'
for line in uf:
if not line.startswith('#'):
data = [x.strip() for x in line.split('#')[0] if x.strip()]
if not data:
continue
span = create_span([int(data[0], 16)], is_bytes=ascii_props)
if span is None:
continue
if name not in binary:
binary[name] = []
categories.append(name)
binary[name].extend(span)
binary['full' + name].extend(span)
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'UnicodeData.txt'), 'r', 'utf-8') as uf:
name = 'bidimirrored'
for line in uf:
data = line.strip().split(';')
if data:
if data[9].strip().lower() != 'y':
continue
span = create_span([int(data[0].strip(), 16)], is_bytes=
ascii_props)
if span is None:
continue
if name not in binary:
binary[name] = []
categories.append(name)
binary[name].extend(span)
for name in list(binary.keys()):
s = set(binary[name])
binary[name] = sorted(s)
gen_uposix(table, binary)
char2range(binary, is_bytes=ascii_props)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_binary = {\n' % prefix)
count = len(binary) - 1
i = 0
for k1, v1 in sorted(binary.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
return categories[:]
|
gen_binary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, output, ascii_props=False, append=False, prefix=''):\n categories = []\n binary_props = ('DerivedCoreProperties.txt', None), ('PropList.txt', None\n ), ('DerivedNormalizationProps.txt', (\n 'Changes_When_NFKC_Casefolded', 'Full_Composition_Exclusion'))\n binary = {}\n for filename, include in binary_props:\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n filename), 'r', 'utf-8') as uf:\n for line in uf:\n if not line.startswith('#'):\n data = line.split('#')[0].split(';')\n if len(data) < 2:\n continue\n if include and data[1].strip() not in include:\n continue\n span = create_span([int(i, 16) for i in data[0].strip()\n .split('..')], is_bytes=ascii_props)\n name = format_name(data[1])\n if name not in binary:\n binary[name] = []\n categories.append(name)\n if span is None:\n continue\n binary[name].extend(span)\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'CompositionExclusions.txt'), 'r', 'utf-8') as uf:\n name = 'compositionexclusion'\n for line in uf:\n if not line.startswith('#'):\n data = [x.strip() for x in line.split('#')[0] if x.strip()]\n if not data:\n continue\n span = create_span([int(data[0], 16)], is_bytes=ascii_props)\n if span is None:\n continue\n if name not in binary:\n binary[name] = []\n categories.append(name)\n binary[name].extend(span)\n binary['full' + name].extend(span)\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'UnicodeData.txt'), 'r', 'utf-8') as uf:\n name = 'bidimirrored'\n for line in uf:\n data = line.strip().split(';')\n if data:\n if data[9].strip().lower() != 'y':\n continue\n span = create_span([int(data[0].strip(), 16)], is_bytes=\n ascii_props)\n if span is None:\n continue\n if name not in binary:\n binary[name] = []\n categories.append(name)\n binary[name].extend(span)\n for name in list(binary.keys()):\n s = set(binary[name])\n binary[name] = sorted(s)\n gen_uposix(table, binary)\n char2range(binary, is_bytes=ascii_props)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_binary = {\\n' % prefix)\n count = len(binary) - 1\n i = 0\n for k1, v1 in sorted(binary.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n return categories[:]\n",
"role": "user"
},
{
"content": "gen_binary",
"role": "assistant"
}
] |
def x(output, ascii_props=False, append=False, prefix=''):
bidi_class = {}
max_range = MAXASCII if ascii_props else MAXUNICODE
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'UnicodeData.txt'), 'r', 'utf-8') as uf:
for line in uf:
data = line.strip().split(';')
if data:
bidi = data[4].strip().lower()
if not bidi:
continue
value = int(data[0].strip(), 16)
if bidi not in bidi_class:
bidi_class[bidi] = []
if value > max_range:
continue
bidi_class[bidi].append(value)
for name in list(bidi_class.keys()):
s = set(bidi_class[name])
bidi_class[name] = sorted(s)
char2range(bidi_class, is_bytes=ascii_props)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_bidi_classes = {\n' % prefix)
count = len(bidi_class) - 1
i = 0
for k1, v1 in sorted(bidi_class.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
|
gen_bidi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, ascii_props=False, append=False, prefix=''):\n bidi_class = {}\n max_range = MAXASCII if ascii_props else MAXUNICODE\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'UnicodeData.txt'), 'r', 'utf-8') as uf:\n for line in uf:\n data = line.strip().split(';')\n if data:\n bidi = data[4].strip().lower()\n if not bidi:\n continue\n value = int(data[0].strip(), 16)\n if bidi not in bidi_class:\n bidi_class[bidi] = []\n if value > max_range:\n continue\n bidi_class[bidi].append(value)\n for name in list(bidi_class.keys()):\n s = set(bidi_class[name])\n bidi_class[name] = sorted(s)\n char2range(bidi_class, is_bytes=ascii_props)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_bidi_classes = {\\n' % prefix)\n count = len(bidi_class) - 1\n i = 0\n for k1, v1 in sorted(bidi_class.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n",
"role": "user"
},
{
"content": "gen_bidi",
"role": "assistant"
}
] |
def x(output, is_bytes=False, append=False, prefix=''):
posix_table = {}
s = set([x for x in range(48, 57 + 1)])
s |= set([x for x in range(65, 90 + 1)])
s |= set([x for x in range(97, 122 + 1)])
posix_table['alnum'] = list(s)
s = set([x for x in range(65, 90)])
s |= set([x for x in range(97, 122)])
posix_table['alpha'] = list(s)
s = set([x for x in range(0, 127 + 1)])
posix_table['ascii'] = list(s)
s = set([32, 9])
posix_table['blank'] = list(s)
s = set([x for x in range(0, 31 + 1)] + [127])
posix_table['cntrl'] = list(s)
s = set([x for x in range(48, 57 + 1)])
posix_table['digit'] = list(s)
s = set([x for x in range(33, 126 + 1)])
posix_table['graph'] = list(s)
s = set([x for x in range(97, 122 + 1)])
posix_table['lower'] = list(s)
s = set([x for x in range(32, 126 + 1)])
posix_table['print'] = list(s)
s = set([x for x in range(33, 47 + 1)])
s |= set([x for x in range(58, 64 + 1)])
s |= set([x for x in range(91, 96 + 1)])
s |= set([x for x in range(123, 126 + 1)])
posix_table['punct'] = list(s)
s = set([x for x in range(9, 13 + 1)] + [32])
posix_table['space'] = list(s)
s = set([x for x in range(65, 90 + 1)])
posix_table['upper'] = list(s)
s = set([x for x in range(48, 57 + 1)])
s |= set([x for x in range(65, 70 + 1)])
s |= set([x for x in range(97, 102 + 1)])
posix_table['xdigit'] = list(s)
char2range(posix_table, is_bytes=is_bytes)
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_posix_properties = {\n' % prefix)
count = len(posix_table) - 1
i = 0
for k1, v1 in sorted(posix_table.items()):
f.write(' "%s": "%s"' % (k1, v1))
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
|
gen_posix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, is_bytes=False, append=False, prefix=''):\n posix_table = {}\n s = set([x for x in range(48, 57 + 1)])\n s |= set([x for x in range(65, 90 + 1)])\n s |= set([x for x in range(97, 122 + 1)])\n posix_table['alnum'] = list(s)\n s = set([x for x in range(65, 90)])\n s |= set([x for x in range(97, 122)])\n posix_table['alpha'] = list(s)\n s = set([x for x in range(0, 127 + 1)])\n posix_table['ascii'] = list(s)\n s = set([32, 9])\n posix_table['blank'] = list(s)\n s = set([x for x in range(0, 31 + 1)] + [127])\n posix_table['cntrl'] = list(s)\n s = set([x for x in range(48, 57 + 1)])\n posix_table['digit'] = list(s)\n s = set([x for x in range(33, 126 + 1)])\n posix_table['graph'] = list(s)\n s = set([x for x in range(97, 122 + 1)])\n posix_table['lower'] = list(s)\n s = set([x for x in range(32, 126 + 1)])\n posix_table['print'] = list(s)\n s = set([x for x in range(33, 47 + 1)])\n s |= set([x for x in range(58, 64 + 1)])\n s |= set([x for x in range(91, 96 + 1)])\n s |= set([x for x in range(123, 126 + 1)])\n posix_table['punct'] = list(s)\n s = set([x for x in range(9, 13 + 1)] + [32])\n posix_table['space'] = list(s)\n s = set([x for x in range(65, 90 + 1)])\n posix_table['upper'] = list(s)\n s = set([x for x in range(48, 57 + 1)])\n s |= set([x for x in range(65, 70 + 1)])\n s |= set([x for x in range(97, 102 + 1)])\n posix_table['xdigit'] = list(s)\n char2range(posix_table, is_bytes=is_bytes)\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_posix_properties = {\\n' % prefix)\n count = len(posix_table) - 1\n i = 0\n for k1, v1 in sorted(posix_table.items()):\n f.write(' \"%s\": \"%s\"' % (k1, v1))\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n",
"role": "user"
},
{
"content": "gen_posix",
"role": "assistant"
}
] |
def x(table, posix_table):
s = set(table['l']['c'] + table['n']['d'])
posix_table['posixalnum'] = list(s)
s = set(table['l']['c'])
posix_table['posixalpha'] = list(s)
s = set([x for x in range(0, 127 + 1)])
posix_table['posixascii'] = list(s)
s = set(table['z']['s'] + [9])
posix_table['posixblank'] = list(s)
s = set(table['c']['c'])
posix_table['posixcntrl'] = list(s)
s = set(table['n']['d'])
posix_table['posixdigit'] = list(s)
s = set()
for table_name in ('z', 'c'):
for sub_table_name in table[table_name]:
if not sub_table_name.startswith('^'):
s |= set(table[table_name][sub_table_name])
posix_table['^posixgraph'] = list(s)
s = set(table['l']['l'])
posix_table['posixlower'] = list(s)
s = set()
for table_name in ('c',):
for sub_table_name in table[table_name]:
if not sub_table_name.startswith('^'):
s |= set(table[table_name][sub_table_name])
posix_table['^posixprint'] = list(s)
s = set()
for table_name in ('p', 's'):
for sub_table_name in table[table_name]:
if not sub_table_name.startswith('^'):
s |= set(table[table_name][sub_table_name])
posix_table['posixpunct'] = list(s)
s = set()
for table_name in ('z',):
for sub_table_name in table[table_name]:
if not sub_table_name.startswith('^'):
s |= set(table[table_name][sub_table_name])
s |= set([x for x in range(9, 14)])
posix_table['posixspace'] = list(s)
s = set(table['l']['u'])
posix_table['posixupper'] = list(s)
s = set([x for x in range(48, 57 + 1)])
s |= set([x for x in range(65, 70 + 1)])
s |= set([x for x in range(97, 102 + 1)])
posix_table['posixxdigit'] = list(s)
|
gen_uposix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, posix_table):\n s = set(table['l']['c'] + table['n']['d'])\n posix_table['posixalnum'] = list(s)\n s = set(table['l']['c'])\n posix_table['posixalpha'] = list(s)\n s = set([x for x in range(0, 127 + 1)])\n posix_table['posixascii'] = list(s)\n s = set(table['z']['s'] + [9])\n posix_table['posixblank'] = list(s)\n s = set(table['c']['c'])\n posix_table['posixcntrl'] = list(s)\n s = set(table['n']['d'])\n posix_table['posixdigit'] = list(s)\n s = set()\n for table_name in ('z', 'c'):\n for sub_table_name in table[table_name]:\n if not sub_table_name.startswith('^'):\n s |= set(table[table_name][sub_table_name])\n posix_table['^posixgraph'] = list(s)\n s = set(table['l']['l'])\n posix_table['posixlower'] = list(s)\n s = set()\n for table_name in ('c',):\n for sub_table_name in table[table_name]:\n if not sub_table_name.startswith('^'):\n s |= set(table[table_name][sub_table_name])\n posix_table['^posixprint'] = list(s)\n s = set()\n for table_name in ('p', 's'):\n for sub_table_name in table[table_name]:\n if not sub_table_name.startswith('^'):\n s |= set(table[table_name][sub_table_name])\n posix_table['posixpunct'] = list(s)\n s = set()\n for table_name in ('z',):\n for sub_table_name in table[table_name]:\n if not sub_table_name.startswith('^'):\n s |= set(table[table_name][sub_table_name])\n s |= set([x for x in range(9, 14)])\n posix_table['posixspace'] = list(s)\n s = set(table['l']['u'])\n posix_table['posixupper'] = list(s)\n s = set([x for x in range(48, 57 + 1)])\n s |= set([x for x in range(65, 70 + 1)])\n s |= set([x for x in range(97, 102 + 1)])\n posix_table['posixxdigit'] = list(s)\n",
"role": "user"
},
{
"content": "gen_uposix",
"role": "assistant"
}
] |
def x(enum, binary, output, ascii_props=False, append=False, prefix=''):
alias_re = re.compile('^#\\s+(\\w+)\\s+\\((\\w+)\\)\\s*$')
categories = enum + binary
alias = {}
gather = False
current_category = None
line_re = None
alias_header_re = re.compile('^#\\s+(\\w+)\\s+Properties\\s*$')
divider_re = re.compile('#\\s*=+\\s*$')
posix_props = 'alnum', 'blank', 'graph', 'print', 'xdigit'
toplevel = 'catalog', 'enumerated', 'numeric', 'miscellaneous'
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'PropertyAliases.txt'), 'r', 'utf-8') as uf:
div = False
capture = False
name = None
for line in uf:
if div:
m = alias_header_re.match(line)
if m:
name = format_name(m.group(1))
if name in toplevel:
capture = True
name = '_'
elif name in ('binary',):
capture = True
else:
capture = False
continue
div = False
elif divider_re.match(line):
div = True
continue
elif line.startswith('#') or not line.strip():
continue
if capture:
should_add = False
data = [format_name(x) for x in line.split('#')[0].split(';')]
index = 0
for d in data:
if d in categories:
should_add = True
break
index += 1
if should_add:
data[0], data[index] = data[index], data[0]
if name not in alias:
alias[name] = {}
for d in data[1:]:
alias[name][d] = data[0]
with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,
'PropertyValueAliases.txt'), 'r', 'utf-8') as uf:
for line in uf:
m = alias_re.match(line)
if m:
original_name = format_name(m.group(1))
gather = original_name in categories
current_category = format_name(m.group(2))
line_re = re.compile('%s\\s*;' % m.group(2), re.I)
if gather and line_re.match(line):
data = [format_name(x) for x in line.split('#')[0].split(';')]
if current_category in ('sc', 'blk', 'dt', 'jg', 'sb', 'wb',
'lb', 'gcb', 'nt', 'inpc', 'inmc', 'insc'):
data[1], data[2] = data[2], data[1]
elif current_category == 'age' and UNIVERSION_INFO < (6, 1, 0):
if data[2] == 'unassigned':
data[1] = 'na'
else:
data[1], data[2] = data[2], 'V' + data[2].replace('.',
'_')
if len(data) == 5 and data[2] in ('yes', 'no') and data[1] in (
'n', 'y'):
data = ['binary', original_name, data[0]]
else:
data[0] = alias['_'].get(data[0], data[0])
if data[0] not in alias:
alias[data[0]] = {}
for a in data[2:]:
if a == 'n/a':
continue
if a not in alias[data[0]] and a != data[1]:
alias[data[0]][a] = data[1]
for x in enum:
if x not in alias:
alias[x] = {}
for prop in posix_props:
alias['binary'][prop] = 'posix' + prop
with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:
if not append:
f.write(HEADER)
f.write('%s_alias = {\n' % prefix)
count = len(alias) - 1
i = 0
for k1, v1 in sorted(alias.items()):
f.write(' "%s": {\n' % k1)
count2 = len(v1) - 1
j = 0
for k2, v2 in sorted(v1.items()):
f.write(' "%s": "%s"' % (k2, v2))
if j == count2:
f.write('\n }')
else:
f.write(',\n')
j += 1
if count2 < 0:
f.write(' }')
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
cat = set(enum)
for k in alias['_'].keys():
cat.add(k)
f.write('enum_names = {\n')
count = len(cat) - 1
i = 0
for name in sorted(cat):
f.write(' "%s"' % name)
if i == count:
f.write('\n}\n')
else:
f.write(',\n')
i += 1
|
gen_alias
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(enum, binary, output, ascii_props=False, append=False, prefix=''):\n alias_re = re.compile('^#\\\\s+(\\\\w+)\\\\s+\\\\((\\\\w+)\\\\)\\\\s*$')\n categories = enum + binary\n alias = {}\n gather = False\n current_category = None\n line_re = None\n alias_header_re = re.compile('^#\\\\s+(\\\\w+)\\\\s+Properties\\\\s*$')\n divider_re = re.compile('#\\\\s*=+\\\\s*$')\n posix_props = 'alnum', 'blank', 'graph', 'print', 'xdigit'\n toplevel = 'catalog', 'enumerated', 'numeric', 'miscellaneous'\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'PropertyAliases.txt'), 'r', 'utf-8') as uf:\n div = False\n capture = False\n name = None\n for line in uf:\n if div:\n m = alias_header_re.match(line)\n if m:\n name = format_name(m.group(1))\n if name in toplevel:\n capture = True\n name = '_'\n elif name in ('binary',):\n capture = True\n else:\n capture = False\n continue\n div = False\n elif divider_re.match(line):\n div = True\n continue\n elif line.startswith('#') or not line.strip():\n continue\n if capture:\n should_add = False\n data = [format_name(x) for x in line.split('#')[0].split(';')]\n index = 0\n for d in data:\n if d in categories:\n should_add = True\n break\n index += 1\n if should_add:\n data[0], data[index] = data[index], data[0]\n if name not in alias:\n alias[name] = {}\n for d in data[1:]:\n alias[name][d] = data[0]\n with codecs.open(os.path.join(HOME, 'unicodedata', UNIVERSION,\n 'PropertyValueAliases.txt'), 'r', 'utf-8') as uf:\n for line in uf:\n m = alias_re.match(line)\n if m:\n original_name = format_name(m.group(1))\n gather = original_name in categories\n current_category = format_name(m.group(2))\n line_re = re.compile('%s\\\\s*;' % m.group(2), re.I)\n if gather and line_re.match(line):\n data = [format_name(x) for x in line.split('#')[0].split(';')]\n if current_category in ('sc', 'blk', 'dt', 'jg', 'sb', 'wb',\n 'lb', 'gcb', 'nt', 'inpc', 'inmc', 'insc'):\n data[1], data[2] = data[2], data[1]\n elif current_category == 'age' and UNIVERSION_INFO < (6, 1, 0):\n if data[2] == 'unassigned':\n data[1] = 'na'\n else:\n data[1], data[2] = data[2], 'V' + data[2].replace('.',\n '_')\n if len(data) == 5 and data[2] in ('yes', 'no') and data[1] in (\n 'n', 'y'):\n data = ['binary', original_name, data[0]]\n else:\n data[0] = alias['_'].get(data[0], data[0])\n if data[0] not in alias:\n alias[data[0]] = {}\n for a in data[2:]:\n if a == 'n/a':\n continue\n if a not in alias[data[0]] and a != data[1]:\n alias[data[0]][a] = data[1]\n for x in enum:\n if x not in alias:\n alias[x] = {}\n for prop in posix_props:\n alias['binary'][prop] = 'posix' + prop\n with codecs.open(output, 'a' if append else 'w', 'utf-8') as f:\n if not append:\n f.write(HEADER)\n f.write('%s_alias = {\\n' % prefix)\n count = len(alias) - 1\n i = 0\n for k1, v1 in sorted(alias.items()):\n f.write(' \"%s\": {\\n' % k1)\n count2 = len(v1) - 1\n j = 0\n for k2, v2 in sorted(v1.items()):\n f.write(' \"%s\": \"%s\"' % (k2, v2))\n if j == count2:\n f.write('\\n }')\n else:\n f.write(',\\n')\n j += 1\n if count2 < 0:\n f.write(' }')\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n cat = set(enum)\n for k in alias['_'].keys():\n cat.add(k)\n f.write('enum_names = {\\n')\n count = len(cat) - 1\n i = 0\n for name in sorted(cat):\n f.write(' \"%s\"' % name)\n if i == count:\n f.write('\\n}\\n')\n else:\n f.write(',\\n')\n i += 1\n",
"role": "user"
},
{
"content": "gen_alias",
"role": "assistant"
}
] |
def x(output):
if not os.path.exists(output):
os.mkdir(output)
gen_properties(output)
|
build_unicode_property_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output):\n if not os.path.exists(output):\n os.mkdir(output)\n gen_properties(output)\n",
"role": "user"
},
{
"content": "build_unicode_property_table",
"role": "assistant"
}
] |
def x(output):
if not os.path.exists(output):
os.mkdir(output)
gen_properties(output, ascii_props=True, append=True)
|
build_ascii_property_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output):\n if not os.path.exists(output):\n os.mkdir(output)\n gen_properties(output, ascii_props=True, append=True)\n",
"role": "user"
},
{
"content": "build_ascii_property_table",
"role": "assistant"
}
] |
def x(version):
global UNIVERSION
global UNIVERSION_INFO
if version is None:
version = unicodedata.unidata_version
UNIVERSION = version
UNIVERSION_INFO = tuple([int(x) for x in UNIVERSION.split('.')])
|
set_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version):\n global UNIVERSION\n global UNIVERSION_INFO\n if version is None:\n version = unicodedata.unidata_version\n UNIVERSION = version\n UNIVERSION_INFO = tuple([int(x) for x in UNIVERSION.split('.')])\n",
"role": "user"
},
{
"content": "set_version",
"role": "assistant"
}
] |
def x(value, mode=POSIX):
if mode == POSIX_BYTES:
return unidata.ascii_posix_properties[value]
elif mode == POSIX_UNICODE:
return unidata.unicode_binary['^posix' + value[1:] if value.
startswith('^') else 'posix' + value]
else:
return unidata.unicode_posix_properties[value]
|
get_posix_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, mode=POSIX):\n if mode == POSIX_BYTES:\n return unidata.ascii_posix_properties[value]\n elif mode == POSIX_UNICODE:\n return unidata.unicode_binary['^posix' + value[1:] if value.\n startswith('^') else 'posix' + value]\n else:\n return unidata.unicode_posix_properties[value]\n",
"role": "user"
},
{
"content": "get_posix_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_properties if is_bytes else unidata.unicode_properties
if value.startswith('^'):
negate = True
value = value[1:]
else:
negate = False
value = unidata.unicode_alias['generalcategory'].get(value, value)
assert 1 <= len(value) <= 2, 'Invalid property!'
if not negate:
p1, p2 = (value[0], value[1]) if len(value) > 1 else (value[0], None)
value = ''.join([v for k, v in obj.get(p1, {}).items() if not k.
startswith('^')]) if p2 is None else obj.get(p1, {}).get(p2, '')
else:
p1, p2 = (value[0], value[1]) if len(value) > 1 else (value[0], '')
value = obj.get(p1, {}).get('^' + p2, '')
assert value, 'Invalid property!'
return value
|
get_gc_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_properties if is_bytes else unidata.unicode_properties\n if value.startswith('^'):\n negate = True\n value = value[1:]\n else:\n negate = False\n value = unidata.unicode_alias['generalcategory'].get(value, value)\n assert 1 <= len(value) <= 2, 'Invalid property!'\n if not negate:\n p1, p2 = (value[0], value[1]) if len(value) > 1 else (value[0], None)\n value = ''.join([v for k, v in obj.get(p1, {}).items() if not k.\n startswith('^')]) if p2 is None else obj.get(p1, {}).get(p2, '')\n else:\n p1, p2 = (value[0], value[1]) if len(value) > 1 else (value[0], '')\n value = obj.get(p1, {}).get('^' + p2, '')\n assert value, 'Invalid property!'\n return value\n",
"role": "user"
},
{
"content": "get_gc_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_binary if is_bytes else unidata.unicode_binary
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['binary'].get(negated, negated)
else:
value = unidata.unicode_alias['binary'].get(value, value)
return obj[value]
|
get_binary_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_binary if is_bytes else unidata.unicode_binary\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['binary'].get(negated, negated)\n else:\n value = unidata.unicode_alias['binary'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_binary_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_canonical_combining_class if is_bytes else unidata
.unicode_canonical_combining_class)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['canonicalcombiningclass'].get(
negated, negated)
else:
value = unidata.unicode_alias['canonicalcombiningclass'].get(value,
value)
return obj[value]
|
get_canonical_combining_class_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_canonical_combining_class if is_bytes else unidata\n .unicode_canonical_combining_class)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['canonicalcombiningclass'].get(\n negated, negated)\n else:\n value = unidata.unicode_alias['canonicalcombiningclass'].get(value,\n value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_canonical_combining_class_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_east_asian_width if is_bytes else unidata.
unicode_east_asian_width)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['eastasianwidth'].get(negated,
negated)
else:
value = unidata.unicode_alias['eastasianwidth'].get(value, value)
return obj[value]
|
get_east_asian_width_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_east_asian_width if is_bytes else unidata.\n unicode_east_asian_width)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['eastasianwidth'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['eastasianwidth'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_east_asian_width_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_grapheme_cluster_break if is_bytes else unidata.
unicode_grapheme_cluster_break)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['graphemeclusterbreak'].get(negated
, negated)
else:
value = unidata.unicode_alias['graphemeclusterbreak'].get(value, value)
return obj[value]
|
get_grapheme_cluster_break_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_grapheme_cluster_break if is_bytes else unidata.\n unicode_grapheme_cluster_break)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['graphemeclusterbreak'].get(negated\n , negated)\n else:\n value = unidata.unicode_alias['graphemeclusterbreak'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_grapheme_cluster_break_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_line_break if is_bytes else unidata.unicode_line_break
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['linebreak'].get(negated, negated)
else:
value = unidata.unicode_alias['linebreak'].get(value, value)
return obj[value]
|
get_line_break_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_line_break if is_bytes else unidata.unicode_line_break\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['linebreak'].get(negated, negated)\n else:\n value = unidata.unicode_alias['linebreak'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_line_break_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_sentence_break if is_bytes else unidata.
unicode_sentence_break)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['sentencebreak'].get(negated,
negated)
else:
value = unidata.unicode_alias['sentencebreak'].get(value, value)
return obj[value]
|
get_sentence_break_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_sentence_break if is_bytes else unidata.\n unicode_sentence_break)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['sentencebreak'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['sentencebreak'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_sentence_break_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_word_break if is_bytes else unidata.unicode_word_break
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['wordbreak'].get(negated, negated)
else:
value = unidata.unicode_alias['wordbreak'].get(value, value)
return obj[value]
|
get_word_break_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_word_break if is_bytes else unidata.unicode_word_break\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['wordbreak'].get(negated, negated)\n else:\n value = unidata.unicode_alias['wordbreak'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_word_break_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_hangul_syllable_type if is_bytes else unidata.
unicode_hangul_syllable_type)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['hangulsyllabletype'].get(negated,
negated)
else:
value = unidata.unicode_alias['hangulsyllabletype'].get(value, value)
return obj[value]
|
get_hangul_syllable_type_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_hangul_syllable_type if is_bytes else unidata.\n unicode_hangul_syllable_type)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['hangulsyllabletype'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['hangulsyllabletype'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_hangul_syllable_type_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
if PY35:
obj = (unidata.ascii_indic_positional_category if is_bytes else
unidata.unicode_indic_positional_category)
alias_key = 'indicpositionalcategory'
else:
obj = (unidata.ascii_indic_matra_category if is_bytes else unidata.
unicode_indic_matra_category)
alias_key = 'indicmatracategory'
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias[alias_key].get(negated, negated)
else:
value = unidata.unicode_alias[alias_key].get(value, value)
return obj[value]
|
get_indic_positional_category_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n if PY35:\n obj = (unidata.ascii_indic_positional_category if is_bytes else\n unidata.unicode_indic_positional_category)\n alias_key = 'indicpositionalcategory'\n else:\n obj = (unidata.ascii_indic_matra_category if is_bytes else unidata.\n unicode_indic_matra_category)\n alias_key = 'indicmatracategory'\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias[alias_key].get(negated, negated)\n else:\n value = unidata.unicode_alias[alias_key].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_indic_positional_category_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_indic_syllabic_category if is_bytes else unidata.
unicode_indic_syllabic_category)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['indicsyllabiccategory'].get(
negated, negated)
else:
value = unidata.unicode_alias['indicsyllabiccategory'].get(value, value
)
return obj[value]
|
get_indic_syllabic_category_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_indic_syllabic_category if is_bytes else unidata.\n unicode_indic_syllabic_category)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['indicsyllabiccategory'].get(\n negated, negated)\n else:\n value = unidata.unicode_alias['indicsyllabiccategory'].get(value, value\n )\n return obj[value]\n",
"role": "user"
},
{
"content": "get_indic_syllabic_category_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_decomposition_type if is_bytes else unidata.
unicode_decomposition_type)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['decompositiontype'].get(negated,
negated)
else:
value = unidata.unicode_alias['decompositiontype'].get(value, value)
return obj[value]
|
get_decomposition_type_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_decomposition_type if is_bytes else unidata.\n unicode_decomposition_type)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['decompositiontype'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['decompositiontype'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_decomposition_type_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_nfc_quick_check if is_bytes else unidata.
unicode_nfc_quick_check)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['nfcquickcheck'].get(negated,
negated)
else:
value = unidata.unicode_alias['nfcquickcheck'].get(value, value)
return obj[value]
|
get_nfc_quick_check_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_nfc_quick_check if is_bytes else unidata.\n unicode_nfc_quick_check)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['nfcquickcheck'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['nfcquickcheck'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_nfc_quick_check_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_nfd_quick_check if is_bytes else unidata.
unicode_nfd_quick_check)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['nfdquickcheck'].get(negated,
negated)
else:
value = unidata.unicode_alias['nfdquickcheck'].get(value, value)
return obj[value]
|
get_nfd_quick_check_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_nfd_quick_check if is_bytes else unidata.\n unicode_nfd_quick_check)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['nfdquickcheck'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['nfdquickcheck'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_nfd_quick_check_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_nfkc_quick_check if is_bytes else unidata.
unicode_nfkc_quick_check)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['nfkcquickcheck'].get(negated,
negated)
else:
value = unidata.unicode_alias['nfkcquickcheck'].get(value, value)
return obj[value]
|
get_nfkc_quick_check_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_nfkc_quick_check if is_bytes else unidata.\n unicode_nfkc_quick_check)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['nfkcquickcheck'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['nfkcquickcheck'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_nfkc_quick_check_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_nfkd_quick_check if is_bytes else unidata.
unicode_nfkd_quick_check)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['nfkdquickcheck'].get(negated,
negated)
else:
value = unidata.unicode_alias['nfkdquickcheck'].get(value, value)
return obj[value]
|
get_nfkd_quick_check_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_nfkd_quick_check if is_bytes else unidata.\n unicode_nfkd_quick_check)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['nfkdquickcheck'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['nfkdquickcheck'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_nfkd_quick_check_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_numeric_type if is_bytes else unidata.
unicode_numeric_type)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['numerictype'].get(negated, negated
)
else:
value = unidata.unicode_alias['numerictype'].get(value, value)
return obj[value]
|
get_numeric_type_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_numeric_type if is_bytes else unidata.\n unicode_numeric_type)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['numerictype'].get(negated, negated\n )\n else:\n value = unidata.unicode_alias['numerictype'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_numeric_type_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_numeric_values if is_bytes else unidata.
unicode_numeric_values)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['numericvalue'].get(negated,
negated)
else:
value = unidata.unicode_alias['numericvalue'].get(value, value)
return obj[value]
|
get_numeric_value_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_numeric_values if is_bytes else unidata.\n unicode_numeric_values)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['numericvalue'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['numericvalue'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_numeric_value_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_age if is_bytes else unidata.unicode_age
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['age'].get(negated, negated)
else:
value = unidata.unicode_alias['age'].get(value, value)
return obj[value]
|
get_age_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_age if is_bytes else unidata.unicode_age\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['age'].get(negated, negated)\n else:\n value = unidata.unicode_alias['age'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_age_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_joining_type if is_bytes else unidata.
unicode_joining_type)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['joiningtype'].get(negated, negated
)
else:
value = unidata.unicode_alias['joiningtype'].get(value, value)
return obj[value]
|
get_joining_type_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_joining_type if is_bytes else unidata.\n unicode_joining_type)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['joiningtype'].get(negated, negated\n )\n else:\n value = unidata.unicode_alias['joiningtype'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_joining_type_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_joining_group if is_bytes else unidata.
unicode_joining_group)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['joininggroup'].get(negated,
negated)
else:
value = unidata.unicode_alias['joininggroup'].get(value, value)
return obj[value]
|
get_joining_group_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_joining_group if is_bytes else unidata.\n unicode_joining_group)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['joininggroup'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['joininggroup'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_joining_group_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_scripts if is_bytes else unidata.unicode_scripts
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['script'].get(negated, negated)
else:
value = unidata.unicode_alias['script'].get(value, value)
return obj[value]
|
get_script_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_scripts if is_bytes else unidata.unicode_scripts\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['script'].get(negated, negated)\n else:\n value = unidata.unicode_alias['script'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_script_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_script_extensions if is_bytes else unidata.
unicode_script_extensions)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['script'].get(negated, negated)
else:
value = unidata.unicode_alias['script'].get(value, value)
return obj[value]
|
get_script_extension_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_script_extensions if is_bytes else unidata.\n unicode_script_extensions)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['script'].get(negated, negated)\n else:\n value = unidata.unicode_alias['script'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_script_extension_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = unidata.ascii_blocks if is_bytes else unidata.unicode_blocks
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['block'].get(negated, negated)
else:
value = unidata.unicode_alias['block'].get(value, value)
return obj[value]
|
get_block_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = unidata.ascii_blocks if is_bytes else unidata.unicode_blocks\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['block'].get(negated, negated)\n else:\n value = unidata.unicode_alias['block'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_block_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_bidi_classes if is_bytes else unidata.
unicode_bidi_classes)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['bidiclass'].get(negated, negated)
else:
value = unidata.unicode_alias['bidiclass'].get(value, value)
return obj[value]
|
get_bidi_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_bidi_classes if is_bytes else unidata.\n unicode_bidi_classes)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['bidiclass'].get(negated, negated)\n else:\n value = unidata.unicode_alias['bidiclass'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_bidi_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_bidi_paired_bracket_type if is_bytes else unidata.
unicode_bidi_paired_bracket_type)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['bidipairedbrackettype'].get(
negated, negated)
else:
value = unidata.unicode_alias['bidipairedbrackettype'].get(value, value
)
return obj[value]
|
get_bidi_paired_bracket_type_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_bidi_paired_bracket_type if is_bytes else unidata.\n unicode_bidi_paired_bracket_type)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['bidipairedbrackettype'].get(\n negated, negated)\n else:\n value = unidata.unicode_alias['bidipairedbrackettype'].get(value, value\n )\n return obj[value]\n",
"role": "user"
},
{
"content": "get_bidi_paired_bracket_type_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
obj = (unidata.ascii_vertical_orientation if is_bytes else unidata.
unicode_vertical_orientation)
if value.startswith('^'):
negated = value[1:]
value = '^' + unidata.unicode_alias['verticalorientation'].get(negated,
negated)
else:
value = unidata.unicode_alias['verticalorientation'].get(value, value)
return obj[value]
|
get_vertical_orientation_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n obj = (unidata.ascii_vertical_orientation if is_bytes else unidata.\n unicode_vertical_orientation)\n if value.startswith('^'):\n negated = value[1:]\n value = '^' + unidata.unicode_alias['verticalorientation'].get(negated,\n negated)\n else:\n value = unidata.unicode_alias['verticalorientation'].get(value, value)\n return obj[value]\n",
"role": "user"
},
{
"content": "get_vertical_orientation_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
if value.startswith('^'):
prefix = value[1:3]
temp = value[3:]
negate = '^'
else:
prefix = value[:2]
temp = value[2:]
negate = ''
if prefix != 'is':
raise ValueError("Does not start with 'is'!")
script_obj = (unidata.ascii_script_extensions if is_bytes else unidata.
unicode_script_extensions)
bin_obj = unidata.ascii_binary if is_bytes else unidata.unicode_binary
value = negate + unidata.unicode_alias['script'].get(temp, temp)
if value not in script_obj:
value = negate + unidata.unicode_alias['binary'].get(temp, temp)
obj = bin_obj
else:
obj = script_obj
return obj[value]
|
get_is_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n if value.startswith('^'):\n prefix = value[1:3]\n temp = value[3:]\n negate = '^'\n else:\n prefix = value[:2]\n temp = value[2:]\n negate = ''\n if prefix != 'is':\n raise ValueError(\"Does not start with 'is'!\")\n script_obj = (unidata.ascii_script_extensions if is_bytes else unidata.\n unicode_script_extensions)\n bin_obj = unidata.ascii_binary if is_bytes else unidata.unicode_binary\n value = negate + unidata.unicode_alias['script'].get(temp, temp)\n if value not in script_obj:\n value = negate + unidata.unicode_alias['binary'].get(temp, temp)\n obj = bin_obj\n else:\n obj = script_obj\n return obj[value]\n",
"role": "user"
},
{
"content": "get_is_property",
"role": "assistant"
}
] |
def x(value, is_bytes=False):
if value.startswith('^'):
prefix = value[1:3]
temp = value[3:]
negate = '^'
else:
prefix = value[:2]
temp = value[2:]
negate = ''
if prefix != 'in':
raise ValueError("Does not start with 'in'!")
value = negate + unidata.unicode_alias['block'].get(temp, temp)
obj = unidata.ascii_blocks if is_bytes else unidata.unicode_blocks
return obj[value]
|
get_in_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, is_bytes=False):\n if value.startswith('^'):\n prefix = value[1:3]\n temp = value[3:]\n negate = '^'\n else:\n prefix = value[:2]\n temp = value[2:]\n negate = ''\n if prefix != 'in':\n raise ValueError(\"Does not start with 'in'!\")\n value = negate + unidata.unicode_alias['block'].get(temp, temp)\n obj = unidata.ascii_blocks if is_bytes else unidata.unicode_blocks\n return obj[value]\n",
"role": "user"
},
{
"content": "get_in_property",
"role": "assistant"
}
] |
def x(value, prop=None, is_bytes=False):
if prop is not None:
prop = unidata.unicode_alias['_'].get(prop, prop)
try:
if prop == 'generalcategory':
return get_gc_property(value, is_bytes)
elif prop == 'script':
return get_script_property(value, is_bytes)
elif prop == 'scriptextensions':
return get_script_extension_property(value, is_bytes)
elif prop == 'block':
return get_block_property(value, is_bytes)
elif prop == 'binary':
return get_binary_property(value, is_bytes)
elif prop == 'bidiclass':
return get_bidi_property(value, is_bytes)
elif prop == 'bidipairedbrackettype':
return get_bidi_paired_bracket_type_property(value, is_bytes)
elif prop == 'age':
return get_age_property(value, is_bytes)
elif prop == 'eastasianwidth':
return get_east_asian_width_property(value, is_bytes)
elif PY35 and prop == 'indicpositionalcategory':
return get_indic_positional_category_property(value, is_bytes)
elif not PY35 and prop == 'indicmatracategory':
return get_indic_positional_category_property(value, is_bytes)
elif prop == 'indicsyllabiccategory':
return get_indic_syllabic_category_property(value, is_bytes)
elif prop == 'hangulsyllabletype':
return get_hangul_syllable_type_property(value, is_bytes)
elif prop == 'decompositiontype':
return get_decomposition_type_property(value, is_bytes)
elif prop == 'canonicalcombiningclass':
return get_canonical_combining_class_property(value, is_bytes)
elif prop == 'numerictype':
return get_numeric_type_property(value, is_bytes)
elif prop == 'numericvalue':
return get_numeric_value_property(value, is_bytes)
elif prop == 'joiningtype':
return get_joining_type_property(value, is_bytes)
elif prop == 'joininggroup':
return get_joining_group_property(value, is_bytes)
elif prop == 'graphemeclusterbreak':
return get_grapheme_cluster_break_property(value, is_bytes)
elif prop == 'linebreak':
return get_line_break_property(value, is_bytes)
elif prop == 'sentencebreak':
return get_sentence_break_property(value, is_bytes)
elif prop == 'wordbreak':
return get_word_break_property(value, is_bytes)
elif prop == 'nfcquickcheck':
return get_nfc_quick_check_property(value, is_bytes)
elif prop == 'nfdquickcheck':
return get_nfd_quick_check_property(value, is_bytes)
elif prop == 'nfkcquickcheck':
return get_nfkc_quick_check_property(value, is_bytes)
elif prop == 'nfkdquickcheck':
return get_nfkd_quick_check_property(value, is_bytes)
elif PY37 and prop == 'verticalorientation':
return get_vertical_orientation_property(value, is_bytes)
else:
raise ValueError('Invalid Unicode property!')
except Exception:
raise ValueError('Invalid Unicode property!')
try:
return get_gc_property(value, is_bytes)
except Exception:
pass
try:
return get_script_extension_property(value, is_bytes)
except Exception:
pass
try:
return get_block_property(value, is_bytes)
except Exception:
pass
try:
return get_binary_property(value, is_bytes)
except Exception:
pass
try:
return get_is_property(value, is_bytes)
except Exception:
pass
try:
return get_in_property(value, is_bytes)
except Exception:
pass
raise ValueError('Invalid Unicode property!')
|
get_unicode_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, prop=None, is_bytes=False):\n if prop is not None:\n prop = unidata.unicode_alias['_'].get(prop, prop)\n try:\n if prop == 'generalcategory':\n return get_gc_property(value, is_bytes)\n elif prop == 'script':\n return get_script_property(value, is_bytes)\n elif prop == 'scriptextensions':\n return get_script_extension_property(value, is_bytes)\n elif prop == 'block':\n return get_block_property(value, is_bytes)\n elif prop == 'binary':\n return get_binary_property(value, is_bytes)\n elif prop == 'bidiclass':\n return get_bidi_property(value, is_bytes)\n elif prop == 'bidipairedbrackettype':\n return get_bidi_paired_bracket_type_property(value, is_bytes)\n elif prop == 'age':\n return get_age_property(value, is_bytes)\n elif prop == 'eastasianwidth':\n return get_east_asian_width_property(value, is_bytes)\n elif PY35 and prop == 'indicpositionalcategory':\n return get_indic_positional_category_property(value, is_bytes)\n elif not PY35 and prop == 'indicmatracategory':\n return get_indic_positional_category_property(value, is_bytes)\n elif prop == 'indicsyllabiccategory':\n return get_indic_syllabic_category_property(value, is_bytes)\n elif prop == 'hangulsyllabletype':\n return get_hangul_syllable_type_property(value, is_bytes)\n elif prop == 'decompositiontype':\n return get_decomposition_type_property(value, is_bytes)\n elif prop == 'canonicalcombiningclass':\n return get_canonical_combining_class_property(value, is_bytes)\n elif prop == 'numerictype':\n return get_numeric_type_property(value, is_bytes)\n elif prop == 'numericvalue':\n return get_numeric_value_property(value, is_bytes)\n elif prop == 'joiningtype':\n return get_joining_type_property(value, is_bytes)\n elif prop == 'joininggroup':\n return get_joining_group_property(value, is_bytes)\n elif prop == 'graphemeclusterbreak':\n return get_grapheme_cluster_break_property(value, is_bytes)\n elif prop == 'linebreak':\n return get_line_break_property(value, is_bytes)\n elif prop == 'sentencebreak':\n return get_sentence_break_property(value, is_bytes)\n elif prop == 'wordbreak':\n return get_word_break_property(value, is_bytes)\n elif prop == 'nfcquickcheck':\n return get_nfc_quick_check_property(value, is_bytes)\n elif prop == 'nfdquickcheck':\n return get_nfd_quick_check_property(value, is_bytes)\n elif prop == 'nfkcquickcheck':\n return get_nfkc_quick_check_property(value, is_bytes)\n elif prop == 'nfkdquickcheck':\n return get_nfkd_quick_check_property(value, is_bytes)\n elif PY37 and prop == 'verticalorientation':\n return get_vertical_orientation_property(value, is_bytes)\n else:\n raise ValueError('Invalid Unicode property!')\n except Exception:\n raise ValueError('Invalid Unicode property!')\n try:\n return get_gc_property(value, is_bytes)\n except Exception:\n pass\n try:\n return get_script_extension_property(value, is_bytes)\n except Exception:\n pass\n try:\n return get_block_property(value, is_bytes)\n except Exception:\n pass\n try:\n return get_binary_property(value, is_bytes)\n except Exception:\n pass\n try:\n return get_is_property(value, is_bytes)\n except Exception:\n pass\n try:\n return get_in_property(value, is_bytes)\n except Exception:\n pass\n raise ValueError('Invalid Unicode property!')\n",
"role": "user"
},
{
"content": "get_unicode_property",
"role": "assistant"
}
] |
def x(pattern, re_verbose, re_version, pattern_type):
return _bre_parse._SearchParser(pattern, re_verbose, re_version).parse()
|
cached_search_compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, re_verbose, re_version, pattern_type):\n return _bre_parse._SearchParser(pattern, re_verbose, re_version).parse()\n",
"role": "user"
},
{
"content": "cached_search_compile",
"role": "assistant"
}
] |
def x(pattern, flags=0):
if isinstance(pattern, (str, bytes)):
re_verbose = bool(VERBOSE & flags)
re_unicode = None
if bool((ASCII | LOCALE) & flags):
re_unicode = False
elif bool(UNICODE & flags):
re_unicode = True
if not flags & DEBUG:
pattern = _cached_search_compile(pattern, re_verbose,
re_unicode, type(pattern))
else:
pattern = _bre_parse._SearchParser(pattern, re_verbose, re_unicode
).parse()
elif isinstance(pattern, Bre):
if flags:
raise ValueError(
'Cannot process flags argument with a compiled pattern')
pattern = pattern._pattern
elif isinstance(pattern, (_RE_TYPE, Bre)):
if flags:
raise ValueError(
'Cannot process flags argument with a compiled pattern!')
else:
raise TypeError('Not a string or compiled pattern!')
return pattern
|
apply_search_backrefs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, flags=0):\n if isinstance(pattern, (str, bytes)):\n re_verbose = bool(VERBOSE & flags)\n re_unicode = None\n if bool((ASCII | LOCALE) & flags):\n re_unicode = False\n elif bool(UNICODE & flags):\n re_unicode = True\n if not flags & DEBUG:\n pattern = _cached_search_compile(pattern, re_verbose,\n re_unicode, type(pattern))\n else:\n pattern = _bre_parse._SearchParser(pattern, re_verbose, re_unicode\n ).parse()\n elif isinstance(pattern, Bre):\n if flags:\n raise ValueError(\n 'Cannot process flags argument with a compiled pattern')\n pattern = pattern._pattern\n elif isinstance(pattern, (_RE_TYPE, Bre)):\n if flags:\n raise ValueError(\n 'Cannot process flags argument with a compiled pattern!')\n else:\n raise TypeError('Not a string or compiled pattern!')\n return pattern\n",
"role": "user"
},
{
"content": "apply_search_backrefs",
"role": "assistant"
}
] |
def x(pattern, flags=0, auto_compile=None):
if isinstance(pattern, Bre):
if auto_compile is not None:
raise ValueError(
'Cannot compile Bre with a different auto_compile!')
elif flags != 0:
raise ValueError(
'Cannot process flags argument with a compiled pattern')
return pattern
else:
if auto_compile is None:
auto_compile = True
return Bre(compile_search(pattern, flags), auto_compile)
|
compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, flags=0, auto_compile=None):\n if isinstance(pattern, Bre):\n if auto_compile is not None:\n raise ValueError(\n 'Cannot compile Bre with a different auto_compile!')\n elif flags != 0:\n raise ValueError(\n 'Cannot process flags argument with a compiled pattern')\n return pattern\n else:\n if auto_compile is None:\n auto_compile = True\n return Bre(compile_search(pattern, flags), auto_compile)\n",
"role": "user"
},
{
"content": "compile",
"role": "assistant"
}
] |
def x(pattern, repl, flags=0):
call = None
if pattern is not None and isinstance(pattern, _RE_TYPE):
if isinstance(repl, (str, bytes)):
if not pattern.flags & DEBUG:
call = _cached_replace_compile(pattern, repl, flags, type(repl)
)
else:
call = _bre_parse._ReplaceParser().parse(pattern, repl,
bool(flags & FORMAT))
elif isinstance(repl, ReplaceTemplate):
if flags:
raise ValueError(
'Cannot process flags argument with a ReplaceTemplate!')
if repl.pattern_hash != hash(pattern):
raise ValueError(
"Pattern hash doesn't match hash in compiled replace!")
call = repl
else:
raise TypeError('Not a valid type!')
else:
raise TypeError('Pattern must be a compiled regular expression!')
return call
|
compile_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, repl, flags=0):\n call = None\n if pattern is not None and isinstance(pattern, _RE_TYPE):\n if isinstance(repl, (str, bytes)):\n if not pattern.flags & DEBUG:\n call = _cached_replace_compile(pattern, repl, flags, type(repl)\n )\n else:\n call = _bre_parse._ReplaceParser().parse(pattern, repl,\n bool(flags & FORMAT))\n elif isinstance(repl, ReplaceTemplate):\n if flags:\n raise ValueError(\n 'Cannot process flags argument with a ReplaceTemplate!')\n if repl.pattern_hash != hash(pattern):\n raise ValueError(\n \"Pattern hash doesn't match hash in compiled replace!\")\n call = repl\n else:\n raise TypeError('Not a valid type!')\n else:\n raise TypeError('Pattern must be a compiled regular expression!')\n return call\n",
"role": "user"
},
{
"content": "compile_replace",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.