source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, word, **kwargs):
if isstring(word):
word = self.doc[u(word)]
return self.correctwords([word], [], **kwargs)
| deleteword | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, word, **kwargs):\n if isstring(word):\n word = self.doc[u(word)]\n return self.correctwords([word], [], **kwargs)\n",
"role": "user"
},
{
"content": "deleteword",
"role": "assistant"
}
] |
def x(self, newword, nextword, **kwargs):
if nextword:
if isstring(nextword):
nextword = self.doc[u(nextword)]
if not nextword in self or not isinstance(nextword, Word):
raise Exception('Next word not found or not instance of Word!')
if isinstance(newword, list) or isinstance(newword, tuple):
if not all([isinstance(x, Word) for x in newword]):
raise Exception(
'New word (iterable) constains non-Word instances!')
elif not isinstance(newword, Word):
raise Exception('New word no instance of Word!')
kwargs['insertindex'] = self.getindex(nextword)
else:
kwargs['insertindex'] = 0
kwargs['nooriginal'] = True
if isinstance(newword, list) or isinstance(newword, tuple):
return self.correctwords([], newword, **kwargs)
else:
return self.correctwords([], [newword], **kwargs)
| insertwordleft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newword, nextword, **kwargs):\n if nextword:\n if isstring(nextword):\n nextword = self.doc[u(nextword)]\n if not nextword in self or not isinstance(nextword, Word):\n raise Exception('Next word not found or not instance of Word!')\n if isinstance(newword, list) or isinstance(newword, tuple):\n if not all([isinstance(x, Word) for x in newword]):\n raise Exception(\n 'New word (iterable) constains non-Word instances!')\n elif not isinstance(newword, Word):\n raise Exception('New word no instance of Word!')\n kwargs['insertindex'] = self.getindex(nextword)\n else:\n kwargs['insertindex'] = 0\n kwargs['nooriginal'] = True\n if isinstance(newword, list) or isinstance(newword, tuple):\n return self.correctwords([], newword, **kwargs)\n else:\n return self.correctwords([], [newword], **kwargs)\n",
"role": "user"
},
{
"content": "insertwordleft",
"role": "assistant"
}
] |
def x(self, size, distribution):
if not self.variablesize():
raise Exception('Can only resize patterns with * wildcards')
nrofwildcards = 0
for x in self.sequence:
if x == '*':
nrofwildcards += 1
assert len(distribution) == nrofwildcards
wildcardnr = 0
newsequence = []
for x in self.sequence:
if x == '*':
newsequence += [True] * distribution[wildcardnr]
wildcardnr += 1
else:
newsequence.append(x)
d = {'matchannotation': self.matchannotation, 'matchannotationset':
self.matchannotationset, 'casesensitive': self.casesensitive}
yield Pattern(*newsequence, **d)
| resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, distribution):\n if not self.variablesize():\n raise Exception('Can only resize patterns with * wildcards')\n nrofwildcards = 0\n for x in self.sequence:\n if x == '*':\n nrofwildcards += 1\n assert len(distribution) == nrofwildcards\n wildcardnr = 0\n newsequence = []\n for x in self.sequence:\n if x == '*':\n newsequence += [True] * distribution[wildcardnr]\n wildcardnr += 1\n else:\n newsequence.append(x)\n d = {'matchannotation': self.matchannotation, 'matchannotationset':\n self.matchannotationset, 'casesensitive': self.casesensitive}\n yield Pattern(*newsequence, **d)\n",
"role": "user"
},
{
"content": "resolve",
"role": "assistant"
}
] |
def x(self, filename):
self.tree = xmltreefromfile(filename)
self.parsexml(self.tree.getroot())
if self.mode != Mode.XPATH:
self.tree = None
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n self.tree = xmltreefromfile(filename)\n self.parsexml(self.tree.getroot())\n if self.mode != Mode.XPATH:\n self.tree = None\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
l = []
for e in self.data:
l += e.items()
return l
| items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = []\n for e in self.data:\n l += e.items()\n return l\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self, query):
for result in self.tree.xpath(query, namespaces={'f':
'http://ilk.uvt.nl/folia', 'folia': 'http://ilk.uvt.nl/folia'}):
yield self.parsexml(result)
| xpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n for result in self.tree.xpath(query, namespaces={'f':\n 'http://ilk.uvt.nl/folia', 'folia': 'http://ilk.uvt.nl/folia'}):\n yield self.parsexml(result)\n",
"role": "user"
},
{
"content": "xpath",
"role": "assistant"
}
] |
def x(self, annotationtype, set, fallback=False):
if inspect.isclass(annotationtype):
annotationtype = annotationtype.ANNOTATIONTYPE
if annotationtype in self.set_alias and set in self.set_alias[
annotationtype]:
return self.set_alias[annotationtype][set]
elif fallback:
return set
else:
raise KeyError('No alias for set ' + set)
| alias | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype, set, fallback=False):\n if inspect.isclass(annotationtype):\n annotationtype = annotationtype.ANNOTATIONTYPE\n if annotationtype in self.set_alias and set in self.set_alias[\n annotationtype]:\n return self.set_alias[annotationtype][set]\n elif fallback:\n return set\n else:\n raise KeyError('No alias for set ' + set)\n",
"role": "user"
},
{
"content": "alias",
"role": "assistant"
}
] |
def x(self, annotationtype, alias):
if inspect.isclass(annotationtype):
annotationtype = annotationtype.ANNOTATIONTYPE
return self.alias_set[annotationtype][alias]
| unalias | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype, alias):\n if inspect.isclass(annotationtype):\n annotationtype = annotationtype.ANNOTATIONTYPE\n return self.alias_set[annotationtype][alias]\n",
"role": "user"
},
{
"content": "unalias",
"role": "assistant"
}
] |
def x(self, filename=None):
if not filename:
filename = self.filename
if not filename:
raise Exception('No filename specified')
if filename[-4:].lower() == '.bz2':
f = bz2.BZ2File(filename, 'wb')
f.write(self.xmlstring().encode('utf-8'))
f.close()
elif filename[-3:].lower() == '.gz':
f = gzip.GzipFile(filename, 'wb')
f.write(self.xmlstring().encode('utf-8'))
f.close()
else:
f = io.open(filename, 'w', encoding='utf-8')
f.write(self.xmlstring())
f.close()
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None):\n if not filename:\n filename = self.filename\n if not filename:\n raise Exception('No filename specified')\n if filename[-4:].lower() == '.bz2':\n f = bz2.BZ2File(filename, 'wb')\n f.write(self.xmlstring().encode('utf-8'))\n f.close()\n elif filename[-3:].lower() == '.gz':\n f = gzip.GzipFile(filename, 'wb')\n f.write(self.xmlstring().encode('utf-8'))\n f.close()\n else:\n f = io.open(filename, 'w', encoding='utf-8')\n f.write(self.xmlstring())\n f.close()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, text):
if text is Text:
text = Text(self, id=self.id + '.text.' + str(len(self.data) + 1))
elif text is Speech:
text = Speech(self, id=self.id + '.speech.' + str(len(self.data) + 1))
else:
assert isinstance(text, Text) or isinstance(text, Speech)
self.data.append(text)
return text
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if text is Text:\n text = Text(self, id=self.id + '.text.' + str(len(self.data) + 1))\n elif text is Speech:\n text = Speech(self, id=self.id + '.speech.' + str(len(self.data) + 1))\n else:\n assert isinstance(text, Text) or isinstance(text, Speech)\n self.data.append(text)\n return text\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self):
l = []
E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={None:
'http://ilk.uvt.nl/folia', 'xml':
'http://www.w3.org/XML/1998/namespace'})
for annotationtype, set in self.annotations:
label = None
for key, value in vars(AnnotationType).items():
if value == annotationtype:
label = key
break
if (annotationtype == AnnotationType.TEXT or annotationtype ==
AnnotationType.PHON) and set == 'undefined' and len(self.
annotationdefaults[annotationtype][set]) == 0:
continue
attribs = {}
if set and set != 'undefined':
attribs['{' + NSFOLIA + '}set'] = set
for key, value in self.annotationdefaults[annotationtype][set].items():
if key == 'annotatortype':
if value == AnnotatorType.MANUAL:
attribs['{' + NSFOLIA + '}' + key] = 'manual'
elif value == AnnotatorType.AUTO:
attribs['{' + NSFOLIA + '}' + key] = 'auto'
elif key == 'datetime':
attribs['{' + NSFOLIA + '}' + key] = value.strftime(
'%Y-%m-%dT%H:%M:%S')
elif value:
attribs['{' + NSFOLIA + '}' + key] = value
if label:
l.append(makeelement(E, '{' + NSFOLIA + '}' + label.lower() +
'-annotation', **attribs))
else:
raise Exception('Invalid annotation type')
return l
| xmldeclarations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = []\n E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={None:\n 'http://ilk.uvt.nl/folia', 'xml':\n 'http://www.w3.org/XML/1998/namespace'})\n for annotationtype, set in self.annotations:\n label = None\n for key, value in vars(AnnotationType).items():\n if value == annotationtype:\n label = key\n break\n if (annotationtype == AnnotationType.TEXT or annotationtype ==\n AnnotationType.PHON) and set == 'undefined' and len(self.\n annotationdefaults[annotationtype][set]) == 0:\n continue\n attribs = {}\n if set and set != 'undefined':\n attribs['{' + NSFOLIA + '}set'] = set\n for key, value in self.annotationdefaults[annotationtype][set].items():\n if key == 'annotatortype':\n if value == AnnotatorType.MANUAL:\n attribs['{' + NSFOLIA + '}' + key] = 'manual'\n elif value == AnnotatorType.AUTO:\n attribs['{' + NSFOLIA + '}' + key] = 'auto'\n elif key == 'datetime':\n attribs['{' + NSFOLIA + '}' + key] = value.strftime(\n '%Y-%m-%dT%H:%M:%S')\n elif value:\n attribs['{' + NSFOLIA + '}' + key] = value\n if label:\n l.append(makeelement(E, '{' + NSFOLIA + '}' + label.lower() +\n '-annotation', **attribs))\n else:\n raise Exception('Invalid annotation type')\n return l\n",
"role": "user"
},
{
"content": "xmldeclarations",
"role": "assistant"
}
] |
def x(self):
l = []
for annotationtype, set in self.annotations:
label = None
for key, value in vars(AnnotationType).items():
if value == annotationtype:
label = key
break
if (annotationtype == AnnotationType.TEXT or annotationtype ==
AnnotationType.PHON) and set == 'undefined' and len(self.
annotationdefaults[annotationtype][set]) == 0:
continue
jsonnode = {'annotationtype': label.lower()}
if set and set != 'undefined':
jsonnode['set'] = set
for key, value in self.annotationdefaults[annotationtype][set].items():
if key == 'annotatortype':
if value == AnnotatorType.MANUAL:
jsonnode[key] = 'manual'
elif value == AnnotatorType.AUTO:
jsonnode[key] = 'auto'
elif key == 'datetime':
jsonnode[key] = value.strftime('%Y-%m-%dT%H:%M:%S')
elif value:
jsonnode[key] = value
if label:
l.append(jsonnode)
else:
raise Exception('Invalid annotation type')
return l
| jsondeclarations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = []\n for annotationtype, set in self.annotations:\n label = None\n for key, value in vars(AnnotationType).items():\n if value == annotationtype:\n label = key\n break\n if (annotationtype == AnnotationType.TEXT or annotationtype ==\n AnnotationType.PHON) and set == 'undefined' and len(self.\n annotationdefaults[annotationtype][set]) == 0:\n continue\n jsonnode = {'annotationtype': label.lower()}\n if set and set != 'undefined':\n jsonnode['set'] = set\n for key, value in self.annotationdefaults[annotationtype][set].items():\n if key == 'annotatortype':\n if value == AnnotatorType.MANUAL:\n jsonnode[key] = 'manual'\n elif value == AnnotatorType.AUTO:\n jsonnode[key] = 'auto'\n elif key == 'datetime':\n jsonnode[key] = value.strftime('%Y-%m-%dT%H:%M:%S')\n elif value:\n jsonnode[key] = value\n if label:\n l.append(jsonnode)\n else:\n raise Exception('Invalid annotation type')\n return l\n",
"role": "user"
},
{
"content": "jsondeclarations",
"role": "assistant"
}
] |
def x(self):
self.pendingvalidation()
E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={'xml':
'http://www.w3.org/XML/1998/namespace', 'xlink':
'http://www.w3.org/1999/xlink'})
attribs = {}
attribs['{http://www.w3.org/XML/1998/namespace}id'] = self.id
attribs['version'] = FOLIAVERSION
attribs['generator'] = 'pynlpl.formats.folia-v' + LIBVERSION
metadataattribs = {}
metadataattribs['{' + NSFOLIA + '}type'] = self.metadatatype
if isinstance(self.metadata, ExternalMetaData):
metadataattribs['{' + NSFOLIA + '}src'] = self.metadata.url
e = E.FoLiA(E.metadata(E.annotations(*self.xmldeclarations()), *self.
xmlmetadata(), **metadataattribs), **attribs)
for text in self.data:
e.append(text.xml())
return e
| xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.pendingvalidation()\n E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={'xml':\n 'http://www.w3.org/XML/1998/namespace', 'xlink':\n 'http://www.w3.org/1999/xlink'})\n attribs = {}\n attribs['{http://www.w3.org/XML/1998/namespace}id'] = self.id\n attribs['version'] = FOLIAVERSION\n attribs['generator'] = 'pynlpl.formats.folia-v' + LIBVERSION\n metadataattribs = {}\n metadataattribs['{' + NSFOLIA + '}type'] = self.metadatatype\n if isinstance(self.metadata, ExternalMetaData):\n metadataattribs['{' + NSFOLIA + '}src'] = self.metadata.url\n e = E.FoLiA(E.metadata(E.annotations(*self.xmldeclarations()), *self.\n xmlmetadata(), **metadataattribs), **attribs)\n for text in self.data:\n e.append(text.xml())\n return e\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self):
self.pendingvalidation()
jsondoc = {'id': self.id, 'children': [], 'declarations': self.
jsondeclarations()}
if self.version:
jsondoc['version'] = self.version
else:
jsondoc['version'] = FOLIAVERSION
jsondoc['generator'] = 'pynlpl.formats.folia-v' + LIBVERSION
for text in self.data:
jsondoc['children'].append(text.json())
return jsondoc
| json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.pendingvalidation()\n jsondoc = {'id': self.id, 'children': [], 'declarations': self.\n jsondeclarations()}\n if self.version:\n jsondoc['version'] = self.version\n else:\n jsondoc['version'] = FOLIAVERSION\n jsondoc['generator'] = 'pynlpl.formats.folia-v' + LIBVERSION\n for text in self.data:\n jsondoc['children'].append(text.json())\n return jsondoc\n",
"role": "user"
},
{
"content": "json",
"role": "assistant"
}
] |
def x(self):
E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={None:
'http://ilk.uvt.nl/folia', 'xml':
'http://www.w3.org/XML/1998/namespace'})
elements = []
if self.metadatatype == 'native':
if isinstance(self.metadata, NativeMetaData):
for key, value in self.metadata.items():
elements.append(E.meta(value, id=key))
elif isinstance(self.metadata, ForeignData):
m = self.metadata
while m is not None:
elements.append(m.xml())
m = m.next
for metadata_id, submetadata in self.submetadata.items():
subelements = []
attribs = {'{http://www.w3.org/XML/1998/namespace}id': metadata_id,
'type': self.submetadatatype[metadata_id]}
if isinstance(submetadata, NativeMetaData):
for key, value in submetadata.items():
subelements.append(E.meta(value, id=key))
elif isinstance(submetadata, ExternalMetaData):
attribs['src'] = submetadata.url
elif isinstance(submetadata, ForeignData):
m = submetadata
while m is not None:
subelements.append(m.xml())
m = m.next
elements.append(E.submetadata(*subelements, **attribs))
return elements
| xmlmetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={None:\n 'http://ilk.uvt.nl/folia', 'xml':\n 'http://www.w3.org/XML/1998/namespace'})\n elements = []\n if self.metadatatype == 'native':\n if isinstance(self.metadata, NativeMetaData):\n for key, value in self.metadata.items():\n elements.append(E.meta(value, id=key))\n elif isinstance(self.metadata, ForeignData):\n m = self.metadata\n while m is not None:\n elements.append(m.xml())\n m = m.next\n for metadata_id, submetadata in self.submetadata.items():\n subelements = []\n attribs = {'{http://www.w3.org/XML/1998/namespace}id': metadata_id,\n 'type': self.submetadatatype[metadata_id]}\n if isinstance(submetadata, NativeMetaData):\n for key, value in submetadata.items():\n subelements.append(E.meta(value, id=key))\n elif isinstance(submetadata, ExternalMetaData):\n attribs['src'] = submetadata.url\n elif isinstance(submetadata, ForeignData):\n m = submetadata\n while m is not None:\n subelements.append(m.xml())\n m = m.next\n elements.append(E.submetadata(*subelements, **attribs))\n return elements\n",
"role": "user"
},
{
"content": "xmlmetadata",
"role": "assistant"
}
] |
def x(self, node):
if self.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Processing Annotation Declarations',
file=stderr)
self.declareprocessed = True
for subnode in node:
if not isinstance(subnode.tag, str):
continue
if subnode.tag[:25] == '{' + NSFOLIA + '}' and subnode.tag[-11:
] == '-annotation':
prefix = subnode.tag[25:][:-11]
type = None
if prefix.upper() in vars(AnnotationType):
type = vars(AnnotationType)[prefix.upper()]
else:
raise Exception('Unknown declaration: ' + subnode.tag)
if 'set' in subnode.attrib and subnode.attrib['set']:
set = subnode.attrib['set']
else:
set = 'undefined'
if (type, set) in self.annotations:
if type == AnnotationType.TEXT:
a = []
for t, s in self.annotations:
if not (t == AnnotationType.TEXT and s == 'undefined'):
a.append((t, s))
self.annotations = a
else:
self.annotations.append((type, set))
if (set and self.loadsetdefinitions and set not in self.
setdefinitions):
if set[:7] == 'http://' or set[:8] == 'https://' or set[:6
] == 'ftp://':
try:
self.setdefinitions[set] = SetDefinition(set,
verbose=self.verbose)
except DeepValidationError:
print('WARNING: Set ' + set +
' could not be downloaded, ignoring!', file=sys
.stderr)
if (type in self.annotationdefaults and set in self.
annotationdefaults[type]):
if 'annotator' in subnode.attrib:
if not 'annotator' in self.annotationdefaults[type][set]:
self.annotationdefaults[type][set]['annotator'
] = subnode.attrib['annotator']
elif self.annotationdefaults[type][set]['annotator'
] != subnode.attrib['annotator']:
del self.annotationdefaults[type][set]['annotator']
if 'annotatortype' in subnode.attrib:
if not 'annotatortype' in self.annotationdefaults[type][set
]:
self.annotationdefaults[type][set]['annotatortype'
] = subnode.attrib['annotatortype']
elif self.annotationdefaults[type][set]['annotatortype'
] != subnode.attrib['annotatortype']:
del self.annotationdefaults[type][set]['annotatortype']
else:
defaults = {}
if 'annotator' in subnode.attrib:
defaults['annotator'] = subnode.attrib['annotator']
if 'annotatortype' in subnode.attrib:
if subnode.attrib['annotatortype'] == 'auto':
defaults['annotatortype'] = AnnotatorType.AUTO
else:
defaults['annotatortype'] = AnnotatorType.MANUAL
if 'datetime' in subnode.attrib:
if isinstance(subnode.attrib['datetime'], datetime):
defaults['datetime'] = subnode.attrib['datetime']
else:
defaults['datetime'] = parse_datetime(subnode.
attrib['datetime'])
if not type in self.annotationdefaults:
self.annotationdefaults[type] = {}
self.annotationdefaults[type][set] = defaults
if 'external' in subnode.attrib and subnode.attrib['external']:
if self.debug >= 1:
print(
'[PyNLPl FoLiA DEBUG] Loading external document: ' +
subnode.attrib['external'], file=stderr)
if not type in self.standoffdocs:
self.standoffdocs[type] = {}
self.standoffdocs[type][set] = {}
standoffdoc = None
for t in self.standoffdocs:
for s in self.standoffdocs[t]:
for source in self.standoffdocs[t][s]:
if source == subnode.attrib['external']:
standoffdoc = self.standoffdocs[t][s]
break
if standoffdoc:
break
if standoffdoc:
break
if not standoffdoc:
if subnode.attrib['external'][:7
] == 'http://' or subnode.attrib['external'][:8
] == 'https://':
try:
f = urlopen(subnode.attrib['external'])
except:
raise DeepValidationError(
'Unable to download standoff document: ' +
subnode.attrib['external'])
try:
content = u(f.read())
except IOError:
raise DeepValidationError(
'Unable to download standoff document: ' +
subnode.attrib['external'])
f.close()
standoffdoc = Document(string=content, parentdoc=
self, setdefinitions=self.setdefinitions)
elif os.path.exists(subnode.attrib['external']):
standoffdoc = Document(file=subnode.attrib[
'external'], parentdoc=self, setdefinitions=
self.setdefinitions)
else:
raise DeepValidationError(
'Unable to find standoff document: ' + subnode.
attrib['external'])
self.standoffdocs[type][set][subnode.attrib['external']
] = standoffdoc
standoffdoc.parentdoc = self
if self.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Found declared annotation ' +
subnode.tag + '. Defaults: ' + repr(defaults), file=stderr)
| parsexmldeclarations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if self.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Processing Annotation Declarations',\n file=stderr)\n self.declareprocessed = True\n for subnode in node:\n if not isinstance(subnode.tag, str):\n continue\n if subnode.tag[:25] == '{' + NSFOLIA + '}' and subnode.tag[-11:\n ] == '-annotation':\n prefix = subnode.tag[25:][:-11]\n type = None\n if prefix.upper() in vars(AnnotationType):\n type = vars(AnnotationType)[prefix.upper()]\n else:\n raise Exception('Unknown declaration: ' + subnode.tag)\n if 'set' in subnode.attrib and subnode.attrib['set']:\n set = subnode.attrib['set']\n else:\n set = 'undefined'\n if (type, set) in self.annotations:\n if type == AnnotationType.TEXT:\n a = []\n for t, s in self.annotations:\n if not (t == AnnotationType.TEXT and s == 'undefined'):\n a.append((t, s))\n self.annotations = a\n else:\n self.annotations.append((type, set))\n if (set and self.loadsetdefinitions and set not in self.\n setdefinitions):\n if set[:7] == 'http://' or set[:8] == 'https://' or set[:6\n ] == 'ftp://':\n try:\n self.setdefinitions[set] = SetDefinition(set,\n verbose=self.verbose)\n except DeepValidationError:\n print('WARNING: Set ' + set +\n ' could not be downloaded, ignoring!', file=sys\n .stderr)\n if (type in self.annotationdefaults and set in self.\n annotationdefaults[type]):\n if 'annotator' in subnode.attrib:\n if not 'annotator' in self.annotationdefaults[type][set]:\n self.annotationdefaults[type][set]['annotator'\n ] = subnode.attrib['annotator']\n elif self.annotationdefaults[type][set]['annotator'\n ] != subnode.attrib['annotator']:\n del self.annotationdefaults[type][set]['annotator']\n if 'annotatortype' in subnode.attrib:\n if not 'annotatortype' in self.annotationdefaults[type][set\n ]:\n self.annotationdefaults[type][set]['annotatortype'\n ] = subnode.attrib['annotatortype']\n elif self.annotationdefaults[type][set]['annotatortype'\n ] != subnode.attrib['annotatortype']:\n del self.annotationdefaults[type][set]['annotatortype']\n else:\n defaults = {}\n if 'annotator' in subnode.attrib:\n defaults['annotator'] = subnode.attrib['annotator']\n if 'annotatortype' in subnode.attrib:\n if subnode.attrib['annotatortype'] == 'auto':\n defaults['annotatortype'] = AnnotatorType.AUTO\n else:\n defaults['annotatortype'] = AnnotatorType.MANUAL\n if 'datetime' in subnode.attrib:\n if isinstance(subnode.attrib['datetime'], datetime):\n defaults['datetime'] = subnode.attrib['datetime']\n else:\n defaults['datetime'] = parse_datetime(subnode.\n attrib['datetime'])\n if not type in self.annotationdefaults:\n self.annotationdefaults[type] = {}\n self.annotationdefaults[type][set] = defaults\n if 'external' in subnode.attrib and subnode.attrib['external']:\n if self.debug >= 1:\n print(\n '[PyNLPl FoLiA DEBUG] Loading external document: ' +\n subnode.attrib['external'], file=stderr)\n if not type in self.standoffdocs:\n self.standoffdocs[type] = {}\n self.standoffdocs[type][set] = {}\n standoffdoc = None\n for t in self.standoffdocs:\n for s in self.standoffdocs[t]:\n for source in self.standoffdocs[t][s]:\n if source == subnode.attrib['external']:\n standoffdoc = self.standoffdocs[t][s]\n break\n if standoffdoc:\n break\n if standoffdoc:\n break\n if not standoffdoc:\n if subnode.attrib['external'][:7\n ] == 'http://' or subnode.attrib['external'][:8\n ] == 'https://':\n try:\n f = urlopen(subnode.attrib['external'])\n except:\n raise DeepValidationError(\n 'Unable to download standoff document: ' +\n subnode.attrib['external'])\n try:\n content = u(f.read())\n except IOError:\n raise DeepValidationError(\n 'Unable to download standoff document: ' +\n subnode.attrib['external'])\n f.close()\n standoffdoc = Document(string=content, parentdoc=\n self, setdefinitions=self.setdefinitions)\n elif os.path.exists(subnode.attrib['external']):\n standoffdoc = Document(file=subnode.attrib[\n 'external'], parentdoc=self, setdefinitions=\n self.setdefinitions)\n else:\n raise DeepValidationError(\n 'Unable to find standoff document: ' + subnode.\n attrib['external'])\n self.standoffdocs[type][set][subnode.attrib['external']\n ] = standoffdoc\n standoffdoc.parentdoc = self\n if self.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Found declared annotation ' +\n subnode.tag + '. Defaults: ' + repr(defaults), file=stderr)\n",
"role": "user"
},
{
"content": "parsexmldeclarations",
"role": "assistant"
}
] |
def x(self, node):
ns = {'imdi': 'http://www.mpi.nl/IMDI/Schema/IMDI'}
self.metadatatype = MetaDataType.IMDI
if LXE:
self.metadata = ElementTree.tostring(node, xml_declaration=False,
pretty_print=True, encoding='utf-8')
else:
self.metadata = ElementTree.tostring(node, encoding='utf-8')
n = node.xpath('imdi:Session/imdi:Title', namespaces=ns)
if n and n[0].text:
self._title = n[0].text
n = node.xpath('imdi:Session/imdi:Date', namespaces=ns)
if n and n[0].text:
self._date = n[0].text
n = node.xpath('//imdi:Source/imdi:Access/imdi:Publisher', namespaces=ns)
if n and n[0].text:
self._publisher = n[0].text
n = node.xpath('//imdi:Source/imdi:Access/imdi:Availability', namespaces=ns
)
if n and n[0].text:
self._license = n[0].text
n = node.xpath('//imdi:Languages/imdi:Language/imdi:ID', namespaces=ns)
if n and n[0].text:
self._language = n[0].text
| setimdi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n ns = {'imdi': 'http://www.mpi.nl/IMDI/Schema/IMDI'}\n self.metadatatype = MetaDataType.IMDI\n if LXE:\n self.metadata = ElementTree.tostring(node, xml_declaration=False,\n pretty_print=True, encoding='utf-8')\n else:\n self.metadata = ElementTree.tostring(node, encoding='utf-8')\n n = node.xpath('imdi:Session/imdi:Title', namespaces=ns)\n if n and n[0].text:\n self._title = n[0].text\n n = node.xpath('imdi:Session/imdi:Date', namespaces=ns)\n if n and n[0].text:\n self._date = n[0].text\n n = node.xpath('//imdi:Source/imdi:Access/imdi:Publisher', namespaces=ns)\n if n and n[0].text:\n self._publisher = n[0].text\n n = node.xpath('//imdi:Source/imdi:Access/imdi:Availability', namespaces=ns\n )\n if n and n[0].text:\n self._license = n[0].text\n n = node.xpath('//imdi:Languages/imdi:Language/imdi:ID', namespaces=ns)\n if n and n[0].text:\n self._language = n[0].text\n",
"role": "user"
},
{
"content": "setimdi",
"role": "assistant"
}
] |
def x(self, annotationtype, set, **kwargs):
if sys.version > '3' and not isinstance(set, str
) or sys.version < '3' and not isinstance(set, (str, unicode)):
raise ValueError('Set parameter for declare() must be a string')
if inspect.isclass(annotationtype):
annotationtype = annotationtype.ANNOTATIONTYPE
if annotationtype in self.alias_set and set in self.alias_set[
annotationtype]:
raise ValueError('Set ' + set +
' conflicts with alias, may not be equal!')
if not (annotationtype, set) in self.annotations:
self.annotations.append((annotationtype, set))
if set and self.loadsetdefinitions and not set in self.setdefinitions:
if set[:7] == 'http://' or set[:8] == 'https://' or set[:6
] == 'ftp://':
self.setdefinitions[set] = SetDefinition(set, verbose=self.
verbose)
if not annotationtype in self.annotationdefaults:
self.annotationdefaults[annotationtype] = {}
self.annotationdefaults[annotationtype][set] = kwargs
if 'alias' in kwargs:
if annotationtype in self.set_alias and set in self.set_alias[
annotationtype] and self.set_alias[annotationtype][set] != kwargs[
'alias']:
raise ValueError('Redeclaring set ' + set +
" with another alias ('" + kwargs['alias'] +
"') is not allowed!")
if annotationtype in self.alias_set and kwargs['alias'
] in self.alias_set[annotationtype] and self.alias_set[
annotationtype][kwargs['alias']] != set:
raise ValueError('Redeclaring alias ' + kwargs['alias'] +
" with another set ('" + set + "') is not allowed!")
if annotationtype in self.set_alias and kwargs['alias'
] in self.set_alias[annotationtype]:
raise ValueError('Alias ' + kwargs['alias'] +
' conflicts with set name, may not be equal!')
if annotationtype not in self.alias_set:
self.alias_set[annotationtype] = {}
if annotationtype not in self.set_alias:
self.set_alias[annotationtype] = {}
self.alias_set[annotationtype][kwargs['alias']] = set
self.set_alias[annotationtype][set] = kwargs['alias']
| declare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype, set, **kwargs):\n if sys.version > '3' and not isinstance(set, str\n ) or sys.version < '3' and not isinstance(set, (str, unicode)):\n raise ValueError('Set parameter for declare() must be a string')\n if inspect.isclass(annotationtype):\n annotationtype = annotationtype.ANNOTATIONTYPE\n if annotationtype in self.alias_set and set in self.alias_set[\n annotationtype]:\n raise ValueError('Set ' + set +\n ' conflicts with alias, may not be equal!')\n if not (annotationtype, set) in self.annotations:\n self.annotations.append((annotationtype, set))\n if set and self.loadsetdefinitions and not set in self.setdefinitions:\n if set[:7] == 'http://' or set[:8] == 'https://' or set[:6\n ] == 'ftp://':\n self.setdefinitions[set] = SetDefinition(set, verbose=self.\n verbose)\n if not annotationtype in self.annotationdefaults:\n self.annotationdefaults[annotationtype] = {}\n self.annotationdefaults[annotationtype][set] = kwargs\n if 'alias' in kwargs:\n if annotationtype in self.set_alias and set in self.set_alias[\n annotationtype] and self.set_alias[annotationtype][set] != kwargs[\n 'alias']:\n raise ValueError('Redeclaring set ' + set +\n \" with another alias ('\" + kwargs['alias'] +\n \"') is not allowed!\")\n if annotationtype in self.alias_set and kwargs['alias'\n ] in self.alias_set[annotationtype] and self.alias_set[\n annotationtype][kwargs['alias']] != set:\n raise ValueError('Redeclaring alias ' + kwargs['alias'] +\n \" with another set ('\" + set + \"') is not allowed!\")\n if annotationtype in self.set_alias and kwargs['alias'\n ] in self.set_alias[annotationtype]:\n raise ValueError('Alias ' + kwargs['alias'] +\n ' conflicts with set name, may not be equal!')\n if annotationtype not in self.alias_set:\n self.alias_set[annotationtype] = {}\n if annotationtype not in self.set_alias:\n self.set_alias[annotationtype] = {}\n self.alias_set[annotationtype][kwargs['alias']] = set\n self.set_alias[annotationtype][set] = kwargs['alias']\n",
"role": "user"
},
{
"content": "declare",
"role": "assistant"
}
] |
def x(self, annotationtype, set):
if inspect.isclass(annotationtype):
annotationtype = annotationtype.ANNOTATIONTYPE
return (annotationtype, set
) in self.annotations or set in self.alias_set and self.alias_set[set
] and (annotationtype, self.alias_set[set]) in self.annotations
| declared | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype, set):\n if inspect.isclass(annotationtype):\n annotationtype = annotationtype.ANNOTATIONTYPE\n return (annotationtype, set\n ) in self.annotations or set in self.alias_set and self.alias_set[set\n ] and (annotationtype, self.alias_set[set]) in self.annotations\n",
"role": "user"
},
{
"content": "declared",
"role": "assistant"
}
] |
def x(self, annotationtype):
if inspect.isclass(annotationtype) or isinstance(annotationtype,
AbstractElement):
annotationtype = annotationtype.ANNOTATIONTYPE
try:
return list(self.annotationdefaults[annotationtype].keys())[0]
except KeyError:
raise NoDefaultError
except IndexError:
raise NoDefaultError
| defaultset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype):\n if inspect.isclass(annotationtype) or isinstance(annotationtype,\n AbstractElement):\n annotationtype = annotationtype.ANNOTATIONTYPE\n try:\n return list(self.annotationdefaults[annotationtype].keys())[0]\n except KeyError:\n raise NoDefaultError\n except IndexError:\n raise NoDefaultError\n",
"role": "user"
},
{
"content": "defaultset",
"role": "assistant"
}
] |
def x(self, annotationtype, set=None):
if inspect.isclass(annotationtype) or isinstance(annotationtype,
AbstractElement):
annotationtype = annotationtype.ANNOTATIONTYPE
if not set:
set = self.defaultset(annotationtype)
try:
return self.annotationdefaults[annotationtype][set]['annotator']
except KeyError:
raise NoDefaultError
| defaultannotator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype, set=None):\n if inspect.isclass(annotationtype) or isinstance(annotationtype,\n AbstractElement):\n annotationtype = annotationtype.ANNOTATIONTYPE\n if not set:\n set = self.defaultset(annotationtype)\n try:\n return self.annotationdefaults[annotationtype][set]['annotator']\n except KeyError:\n raise NoDefaultError\n",
"role": "user"
},
{
"content": "defaultannotator",
"role": "assistant"
}
] |
def x(self, value=None):
if not value is None:
if self.metadatatype == 'native':
self.metadata['title'] = value
else:
self._title = value
if self.metadatatype == 'native':
if 'title' in self.metadata:
return self.metadata['title']
else:
return None
else:
return self._title
| title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None):\n if not value is None:\n if self.metadatatype == 'native':\n self.metadata['title'] = value\n else:\n self._title = value\n if self.metadatatype == 'native':\n if 'title' in self.metadata:\n return self.metadata['title']\n else:\n return None\n else:\n return self._title\n",
"role": "user"
},
{
"content": "title",
"role": "assistant"
}
] |
def x(self, value=None):
if not value is None:
if self.metadatatype == 'native':
self.metadata['date'] = value
else:
self._date = value
if self.metadatatype == 'native':
if 'date' in self.metadata:
return self.metadata['date']
else:
return None
else:
return self._date
| date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None):\n if not value is None:\n if self.metadatatype == 'native':\n self.metadata['date'] = value\n else:\n self._date = value\n if self.metadatatype == 'native':\n if 'date' in self.metadata:\n return self.metadata['date']\n else:\n return None\n else:\n return self._date\n",
"role": "user"
},
{
"content": "date",
"role": "assistant"
}
] |
def x(self, value=None):
if not value is None:
if self.metadatatype == 'native':
self.metadata['publisher'] = value
else:
self._publisher = value
if self.metadatatype == 'native':
if 'publisher' in self.metadata:
return self.metadata['publisher']
else:
return None
else:
return self._publisher
| publisher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None):\n if not value is None:\n if self.metadatatype == 'native':\n self.metadata['publisher'] = value\n else:\n self._publisher = value\n if self.metadatatype == 'native':\n if 'publisher' in self.metadata:\n return self.metadata['publisher']\n else:\n return None\n else:\n return self._publisher\n",
"role": "user"
},
{
"content": "publisher",
"role": "assistant"
}
] |
def x(self, value=None):
if not value is None:
if self.metadatatype == 'native':
self.metadata['license'] = value
else:
self._license = value
if self.metadatatype == 'native':
if 'license' in self.metadata:
return self.metadata['license']
else:
return None
else:
return self._license
| license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None):\n if not value is None:\n if self.metadatatype == 'native':\n self.metadata['license'] = value\n else:\n self._license = value\n if self.metadatatype == 'native':\n if 'license' in self.metadata:\n return self.metadata['license']\n else:\n return None\n else:\n return self._license\n",
"role": "user"
},
{
"content": "license",
"role": "assistant"
}
] |
def x(self, value=None):
if not value is None:
if self.metadatatype == 'native':
self.metadata['language'] = value
else:
self._language = value
if self.metadatatype == 'native':
if 'language' in self.metadata:
return self.metadata['language']
else:
return None
else:
return self._language
| language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None):\n if not value is None:\n if self.metadatatype == 'native':\n self.metadata['language'] = value\n else:\n self._language = value\n if self.metadatatype == 'native':\n if 'language' in self.metadata:\n return self.metadata['language']\n else:\n return None\n else:\n return self._language\n",
"role": "user"
},
{
"content": "language",
"role": "assistant"
}
] |
def x(self, node):
if 'type' in node.attrib:
self.metadatatype = node.attrib['type']
else:
self.metadatatype = 'native'
if 'src' in node.attrib:
self.metadata = ExternalMetaData(node.attrib['src'])
elif self.metadatatype == 'native':
self.metadata = NativeMetaData()
else:
self.metadata = None
for subnode in node:
if subnode.tag == '{' + NSFOLIA + '}annotations':
self.parsexmldeclarations(subnode)
elif subnode.tag == '{' + NSFOLIA + '}meta':
if self.metadatatype == 'native':
if subnode.text:
self.metadata[subnode.attrib['id']] = subnode.text
else:
raise MetaDataError(
'Encountered a meta element but metadata type is not native!'
)
elif subnode.tag == '{' + NSFOLIA + '}provenance':
print(
'WARNING: Ignoring provenance data. Use foliapy instead of pynlpl.formats.folia for FoLiA v2.0 compatibility!'
, file=sys.stderr)
pass
elif subnode.tag == '{' + NSFOLIA + '}foreign-data':
if self.metadatatype == 'native':
raise MetaDataError(
'Encountered a foreign-data element but metadata type is native!'
)
elif self.metadata is not None:
e = self.metadata
while e.next is not None:
e = e.next
e.next = ForeignData(self, node=subnode)
else:
self.metadata = ForeignData(self, node=subnode)
elif subnode.tag == '{' + NSFOLIA + '}submetadata':
self.parsesubmetadata(subnode)
elif subnode.tag == '{http://www.mpi.nl/IMDI/Schema/IMDI}METATRANSCRIPT':
E = ElementMaker(namespace=NSFOLIA, nsmap={None: NSFOLIA, 'xml':
'http://www.w3.org/XML/1998/namespace'})
self.metadatatype = 'imdi'
self.metadata = ForeignData(self, node=subnode)
| parsemetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if 'type' in node.attrib:\n self.metadatatype = node.attrib['type']\n else:\n self.metadatatype = 'native'\n if 'src' in node.attrib:\n self.metadata = ExternalMetaData(node.attrib['src'])\n elif self.metadatatype == 'native':\n self.metadata = NativeMetaData()\n else:\n self.metadata = None\n for subnode in node:\n if subnode.tag == '{' + NSFOLIA + '}annotations':\n self.parsexmldeclarations(subnode)\n elif subnode.tag == '{' + NSFOLIA + '}meta':\n if self.metadatatype == 'native':\n if subnode.text:\n self.metadata[subnode.attrib['id']] = subnode.text\n else:\n raise MetaDataError(\n 'Encountered a meta element but metadata type is not native!'\n )\n elif subnode.tag == '{' + NSFOLIA + '}provenance':\n print(\n 'WARNING: Ignoring provenance data. Use foliapy instead of pynlpl.formats.folia for FoLiA v2.0 compatibility!'\n , file=sys.stderr)\n pass\n elif subnode.tag == '{' + NSFOLIA + '}foreign-data':\n if self.metadatatype == 'native':\n raise MetaDataError(\n 'Encountered a foreign-data element but metadata type is native!'\n )\n elif self.metadata is not None:\n e = self.metadata\n while e.next is not None:\n e = e.next\n e.next = ForeignData(self, node=subnode)\n else:\n self.metadata = ForeignData(self, node=subnode)\n elif subnode.tag == '{' + NSFOLIA + '}submetadata':\n self.parsesubmetadata(subnode)\n elif subnode.tag == '{http://www.mpi.nl/IMDI/Schema/IMDI}METATRANSCRIPT':\n E = ElementMaker(namespace=NSFOLIA, nsmap={None: NSFOLIA, 'xml':\n 'http://www.w3.org/XML/1998/namespace'})\n self.metadatatype = 'imdi'\n self.metadata = ForeignData(self, node=subnode)\n",
"role": "user"
},
{
"content": "parsemetadata",
"role": "assistant"
}
] |
def x(self, node, ParentClass=None):
if LXE and isinstance(node, ElementTree._ElementTree
) or not LXE and isinstance(node, ElementTree.ElementTree):
node = node.getroot()
elif isstring(node):
node = xmltreefromstring(node).getroot()
if node.tag.startswith('{' + NSFOLIA + '}'):
foliatag = node.tag[nslen:]
if foliatag == 'FoLiA':
if self.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Found FoLiA document', file=stderr)
try:
self.id = node.attrib[
'{http://www.w3.org/XML/1998/namespace}id']
except KeyError:
try:
self.id = node.attrib['XMLid']
except KeyError:
try:
self.id = node.attrib['id']
except KeyError:
raise Exception('FoLiA Document has no ID!')
if 'version' in node.attrib:
self.version = node.attrib['version']
if checkversion(self.version) > 0:
print(
'WARNING!!! Document uses a newer version of FoLiA than this library! ('
+ self.version + ' vs ' + FOLIAVERSION +
'). Any possible subsequent failures in parsing or processing may probably be attributed to this. Upgrade to foliapy (https://github.com/proycon/foliapy) to remedy this.'
, file=sys.stderr)
else:
self.version = None
if 'external' in node.attrib:
self.external = node.attrib['external'] == 'yes'
if self.external and not self.parentdoc:
raise DeepValidationError(
'Document is marked as external and should not be loaded independently. However, no parentdoc= has been specified!'
)
for subnode in node:
if subnode.tag == '{' + NSFOLIA + '}metadata':
self.parsemetadata(subnode)
elif (subnode.tag == '{' + NSFOLIA + '}text' or subnode.tag ==
'{' + NSFOLIA + '}speech') and self.mode == Mode.MEMORY:
if self.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Found Text', file=stderr)
e = self.parsexml(subnode)
if e is not None:
self.data.append(e)
else:
if not foliatag in XML2CLASS:
raise Exception('Unknown FoLiA XML tag: ' + foliatag)
Class = XML2CLASS[foliatag]
return Class.parsexml(node, self)
elif node.tag == '{' + NSDCOI + '}DCOI':
if self.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Found DCOI document', file=stderr)
self.autodeclare = True
try:
self.id = node.attrib['{http://www.w3.org/XML/1998/namespace}id']
except KeyError:
try:
self.id = node.attrib['id']
except KeyError:
try:
self.id = node.attrib['XMLid']
except KeyError:
raise Exception('D-Coi Document has no ID!')
for subnode in node:
if (subnode.tag ==
'{http://www.mpi.nl/IMDI/Schema/IMDI}METATRANSCRIPT'):
self.metadatatype = MetaDataType.IMDI
self.setimdi(subnode)
elif subnode.tag == '{' + NSDCOI + '}text':
if self.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Found Text', file=stderr)
e = self.parsexml(subnode)
if e is not None:
self.data.append(e)
elif node.tag.startswith('{' + NSDCOI + '}'):
if node.tag[nslendcoi:] in XML2CLASS:
Class = XML2CLASS[node.tag[nslendcoi:]]
return Class.parsexml(node, self)
elif node.tag[nslendcoi:][0:3] == 'div':
Class = Division
return Class.parsexml(node, self)
elif node.tag[nslendcoi:] == 'item':
Class = ListItem
return Class.parsexml(node, self)
elif node.tag[nslendcoi:] == 'figDesc':
Class = Description
return Class.parsexml(node, self)
else:
raise Exception('Unknown DCOI XML tag: ' + node.tag)
else:
raise Exception('Unknown FoLiA XML tag: ' + node.tag)
self.pendingvalidation()
| parsexml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, ParentClass=None):\n if LXE and isinstance(node, ElementTree._ElementTree\n ) or not LXE and isinstance(node, ElementTree.ElementTree):\n node = node.getroot()\n elif isstring(node):\n node = xmltreefromstring(node).getroot()\n if node.tag.startswith('{' + NSFOLIA + '}'):\n foliatag = node.tag[nslen:]\n if foliatag == 'FoLiA':\n if self.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Found FoLiA document', file=stderr)\n try:\n self.id = node.attrib[\n '{http://www.w3.org/XML/1998/namespace}id']\n except KeyError:\n try:\n self.id = node.attrib['XMLid']\n except KeyError:\n try:\n self.id = node.attrib['id']\n except KeyError:\n raise Exception('FoLiA Document has no ID!')\n if 'version' in node.attrib:\n self.version = node.attrib['version']\n if checkversion(self.version) > 0:\n print(\n 'WARNING!!! Document uses a newer version of FoLiA than this library! ('\n + self.version + ' vs ' + FOLIAVERSION +\n '). Any possible subsequent failures in parsing or processing may probably be attributed to this. Upgrade to foliapy (https://github.com/proycon/foliapy) to remedy this.'\n , file=sys.stderr)\n else:\n self.version = None\n if 'external' in node.attrib:\n self.external = node.attrib['external'] == 'yes'\n if self.external and not self.parentdoc:\n raise DeepValidationError(\n 'Document is marked as external and should not be loaded independently. However, no parentdoc= has been specified!'\n )\n for subnode in node:\n if subnode.tag == '{' + NSFOLIA + '}metadata':\n self.parsemetadata(subnode)\n elif (subnode.tag == '{' + NSFOLIA + '}text' or subnode.tag ==\n '{' + NSFOLIA + '}speech') and self.mode == Mode.MEMORY:\n if self.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Found Text', file=stderr)\n e = self.parsexml(subnode)\n if e is not None:\n self.data.append(e)\n else:\n if not foliatag in XML2CLASS:\n raise Exception('Unknown FoLiA XML tag: ' + foliatag)\n Class = XML2CLASS[foliatag]\n return Class.parsexml(node, self)\n elif node.tag == '{' + NSDCOI + '}DCOI':\n if self.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Found DCOI document', file=stderr)\n self.autodeclare = True\n try:\n self.id = node.attrib['{http://www.w3.org/XML/1998/namespace}id']\n except KeyError:\n try:\n self.id = node.attrib['id']\n except KeyError:\n try:\n self.id = node.attrib['XMLid']\n except KeyError:\n raise Exception('D-Coi Document has no ID!')\n for subnode in node:\n if (subnode.tag ==\n '{http://www.mpi.nl/IMDI/Schema/IMDI}METATRANSCRIPT'):\n self.metadatatype = MetaDataType.IMDI\n self.setimdi(subnode)\n elif subnode.tag == '{' + NSDCOI + '}text':\n if self.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Found Text', file=stderr)\n e = self.parsexml(subnode)\n if e is not None:\n self.data.append(e)\n elif node.tag.startswith('{' + NSDCOI + '}'):\n if node.tag[nslendcoi:] in XML2CLASS:\n Class = XML2CLASS[node.tag[nslendcoi:]]\n return Class.parsexml(node, self)\n elif node.tag[nslendcoi:][0:3] == 'div':\n Class = Division\n return Class.parsexml(node, self)\n elif node.tag[nslendcoi:] == 'item':\n Class = ListItem\n return Class.parsexml(node, self)\n elif node.tag[nslendcoi:] == 'figDesc':\n Class = Description\n return Class.parsexml(node, self)\n else:\n raise Exception('Unknown DCOI XML tag: ' + node.tag)\n else:\n raise Exception('Unknown FoLiA XML tag: ' + node.tag)\n self.pendingvalidation()\n",
"role": "user"
},
{
"content": "parsexml",
"role": "assistant"
}
] |
def x(self, warnonly=None):
if self.debug:
print('[PyNLPl FoLiA DEBUG] Processing pending validations (if any)',
file=stderr)
if warnonly is None and self and self.version:
warnonly = checkversion(self.version, '1.5.0') < 0
if self.textvalidation:
while self.offsetvalidationbuffer:
structureelement, textclass = self.offsetvalidationbuffer.pop()
if self.debug:
print(
'[PyNLPl FoLiA DEBUG] Performing offset validation on ' +
repr(structureelement) + ' textclass ' + textclass,
file=stderr)
tc = structureelement.textcontent(textclass)
if tc.offset is not None:
try:
tc.getreference(validate=True)
except UnresolvableTextContent:
msg = ('Text for ' + structureelement.__class__.
__name__ + ', ID ' + str(structureelement.id) +
', textclass ' + textclass +
', has incorrect offset ' + str(tc.offset) +
' or invalid reference')
print('TEXT VALIDATION ERROR: ' + msg, file=sys.stderr)
if not warnonly:
raise
| pendingvalidation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, warnonly=None):\n if self.debug:\n print('[PyNLPl FoLiA DEBUG] Processing pending validations (if any)',\n file=stderr)\n if warnonly is None and self and self.version:\n warnonly = checkversion(self.version, '1.5.0') < 0\n if self.textvalidation:\n while self.offsetvalidationbuffer:\n structureelement, textclass = self.offsetvalidationbuffer.pop()\n if self.debug:\n print(\n '[PyNLPl FoLiA DEBUG] Performing offset validation on ' +\n repr(structureelement) + ' textclass ' + textclass,\n file=stderr)\n tc = structureelement.textcontent(textclass)\n if tc.offset is not None:\n try:\n tc.getreference(validate=True)\n except UnresolvableTextContent:\n msg = ('Text for ' + structureelement.__class__.\n __name__ + ', ID ' + str(structureelement.id) +\n ', textclass ' + textclass +\n ', has incorrect offset ' + str(tc.offset) +\n ' or invalid reference')\n print('TEXT VALIDATION ERROR: ' + msg, file=sys.stderr)\n if not warnonly:\n raise\n",
"role": "user"
},
{
"content": "pendingvalidation",
"role": "assistant"
}
] |
def x(self, Class, set=None, recursive=True, ignore=True):
if self.mode == Mode.MEMORY:
for t in self.data:
if Class.__name__ == 'Text':
yield t
else:
for e in t.select(Class, set, recursive, ignore):
yield e
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Class, set=None, recursive=True, ignore=True):\n if self.mode == Mode.MEMORY:\n for t in self.data:\n if Class.__name__ == 'Text':\n yield t\n else:\n for e in t.select(Class, set, recursive, ignore):\n yield e\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, Class, set=None, recursive=True, ignore=True):
if self.mode == Mode.MEMORY:
s = 0
for t in self.data:
s += sum(1 for e in t.select(Class, recursive, True))
return s
| count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Class, set=None, recursive=True, ignore=True):\n if self.mode == Mode.MEMORY:\n s = 0\n for t in self.data:\n s += sum(1 for e in t.select(Class, recursive, True))\n return s\n",
"role": "user"
},
{
"content": "count",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
return self.select(Paragraph)
else:
if index < 0:
index = sum(t.count(Paragraph) for t in self.data) + index
for t in self.data:
for i, e in enumerate(t.select(Paragraph)):
if i == index:
return e
raise IndexError
| paragraphs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None):\n if index is None:\n return self.select(Paragraph)\n else:\n if index < 0:\n index = sum(t.count(Paragraph) for t in self.data) + index\n for t in self.data:\n for i, e in enumerate(t.select(Paragraph)):\n if i == index:\n return e\n raise IndexError\n",
"role": "user"
},
{
"content": "paragraphs",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
return self.select(Sentence, None, True, [Quote])
else:
if index < 0:
index = sum(t.count(Sentence, None, True, [Quote]) for t in
self.data) + index
for t in self.data:
for i, e in enumerate(t.select(Sentence, None, True, [Quote])):
if i == index:
return e
raise IndexError
| sentences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None):\n if index is None:\n return self.select(Sentence, None, True, [Quote])\n else:\n if index < 0:\n index = sum(t.count(Sentence, None, True, [Quote]) for t in\n self.data) + index\n for t in self.data:\n for i, e in enumerate(t.select(Sentence, None, True, [Quote])):\n if i == index:\n return e\n raise IndexError\n",
"role": "user"
},
{
"content": "sentences",
"role": "assistant"
}
] |
def x(self, cls='current', retaintokenisation=False):
if cls is True or cls is False:
retaintokenisation = cls
cls = 'current'
s = ''
for c in self.data:
if s:
s += '\n\n\n'
try:
s += c.text(cls, retaintokenisation)
except NoSuchText:
continue
return s
| text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', retaintokenisation=False):\n if cls is True or cls is False:\n retaintokenisation = cls\n cls = 'current'\n s = ''\n for c in self.data:\n if s:\n s += '\\n\\n\\n'\n try:\n s += c.text(cls, retaintokenisation)\n except NoSuchText:\n continue\n return s\n",
"role": "user"
},
{
"content": "text",
"role": "assistant"
}
] |
def x(self, state, processedstates=[]):
processedstates.append(state)
for nextstate in state.epsilon:
if not nextstate in processedstates:
self._states(nextstate, processedstates)
for _, nextstate in state.transitions:
if not nextstate in processedstates:
self._states(nextstate, processedstates)
return processedstates
| states | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state, processedstates=[]):\n processedstates.append(state)\n for nextstate in state.epsilon:\n if not nextstate in processedstates:\n self._states(nextstate, processedstates)\n for _, nextstate in state.transitions:\n if not nextstate in processedstates:\n self._states(nextstate, processedstates)\n return processedstates\n",
"role": "user"
},
{
"content": "states",
"role": "assistant"
}
] |
def x(msg, **kwargs):
if 'debug' in kwargs:
if 'currentdebug' in kwargs:
if kwargs['currentdebug'] < kwargs['debug']:
return False
else:
return False
s = '[' + datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S') + '] '
if 'system' in kwargs:
s += '[' + system + '] '
if 'indent' in kwargs:
s += '\t' * int(kwargs['indent'])
s += u(msg)
if s[-1] != '\n':
s += '\n'
if 'streams' in kwargs:
streams = kwargs['streams']
elif 'stream' in kwargs:
streams = [kwargs['stream']]
else:
streams = [stderr]
for stream in streams:
stream.write(s)
return s
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, **kwargs):\n if 'debug' in kwargs:\n if 'currentdebug' in kwargs:\n if kwargs['currentdebug'] < kwargs['debug']:\n return False\n else:\n return False\n s = '[' + datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S') + '] '\n if 'system' in kwargs:\n s += '[' + system + '] '\n if 'indent' in kwargs:\n s += '\\t' * int(kwargs['indent'])\n s += u(msg)\n if s[-1] != '\\n':\n s += '\\n'\n if 'streams' in kwargs:\n streams = kwargs['streams']\n elif 'stream' in kwargs:\n streams = [kwargs['stream']]\n else:\n streams = [stderr]\n for stream in streams:\n stream.write(s)\n return s\n",
"role": "user"
},
{
"content": "log",
"role": "assistant"
}
] |
def x(self):
finalsolution = None
bestscore = None
for solution in self:
if bestscore == None:
bestscore = solution.score()
finalsolution = solution
elif self.minimize:
score = solution.score()
if score < bestscore:
bestscore = score
finalsolution = solution
elif not self.minimize:
score = solution.score()
if score > bestscore:
bestscore = score
finalsolution = solution
return finalsolution
| searchbest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n finalsolution = None\n bestscore = None\n for solution in self:\n if bestscore == None:\n bestscore = solution.score()\n finalsolution = solution\n elif self.minimize:\n score = solution.score()\n if score < bestscore:\n bestscore = score\n finalsolution = solution\n elif not self.minimize:\n score = solution.score()\n if score > bestscore:\n bestscore = score\n finalsolution = solution\n return finalsolution\n",
"role": "user"
},
{
"content": "searchbest",
"role": "assistant"
}
] |
def x(self, n=10):
solutions = PriorityQueue([], lambda x: x.score, self.minimize, length=
n, blockworse=False, blockequal=False, duplicates=False)
for solution in self:
solutions.append(solution)
return solutions
| searchtop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=10):\n solutions = PriorityQueue([], lambda x: x.score, self.minimize, length=\n n, blockworse=False, blockequal=False, duplicates=False)\n for solution in self:\n solutions.append(solution)\n return solutions\n",
"role": "user"
},
{
"content": "searchtop",
"role": "assistant"
}
] |
def x(self, n=10):
solutions = deque([], n)
for solution in self:
solutions.append(solution)
return solutions
| searchlast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=10):\n solutions = deque([], n)\n for solution in self:\n solutions.append(solution)\n return solutions\n",
"role": "user"
},
{
"content": "searchlast",
"role": "assistant"
}
] |
def x(self, lemma):
if not isinstance(lemma, unicode):
lemma = unicode(lemma, 'utf-8')
http, resp, content = self.connect()
params = ''
fragment = ''
path = 'cdb_syn'
if self.debug:
printf('cornettodb/views/query_remote_syn_lemma: db_opt: %s' % path)
query_opt = 'dict_search'
if self.debug:
printf('cornettodb/views/query_remote_syn_lemma: query_opt: %s' %
query_opt)
qdict = {}
qdict['action'] = 'queryList'
qdict['word'] = lemma.encode('utf-8')
query = urllib.urlencode(qdict)
db_url_tuple = self.scheme, self.host + ':' + str(self.port
), path, params, query, fragment
db_url = urlparse.urlunparse(db_url_tuple)
if self.debug:
printf('db_url: %s' % db_url)
resp, content = http.request(db_url, 'GET')
if self.debug:
printf('resp:\n%s' % resp)
printf('content:\n%s' % content)
dict_list = []
dict_list = eval(content)
synsets = []
items = len(dict_list)
if self.debug:
printf('items: %d' % items)
for dict in dict_list:
if self.debug:
printf(dict)
seq_nr = dict['seq_nr']
value = dict['value']
form = dict['form']
label = dict['label']
if self.debug:
printf('seq_nr: %s' % seq_nr)
printf('value: %s' % value)
printf('form: %s' % form)
printf('label: %s' % label)
if value != '':
synsets.append(value)
return synsets
| get_syn_ids_by_lemma | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lemma):\n if not isinstance(lemma, unicode):\n lemma = unicode(lemma, 'utf-8')\n http, resp, content = self.connect()\n params = ''\n fragment = ''\n path = 'cdb_syn'\n if self.debug:\n printf('cornettodb/views/query_remote_syn_lemma: db_opt: %s' % path)\n query_opt = 'dict_search'\n if self.debug:\n printf('cornettodb/views/query_remote_syn_lemma: query_opt: %s' %\n query_opt)\n qdict = {}\n qdict['action'] = 'queryList'\n qdict['word'] = lemma.encode('utf-8')\n query = urllib.urlencode(qdict)\n db_url_tuple = self.scheme, self.host + ':' + str(self.port\n ), path, params, query, fragment\n db_url = urlparse.urlunparse(db_url_tuple)\n if self.debug:\n printf('db_url: %s' % db_url)\n resp, content = http.request(db_url, 'GET')\n if self.debug:\n printf('resp:\\n%s' % resp)\n printf('content:\\n%s' % content)\n dict_list = []\n dict_list = eval(content)\n synsets = []\n items = len(dict_list)\n if self.debug:\n printf('items: %d' % items)\n for dict in dict_list:\n if self.debug:\n printf(dict)\n seq_nr = dict['seq_nr']\n value = dict['value']\n form = dict['form']\n label = dict['label']\n if self.debug:\n printf('seq_nr: %s' % seq_nr)\n printf('value: %s' % value)\n printf('form: %s' % form)\n printf('label: %s' % label)\n if value != '':\n synsets.append(value)\n return synsets\n",
"role": "user"
},
{
"content": "get_syn_ids_by_lemma",
"role": "assistant"
}
] |
def x(self, syn_id):
http, resp, content = self.connect()
params = ''
fragment = ''
path = 'cdb_syn'
if self.debug:
printf('cornettodb/views/query_remote_syn_id: db_opt: %s' % path)
output_opt = 'plain'
if self.debug:
printf('cornettodb/views/query_remote_syn_id: output_opt: %s' %
output_opt)
action = 'runQuery'
if self.debug:
printf('cornettodb/views/query_remote_syn_id: action: %s' % action)
printf('cornettodb/views/query_remote_syn_id: query: %s' % syn_id)
qdict = {}
qdict['action'] = action
qdict['query'] = syn_id
qdict['outtype'] = output_opt
query = urllib.urlencode(qdict)
db_url_tuple = self.scheme, self.host + ':' + str(self.port
), path, params, query, fragment
db_url = urlparse.urlunparse(db_url_tuple)
if self.debug:
printf('db_url: %s' % db_url)
resp, content = http.request(db_url, 'GET')
if self.debug:
printf('resp:\n%s' % resp)
xml_data = eval(content)
return etree.fromstring(xml_data)
| get_synset_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, syn_id):\n http, resp, content = self.connect()\n params = ''\n fragment = ''\n path = 'cdb_syn'\n if self.debug:\n printf('cornettodb/views/query_remote_syn_id: db_opt: %s' % path)\n output_opt = 'plain'\n if self.debug:\n printf('cornettodb/views/query_remote_syn_id: output_opt: %s' %\n output_opt)\n action = 'runQuery'\n if self.debug:\n printf('cornettodb/views/query_remote_syn_id: action: %s' % action)\n printf('cornettodb/views/query_remote_syn_id: query: %s' % syn_id)\n qdict = {}\n qdict['action'] = action\n qdict['query'] = syn_id\n qdict['outtype'] = output_opt\n query = urllib.urlencode(qdict)\n db_url_tuple = self.scheme, self.host + ':' + str(self.port\n ), path, params, query, fragment\n db_url = urlparse.urlunparse(db_url_tuple)\n if self.debug:\n printf('db_url: %s' % db_url)\n resp, content = http.request(db_url, 'GET')\n if self.debug:\n printf('resp:\\n%s' % resp)\n xml_data = eval(content)\n return etree.fromstring(xml_data)\n",
"role": "user"
},
{
"content": "get_synset_xml",
"role": "assistant"
}
] |
def x(self, syn_id):
root = self.get_synset_xml(syn_id)
elem_synonyms = root.find('.//synonyms')
lus = []
for elem_synonym in elem_synonyms:
synonym_str = elem_synonym.get('c_lu_id-previewtext')
synonym = synonym_str.split(':')[0].strip()
lus.append((synonym, elem_synonym.get('c_lu_id')))
return lus
| get_lus_from_synset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, syn_id):\n root = self.get_synset_xml(syn_id)\n elem_synonyms = root.find('.//synonyms')\n lus = []\n for elem_synonym in elem_synonyms:\n synonym_str = elem_synonym.get('c_lu_id-previewtext')\n synonym = synonym_str.split(':')[0].strip()\n lus.append((synonym, elem_synonym.get('c_lu_id')))\n return lus\n",
"role": "user"
},
{
"content": "get_lus_from_synset",
"role": "assistant"
}
] |
def x(self, syn_id, lemma=None):
if not lemma:
return self.get_lus_from_synset(syn_id)
if not isinstance(lemma, unicode):
lemma = unicode(lemma, 'utf-8')
root = self.get_synset_xml(syn_id)
elem_synonyms = root.find('.//synonyms')
lu_id = None
synonyms = []
for elem_synonym in elem_synonyms:
synonym_str = elem_synonym.get('c_lu_id-previewtext')
synonym = synonym_str.split(':')[0].strip()
if synonym != lemma:
synonyms.append((synonym, elem_synonym.get('c_lu_id')))
if self.debug:
printf('synonym add: %s' % synonym)
else:
lu_id = elem_synonym.get('c_lu_id')
if self.debug:
printf('lu_id: %s' % lu_id)
printf('synonym skip lemma: %s' % synonym)
return lu_id, synonyms
| get_lu_from_synset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, syn_id, lemma=None):\n if not lemma:\n return self.get_lus_from_synset(syn_id)\n if not isinstance(lemma, unicode):\n lemma = unicode(lemma, 'utf-8')\n root = self.get_synset_xml(syn_id)\n elem_synonyms = root.find('.//synonyms')\n lu_id = None\n synonyms = []\n for elem_synonym in elem_synonyms:\n synonym_str = elem_synonym.get('c_lu_id-previewtext')\n synonym = synonym_str.split(':')[0].strip()\n if synonym != lemma:\n synonyms.append((synonym, elem_synonym.get('c_lu_id')))\n if self.debug:\n printf('synonym add: %s' % synonym)\n else:\n lu_id = elem_synonym.get('c_lu_id')\n if self.debug:\n printf('lu_id: %s' % lu_id)\n printf('synonym skip lemma: %s' % synonym)\n return lu_id, synonyms\n",
"role": "user"
},
{
"content": "get_lu_from_synset",
"role": "assistant"
}
] |
def x(self, bestonly=False):
l = []
for word_id, senses, distance in self:
for sense, confidence in senses:
if not sense in l:
l.append(sense)
if bestonly:
break
return l
| senses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bestonly=False):\n l = []\n for word_id, senses, distance in self:\n for sense, confidence in senses:\n if not sense in l:\n l.append(sense)\n if bestonly:\n break\n return l\n",
"role": "user"
},
{
"content": "senses",
"role": "assistant"
}
] |
def x(self, input_data, source_encoding='utf-8', return_unicode=True,
oldfrog=False):
if isinstance(input_data, list) or isinstance(input_data, tuple):
input_data = ' '.join(input_data)
input_data = u(input_data, source_encoding)
input_data = input_data.strip(' \t\n')
s = input_data.encode(self.server_encoding) + b'\r\n'
if not oldfrog:
s += b'EOT\r\n'
self.socket.sendall(s)
output = []
done = False
while not done:
data = b''
while not data.endswith(b'\n'):
moredata = self.socket.recv(self.BUFSIZE)
if not moredata:
break
data += moredata
data = u(data, self.server_encoding)
for line in data.strip(' \t\r\n').split('\n'):
if line == 'READY':
done = True
break
elif line:
line = line.split('\t')
if len(line) > 4 and line[0].isdigit():
if line[0] == '1' and output:
if self.returnall:
output.append((None, None, None, None, None,
None, None, None))
else:
output.append((None, None, None, None))
fields = line[1:]
parse1 = parse2 = ner = chunk = ''
word, lemma, morph, pos = fields[0:4]
if len(fields) > 5:
ner = fields[5]
if len(fields) > 6:
chunk = fields[6]
if len(fields) >= 8:
parse1 = fields[7]
parse2 = fields[8]
if len(fields) < 5:
raise Exception(
"Can't process response line from Frog: ", repr
(line), ' got unexpected number of fields ',
str(len(fields) + 1))
if self.returnall:
output.append((word, lemma, morph, pos, ner, chunk,
parse1, parse2))
else:
output.append((word, lemma, morph, pos))
return output
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_data, source_encoding='utf-8', return_unicode=True,\n oldfrog=False):\n if isinstance(input_data, list) or isinstance(input_data, tuple):\n input_data = ' '.join(input_data)\n input_data = u(input_data, source_encoding)\n input_data = input_data.strip(' \\t\\n')\n s = input_data.encode(self.server_encoding) + b'\\r\\n'\n if not oldfrog:\n s += b'EOT\\r\\n'\n self.socket.sendall(s)\n output = []\n done = False\n while not done:\n data = b''\n while not data.endswith(b'\\n'):\n moredata = self.socket.recv(self.BUFSIZE)\n if not moredata:\n break\n data += moredata\n data = u(data, self.server_encoding)\n for line in data.strip(' \\t\\r\\n').split('\\n'):\n if line == 'READY':\n done = True\n break\n elif line:\n line = line.split('\\t')\n if len(line) > 4 and line[0].isdigit():\n if line[0] == '1' and output:\n if self.returnall:\n output.append((None, None, None, None, None,\n None, None, None))\n else:\n output.append((None, None, None, None))\n fields = line[1:]\n parse1 = parse2 = ner = chunk = ''\n word, lemma, morph, pos = fields[0:4]\n if len(fields) > 5:\n ner = fields[5]\n if len(fields) > 6:\n chunk = fields[6]\n if len(fields) >= 8:\n parse1 = fields[7]\n parse2 = fields[8]\n if len(fields) < 5:\n raise Exception(\n \"Can't process response line from Frog: \", repr\n (line), ' got unexpected number of fields ',\n str(len(fields) + 1))\n if self.returnall:\n output.append((word, lemma, morph, pos, ner, chunk,\n parse1, parse2))\n else:\n output.append((word, lemma, morph, pos))\n return output\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self, inputwords, outputwords):
alignment = []
cursor = 0
for inputword in inputwords:
if len(outputwords) > cursor and outputwords[cursor] == inputword:
alignment.append(cursor)
cursor += 1
elif len(outputwords) > cursor + 1 and outputwords[cursor + 1
] == inputword:
alignment.append(cursor + 1)
cursor += 2
else:
alignment.append(None)
cursor += 1
return alignment
| align | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inputwords, outputwords):\n alignment = []\n cursor = 0\n for inputword in inputwords:\n if len(outputwords) > cursor and outputwords[cursor] == inputword:\n alignment.append(cursor)\n cursor += 1\n elif len(outputwords) > cursor + 1 and outputwords[cursor + 1\n ] == inputword:\n alignment.append(cursor + 1)\n cursor += 2\n else:\n alignment.append(None)\n cursor += 1\n return alignment\n",
"role": "user"
},
{
"content": "align",
"role": "assistant"
}
] |
def x(haystack, needle, allowpartial=True):
needle = tuple(needle)
haystack = tuple(haystack)
solutions = []
if needle == haystack:
return [(needle, 2)]
if allowpartial:
minl = 1
else:
minl = len(needle)
for l in range(minl, min(len(needle), len(haystack)) + 1):
if needle[-l:] == haystack[:l]:
solutions.append((needle[-l:], -1))
if needle[:l] == haystack[-l:]:
solutions.append((needle[:l], 1))
if len(needle) <= len(haystack):
options = list(iter(Windower(haystack, len(needle), beginmarker=
None, endmarker=None)))
for option in options[1:-1]:
if option == needle:
solutions.append((needle, 0))
return solutions
| calculate_overlap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(haystack, needle, allowpartial=True):\n needle = tuple(needle)\n haystack = tuple(haystack)\n solutions = []\n if needle == haystack:\n return [(needle, 2)]\n if allowpartial:\n minl = 1\n else:\n minl = len(needle)\n for l in range(minl, min(len(needle), len(haystack)) + 1):\n if needle[-l:] == haystack[:l]:\n solutions.append((needle[-l:], -1))\n if needle[:l] == haystack[-l:]:\n solutions.append((needle[:l], 1))\n if len(needle) <= len(haystack):\n options = list(iter(Windower(haystack, len(needle), beginmarker=\n None, endmarker=None)))\n for option in options[1:-1]:\n if option == needle:\n solutions.append((needle, 0))\n return solutions\n",
"role": "user"
},
{
"content": "calculate_overlap",
"role": "assistant"
}
] |
def x(text, regexps=TOKENIZERRULES):
for i, regexp in list(enumerate(regexps)):
if isstring(regexp):
regexps[i] = re.compile(regexp)
tokens = []
begin = 0
for i, c in enumerate(text):
if begin > i:
continue
elif i == begin:
m = False
for regexp in regexps:
m = regexp.findall(text[i:i + 300])
if m:
tokens.append(m[0])
begin = i + len(m[0])
break
if m:
continue
if c in string.punctuation or c in WHITESPACE:
prev = text[i - 1] if i > 0 else ''
next = text[i + 1] if i < len(text) - 1 else ''
if (c == '.' or c == ',') and prev.isdigit() and next.isdigit():
pass
elif (c == "'" or c == '`') and prev.isalpha() and next.isalpha():
pass
elif c not in WHITESPACE and next == c:
continue
elif c == '\r' and prev == '\n':
begin = i + 1
continue
else:
token = text[begin:i]
if token:
tokens.append(token)
if c not in WHITESPACE:
tokens.append(c)
begin = i + 1
if begin <= len(text) - 1:
token = text[begin:]
tokens.append(token)
return tokens
| tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, regexps=TOKENIZERRULES):\n for i, regexp in list(enumerate(regexps)):\n if isstring(regexp):\n regexps[i] = re.compile(regexp)\n tokens = []\n begin = 0\n for i, c in enumerate(text):\n if begin > i:\n continue\n elif i == begin:\n m = False\n for regexp in regexps:\n m = regexp.findall(text[i:i + 300])\n if m:\n tokens.append(m[0])\n begin = i + len(m[0])\n break\n if m:\n continue\n if c in string.punctuation or c in WHITESPACE:\n prev = text[i - 1] if i > 0 else ''\n next = text[i + 1] if i < len(text) - 1 else ''\n if (c == '.' or c == ',') and prev.isdigit() and next.isdigit():\n pass\n elif (c == \"'\" or c == '`') and prev.isalpha() and next.isalpha():\n pass\n elif c not in WHITESPACE and next == c:\n continue\n elif c == '\\r' and prev == '\\n':\n begin = i + 1\n continue\n else:\n token = text[begin:i]\n if token:\n tokens.append(token)\n if c not in WHITESPACE:\n tokens.append(c)\n begin = i + 1\n if begin <= len(text) - 1:\n token = text[begin:]\n tokens.append(token)\n return tokens\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(tokens):
begin = 0
for i, token in enumerate(tokens):
if is_end_of_sentence(tokens, i):
yield tokens[begin:i + 1]
begin = i + 1
if begin <= len(tokens) - 1:
yield tokens[begin:]
| split_sentences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens):\n begin = 0\n for i, token in enumerate(tokens):\n if is_end_of_sentence(tokens, i):\n yield tokens[begin:i + 1]\n begin = i + 1\n if begin <= len(tokens) - 1:\n yield tokens[begin:]\n",
"role": "user"
},
{
"content": "split_sentences",
"role": "assistant"
}
] |
def x(s, encoding='utf-8'):
if sys.version < '3':
if isinstance(s, unicode):
return unicodedata.normalize('NFKD', s).encode('ASCII', 'ignore')
else:
return unicodedata.normalize('NFKD', unicode(s, encoding)).encode(
'ASCII', 'ignore')
else:
if isinstance(s, bytes):
s = str(s, encoding)
return str(unicodedata.normalize('NFKD', s).encode('ASCII',
'ignore'), 'ascii')
| strip_accents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, encoding='utf-8'):\n if sys.version < '3':\n if isinstance(s, unicode):\n return unicodedata.normalize('NFKD', s).encode('ASCII', 'ignore')\n else:\n return unicodedata.normalize('NFKD', unicode(s, encoding)).encode(\n 'ASCII', 'ignore')\n else:\n if isinstance(s, bytes):\n s = str(s, encoding)\n return str(unicodedata.normalize('NFKD', s).encode('ASCII',\n 'ignore'), 'ascii')\n",
"role": "user"
},
{
"content": "strip_accents",
"role": "assistant"
}
] |
def x(tokens, maxdist=2):
assert maxdist >= 2
tokens = list(tokens)
if maxdist > len(tokens):
maxdist = len(tokens)
l = len(tokens)
for i in range(0, l - 1):
for permutation in permutations(tokens[i:i + maxdist]):
if permutation != tuple(tokens[i:i + maxdist]):
newtokens = tokens[:i]
newtokens += permutation
newtokens += tokens[i + maxdist:]
yield newtokens
if maxdist == len(tokens):
break
| swap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, maxdist=2):\n assert maxdist >= 2\n tokens = list(tokens)\n if maxdist > len(tokens):\n maxdist = len(tokens)\n l = len(tokens)\n for i in range(0, l - 1):\n for permutation in permutations(tokens[i:i + maxdist]):\n if permutation != tuple(tokens[i:i + maxdist]):\n newtokens = tokens[:i]\n newtokens += permutation\n newtokens += tokens[i + maxdist:]\n yield newtokens\n if maxdist == len(tokens):\n break\n",
"role": "user"
},
{
"content": "swap",
"role": "assistant"
}
] |
def x(tokens, keyword, contextsize=1):
if isinstance(keyword, tuple) and isinstance(keyword, list):
l = len(keyword)
else:
keyword = keyword,
l = 1
n = l + contextsize * 2
focuspos = contextsize + 1
for ngram in Windower(tokens, n, None, None):
if ngram[focuspos:focuspos + l] == keyword:
yield ngram[:focuspos], ngram[focuspos:focuspos + l], ngram[
focuspos + l + 1:]
| find_keyword_in_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, keyword, contextsize=1):\n if isinstance(keyword, tuple) and isinstance(keyword, list):\n l = len(keyword)\n else:\n keyword = keyword,\n l = 1\n n = l + contextsize * 2\n focuspos = contextsize + 1\n for ngram in Windower(tokens, n, None, None):\n if ngram[focuspos:focuspos + l] == keyword:\n yield ngram[:focuspos], ngram[focuspos:focuspos + l], ngram[\n focuspos + l + 1:]\n",
"role": "user"
},
{
"content": "find_keyword_in_context",
"role": "assistant"
}
] |
def x(self):
e = self.data[self.start]
self.start += 1
if self.start > 5 and self.start > len(self.data) // 2:
self.data = self.data[self.start:]
self.start = 0
return e
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n e = self.data[self.start]\n self.start += 1\n if self.start > 5 and self.start > len(self.data) // 2:\n self.data = self.data[self.start:]\n self.start = 0\n return e\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(self, item):
f = self.f(item)
if callable(f):
score = f()
else:
score = f
if not self.duplicates:
for s, i in self.data:
if s == score and item == i:
return False
if self.length and len(self.data) == self.length:
if self.minimize:
worstscore = self.data[-1][0]
if score >= worstscore:
return False
else:
worstscore = self.data[0][0]
if score <= worstscore:
return False
if self.blockworse and self.bestscore != None:
if self.minimize:
if score > self.bestscore:
return False
elif score < self.bestscore:
return False
if self.blockequal and self.bestscore != None:
if self.bestscore == score:
return False
if (self.bestscore == None or self.minimize and score < self.bestscore or
not self.minimize and score > self.bestscore):
self.bestscore = score
bisect.insort(self.data, (score, item))
if self.length:
while len(self.data) > self.length:
if self.minimize:
del self.data[-1]
else:
del self.data[0]
return True
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n f = self.f(item)\n if callable(f):\n score = f()\n else:\n score = f\n if not self.duplicates:\n for s, i in self.data:\n if s == score and item == i:\n return False\n if self.length and len(self.data) == self.length:\n if self.minimize:\n worstscore = self.data[-1][0]\n if score >= worstscore:\n return False\n else:\n worstscore = self.data[0][0]\n if score <= worstscore:\n return False\n if self.blockworse and self.bestscore != None:\n if self.minimize:\n if score > self.bestscore:\n return False\n elif score < self.bestscore:\n return False\n if self.blockequal and self.bestscore != None:\n if self.bestscore == score:\n return False\n if (self.bestscore == None or self.minimize and score < self.bestscore or\n not self.minimize and score > self.bestscore):\n self.bestscore = score\n bisect.insort(self.data, (score, item))\n if self.length:\n while len(self.data) > self.length:\n if self.minimize:\n del self.data[-1]\n else:\n del self.data[0]\n return True\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self):
if self.minimize:
return self.data.pop(0)[1]
else:
return self.data.pop()[1]
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.minimize:\n return self.data.pop(0)[1]\n else:\n return self.data.pop()[1]\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(self, i):
if self.minimize:
return self.data[i][0]
else:
return self.data[-1 * i - 1][0]
| score | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i):\n if self.minimize:\n return self.data[i][0]\n else:\n return self.data[-1 * i - 1][0]\n",
"role": "user"
},
{
"content": "score",
"role": "assistant"
}
] |
def x(self, n):
if self.minimize:
self.data = self.data[:n]
else:
self.data = self.data[-1 * n:]
| prune | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n if self.minimize:\n self.data = self.data[:n]\n else:\n self.data = self.data[-1 * n:]\n",
"role": "user"
},
{
"content": "prune",
"role": "assistant"
}
] |
def x(self, n):
self.data = random.sample(self.data, n)
| randomprune | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n self.data = random.sample(self.data, n)\n",
"role": "user"
},
{
"content": "randomprune",
"role": "assistant"
}
] |
def x(self, score, retainequalscore=False):
if retainequalscore:
if self.minimize:
f = lambda x: x[0] <= score
else:
f = lambda x: x[0] >= score
elif self.minimize:
f = lambda x: x[0] < score
else:
f = lambda x: x[0] > score
self.data = filter(f, self.data)
| prunebyscore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, score, retainequalscore=False):\n if retainequalscore:\n if self.minimize:\n f = lambda x: x[0] <= score\n else:\n f = lambda x: x[0] >= score\n elif self.minimize:\n f = lambda x: x[0] < score\n else:\n f = lambda x: x[0] > score\n self.data = filter(f, self.data)\n",
"role": "user"
},
{
"content": "prunebyscore",
"role": "assistant"
}
] |
def x(self, item):
if not isinstance(item, Tree):
return ValueError('Can only append items of type Tree')
if not self.children:
self.children = []
item.parent = self
self.children.append(item)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if not isinstance(item, Tree):\n return ValueError('Can only append items of type Tree')\n if not self.children:\n self.children = []\n item.parent = self\n self.children.append(item)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self):
if self.children:
return sum(c.size() for c in self.children.values()) + 1
else:
return 1
| size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.children:\n return sum(c.size() for c in self.children.values()) + 1\n else:\n return 1\n",
"role": "user"
},
{
"content": "size",
"role": "assistant"
}
] |
def x(self, leavesonly=True, maxdepth=None, _depth=0):
if self.children:
if not maxdepth or maxdepth and _depth < maxdepth:
for key, child in self.children.items():
if child.leaf():
yield child
else:
for results in child.walk(leavesonly, maxdepth, _depth + 1
):
yield results
| walk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, leavesonly=True, maxdepth=None, _depth=0):\n if self.children:\n if not maxdepth or maxdepth and _depth < maxdepth:\n for key, child in self.children.items():\n if child.leaf():\n yield child\n else:\n for results in child.walk(leavesonly, maxdepth, _depth + 1\n ):\n yield results\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self):
prevp = 0
prevs = 0
sentence = []
sentence_id = ''
for word, id, pos, lemma in iter(self):
try:
doc_id, ptype, p, s, w = re.findall(
'([\\w\\d-]+)\\.(p|head)\\.(\\d+)\\.s\\.(\\d+)\\.w\\.(\\d+)',
id)[0]
if (p != prevp or s != prevs) and sentence:
yield sentence_id, sentence
sentence = []
sentence_id = doc_id + '.' + ptype + '.' + str(p
) + '.s.' + str(s)
prevp = p
except IndexError:
doc_id, s, w = re.findall('([\\w\\d-]+)\\.s\\.(\\d+)\\.w\\.(\\d+)',
id)[0]
if s != prevs and sentence:
yield sentence_id, sentence
sentence = []
sentence_id = doc_id + '.s.' + str(s)
sentence.append((word, id, pos, lemma))
prevs = s
if sentence:
yield sentence_id, sentence
| sentences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n prevp = 0\n prevs = 0\n sentence = []\n sentence_id = ''\n for word, id, pos, lemma in iter(self):\n try:\n doc_id, ptype, p, s, w = re.findall(\n '([\\\\w\\\\d-]+)\\\\.(p|head)\\\\.(\\\\d+)\\\\.s\\\\.(\\\\d+)\\\\.w\\\\.(\\\\d+)',\n id)[0]\n if (p != prevp or s != prevs) and sentence:\n yield sentence_id, sentence\n sentence = []\n sentence_id = doc_id + '.' + ptype + '.' + str(p\n ) + '.s.' + str(s)\n prevp = p\n except IndexError:\n doc_id, s, w = re.findall('([\\\\w\\\\d-]+)\\\\.s\\\\.(\\\\d+)\\\\.w\\\\.(\\\\d+)',\n id)[0]\n if s != prevs and sentence:\n yield sentence_id, sentence\n sentence = []\n sentence_id = doc_id + '.s.' + str(s)\n sentence.append((word, id, pos, lemma))\n prevs = s\n if sentence:\n yield sentence_id, sentence\n",
"role": "user"
},
{
"content": "sentences",
"role": "assistant"
}
] |
def x(self, with_id=False):
prevp = 0
partext = []
for word, id, pos, lemma in iter(self):
doc_id, ptype, p, s, w = re.findall(
'([\\w\\d-]+)\\.(p|head)\\.(\\d+)\\.s\\.(\\d+)\\.w\\.(\\d+)', id)[0
]
if prevp != p and partext:
yield doc_id + '.' + ptype + '.' + prevp, ' '.join(partext)
partext = []
partext.append(word)
prevp = p
if partext:
yield doc_id + '.' + ptype + '.' + prevp, ' '.join(partext)
| paragraphs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_id=False):\n prevp = 0\n partext = []\n for word, id, pos, lemma in iter(self):\n doc_id, ptype, p, s, w = re.findall(\n '([\\\\w\\\\d-]+)\\\\.(p|head)\\\\.(\\\\d+)\\\\.s\\\\.(\\\\d+)\\\\.w\\\\.(\\\\d+)', id)[0\n ]\n if prevp != p and partext:\n yield doc_id + '.' + ptype + '.' + prevp, ' '.join(partext)\n partext = []\n partext.append(word)\n prevp = p\n if partext:\n yield doc_id + '.' + ptype + '.' + prevp, ' '.join(partext)\n",
"role": "user"
},
{
"content": "paragraphs",
"role": "assistant"
}
] |
def x(self, formats_dir='../formats/'):
if self.inline:
xmlschema = ElementTree.XMLSchema(ElementTree.parse(StringIO('\n'.
join(open(formats_dir + 'dcoi-dsc.xsd').readlines()))))
xmlschema.assertValid(self.tree)
else:
xmlschema = ElementTree.XMLSchema(ElementTree.parse(StringIO('\n'.
join(open(formats_dir + 'dutchsemcor-standalone.xsd').readlines
()))))
xmlschema.assertValid(self.tree)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, formats_dir='../formats/'):\n if self.inline:\n xmlschema = ElementTree.XMLSchema(ElementTree.parse(StringIO('\\n'.\n join(open(formats_dir + 'dcoi-dsc.xsd').readlines()))))\n xmlschema.assertValid(self.tree)\n else:\n xmlschema = ElementTree.XMLSchema(ElementTree.parse(StringIO('\\n'.\n join(open(formats_dir + 'dutchsemcor-standalone.xsd').readlines\n ()))))\n xmlschema.assertValid(self.tree)\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, expression):
global namespaces
return self.tree.xpath(expression, namespaces=namespaces)
| xpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expression):\n global namespaces\n return self.tree.xpath(expression, namespaces=namespaces)\n",
"role": "user"
},
{
"content": "xpath",
"role": "assistant"
}
] |
def x(self, referencewords, datatuple):
targetwords = []
for i, (word, lemma, postag) in enumerate(zip(datatuple[0], datatuple[1
], datatuple[2])):
if word:
subwords = word.split('_')
for w in subwords:
targetwords.append((w, lemma, postag, i, len(subwords) > 1))
referencewords = [w.lower() for w in referencewords]
alignment = []
for i, referenceword in enumerate(referencewords):
found = False
best = 0
distance = 999999
for j, (targetword, lemma, pos, index, multiword) in enumerate(
targetwords):
if referenceword == targetword and abs(i - j) < distance:
found = True
best = j
distance = abs(i - j)
if found:
alignment.append(targetwords[best])
else:
alignment.append((None, None, None, None, False))
return alignment
| align | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referencewords, datatuple):\n targetwords = []\n for i, (word, lemma, postag) in enumerate(zip(datatuple[0], datatuple[1\n ], datatuple[2])):\n if word:\n subwords = word.split('_')\n for w in subwords:\n targetwords.append((w, lemma, postag, i, len(subwords) > 1))\n referencewords = [w.lower() for w in referencewords]\n alignment = []\n for i, referenceword in enumerate(referencewords):\n found = False\n best = 0\n distance = 999999\n for j, (targetword, lemma, pos, index, multiword) in enumerate(\n targetwords):\n if referenceword == targetword and abs(i - j) < distance:\n found = True\n best = j\n distance = abs(i - j)\n if found:\n alignment.append(targetwords[best])\n else:\n alignment.append((None, None, None, None, False))\n return alignment\n",
"role": "user"
},
{
"content": "align",
"role": "assistant"
}
] |
def x(self):
if self.mainsetcache:
return self.mainsetcache
set_uri = self.get_set_uri()
for row in self.graph.query(
'SELECT ?seturi ?setid ?setlabel ?setopen ?setempty WHERE { ?seturi rdf:type skos:Collection . OPTIONAL { ?seturi skos:notation ?setid } OPTIONAL { ?seturi skos:prefLabel ?setlabel } OPTIONAL { ?seturi fsd:open ?setopen } OPTIONAL { ?seturi fsd:empty ?setempty } FILTER NOT EXISTS { ?y skos:member ?seturi . ?y rdf:type skos:Collection } }'
):
self.mainsetcache = {'uri': str(row.seturi), 'id': str(row.setid),
'label': str(row.setlabel) if row.setlabel else '', 'open':
bool(row.setopen), 'empty': bool(row.setempty)}
return self.mainsetcache
raise DeepValidationError('Unable to find main set (set_uri=' + str(
set_uri) + '), this should not happen')
| mainset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.mainsetcache:\n return self.mainsetcache\n set_uri = self.get_set_uri()\n for row in self.graph.query(\n 'SELECT ?seturi ?setid ?setlabel ?setopen ?setempty WHERE { ?seturi rdf:type skos:Collection . OPTIONAL { ?seturi skos:notation ?setid } OPTIONAL { ?seturi skos:prefLabel ?setlabel } OPTIONAL { ?seturi fsd:open ?setopen } OPTIONAL { ?seturi fsd:empty ?setempty } FILTER NOT EXISTS { ?y skos:member ?seturi . ?y rdf:type skos:Collection } }'\n ):\n self.mainsetcache = {'uri': str(row.seturi), 'id': str(row.setid),\n 'label': str(row.setlabel) if row.setlabel else '', 'open':\n bool(row.setopen), 'empty': bool(row.setempty)}\n return self.mainsetcache\n raise DeepValidationError('Unable to find main set (set_uri=' + str(\n set_uri) + '), this should not happen')\n",
"role": "user"
},
{
"content": "mainset",
"role": "assistant"
}
] |
def x(self, subset_id):
if subset_id in self.subsetcache:
return self.subsetcache[subset_id]
set_uri = self.get_set_uri(subset_id)
for row in self.graph.query(
'SELECT ?seturi ?setid ?setlabel ?setopen WHERE { ?seturi rdf:type skos:Collection . OPTIONAL { ?seturi skos:notation ?setid } OPTIONAL { ?seturi skos:prefLabel ?setlabel } OPTIONAL { ?seturi fsd:open ?setopen } FILTER (?seturi = <'
+ str(set_uri) + '>) }'):
self.subsetcache[str(row.setid)] = {'uri': str(row.seturi), 'id':
str(row.setid), 'label': str(row.setlabel) if row.setlabel else
'', 'open': bool(row.setopen)}
return self.subsetcache[str(row.setid)]
raise DeepValidationError('Unable to find subset (set_uri=' + str(
set_uri) + ')')
| subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subset_id):\n if subset_id in self.subsetcache:\n return self.subsetcache[subset_id]\n set_uri = self.get_set_uri(subset_id)\n for row in self.graph.query(\n 'SELECT ?seturi ?setid ?setlabel ?setopen WHERE { ?seturi rdf:type skos:Collection . OPTIONAL { ?seturi skos:notation ?setid } OPTIONAL { ?seturi skos:prefLabel ?setlabel } OPTIONAL { ?seturi fsd:open ?setopen } FILTER (?seturi = <'\n + str(set_uri) + '>) }'):\n self.subsetcache[str(row.setid)] = {'uri': str(row.seturi), 'id':\n str(row.setid), 'label': str(row.setlabel) if row.setlabel else\n '', 'open': bool(row.setopen)}\n return self.subsetcache[str(row.setid)]\n raise DeepValidationError('Unable to find subset (set_uri=' + str(\n set_uri) + ')')\n",
"role": "user"
},
{
"content": "subset",
"role": "assistant"
}
] |
def x(self, set_uri_or_id=None, nestedhierarchy=False):
classes = self.classes(set_uri_or_id, nestedhierarchy)
for classid in self.classorder(classes):
yield classes[classid]
| orderedclasses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_uri_or_id=None, nestedhierarchy=False):\n classes = self.classes(set_uri_or_id, nestedhierarchy)\n for classid in self.classorder(classes):\n yield classes[classid]\n",
"role": "user"
},
{
"content": "orderedclasses",
"role": "assistant"
}
] |
def x(self, set_uri_or_id=None, nestedhierarchy=False):
if set_uri_or_id and set_uri_or_id.startswith(('http://', 'https://')):
set_uri = set_uri_or_id
else:
set_uri = self.get_set_uri(set_uri_or_id)
assert set_uri is not None
classes = {}
uri2idmap = {}
for row in self.graph.query(
'SELECT ?classuri ?classid ?classlabel ?parentclass ?seqnr WHERE { ?classuri rdf:type skos:Concept ; skos:notation ?classid. <'
+ str(set_uri) +
'> skos:member ?classuri . OPTIONAL { ?classuri skos:prefLabel ?classlabel } OPTIONAL { ?classuri skos:narrower ?parentclass } OPTIONAL { ?classuri fsd:sequenceNumber ?seqnr } }'
):
classinfo = {'uri': str(row.classuri), 'id': str(row.classid),
'label': str(row.classlabel) if row.classlabel else ''}
if nestedhierarchy:
uri2idmap[str(row.classuri)] = str(row.classid)
if row.parentclass:
classinfo['parentclass'] = str(row.parentclass)
if row.seqnr:
classinfo['seqnr'] = int(row.seqnr)
classes[str(row.classid)] = classinfo
if nestedhierarchy:
removekeys = []
for classid, classinfo in classes.items():
if 'parentclass' in classinfo:
removekeys.append(classid)
parentclassid = uri2idmap[classinfo['parentclass']]
if 'subclasses' not in classes[parentclassid]:
classes[parentclassid]['subclasses'] = {}
classes[parentclassid]['subclasses'][classid] = classinfo
for key in removekeys:
del classes[key]
return classes
| classes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_uri_or_id=None, nestedhierarchy=False):\n if set_uri_or_id and set_uri_or_id.startswith(('http://', 'https://')):\n set_uri = set_uri_or_id\n else:\n set_uri = self.get_set_uri(set_uri_or_id)\n assert set_uri is not None\n classes = {}\n uri2idmap = {}\n for row in self.graph.query(\n 'SELECT ?classuri ?classid ?classlabel ?parentclass ?seqnr WHERE { ?classuri rdf:type skos:Concept ; skos:notation ?classid. <'\n + str(set_uri) +\n '> skos:member ?classuri . OPTIONAL { ?classuri skos:prefLabel ?classlabel } OPTIONAL { ?classuri skos:narrower ?parentclass } OPTIONAL { ?classuri fsd:sequenceNumber ?seqnr } }'\n ):\n classinfo = {'uri': str(row.classuri), 'id': str(row.classid),\n 'label': str(row.classlabel) if row.classlabel else ''}\n if nestedhierarchy:\n uri2idmap[str(row.classuri)] = str(row.classid)\n if row.parentclass:\n classinfo['parentclass'] = str(row.parentclass)\n if row.seqnr:\n classinfo['seqnr'] = int(row.seqnr)\n classes[str(row.classid)] = classinfo\n if nestedhierarchy:\n removekeys = []\n for classid, classinfo in classes.items():\n if 'parentclass' in classinfo:\n removekeys.append(classid)\n parentclassid = uri2idmap[classinfo['parentclass']]\n if 'subclasses' not in classes[parentclassid]:\n classes[parentclassid]['subclasses'] = {}\n classes[parentclassid]['subclasses'][classid] = classinfo\n for key in removekeys:\n del classes[key]\n return classes\n",
"role": "user"
},
{
"content": "classes",
"role": "assistant"
}
] |
def x(self, classes):
return [classid for classid, classitem in sorted(((classid, classitem) for
classid, classitem in classes.items() if 'seqnr' in classitem), key
=lambda pair: pair[1]['seqnr'])] + [classid for classid, classitem in
sorted(((classid, classitem) for classid, classitem in classes.
items() if 'seqnr' not in classitem), key=lambda pair: pair[1][
'label'] if 'label' in pair[1] else pair[1]['id'])]
| classorder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, classes):\n return [classid for classid, classitem in sorted(((classid, classitem) for\n classid, classitem in classes.items() if 'seqnr' in classitem), key\n =lambda pair: pair[1]['seqnr'])] + [classid for classid, classitem in\n sorted(((classid, classitem) for classid, classitem in classes.\n items() if 'seqnr' not in classitem), key=lambda pair: pair[1][\n 'label'] if 'label' in pair[1] else pair[1]['id'])]\n",
"role": "user"
},
{
"content": "classorder",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.lexer = ply.lex.lex(object=self, **kwargs)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self.lexer = ply.lex.lex(object=self, **kwargs)\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(tree):
if tree.tag == 'identifier':
return tree.attrib['name']
if tree.tag in ('string', 'boolean'):
return tree.text
if tree.tag == 'number':
return tree.attrib['value']
if tree.tag in ('property', 'object'):
return make_varname(_xpath_one(tree, '*'))
if tree.tag.endswith('accessor'):
kind = tree.tag[:-len('accessor')]
obj = make_varname(_xpath_one(tree, 'object'))
prop = make_varname(_xpath_one(tree, 'property'))
if kind == 'dot':
fmt = '%s.%s'
elif kind == 'bracket':
fmt = '%s[%s]'
else:
raise ValueError('Unknown accessor: %s' % tree.tag)
return fmt % (obj, prop)
raise ValueError('Unknown tag: %s' % tree.tag)
| make_varname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree):\n if tree.tag == 'identifier':\n return tree.attrib['name']\n if tree.tag in ('string', 'boolean'):\n return tree.text\n if tree.tag == 'number':\n return tree.attrib['value']\n if tree.tag in ('property', 'object'):\n return make_varname(_xpath_one(tree, '*'))\n if tree.tag.endswith('accessor'):\n kind = tree.tag[:-len('accessor')]\n obj = make_varname(_xpath_one(tree, 'object'))\n prop = make_varname(_xpath_one(tree, 'property'))\n if kind == 'dot':\n fmt = '%s.%s'\n elif kind == 'bracket':\n fmt = '%s[%s]'\n else:\n raise ValueError('Unknown accessor: %s' % tree.tag)\n return fmt % (obj, prop)\n raise ValueError('Unknown tag: %s' % tree.tag)\n",
"role": "user"
},
{
"content": "make_varname",
"role": "assistant"
}
] |
def x(env_prefix=''):
auth_string = os.environ.get(env_prefix + 'WSGI_AUTH_CREDENTIALS')
if not auth_string:
return {}
result = {}
for credentials in auth_string.split('|'):
username, password = credentials.split(':', 1)
result[username] = password
return result
| users_from_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env_prefix=''):\n auth_string = os.environ.get(env_prefix + 'WSGI_AUTH_CREDENTIALS')\n if not auth_string:\n return {}\n result = {}\n for credentials in auth_string.split('|'):\n username, password = credentials.split(':', 1)\n result[username] = password\n return result\n",
"role": "user"
},
{
"content": "users_from_environ",
"role": "assistant"
}
] |
def x(env_prefix=''):
paths = os.environ.get(env_prefix + 'WSGI_AUTH_EXCLUDE_PATHS')
if not paths:
return []
return paths.split(';')
| exclude_paths_from_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env_prefix=''):\n paths = os.environ.get(env_prefix + 'WSGI_AUTH_EXCLUDE_PATHS')\n if not paths:\n return []\n return paths.split(';')\n",
"role": "user"
},
{
"content": "exclude_paths_from_environ",
"role": "assistant"
}
] |
def x(env_prefix=''):
paths = os.environ.get(env_prefix + 'WSGI_AUTH_PATHS')
if not paths:
return []
return paths.split(';')
| include_paths_from_environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env_prefix=''):\n paths = os.environ.get(env_prefix + 'WSGI_AUTH_PATHS')\n if not paths:\n return []\n return paths.split(';')\n",
"role": "user"
},
{
"content": "include_paths_from_environ",
"role": "assistant"
}
] |
def x(self, request):
if self._is_request_in_include_path(request):
if self._is_request_in_exclude_path(request):
return True
else:
auth = request.authorization
if auth and auth[0] == 'Basic':
credentials = b64decode(auth[1]).decode('UTF-8')
username, password = credentials.split(':', 1)
return self._users.get(username) == password
else:
return False
else:
return True
| is_authorized | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if self._is_request_in_include_path(request):\n if self._is_request_in_exclude_path(request):\n return True\n else:\n auth = request.authorization\n if auth and auth[0] == 'Basic':\n credentials = b64decode(auth[1]).decode('UTF-8')\n username, password = credentials.split(':', 1)\n return self._users.get(username) == password\n else:\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "is_authorized",
"role": "assistant"
}
] |
def x(self, environ, start_response):
response = HTTPUnauthorized()
response.www_authenticate = 'Basic', {'realm': self._realm}
return response(environ, start_response)
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, environ, start_response):\n response = HTTPUnauthorized()\n response.www_authenticate = 'Basic', {'realm': self._realm}\n return response(environ, start_response)\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, request):
if self._include_paths:
for path in self._include_paths:
if request.path.startswith(path):
return True
return False
else:
return True
| is_request_in_include_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if self._include_paths:\n for path in self._include_paths:\n if request.path.startswith(path):\n return True\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "is_request_in_include_path",
"role": "assistant"
}
] |
def x(self, request):
if self._exclude_paths:
for path in self._exclude_paths:
if request.path.startswith(path):
return True
return False
else:
return False
| is_request_in_exclude_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if self._exclude_paths:\n for path in self._exclude_paths:\n if request.path.startswith(path):\n return True\n return False\n else:\n return False\n",
"role": "user"
},
{
"content": "is_request_in_exclude_path",
"role": "assistant"
}
] |
def x(prompt_kwargs, group):
prompt_kwargs = prompt_kwargs or {}
defaults = {'history': InMemoryHistory(), 'completer': ClickCompleter(
group), 'message': u'> '}
for key in defaults:
default_value = defaults[key]
if key not in prompt_kwargs:
prompt_kwargs[key] = default_value
return prompt_kwargs
| bootstrap_prompt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt_kwargs, group):\n prompt_kwargs = prompt_kwargs or {}\n defaults = {'history': InMemoryHistory(), 'completer': ClickCompleter(\n group), 'message': u'> '}\n for key in defaults:\n default_value = defaults[key]\n if key not in prompt_kwargs:\n prompt_kwargs[key] = default_value\n return prompt_kwargs\n",
"role": "user"
},
{
"content": "bootstrap_prompt",
"role": "assistant"
}
] |
def x(old_ctx, prompt_kwargs=None, allow_system_commands=True,
allow_internal_commands=True):
group_ctx = old_ctx.parent or old_ctx
group = group_ctx.command
isatty = sys.stdin.isatty()
repl_command_name = old_ctx.command.name
if isinstance(group_ctx.command, click.CommandCollection):
available_commands = {cmd_name: cmd_obj for source in group_ctx.
command.sources for cmd_name, cmd_obj in source.commands.items()}
else:
available_commands = group_ctx.command.commands
available_commands.pop(repl_command_name, None)
prompt_kwargs = bootstrap_prompt(prompt_kwargs, group)
if isatty:
def x():
return prompt(**prompt_kwargs)
else:
get_command = sys.stdin.readline
while True:
try:
command = get_command()
except KeyboardInterrupt:
continue
except EOFError:
break
if not command:
if isatty:
continue
else:
break
if allow_system_commands and dispatch_repl_commands(command):
continue
if allow_internal_commands:
try:
result = handle_internal_commands(command)
if isinstance(result, six.string_types):
click.echo(result)
continue
except ExitReplException:
break
try:
args = shlex.split(command)
except ValueError as e:
click.echo('{}: {}'.format(type(e).__name__, e))
continue
try:
with group.make_context(None, args, parent=group_ctx) as ctx:
group.invoke(ctx)
ctx.exit()
except click.ClickException as e:
e.show()
except ClickExit:
pass
except SystemExit:
pass
except ExitReplException:
break
| repl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old_ctx, prompt_kwargs=None, allow_system_commands=True,\n allow_internal_commands=True):\n group_ctx = old_ctx.parent or old_ctx\n group = group_ctx.command\n isatty = sys.stdin.isatty()\n repl_command_name = old_ctx.command.name\n if isinstance(group_ctx.command, click.CommandCollection):\n available_commands = {cmd_name: cmd_obj for source in group_ctx.\n command.sources for cmd_name, cmd_obj in source.commands.items()}\n else:\n available_commands = group_ctx.command.commands\n available_commands.pop(repl_command_name, None)\n prompt_kwargs = bootstrap_prompt(prompt_kwargs, group)\n if isatty:\n\n def x():\n return prompt(**prompt_kwargs)\n else:\n get_command = sys.stdin.readline\n while True:\n try:\n command = get_command()\n except KeyboardInterrupt:\n continue\n except EOFError:\n break\n if not command:\n if isatty:\n continue\n else:\n break\n if allow_system_commands and dispatch_repl_commands(command):\n continue\n if allow_internal_commands:\n try:\n result = handle_internal_commands(command)\n if isinstance(result, six.string_types):\n click.echo(result)\n continue\n except ExitReplException:\n break\n try:\n args = shlex.split(command)\n except ValueError as e:\n click.echo('{}: {}'.format(type(e).__name__, e))\n continue\n try:\n with group.make_context(None, args, parent=group_ctx) as ctx:\n group.invoke(ctx)\n ctx.exit()\n except click.ClickException as e:\n e.show()\n except ClickExit:\n pass\n except SystemExit:\n pass\n except ExitReplException:\n break\n",
"role": "user"
},
{
"content": "repl",
"role": "assistant"
}
] |
def x(group, name='repl'):
group.command(name=name)(click.pass_context(repl))
| register_repl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(group, name='repl'):\n group.command(name=name)(click.pass_context(repl))\n",
"role": "user"
},
{
"content": "register_repl",
"role": "assistant"
}
] |
def x(command):
if command.startswith(':'):
target = _get_registered_target(command[1:], default=None)
if target:
return target()
| handle_internal_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command):\n if command.startswith(':'):\n target = _get_registered_target(command[1:], default=None)\n if target:\n return target()\n",
"role": "user"
},
{
"content": "handle_internal_commands",
"role": "assistant"
}
] |
def x(self, X):
D = self._initialize(X)
for i in range(self.max_iter):
gamma = self._transform(D, X)
e = np.linalg.norm(X - gamma.dot(D))
if e < self.tol:
break
D, gamma = self._update_dict(X, D, gamma)
self.components_ = D
return self
| fit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X):\n D = self._initialize(X)\n for i in range(self.max_iter):\n gamma = self._transform(D, X)\n e = np.linalg.norm(X - gamma.dot(D))\n if e < self.tol:\n break\n D, gamma = self._update_dict(X, D, gamma)\n self.components_ = D\n return self\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(id_fetcher, type_resolver=None, id_resolver=None):
node_interface = GraphQLInterfaceType('Node', description=
'An object with an ID', fields=lambda : OrderedDict((('id',
GraphQLField(GraphQLNonNull(GraphQLID), description=
'The id of the object.', resolver=id_resolver)),)), resolve_type=
type_resolver)
node_field = GraphQLField(node_interface, description=
'Fetches an object given its ID', args=OrderedDict((('id',
GraphQLArgument(GraphQLNonNull(GraphQLID), description=
'The ID of an object')),)), resolver=lambda obj, args, *_:
id_fetcher(args.get('id'), *_))
return node_interface, node_field
| node_definitions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id_fetcher, type_resolver=None, id_resolver=None):\n node_interface = GraphQLInterfaceType('Node', description=\n 'An object with an ID', fields=lambda : OrderedDict((('id',\n GraphQLField(GraphQLNonNull(GraphQLID), description=\n 'The id of the object.', resolver=id_resolver)),)), resolve_type=\n type_resolver)\n node_field = GraphQLField(node_interface, description=\n 'Fetches an object given its ID', args=OrderedDict((('id',\n GraphQLArgument(GraphQLNonNull(GraphQLID), description=\n 'The ID of an object')),)), resolver=lambda obj, args, *_:\n id_fetcher(args.get('id'), *_))\n return node_interface, node_field\n",
"role": "user"
},
{
"content": "node_definitions",
"role": "assistant"
}
] |
def x(global_id):
unbased_global_id = unbase64(global_id)
_type, _id = unbased_global_id.split(':', 1)
return _type, _id
| from_global_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(global_id):\n unbased_global_id = unbase64(global_id)\n _type, _id = unbased_global_id.split(':', 1)\n return _type, _id\n",
"role": "user"
},
{
"content": "from_global_id",
"role": "assistant"
}
] |
def x(type_name, id_fetcher=None):
return GraphQLField(GraphQLNonNull(GraphQLID), description=
'The ID of an object', resolver=lambda obj, args, context, info:
to_global_id(type_name or info.parent_type.name, id_fetcher(obj,
context, info) if id_fetcher else obj.id))
| global_id_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type_name, id_fetcher=None):\n return GraphQLField(GraphQLNonNull(GraphQLID), description=\n 'The ID of an object', resolver=lambda obj, args, context, info:\n to_global_id(type_name or info.parent_type.name, id_fetcher(obj,\n context, info) if id_fetcher else obj.id))\n",
"role": "user"
},
{
"content": "global_id_field",
"role": "assistant"
}
] |
def x(data, args=None, **kwargs):
_len = len(data)
return connection_from_list_slice(data, args, slice_start=0,
list_length=_len, list_slice_length=_len, **kwargs)
| connection_from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, args=None, **kwargs):\n _len = len(data)\n return connection_from_list_slice(data, args, slice_start=0,\n list_length=_len, list_slice_length=_len, **kwargs)\n",
"role": "user"
},
{
"content": "connection_from_list",
"role": "assistant"
}
] |
def x(data_promise, args=None, **kwargs):
return data_promise.then(lambda data: connection_from_list(data, args,
**kwargs))
| connection_from_promised_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data_promise, args=None, **kwargs):\n return data_promise.then(lambda data: connection_from_list(data, args,\n **kwargs))\n",
"role": "user"
},
{
"content": "connection_from_promised_list",
"role": "assistant"
}
] |
def x(list_slice, args=None, connection_type=None, edge_type=None,
pageinfo_type=None, slice_start=0, list_length=0, list_slice_length=None):
connection_type = connection_type or Connection
edge_type = edge_type or Edge
pageinfo_type = pageinfo_type or PageInfo
args = args or {}
before = args.get('before')
after = args.get('after')
first = args.get('first')
last = args.get('last')
if list_slice_length is None:
list_slice_length = len(list_slice)
slice_end = slice_start + list_slice_length
before_offset = get_offset_with_default(before, list_length)
after_offset = get_offset_with_default(after, -1)
start_offset = max(slice_start - 1, after_offset, -1) + 1
end_offset = min(slice_end, before_offset, list_length)
if isinstance(first, int):
end_offset = min(end_offset, start_offset + first)
if isinstance(last, int):
start_offset = max(start_offset, end_offset - last)
_slice = list_slice[max(start_offset - slice_start, 0):
list_slice_length - (slice_end - end_offset)]
edges = [edge_type(node=node, cursor=offset_to_cursor(start_offset + i)
) for i, node in enumerate(_slice)]
first_edge_cursor = edges[0].cursor if edges else None
last_edge_cursor = edges[-1].cursor if edges else None
lower_bound = after_offset + 1 if after else 0
upper_bound = before_offset if before else list_length
return connection_type(edges=edges, page_info=pageinfo_type(
start_cursor=first_edge_cursor, end_cursor=last_edge_cursor,
has_previous_page=isinstance(last, int) and start_offset >
lower_bound, has_next_page=isinstance(first, int) and end_offset <
upper_bound))
| connection_from_list_slice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_slice, args=None, connection_type=None, edge_type=None,\n pageinfo_type=None, slice_start=0, list_length=0, list_slice_length=None):\n connection_type = connection_type or Connection\n edge_type = edge_type or Edge\n pageinfo_type = pageinfo_type or PageInfo\n args = args or {}\n before = args.get('before')\n after = args.get('after')\n first = args.get('first')\n last = args.get('last')\n if list_slice_length is None:\n list_slice_length = len(list_slice)\n slice_end = slice_start + list_slice_length\n before_offset = get_offset_with_default(before, list_length)\n after_offset = get_offset_with_default(after, -1)\n start_offset = max(slice_start - 1, after_offset, -1) + 1\n end_offset = min(slice_end, before_offset, list_length)\n if isinstance(first, int):\n end_offset = min(end_offset, start_offset + first)\n if isinstance(last, int):\n start_offset = max(start_offset, end_offset - last)\n _slice = list_slice[max(start_offset - slice_start, 0):\n list_slice_length - (slice_end - end_offset)]\n edges = [edge_type(node=node, cursor=offset_to_cursor(start_offset + i)\n ) for i, node in enumerate(_slice)]\n first_edge_cursor = edges[0].cursor if edges else None\n last_edge_cursor = edges[-1].cursor if edges else None\n lower_bound = after_offset + 1 if after else 0\n upper_bound = before_offset if before else list_length\n return connection_type(edges=edges, page_info=pageinfo_type(\n start_cursor=first_edge_cursor, end_cursor=last_edge_cursor,\n has_previous_page=isinstance(last, int) and start_offset >\n lower_bound, has_next_page=isinstance(first, int) and end_offset <\n upper_bound))\n",
"role": "user"
},
{
"content": "connection_from_list_slice",
"role": "assistant"
}
] |
def x(data, _object):
if _object not in data:
return None
offset = data.index(_object)
return offset_to_cursor(offset)
| cursor_for_object_in_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, _object):\n if _object not in data:\n return None\n offset = data.index(_object)\n return offset_to_cursor(offset)\n",
"role": "user"
},
{
"content": "cursor_for_object_in_connection",
"role": "assistant"
}
] |
def x(cursor=None, default_offset=0):
if not is_str(cursor):
return default_offset
offset = cursor_to_offset(cursor)
try:
return int(offset)
except:
return default_offset
| get_offset_with_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cursor=None, default_offset=0):\n if not is_str(cursor):\n return default_offset\n offset = cursor_to_offset(cursor)\n try:\n return int(offset)\n except:\n return default_offset\n",
"role": "user"
},
{
"content": "get_offset_with_default",
"role": "assistant"
}
] |
def x(data, size=(600, 400), node_size=2.0, edge_size=0.25,
default_node_color=6013150, default_edge_color=11184810, z=100, shader=
'basic', optimize=True, directed=True, display_html=True, show_save=False):
shader_options = ['toon', 'basic', 'phong', 'lambert']
if shader not in shader_options:
raise Exception('Invalid shader! Please use one of: ' + ', '.join(
shader_options))
if isinstance(default_edge_color, int):
default_edge_color = hex(default_edge_color)
if isinstance(default_node_color, int):
default_node_color = hex(default_node_color)
if isinstance(data, list):
graph = json_formatter.dumps(generate(data, iterations=1))
elif isinstance(data, dict):
for node_key in data['nodes']:
node = data['nodes'][node_key]
if 'color' in node and isinstance(node['color'], int):
node['color'] = hex(node['color'])
for edge in data['edges']:
if 'color' in edge and isinstance(edge['color'], int):
edge['color'] = hex(edge['color'])
graph = json_formatter.dumps(data)
else:
try:
with open(data) as in_file:
graph = in_file.read()
except:
graph = data
div_id = uuid.uuid4()
html = (
"""<div id="graph-%(id)s"></div>
<script type="text/javascript">
require.config({baseUrl: '/',
paths: {jgraph: ['%(local)s', '%(remote)s']}});
require(['jgraph'], function () {
var $d = $('#graph-%(id)s');
$d.width(%(w)d); $d.height(%(h)d);
$d.jgraph = jQuery.extend({}, jgraph);
$d.jgraph.create($d, {nodeSize: %(node_size)f,
edgeSize: %(edge_size)f,
defaultNodeColor: '%(node_color)s',
defaultEdgeColor: '%(edge_color)s',
shader: '%(shader)s',
z: %(z)d,
runOptimization: %(optimize)s,
directed: %(directed)s,
showSave: %(show_save)s});
$d.jgraph.draw(%(graph)s);
$d.resizable({
aspectRatio: %(w)d / %(h)d,
resize: function (evt, ui) {
$d.jgraph.renderer.setSize(ui.size.width,
ui.size.height);
}
});
});
</script>"""
% dict(id=div_id, local=local_path[:-3], remote=remote_path[:-3],
w=size[0], h=size[1], node_size=node_size, edge_size=edge_size,
node_color=default_node_color, edge_color=default_edge_color,
shader=shader, z=z, graph=graph, optimize='true' if optimize else
'false', directed='true' if directed else 'false', show_save='true' if
show_save else 'false'))
if display_html:
display(HTML(html))
else:
return html
| draw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, size=(600, 400), node_size=2.0, edge_size=0.25,\n default_node_color=6013150, default_edge_color=11184810, z=100, shader=\n 'basic', optimize=True, directed=True, display_html=True, show_save=False):\n shader_options = ['toon', 'basic', 'phong', 'lambert']\n if shader not in shader_options:\n raise Exception('Invalid shader! Please use one of: ' + ', '.join(\n shader_options))\n if isinstance(default_edge_color, int):\n default_edge_color = hex(default_edge_color)\n if isinstance(default_node_color, int):\n default_node_color = hex(default_node_color)\n if isinstance(data, list):\n graph = json_formatter.dumps(generate(data, iterations=1))\n elif isinstance(data, dict):\n for node_key in data['nodes']:\n node = data['nodes'][node_key]\n if 'color' in node and isinstance(node['color'], int):\n node['color'] = hex(node['color'])\n for edge in data['edges']:\n if 'color' in edge and isinstance(edge['color'], int):\n edge['color'] = hex(edge['color'])\n graph = json_formatter.dumps(data)\n else:\n try:\n with open(data) as in_file:\n graph = in_file.read()\n except:\n graph = data\n div_id = uuid.uuid4()\n html = (\n \"\"\"<div id=\"graph-%(id)s\"></div>\n <script type=\"text/javascript\">\n require.config({baseUrl: '/',\n paths: {jgraph: ['%(local)s', '%(remote)s']}});\n require(['jgraph'], function () {\n var $d = $('#graph-%(id)s');\n $d.width(%(w)d); $d.height(%(h)d);\n $d.jgraph = jQuery.extend({}, jgraph);\n $d.jgraph.create($d, {nodeSize: %(node_size)f,\n edgeSize: %(edge_size)f,\n defaultNodeColor: '%(node_color)s',\n defaultEdgeColor: '%(edge_color)s',\n shader: '%(shader)s',\n z: %(z)d,\n runOptimization: %(optimize)s,\n directed: %(directed)s,\n showSave: %(show_save)s});\n $d.jgraph.draw(%(graph)s);\n\n $d.resizable({\n aspectRatio: %(w)d / %(h)d,\n resize: function (evt, ui) {\n $d.jgraph.renderer.setSize(ui.size.width,\n ui.size.height);\n }\n });\n });\n </script>\"\"\"\n % dict(id=div_id, local=local_path[:-3], remote=remote_path[:-3],\n w=size[0], h=size[1], node_size=node_size, edge_size=edge_size,\n node_color=default_node_color, edge_color=default_edge_color,\n shader=shader, z=z, graph=graph, optimize='true' if optimize else\n 'false', directed='true' if directed else 'false', show_save='true' if\n show_save else 'false'))\n if display_html:\n display(HTML(html))\n else:\n return html\n",
"role": "user"
},
{
"content": "draw",
"role": "assistant"
}
] |
def x(data, iterations=1000, force_strength=5.0, dampening=0.01,
max_velocity=2.0, max_distance=50, is_3d=True):
edges = [{'source': s, 'target': t} for s, t in data]
nodes = force_directed_layout.run(edges, iterations, force_strength,
dampening, max_velocity, max_distance, is_3d)
return {'edges': edges, 'nodes': nodes}
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, iterations=1000, force_strength=5.0, dampening=0.01,\n max_velocity=2.0, max_distance=50, is_3d=True):\n edges = [{'source': s, 'target': t} for s, t in data]\n nodes = force_directed_layout.run(edges, iterations, force_strength,\n dampening, max_velocity, max_distance, is_3d)\n return {'edges': edges, 'nodes': nodes}\n",
"role": "user"
},
{
"content": "generate",
"role": "assistant"
}
] |
def x(obj):
return json.dumps(obj, sort_keys=True, separators=(',', ':'), cls=
CustomEncoder)
| compress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n return json.dumps(obj, sort_keys=True, separators=(',', ':'), cls=\n CustomEncoder)\n",
"role": "user"
},
{
"content": "compress",
"role": "assistant"
}
] |
def x(obj):
return json.dumps(obj, indent=4, sort_keys=True, cls=CustomEncoder)
| dumps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n return json.dumps(obj, indent=4, sort_keys=True, cls=CustomEncoder)\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(self, obj):
s = super(CustomEncoder, self).encode(obj)
if len(s.splitlines()) > 1:
s = self.postprocess(s)
return s
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n s = super(CustomEncoder, self).encode(obj)\n if len(s.splitlines()) > 1:\n s = self.postprocess(s)\n return s\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, json_string):
is_compressing, is_hash, compressed, spaces = False, False, [], 0
for row in json_string.split('\n'):
if is_compressing:
if row[:spaces + 5] == ' ' * (spaces + 4) + ('"' if is_hash else
'{'):
compressed.append(row.rstrip())
elif len(row) > spaces and row[:spaces
] == ' ' * spaces and re.match('[\\]\\}],?', row[spaces:].
rstrip()):
compressed.append(row.rstrip())
is_compressing = False
else:
compressed[-1] += ' ' + row.strip()
else:
compressed.append(row.rstrip())
if any(a in row for a in ['edges', 'nodes']):
if '[]' in row:
continue
spaces = sum(1 for _ in takewhile(str.isspace, row))
is_compressing, is_hash = True, '{' in row
return '\n'.join(compressed)
| postprocess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, json_string):\n is_compressing, is_hash, compressed, spaces = False, False, [], 0\n for row in json_string.split('\\n'):\n if is_compressing:\n if row[:spaces + 5] == ' ' * (spaces + 4) + ('\"' if is_hash else\n '{'):\n compressed.append(row.rstrip())\n elif len(row) > spaces and row[:spaces\n ] == ' ' * spaces and re.match('[\\\\]\\\\}],?', row[spaces:].\n rstrip()):\n compressed.append(row.rstrip())\n is_compressing = False\n else:\n compressed[-1] += ' ' + row.strip()\n else:\n compressed.append(row.rstrip())\n if any(a in row for a in ['edges', 'nodes']):\n if '[]' in row:\n continue\n spaces = sum(1 for _ in takewhile(str.isspace, row))\n is_compressing, is_hash = True, '{' in row\n return '\\n'.join(compressed)\n",
"role": "user"
},
{
"content": "postprocess",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.