source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, reader: asyncio.StreamReader, writer: asyncio.StreamWriter) ->None:
self.reader = reader
self.writer = writer
| client_connected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reader: asyncio.StreamReader, writer: asyncio.StreamWriter) ->None:\n self.reader = reader\n self.writer = writer\n",
"role": "user"
},
{
"content": "client_connected",
"role": "assistant"
}
] |
def x(self) ->None:
assert self.state is State.CONNECTING
self.state = State.OPEN
logger.debug('%s - state = OPEN', self.side)
self.transfer_data_task = self.loop.create_task(self.transfer_data())
self.keepalive_ping_task = self.loop.create_task(self.keepalive_ping())
self.close_connection_task = self.loop.create_task(self.close_connection())
| connection_open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n assert self.state is State.CONNECTING\n self.state = State.OPEN\n logger.debug('%s - state = OPEN', self.side)\n self.transfer_data_task = self.loop.create_task(self.transfer_data())\n self.keepalive_ping_task = self.loop.create_task(self.keepalive_ping())\n self.close_connection_task = self.loop.create_task(self.close_connection())\n",
"role": "user"
},
{
"content": "connection_open",
"role": "assistant"
}
] |
def x(self) ->bool:
return self.state is State.OPEN and not self.transfer_data_task.done()
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n return self.state is State.OPEN and not self.transfer_data_task.done()\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
async def recv(self) ->Data:
"""
This coroutine receives the next message.
It returns a :class:`str` for a text frame and :class:`bytes` for a
binary frame.
When the end of the message stream is reached, :meth:`recv` raises
:exc:`~websockets.exceptions.ConnectionClosed`. This can happen after
a normal connection closure, a protocol error or a network failure.
.. versionchanged:: 3.0
:meth:`recv` used to return ``None`` instead. Refer to the
changelog for details.
Canceling :meth:`recv` is safe. There's no risk of losing the next
message. The next invocation of :meth:`recv` will return it. This
makes it possible to enforce a timeout by wrapping :meth:`recv` in
:func:`~asyncio.wait_for`.
.. versionchanged:: 7.0
Calling :meth:`recv` concurrently raises :exc:`RuntimeError`.
"""
if self._pop_message_waiter is not None:
raise RuntimeError(
'cannot call recv() while another coroutine is already waiting for the next message'
)
while len(self.messages) <= 0:
pop_message_waiter: asyncio.Future[None] = self.loop.create_future()
self._pop_message_waiter = pop_message_waiter
try:
await asyncio.wait([pop_message_waiter, self.transfer_data_task
], loop=self.loop, return_when=asyncio.FIRST_COMPLETED)
finally:
self._pop_message_waiter = None
if not pop_message_waiter.done():
if self.legacy_recv:
return None
else:
assert self.state in [State.CLOSING, State.CLOSED]
await self.ensure_open()
message = self.messages.popleft()
if self._put_message_waiter is not None:
self._put_message_waiter.set_result(None)
self._put_message_waiter = None
return message
| recv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def recv(self) ->Data:\n \"\"\"\n This coroutine receives the next message.\n\n It returns a :class:`str` for a text frame and :class:`bytes` for a\n binary frame.\n\n When the end of the message stream is reached, :meth:`recv` raises\n :exc:`~websockets.exceptions.ConnectionClosed`. This can happen after\n a normal connection closure, a protocol error or a network failure.\n\n .. versionchanged:: 3.0\n\n :meth:`recv` used to return ``None`` instead. Refer to the\n changelog for details.\n\n Canceling :meth:`recv` is safe. There's no risk of losing the next\n message. The next invocation of :meth:`recv` will return it. This\n makes it possible to enforce a timeout by wrapping :meth:`recv` in\n :func:`~asyncio.wait_for`.\n\n .. versionchanged:: 7.0\n\n Calling :meth:`recv` concurrently raises :exc:`RuntimeError`.\n\n \"\"\"\n if self._pop_message_waiter is not None:\n raise RuntimeError(\n 'cannot call recv() while another coroutine is already waiting for the next message'\n )\n while len(self.messages) <= 0:\n pop_message_waiter: asyncio.Future[None] = self.loop.create_future()\n self._pop_message_waiter = pop_message_waiter\n try:\n await asyncio.wait([pop_message_waiter, self.transfer_data_task\n ], loop=self.loop, return_when=asyncio.FIRST_COMPLETED)\n finally:\n self._pop_message_waiter = None\n if not pop_message_waiter.done():\n if self.legacy_recv:\n return None\n else:\n assert self.state in [State.CLOSING, State.CLOSED]\n await self.ensure_open()\n message = self.messages.popleft()\n if self._put_message_waiter is not None:\n self._put_message_waiter.set_result(None)\n self._put_message_waiter = None\n return message\n",
"role": "user"
},
{
"content": "recv",
"role": "assistant"
}
] |
async def send(self, message: Union[Data, Iterable[Data], AsyncIterable[Data]]
) ->None:
"""
This coroutine sends a message.
It sends a string (:class:`str`) as a text frame and a bytes-like
object (:class:`bytes`, :class:`bytearray`, or :class:`memoryview`)
as a binary frame.
It also accepts an iterable or an asynchronous iterator of strings or
bytes-like objects. Each item is treated as a message fragment and
sent in its own frame. All items must be of the same type, or else
:meth:`send` will raise a :exc:`TypeError` and the connection will be
closed.
It raises a :exc:`TypeError` for other inputs.
"""
await self.ensure_open()
if isinstance(message, (str, bytes, bytearray, memoryview)):
opcode, data = prepare_data(message)
await self.write_frame(True, opcode, data)
elif isinstance(message, Iterable):
message = cast(Iterable[Data], message)
iter_message = iter(message)
try:
message_chunk = next(iter_message)
except StopIteration:
return
opcode, data = prepare_data(message_chunk)
await self.write_frame(False, opcode, data)
for message_chunk in iter_message:
confirm_opcode, data = prepare_data(message_chunk)
if confirm_opcode != opcode:
self.fail_connection(1011)
raise TypeError('data contains inconsistent types')
await self.write_frame(False, OP_CONT, data)
await self.write_frame(True, OP_CONT, b'')
elif isinstance(message, AsyncIterable):
aiter_message = type(message).__aiter__(message)
try:
message_chunk = await type(aiter_message).__anext__(aiter_message)
except StopAsyncIteration:
return
opcode, data = prepare_data(message_chunk)
await self.write_frame(False, opcode, data)
async for message_chunk in aiter_message:
confirm_opcode, data = prepare_data(message_chunk)
if confirm_opcode != opcode:
self.fail_connection(1011)
raise TypeError('data contains inconsistent types')
await self.write_frame(False, OP_CONT, data)
await self.write_frame(True, OP_CONT, b'')
else:
raise TypeError('data must be bytes, str, or iterable')
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def send(self, message: Union[Data, Iterable[Data], AsyncIterable[Data]]\n ) ->None:\n \"\"\"\n This coroutine sends a message.\n\n It sends a string (:class:`str`) as a text frame and a bytes-like\n object (:class:`bytes`, :class:`bytearray`, or :class:`memoryview`)\n as a binary frame.\n\n It also accepts an iterable or an asynchronous iterator of strings or\n bytes-like objects. Each item is treated as a message fragment and\n sent in its own frame. All items must be of the same type, or else\n :meth:`send` will raise a :exc:`TypeError` and the connection will be\n closed.\n\n It raises a :exc:`TypeError` for other inputs.\n\n \"\"\"\n await self.ensure_open()\n if isinstance(message, (str, bytes, bytearray, memoryview)):\n opcode, data = prepare_data(message)\n await self.write_frame(True, opcode, data)\n elif isinstance(message, Iterable):\n message = cast(Iterable[Data], message)\n iter_message = iter(message)\n try:\n message_chunk = next(iter_message)\n except StopIteration:\n return\n opcode, data = prepare_data(message_chunk)\n await self.write_frame(False, opcode, data)\n for message_chunk in iter_message:\n confirm_opcode, data = prepare_data(message_chunk)\n if confirm_opcode != opcode:\n self.fail_connection(1011)\n raise TypeError('data contains inconsistent types')\n await self.write_frame(False, OP_CONT, data)\n await self.write_frame(True, OP_CONT, b'')\n elif isinstance(message, AsyncIterable):\n aiter_message = type(message).__aiter__(message)\n try:\n message_chunk = await type(aiter_message).__anext__(aiter_message)\n except StopAsyncIteration:\n return\n opcode, data = prepare_data(message_chunk)\n await self.write_frame(False, opcode, data)\n async for message_chunk in aiter_message:\n confirm_opcode, data = prepare_data(message_chunk)\n if confirm_opcode != opcode:\n self.fail_connection(1011)\n raise TypeError('data contains inconsistent types')\n await self.write_frame(False, OP_CONT, data)\n await self.write_frame(True, OP_CONT, b'')\n else:\n raise TypeError('data must be bytes, str, or iterable')\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
async def close(self, code: int=1000, reason: str='') ->None:
"""
This coroutine performs the closing handshake.
It waits for the other end to complete the handshake and for the TCP
connection to terminate. As a consequence, there's no need to await
:meth:`wait_closed`; :meth:`close` already does it.
:meth:`close` is idempotent: it doesn't do anything once the
connection is closed.
It's safe to wrap this coroutine in :func:`~asyncio.create_task` since
errors during connection termination aren't particularly useful.
``code`` must be an :class:`int` and ``reason`` a :class:`str`.
"""
try:
await asyncio.wait_for(self.write_close_frame(serialize_close(code,
reason)), self.close_timeout, loop=self.loop)
except asyncio.TimeoutError:
self.fail_connection()
try:
await asyncio.wait_for(self.transfer_data_task, self.close_timeout,
loop=self.loop)
except (asyncio.TimeoutError, asyncio.CancelledError):
pass
await asyncio.shield(self.close_connection_task)
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def close(self, code: int=1000, reason: str='') ->None:\n \"\"\"\n This coroutine performs the closing handshake.\n\n It waits for the other end to complete the handshake and for the TCP\n connection to terminate. As a consequence, there's no need to await\n :meth:`wait_closed`; :meth:`close` already does it.\n\n :meth:`close` is idempotent: it doesn't do anything once the\n connection is closed.\n\n It's safe to wrap this coroutine in :func:`~asyncio.create_task` since\n errors during connection termination aren't particularly useful.\n\n ``code`` must be an :class:`int` and ``reason`` a :class:`str`.\n\n \"\"\"\n try:\n await asyncio.wait_for(self.write_close_frame(serialize_close(code,\n reason)), self.close_timeout, loop=self.loop)\n except asyncio.TimeoutError:\n self.fail_connection()\n try:\n await asyncio.wait_for(self.transfer_data_task, self.close_timeout,\n loop=self.loop)\n except (asyncio.TimeoutError, asyncio.CancelledError):\n pass\n await asyncio.shield(self.close_connection_task)\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
async def ping(self, data: Optional[bytes]=None) ->Awaitable[None]:
"""
This coroutine sends a ping.
It returns a :class:`~asyncio.Future` which will be completed when the
corresponding pong is received and which you may ignore if you don't
want to wait.
A ping may serve as a keepalive or as a check that the remote endpoint
received all messages up to this point::
pong_waiter = await ws.ping()
await pong_waiter # only if you want to wait for the pong
By default, the ping contains four random bytes. The content may be
overridden with the optional ``data`` argument which must be a string
(which will be encoded to UTF-8) or a bytes-like object.
"""
await self.ensure_open()
if data is not None:
data = encode_data(data)
if data in self.pings:
raise ValueError('Already waiting for a pong with the same data')
while data is None or data in self.pings:
data = struct.pack('!I', random.getrandbits(32))
self.pings[data] = self.loop.create_future()
await self.write_frame(True, OP_PING, data)
return asyncio.shield(self.pings[data])
| ping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def ping(self, data: Optional[bytes]=None) ->Awaitable[None]:\n \"\"\"\n This coroutine sends a ping.\n\n It returns a :class:`~asyncio.Future` which will be completed when the\n corresponding pong is received and which you may ignore if you don't\n want to wait.\n\n A ping may serve as a keepalive or as a check that the remote endpoint\n received all messages up to this point::\n\n pong_waiter = await ws.ping()\n await pong_waiter # only if you want to wait for the pong\n\n By default, the ping contains four random bytes. The content may be\n overridden with the optional ``data`` argument which must be a string\n (which will be encoded to UTF-8) or a bytes-like object.\n\n \"\"\"\n await self.ensure_open()\n if data is not None:\n data = encode_data(data)\n if data in self.pings:\n raise ValueError('Already waiting for a pong with the same data')\n while data is None or data in self.pings:\n data = struct.pack('!I', random.getrandbits(32))\n self.pings[data] = self.loop.create_future()\n await self.write_frame(True, OP_PING, data)\n return asyncio.shield(self.pings[data])\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
async def pong(self, data: bytes=b'') ->None:
"""
This coroutine sends a pong.
An unsolicited pong may serve as a unidirectional heartbeat.
The content may be overridden with the optional ``data`` argument
which must be a string (which will be encoded to UTF-8) or a
bytes-like object.
"""
await self.ensure_open()
data = encode_data(data)
await self.write_frame(True, OP_PONG, data)
| pong | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def pong(self, data: bytes=b'') ->None:\n \"\"\"\n This coroutine sends a pong.\n\n An unsolicited pong may serve as a unidirectional heartbeat.\n\n The content may be overridden with the optional ``data`` argument\n which must be a string (which will be encoded to UTF-8) or a\n bytes-like object.\n\n \"\"\"\n await self.ensure_open()\n data = encode_data(data)\n await self.write_frame(True, OP_PONG, data)\n",
"role": "user"
},
{
"content": "pong",
"role": "assistant"
}
] |
def x(self, idsuffix, recursive=True):
if self.id:
self.id += idsuffix
if recursive:
for e in self:
try:
e.addidsuffix(idsuffix, recursive)
except Exception:
pass
| addidsuffix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idsuffix, recursive=True):\n if self.id:\n self.id += idsuffix\n if recursive:\n for e in self:\n try:\n e.addidsuffix(idsuffix, recursive)\n except Exception:\n pass\n",
"role": "user"
},
{
"content": "addidsuffix",
"role": "assistant"
}
] |
def x(self):
for c in self:
if isinstance(c, AbstractElement):
c.parent = self
c.setparents()
| setparents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for c in self:\n if isinstance(c, AbstractElement):\n c.parent = self\n c.setparents()\n",
"role": "user"
},
{
"content": "setparents",
"role": "assistant"
}
] |
def x(self, newdoc):
self.doc = newdoc
if self.doc and self.id:
self.doc.index[self.id] = self
for c in self:
if isinstance(c, AbstractElement):
c.setdoc(newdoc)
| setdoc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newdoc):\n self.doc = newdoc\n if self.doc and self.id:\n self.doc.index[self.id] = self\n for c in self:\n if isinstance(c, AbstractElement):\n c.setdoc(newdoc)\n",
"role": "user"
},
{
"content": "setdoc",
"role": "assistant"
}
] |
def x(self, cls='current', strict=True, correctionhandling=
CorrectionHandling.CURRENT):
if not self.PRINTABLE:
return False
elif self.TEXTCONTAINER:
return True
else:
try:
if strict:
self.textcontent(cls, correctionhandling)
return True
else:
for e in self:
if e.PRINTABLE and not isinstance(e, TextContent):
if e.hastext(cls, strict, correctionhandling):
return True
self.textcontent(cls, correctionhandling)
return True
except NoSuchText:
return False
| hastext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', strict=True, correctionhandling=\n CorrectionHandling.CURRENT):\n if not self.PRINTABLE:\n return False\n elif self.TEXTCONTAINER:\n return True\n else:\n try:\n if strict:\n self.textcontent(cls, correctionhandling)\n return True\n else:\n for e in self:\n if e.PRINTABLE and not isinstance(e, TextContent):\n if e.hastext(cls, strict, correctionhandling):\n return True\n self.textcontent(cls, correctionhandling)\n return True\n except NoSuchText:\n return False\n",
"role": "user"
},
{
"content": "hastext",
"role": "assistant"
}
] |
def x(self, cls='current', strict=True, correctionhandling=
CorrectionHandling.CURRENT):
if not self.SPEAKABLE:
return False
elif self.PHONCONTAINER:
return True
else:
try:
if strict:
self.phoncontent(cls, correctionhandling)
return True
else:
for e in self:
if e.SPEAKABLE and not isinstance(e, PhonContent):
if e.hasphon(cls, strict, correctionhandling):
return True
self.phoncontent(cls)
return True
except NoSuchPhon:
return False
| hasphon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', strict=True, correctionhandling=\n CorrectionHandling.CURRENT):\n if not self.SPEAKABLE:\n return False\n elif self.PHONCONTAINER:\n return True\n else:\n try:\n if strict:\n self.phoncontent(cls, correctionhandling)\n return True\n else:\n for e in self:\n if e.SPEAKABLE and not isinstance(e, PhonContent):\n if e.hasphon(cls, strict, correctionhandling):\n return True\n self.phoncontent(cls)\n return True\n except NoSuchPhon:\n return False\n",
"role": "user"
},
{
"content": "hasphon",
"role": "assistant"
}
] |
def x(self, text, cls='current'):
self.replace(TextContent, value=text, cls=cls)
| settext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, cls='current'):\n self.replace(TextContent, value=text, cls=cls)\n",
"role": "user"
},
{
"content": "settext",
"role": "assistant"
}
] |
def x(self, doc):
assert isinstance(doc, Document)
if not self.doc:
self.doc = doc
if self.id:
if self.id in doc:
raise DuplicateIDError(self.id)
else:
self.doc.index[id] = self
for e in self:
if isinstance(e, AbstractElement):
e.setdocument(doc)
| setdocument | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc):\n assert isinstance(doc, Document)\n if not self.doc:\n self.doc = doc\n if self.id:\n if self.id in doc:\n raise DuplicateIDError(self.id)\n else:\n self.doc.index[id] = self\n for e in self:\n if isinstance(e, AbstractElement):\n e.setdocument(doc)\n",
"role": "user"
},
{
"content": "setdocument",
"role": "assistant"
}
] |
def x(Class, parent, set=None, raiseexceptions=True):
if not parent.__class__.accepts(Class, raiseexceptions, parent):
return False
if Class.OCCURRENCES > 0:
count = parent.count(Class, None, True, [True,
AbstractStructureElement])
if count >= Class.OCCURRENCES:
if raiseexceptions:
if parent.id:
extra = ' (id=' + parent.id + ')'
else:
extra = ''
raise DuplicateAnnotationError(
'Unable to add another object of type ' + Class.
__name__ + ' to ' + parent.__class__.__name__ + ' ' +
extra + '. There are already ' + str(count) +
' instances of this class, which is the maximum.')
else:
return False
if (Class.OCCURRENCES_PER_SET > 0 and set and Class.REQUIRED_ATTRIBS and
Attrib.CLASS in Class.REQUIRED_ATTRIBS):
count = parent.count(Class, set, True, [True, AbstractStructureElement]
)
if count >= Class.OCCURRENCES_PER_SET:
if raiseexceptions:
if parent.id:
extra = ' (id=' + parent.id + ')'
else:
extra = ''
raise DuplicateAnnotationError(
'Unable to add another object of set ' + set +
' and type ' + Class.__name__ + ' to ' + parent.
__class__.__name__ + ' ' + extra +
'. There are already ' + str(count) +
' instances of this class, which is the maximum for the set.'
)
else:
return False
return True
| addable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Class, parent, set=None, raiseexceptions=True):\n if not parent.__class__.accepts(Class, raiseexceptions, parent):\n return False\n if Class.OCCURRENCES > 0:\n count = parent.count(Class, None, True, [True,\n AbstractStructureElement])\n if count >= Class.OCCURRENCES:\n if raiseexceptions:\n if parent.id:\n extra = ' (id=' + parent.id + ')'\n else:\n extra = ''\n raise DuplicateAnnotationError(\n 'Unable to add another object of type ' + Class.\n __name__ + ' to ' + parent.__class__.__name__ + ' ' +\n extra + '. There are already ' + str(count) +\n ' instances of this class, which is the maximum.')\n else:\n return False\n if (Class.OCCURRENCES_PER_SET > 0 and set and Class.REQUIRED_ATTRIBS and\n Attrib.CLASS in Class.REQUIRED_ATTRIBS):\n count = parent.count(Class, set, True, [True, AbstractStructureElement]\n )\n if count >= Class.OCCURRENCES_PER_SET:\n if raiseexceptions:\n if parent.id:\n extra = ' (id=' + parent.id + ')'\n else:\n extra = ''\n raise DuplicateAnnotationError(\n 'Unable to add another object of set ' + set +\n ' and type ' + Class.__name__ + ' to ' + parent.\n __class__.__name__ + ' ' + extra +\n '. There are already ' + str(count) +\n ' instances of this class, which is the maximum for the set.'\n )\n else:\n return False\n return True\n",
"role": "user"
},
{
"content": "addable",
"role": "assistant"
}
] |
def x(self):
if not self.doc and self.parent.doc:
self.setdocument(self.parent.doc)
if self.doc and self.doc.deepvalidation:
self.deepvalidation()
| postappend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.doc and self.parent.doc:\n self.setdocument(self.parent.doc)\n if self.doc and self.doc.deepvalidation:\n self.deepvalidation()\n",
"role": "user"
},
{
"content": "postappend",
"role": "assistant"
}
] |
def x(self):
if self.doc and self.doc.deepvalidation and self.set and self.set[0
] != '_':
try:
self.doc.setdefinitions[self.set].testclass(self.cls)
except KeyError:
if self.cls and not self.doc.allowadhocsets:
raise DeepValidationError('Set definition ' + self.set +
' for ' + self.XMLTAG + ' not loaded!')
except DeepValidationError as e:
errormsg = str(e) + ' (in set ' + self.set + ' for ' + self.XMLTAG
if self.id:
errormsg += ' with ID ' + self.id
errormsg += ')'
raise DeepValidationError(errormsg)
| deepvalidation | [
{
"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.doc and self.doc.deepvalidation and self.set and self.set[0\n ] != '_':\n try:\n self.doc.setdefinitions[self.set].testclass(self.cls)\n except KeyError:\n if self.cls and not self.doc.allowadhocsets:\n raise DeepValidationError('Set definition ' + self.set +\n ' for ' + self.XMLTAG + ' not loaded!')\n except DeepValidationError as e:\n errormsg = str(e) + ' (in set ' + self.set + ' for ' + self.XMLTAG\n if self.id:\n errormsg += ' with ID ' + self.id\n errormsg += ')'\n raise DeepValidationError(errormsg)\n",
"role": "user"
},
{
"content": "deepvalidation",
"role": "assistant"
}
] |
def x(Class, parent, set=None, **kwargs):
return list(parent.select(Class, set, False))
| findreplaceables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Class, parent, set=None, **kwargs):\n return list(parent.select(Class, set, False))\n",
"role": "user"
},
{
"content": "findreplaceables",
"role": "assistant"
}
] |
def x(self):
if self.TEXTCONTAINER:
s = ''
for child in self:
if isinstance(child, AbstractElement):
child.updatetext()
s += child.text()
elif isstring(child):
s += child
self.data = [s]
| updatetext | [
{
"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.TEXTCONTAINER:\n s = ''\n for child in self:\n if isinstance(child, AbstractElement):\n child.updatetext()\n s += child.text()\n elif isstring(child):\n s += child\n self.data = [s]\n",
"role": "user"
},
{
"content": "updatetext",
"role": "assistant"
}
] |
def x(self, child, *args, **kwargs):
if 'set' in kwargs:
set = kwargs['set']
del kwargs['set']
else:
try:
set = child.set
except AttributeError:
set = None
if inspect.isclass(child):
Class = child
replace = Class.findreplaceables(self, set, **kwargs)
elif (self.TEXTCONTAINER or self.PHONCONTAINER) and isstring(child):
self.data = []
return self.append(child, *args, **kwargs)
else:
Class = child.__class__
kwargs['instance'] = child
replace = Class.findreplaceables(self, set, **kwargs)
del kwargs['instance']
kwargs['set'] = set
if len(replace) == 0:
if 'alternative' in kwargs:
del kwargs['alternative']
return self.append(child, *args, **kwargs)
elif len(replace) > 1:
raise Exception(
'Unable to replace. Multiple candidates found, unable to choose.')
elif len(replace) == 1:
if 'alternative' in kwargs and kwargs['alternative']:
if replace[0] in self.data:
self.data.remove(replace[0])
alt = self.append(Alternative)
alt.append(replace[0])
del kwargs['alternative']
else:
self.remove(replace[0])
e = self.append(child, *args, **kwargs)
self.updatetext()
return e
| replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child, *args, **kwargs):\n if 'set' in kwargs:\n set = kwargs['set']\n del kwargs['set']\n else:\n try:\n set = child.set\n except AttributeError:\n set = None\n if inspect.isclass(child):\n Class = child\n replace = Class.findreplaceables(self, set, **kwargs)\n elif (self.TEXTCONTAINER or self.PHONCONTAINER) and isstring(child):\n self.data = []\n return self.append(child, *args, **kwargs)\n else:\n Class = child.__class__\n kwargs['instance'] = child\n replace = Class.findreplaceables(self, set, **kwargs)\n del kwargs['instance']\n kwargs['set'] = set\n if len(replace) == 0:\n if 'alternative' in kwargs:\n del kwargs['alternative']\n return self.append(child, *args, **kwargs)\n elif len(replace) > 1:\n raise Exception(\n 'Unable to replace. Multiple candidates found, unable to choose.')\n elif len(replace) == 1:\n if 'alternative' in kwargs and kwargs['alternative']:\n if replace[0] in self.data:\n self.data.remove(replace[0])\n alt = self.append(Alternative)\n alt.append(replace[0])\n del kwargs['alternative']\n else:\n self.remove(replace[0])\n e = self.append(child, *args, **kwargs)\n self.updatetext()\n return e\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self, Class=None):
e = self
while e:
if e.parent:
e = e.parent
if not Class or isinstance(e, Class):
yield e
elif isinstance(Class, tuple):
for C in Class:
if isinstance(e, C):
yield e
else:
break
| ancestors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Class=None):\n e = self\n while e:\n if e.parent:\n e = e.parent\n if not Class or isinstance(e, Class):\n yield e\n elif isinstance(Class, tuple):\n for C in Class:\n if isinstance(e, C):\n yield e\n else:\n break\n",
"role": "user"
},
{
"content": "ancestors",
"role": "assistant"
}
] |
def x(self, *Classes):
for e in self.ancestors(tuple(Classes)):
return e
raise NoSuchAnnotation
| ancestor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *Classes):\n for e in self.ancestors(tuple(Classes)):\n return e\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "ancestor",
"role": "assistant"
}
] |
def x(self, attribs=None, recurse=True, ignorelist=False):
jsonnode = {}
jsonnode['type'] = self.XMLTAG
if self.id:
jsonnode['id'] = self.id
if self.set:
jsonnode['set'] = self.set
if self.cls:
jsonnode['class'] = self.cls
if self.annotator:
jsonnode['annotator'] = self.annotator
if self.annotatortype:
if self.annotatortype == AnnotatorType.AUTO:
jsonnode['annotatortype'] = 'auto'
elif self.annotatortype == AnnotatorType.MANUAL:
jsonnode['annotatortype'] = 'manual'
if self.confidence is not None:
jsonnode['confidence'] = self.confidence
if self.n:
jsonnode['n'] = self.n
if self.auth:
jsonnode['auth'] = self.auth
if self.datetime:
jsonnode['datetime'] = self.datetime.strftime('%Y-%m-%dT%H:%M:%S')
if recurse:
jsonnode['children'] = []
if self.TEXTCONTAINER:
jsonnode['text'] = self.text()
if self.PHONCONTAINER:
jsonnode['phon'] = self.phon()
for child in self:
if self.TEXTCONTAINER and isstring(child):
jsonnode['children'].append(child)
elif not self.PHONCONTAINER:
ignore = False
if ignorelist:
for e in ignorelist:
if isinstance(child, e):
ignore = True
break
if not ignore:
jsonnode['children'].append(child.json(attribs, recurse,
ignorelist))
if attribs:
for attrib in attribs:
jsonnode[attrib] = attribs
return jsonnode
| json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribs=None, recurse=True, ignorelist=False):\n jsonnode = {}\n jsonnode['type'] = self.XMLTAG\n if self.id:\n jsonnode['id'] = self.id\n if self.set:\n jsonnode['set'] = self.set\n if self.cls:\n jsonnode['class'] = self.cls\n if self.annotator:\n jsonnode['annotator'] = self.annotator\n if self.annotatortype:\n if self.annotatortype == AnnotatorType.AUTO:\n jsonnode['annotatortype'] = 'auto'\n elif self.annotatortype == AnnotatorType.MANUAL:\n jsonnode['annotatortype'] = 'manual'\n if self.confidence is not None:\n jsonnode['confidence'] = self.confidence\n if self.n:\n jsonnode['n'] = self.n\n if self.auth:\n jsonnode['auth'] = self.auth\n if self.datetime:\n jsonnode['datetime'] = self.datetime.strftime('%Y-%m-%dT%H:%M:%S')\n if recurse:\n jsonnode['children'] = []\n if self.TEXTCONTAINER:\n jsonnode['text'] = self.text()\n if self.PHONCONTAINER:\n jsonnode['phon'] = self.phon()\n for child in self:\n if self.TEXTCONTAINER and isstring(child):\n jsonnode['children'].append(child)\n elif not self.PHONCONTAINER:\n ignore = False\n if ignorelist:\n for e in ignorelist:\n if isinstance(child, e):\n ignore = True\n break\n if not ignore:\n jsonnode['children'].append(child.json(attribs, recurse,\n ignorelist))\n if attribs:\n for attrib in attribs:\n jsonnode[attrib] = attribs\n return jsonnode\n",
"role": "user"
},
{
"content": "json",
"role": "assistant"
}
] |
def x(self, pretty_print=False):
s = ElementTree.tostring(self.xml(), xml_declaration=False,
pretty_print=pretty_print, encoding='utf-8')
if sys.version < '3':
if isinstance(s, str):
s = unicode(s, 'utf-8')
elif isinstance(s, bytes):
s = str(s, 'utf-8')
s = s.replace('ns0:', '')
s = s.replace(':ns0', '')
return s
| xmlstring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pretty_print=False):\n s = ElementTree.tostring(self.xml(), xml_declaration=False,\n pretty_print=pretty_print, encoding='utf-8')\n if sys.version < '3':\n if isinstance(s, str):\n s = unicode(s, 'utf-8')\n elif isinstance(s, bytes):\n s = str(s, 'utf-8')\n s = s.replace('ns0:', '')\n s = s.replace(':ns0', '')\n return s\n",
"role": "user"
},
{
"content": "xmlstring",
"role": "assistant"
}
] |
def x(self, Class, set=None, recursive=True, ignore=True, node=None):
if not node:
node = self
for e in self.data:
if not self.TEXTCONTAINER and not self.PHONCONTAINER or isinstance(e,
AbstractElement):
if ignore is True:
try:
if not e.auth:
continue
except AttributeError:
pass
elif ignore:
doignore = False
for c in ignore:
if c is True:
try:
if not e.auth:
doignore = True
break
except AttributeError:
pass
elif c == e.__class__ or issubclass(e.__class__, c):
doignore = True
break
if doignore:
continue
if isinstance(e, Class):
if not set is None:
try:
if e.set != set:
continue
except AttributeError:
continue
yield e
if recursive:
for e2 in e.select(Class, set, recursive, ignore, e):
if not set is None:
try:
if e2.set != set:
continue
except AttributeError:
continue
yield e2
| 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, node=None):\n if not node:\n node = self\n for e in self.data:\n if not self.TEXTCONTAINER and not self.PHONCONTAINER or isinstance(e,\n AbstractElement):\n if ignore is True:\n try:\n if not e.auth:\n continue\n except AttributeError:\n pass\n elif ignore:\n doignore = False\n for c in ignore:\n if c is True:\n try:\n if not e.auth:\n doignore = True\n break\n except AttributeError:\n pass\n elif c == e.__class__ or issubclass(e.__class__, c):\n doignore = True\n break\n if doignore:\n continue\n if isinstance(e, Class):\n if not set is None:\n try:\n if e.set != set:\n continue\n except AttributeError:\n continue\n yield e\n if recursive:\n for e2 in e.select(Class, set, recursive, ignore, e):\n if not set is None:\n try:\n if e2.set != set:\n continue\n except AttributeError:\n continue\n yield e2\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, Class, set=None, recursive=True, ignore=True, node=None):
return sum(1 for i in self.select(Class, set, recursive, ignore, node))
| 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, node=None):\n return sum(1 for i in self.select(Class, set, recursive, ignore, node))\n",
"role": "user"
},
{
"content": "count",
"role": "assistant"
}
] |
def x(self, founditems=[]):
l = []
for e in self.data:
if e not in founditems:
l.append(e)
if isinstance(e, AbstractElement):
l += e.items(l)
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, founditems=[]):\n l = []\n for e in self.data:\n if e not in founditems:\n l.append(e)\n if isinstance(e, AbstractElement):\n l += e.items(l)\n return l\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self, key=None):
if self.metadata:
d = self.doc.submetadata[self.metadata]
elif self.parent:
d = self.parent.getmetadata()
elif self.doc:
d = self.doc.metadata
else:
return None
if key:
return d[key]
else:
return d
| getmetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n if self.metadata:\n d = self.doc.submetadata[self.metadata]\n elif self.parent:\n d = self.parent.getmetadata()\n elif self.doc:\n d = self.doc.metadata\n else:\n return None\n if key:\n return d[key]\n else:\n return d\n",
"role": "user"
},
{
"content": "getmetadata",
"role": "assistant"
}
] |
def x(self, child, recursive=True, ignore=True):
for i, c in enumerate(self.data):
if c is child:
return i
if recursive:
for i, c in enumerate(self.data):
if ignore is True:
try:
if not c.auth:
continue
except AttributeError:
pass
elif ignore:
doignore = False
for e in ignore:
if e is True:
try:
if not c.auth:
doignore = True
break
except AttributeError:
pass
elif e == c.__class__ or issubclass(c.__class__, e):
doignore = True
break
if doignore:
continue
if isinstance(c, AbstractElement):
j = c.getindex(child, recursive)
if j != -1:
return i
return -1
| getindex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child, recursive=True, ignore=True):\n for i, c in enumerate(self.data):\n if c is child:\n return i\n if recursive:\n for i, c in enumerate(self.data):\n if ignore is True:\n try:\n if not c.auth:\n continue\n except AttributeError:\n pass\n elif ignore:\n doignore = False\n for e in ignore:\n if e is True:\n try:\n if not c.auth:\n doignore = True\n break\n except AttributeError:\n pass\n elif e == c.__class__ or issubclass(c.__class__, e):\n doignore = True\n break\n if doignore:\n continue\n if isinstance(c, AbstractElement):\n j = c.getindex(child, recursive)\n if j != -1:\n return i\n return -1\n",
"role": "user"
},
{
"content": "getindex",
"role": "assistant"
}
] |
def x(self, other):
try:
ancestor = next(commonancestors(AbstractElement, self, other))
except StopIteration:
raise Exception('Elements share no common ancestor')
def x(e):
if e is self:
return True
elif e is other:
return False
return None
result = ancestor.depthfirstsearch(callback)
if result is None:
raise Exception(
"Unable to find relation between elements! (shouldn't happen)")
return result
| precedes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n try:\n ancestor = next(commonancestors(AbstractElement, self, other))\n except StopIteration:\n raise Exception('Elements share no common ancestor')\n\n def x(e):\n if e is self:\n return True\n elif e is other:\n return False\n return None\n result = ancestor.depthfirstsearch(callback)\n if result is None:\n raise Exception(\n \"Unable to find relation between elements! (shouldn't happen)\")\n return result\n",
"role": "user"
},
{
"content": "precedes",
"role": "assistant"
}
] |
def x(self, function):
result = function(self)
if result is not None:
return result
for e in self:
result = e.depthfirstsearch(function)
if result is not None:
return result
return None
| depthfirstsearch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function):\n result = function(self)\n if result is not None:\n return result\n for e in self:\n result = e.depthfirstsearch(function)\n if result is not None:\n return result\n return None\n",
"role": "user"
},
{
"content": "depthfirstsearch",
"role": "assistant"
}
] |
def x(self, Class=True, scope=True, reverse=False):
if Class is True:
Class = self.__class__
if scope is True:
scope = STRUCTURESCOPE
structural = Class is not None and issubclass(Class,
AbstractStructureElement)
if reverse:
order = reversed
descendindex = -1
else:
order = lambda x: x
descendindex = 0
child = self
parent = self.parent
while parent:
if len(parent) > 1:
returnnext = False
for e in order(parent):
if e is child:
returnnext = True
elif returnnext and e.auth and not isinstance(e,
AbstractAnnotationLayer) and (not structural or
structural and not isinstance(e, (
AbstractTokenAnnotation, TextContent))):
if structural and isinstance(e, Correction):
if not list(e.select(AbstractStructureElement)):
continue
if Class is None or isinstance(Class, tuple) and any(
isinstance(e, C) for C in Class) or isinstance(e, Class
):
return e
else:
while e.data:
e = e.data[descendindex]
if not isinstance(e, AbstractElement):
return None
if e.auth and not isinstance(e,
AbstractAnnotationLayer):
if Class is None or isinstance(Class, tuple
) and any(isinstance(e, C) for C in Class
) or isinstance(e, Class):
return e
else:
continue
return None
child = parent
if scope is not None and child.__class__ in scope:
break
parent = parent.parent
return None
| next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Class=True, scope=True, reverse=False):\n if Class is True:\n Class = self.__class__\n if scope is True:\n scope = STRUCTURESCOPE\n structural = Class is not None and issubclass(Class,\n AbstractStructureElement)\n if reverse:\n order = reversed\n descendindex = -1\n else:\n order = lambda x: x\n descendindex = 0\n child = self\n parent = self.parent\n while parent:\n if len(parent) > 1:\n returnnext = False\n for e in order(parent):\n if e is child:\n returnnext = True\n elif returnnext and e.auth and not isinstance(e,\n AbstractAnnotationLayer) and (not structural or \n structural and not isinstance(e, (\n AbstractTokenAnnotation, TextContent))):\n if structural and isinstance(e, Correction):\n if not list(e.select(AbstractStructureElement)):\n continue\n if Class is None or isinstance(Class, tuple) and any(\n isinstance(e, C) for C in Class) or isinstance(e, Class\n ):\n return e\n else:\n while e.data:\n e = e.data[descendindex]\n if not isinstance(e, AbstractElement):\n return None\n if e.auth and not isinstance(e,\n AbstractAnnotationLayer):\n if Class is None or isinstance(Class, tuple\n ) and any(isinstance(e, C) for C in Class\n ) or isinstance(e, Class):\n return e\n else:\n continue\n return None\n child = parent\n if scope is not None and child.__class__ in scope:\n break\n parent = parent.parent\n return None\n",
"role": "user"
},
{
"content": "next",
"role": "assistant"
}
] |
def x(self, Class=True, scope=True):
return self.next(Class, scope, True)
| previous | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Class=True, scope=True):\n return self.next(Class, scope, True)\n",
"role": "user"
},
{
"content": "previous",
"role": "assistant"
}
] |
def x(self, size, placeholder=None, scope=None):
if size == 0:
return []
context = []
e = self
while len(context) < size:
e = e.previous(True, scope)
if not e:
break
context.append(e)
if placeholder:
while len(context) < size:
context.append(placeholder)
context.reverse()
return context
| leftcontext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, placeholder=None, scope=None):\n if size == 0:\n return []\n context = []\n e = self\n while len(context) < size:\n e = e.previous(True, scope)\n if not e:\n break\n context.append(e)\n if placeholder:\n while len(context) < size:\n context.append(placeholder)\n context.reverse()\n return context\n",
"role": "user"
},
{
"content": "leftcontext",
"role": "assistant"
}
] |
def x(self, size, placeholder=None, scope=None):
if size == 0:
return []
context = []
e = self
while len(context) < size:
e = e.next(True, scope)
if not e:
break
context.append(e)
if placeholder:
while len(context) < size:
context.append(placeholder)
return context
| rightcontext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, placeholder=None, scope=None):\n if size == 0:\n return []\n context = []\n e = self\n while len(context) < size:\n e = e.next(True, scope)\n if not e:\n break\n context.append(e)\n if placeholder:\n while len(context) < size:\n context.append(placeholder)\n return context\n",
"role": "user"
},
{
"content": "rightcontext",
"role": "assistant"
}
] |
def x(self, size, placeholder=None, scope=None):
return self.leftcontext(size, placeholder, scope) + [self
] + self.rightcontext(size, placeholder, scope)
| context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size, placeholder=None, scope=None):\n return self.leftcontext(size, placeholder, scope) + [self\n ] + self.rightcontext(size, placeholder, scope)\n",
"role": "user"
},
{
"content": "context",
"role": "assistant"
}
] |
def x(Class, node, doc, **kwargs):
assert issubclass(Class, AbstractElement)
if doc.preparsexmlcallback:
result = doc.preparsexmlcallback(node)
if not result:
return None
if isinstance(result, AbstractElement):
return result
dcoi = node.tag.startswith('{' + NSDCOI + '}')
args = []
if not kwargs:
kwargs = {}
text = None
if (Class.TEXTCONTAINER or Class.PHONCONTAINER) and node.text:
args.append(node.text)
for subnode in node:
if isinstance(subnode, ElementTree._Comment):
if (Class.TEXTCONTAINER or Class.PHONCONTAINER) and subnode.tail:
args.append(subnode.tail)
elif subnode.tag.startswith('{' + NSFOLIA + '}'):
if doc.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Processing subnode ' + subnode.
tag[nslen:], file=stderr)
try:
e = doc.parsexml(subnode, Class)
except ParseError as e:
raise
except Exception as e:
raise ParseError('FoLiA exception in handling of <' +
subnode.tag[len(NSFOLIA) + 2:] + '> @ line ' + str(
subnode.sourceline) + ': [' + e.__class__.__name__ +
'] ' + str(e), cause=e)
if e is not None:
args.append(e)
if (Class.TEXTCONTAINER or Class.PHONCONTAINER) and subnode.tail:
args.append(subnode.tail)
elif subnode.tag.startswith('{' + NSDCOI + '}'):
if Class is Text and subnode.tag[nslendcoi:] == 'body':
for subsubnode in subnode:
if doc.debug >= 1:
print(
'[PyNLPl FoLiA DEBUG] Processing DCOI subnode ' +
subnode.tag[nslendcoi:], file=stderr)
e = doc.parsexml(subsubnode, Class)
if e is not None:
args.append(e)
else:
if doc.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Processing DCOI subnode ' +
subnode.tag[nslendcoi:], file=stderr)
e = doc.parsexml(subnode, Class)
if e is not None:
args.append(e)
elif doc.debug >= 1:
print(
'[PyNLPl FoLiA DEBUG] Ignoring subnode outside of FoLiA namespace: '
+ subnode.tag, file=stderr)
if dcoi:
dcoipos = dcoilemma = dcoicorrection = dcoicorrectionoriginal = None
for key, value in node.attrib.items():
if key[0] == '{' or key == 'XMLid':
if (key == '{http://www.w3.org/XML/1998/namespace}id' or key ==
'XMLid'):
key = 'id'
elif key.startswith('{' + NSFOLIA + '}'):
key = key[nslen:]
if key == 'id':
key = 'idref'
elif Class.XLINK and key.startswith(
'{http://www.w3.org/1999/xlink}'):
key = key[30:]
if key != 'href':
key = 'xlink' + key
elif key.startswith('{' + NSDCOI + '}'):
key = key[nslendcoi:]
if dcoi:
if Class is Word and key == 'pos':
dcoipos = value
continue
elif Class is Word and key == 'lemma':
dcoilemma = value
continue
elif Class is Word and key == 'correction':
dcoicorrection = value
continue
elif Class is Word and key == 'original':
dcoicorrectionoriginal = value
continue
elif Class is Gap and key == 'reason':
key = 'class'
elif Class is Gap and key == 'hand':
key = 'annotator'
elif Class is Division and key == 'type':
key = 'cls'
kwargs[key] = value
if dcoi and TextContent in Class.ACCEPTED_DATA and node.text:
text = node.text.strip()
kwargs['text'] = text
if not AnnotationType.TOKEN in doc.annotationdefaults:
doc.declare(AnnotationType.TOKEN, set=
'http://ilk.uvt.nl/folia/sets/ilktok.foliaset')
if doc.debug >= 1:
print('[PyNLPl FoLiA DEBUG] Found ' + node.tag[nslen:], file=stderr)
instance = Class(doc, *args, **kwargs)
if dcoi:
if dcoipos:
if not AnnotationType.POS in doc.annotationdefaults:
doc.declare(AnnotationType.POS, set=
'http://ilk.uvt.nl/folia/sets/cgn-legacy.foliaset')
instance.append(PosAnnotation(doc, cls=dcoipos))
if dcoilemma:
if not AnnotationType.LEMMA in doc.annotationdefaults:
doc.declare(AnnotationType.LEMMA, set=
'http://ilk.uvt.nl/folia/sets/mblem-nl.foliaset')
instance.append(LemmaAnnotation(doc, cls=dcoilemma))
if dcoicorrection and dcoicorrectionoriginal and text:
if not AnnotationType.CORRECTION in doc.annotationdefaults:
doc.declare(AnnotationType.CORRECTION, set=
'http://ilk.uvt.nl/folia/sets/dcoi-corrections.foliaset')
instance.correct(generate_id_in=instance, cls=dcoicorrection,
original=dcoicorrectionoriginal, new=text)
if doc.parsexmlcallback:
result = doc.parsexmlcallback(instance)
if not result:
return None
if isinstance(result, AbstractElement):
return result
return instance
| parsexml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Class, node, doc, **kwargs):\n assert issubclass(Class, AbstractElement)\n if doc.preparsexmlcallback:\n result = doc.preparsexmlcallback(node)\n if not result:\n return None\n if isinstance(result, AbstractElement):\n return result\n dcoi = node.tag.startswith('{' + NSDCOI + '}')\n args = []\n if not kwargs:\n kwargs = {}\n text = None\n if (Class.TEXTCONTAINER or Class.PHONCONTAINER) and node.text:\n args.append(node.text)\n for subnode in node:\n if isinstance(subnode, ElementTree._Comment):\n if (Class.TEXTCONTAINER or Class.PHONCONTAINER) and subnode.tail:\n args.append(subnode.tail)\n elif subnode.tag.startswith('{' + NSFOLIA + '}'):\n if doc.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Processing subnode ' + subnode.\n tag[nslen:], file=stderr)\n try:\n e = doc.parsexml(subnode, Class)\n except ParseError as e:\n raise\n except Exception as e:\n raise ParseError('FoLiA exception in handling of <' +\n subnode.tag[len(NSFOLIA) + 2:] + '> @ line ' + str(\n subnode.sourceline) + ': [' + e.__class__.__name__ +\n '] ' + str(e), cause=e)\n if e is not None:\n args.append(e)\n if (Class.TEXTCONTAINER or Class.PHONCONTAINER) and subnode.tail:\n args.append(subnode.tail)\n elif subnode.tag.startswith('{' + NSDCOI + '}'):\n if Class is Text and subnode.tag[nslendcoi:] == 'body':\n for subsubnode in subnode:\n if doc.debug >= 1:\n print(\n '[PyNLPl FoLiA DEBUG] Processing DCOI subnode ' +\n subnode.tag[nslendcoi:], file=stderr)\n e = doc.parsexml(subsubnode, Class)\n if e is not None:\n args.append(e)\n else:\n if doc.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Processing DCOI subnode ' +\n subnode.tag[nslendcoi:], file=stderr)\n e = doc.parsexml(subnode, Class)\n if e is not None:\n args.append(e)\n elif doc.debug >= 1:\n print(\n '[PyNLPl FoLiA DEBUG] Ignoring subnode outside of FoLiA namespace: '\n + subnode.tag, file=stderr)\n if dcoi:\n dcoipos = dcoilemma = dcoicorrection = dcoicorrectionoriginal = None\n for key, value in node.attrib.items():\n if key[0] == '{' or key == 'XMLid':\n if (key == '{http://www.w3.org/XML/1998/namespace}id' or key ==\n 'XMLid'):\n key = 'id'\n elif key.startswith('{' + NSFOLIA + '}'):\n key = key[nslen:]\n if key == 'id':\n key = 'idref'\n elif Class.XLINK and key.startswith(\n '{http://www.w3.org/1999/xlink}'):\n key = key[30:]\n if key != 'href':\n key = 'xlink' + key\n elif key.startswith('{' + NSDCOI + '}'):\n key = key[nslendcoi:]\n if dcoi:\n if Class is Word and key == 'pos':\n dcoipos = value\n continue\n elif Class is Word and key == 'lemma':\n dcoilemma = value\n continue\n elif Class is Word and key == 'correction':\n dcoicorrection = value\n continue\n elif Class is Word and key == 'original':\n dcoicorrectionoriginal = value\n continue\n elif Class is Gap and key == 'reason':\n key = 'class'\n elif Class is Gap and key == 'hand':\n key = 'annotator'\n elif Class is Division and key == 'type':\n key = 'cls'\n kwargs[key] = value\n if dcoi and TextContent in Class.ACCEPTED_DATA and node.text:\n text = node.text.strip()\n kwargs['text'] = text\n if not AnnotationType.TOKEN in doc.annotationdefaults:\n doc.declare(AnnotationType.TOKEN, set=\n 'http://ilk.uvt.nl/folia/sets/ilktok.foliaset')\n if doc.debug >= 1:\n print('[PyNLPl FoLiA DEBUG] Found ' + node.tag[nslen:], file=stderr)\n instance = Class(doc, *args, **kwargs)\n if dcoi:\n if dcoipos:\n if not AnnotationType.POS in doc.annotationdefaults:\n doc.declare(AnnotationType.POS, set=\n 'http://ilk.uvt.nl/folia/sets/cgn-legacy.foliaset')\n instance.append(PosAnnotation(doc, cls=dcoipos))\n if dcoilemma:\n if not AnnotationType.LEMMA in doc.annotationdefaults:\n doc.declare(AnnotationType.LEMMA, set=\n 'http://ilk.uvt.nl/folia/sets/mblem-nl.foliaset')\n instance.append(LemmaAnnotation(doc, cls=dcoilemma))\n if dcoicorrection and dcoicorrectionoriginal and text:\n if not AnnotationType.CORRECTION in doc.annotationdefaults:\n doc.declare(AnnotationType.CORRECTION, set=\n 'http://ilk.uvt.nl/folia/sets/dcoi-corrections.foliaset')\n instance.correct(generate_id_in=instance, cls=dcoicorrection,\n original=dcoicorrectionoriginal, new=text)\n if doc.parsexmlcallback:\n result = doc.parsexmlcallback(instance)\n if not result:\n return None\n if isinstance(result, AbstractElement):\n return result\n return instance\n",
"role": "user"
},
{
"content": "parsexml",
"role": "assistant"
}
] |
def x(self, child):
if not isinstance(child, AbstractElement):
raise ValueError('Expected AbstractElement, got ' + str(type(child)))
if child.parent == self:
child.parent = None
self.data.remove(child)
if child.id and self.doc and child.id in self.doc.index:
del self.doc.index[child.id]
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child):\n if not isinstance(child, AbstractElement):\n raise ValueError('Expected AbstractElement, got ' + str(type(child)))\n if child.parent == self:\n child.parent = None\n self.data.remove(child)\n if child.id and self.doc and child.id in self.doc.index:\n del self.doc.index[child.id]\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self):
e = self.parent
while e:
if isinstance(e, Correction):
return e
if isinstance(e, AbstractStructureElement):
break
e = e.parent
return None
| incorrection | [
{
"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.parent\n while e:\n if isinstance(e, Correction):\n return e\n if isinstance(e, AbstractStructureElement):\n break\n e = e.parent\n return None\n",
"role": "user"
},
{
"content": "incorrection",
"role": "assistant"
}
] |
def x(self, **kwargs):
if 'insertindex_offset' in kwargs:
del kwargs['insertindex_offset']
if 'confidence' in kwargs and kwargs['confidence'] is None:
del kwargs['confidence']
if 'reuse' in kwargs:
if isinstance(kwargs['reuse'], Correction):
c = kwargs['reuse']
else:
try:
c = self.doc.index[kwargs['reuse']]
assert isinstance(c, Correction)
except:
raise ValueError(
'reuse= must point to an existing correction (id or instance)! Got '
+ str(kwargs['reuse']))
suggestionsonly = not c.hasnew(True) and not c.hasoriginal(True
) and c.hassuggestions(True)
if 'new' in kwargs and c.hascurrent():
if 'current' in kwargs:
raise Exception("Can't set both new= and current= !")
if 'original' not in kwargs:
kwargs['original'] = c.current()
c.remove(c.current())
else:
if 'id' not in kwargs and 'generate_id_in' not in kwargs:
kwargs['generate_id_in'] = self
kwargs2 = copy(kwargs)
for x in ['new', 'original', 'suggestion', 'suggestions', 'current',
'insertindex', 'nooriginal']:
if x in kwargs2:
del kwargs2[x]
c = Correction(self.doc, **kwargs2)
addnew = False
if 'insertindex' in kwargs:
insertindex = int(kwargs['insertindex'])
del kwargs['insertindex']
else:
insertindex = -1
if 'nooriginal' in kwargs and kwargs['nooriginal']:
nooriginal = True
del kwargs['nooriginal']
else:
nooriginal = False
if 'current' in kwargs:
if 'original' in kwargs or 'new' in kwargs:
raise Exception(
'When setting current=, original= and new= can not be set!')
if not isinstance(kwargs['current'], list) and not isinstance(kwargs
['current'], tuple):
kwargs['current'] = [kwargs['current']]
c.replace(Current(self.doc, *kwargs['current']))
for o in kwargs['current']:
if o in self and isinstance(o, AbstractElement):
if insertindex == -1:
insertindex = self.data.index(o)
self.remove(o)
del kwargs['current']
if 'new' in kwargs:
if not isinstance(kwargs['new'], list) and not isinstance(kwargs[
'new'], tuple):
kwargs['new'] = [kwargs['new']]
addnew = New(self.doc, *kwargs['new'])
c.replace(addnew)
for current in c.select(Current):
c.remove(current)
del kwargs['new']
if 'original' in kwargs and kwargs['original']:
if not isinstance(kwargs['original'], list) and not isinstance(kwargs
['original'], tuple):
kwargs['original'] = [kwargs['original']]
c.replace(Original(self.doc, *kwargs['original']))
for o in kwargs['original']:
if o in self and isinstance(o, AbstractElement):
if insertindex == -1:
insertindex = self.data.index(o)
self.remove(o)
for o in kwargs['original']:
o.addtoindex()
for current in c.select(Current):
c.remove(current)
del kwargs['original']
elif addnew and not nooriginal:
original = []
for new in addnew:
kwargs2 = {}
if isinstance(new, TextContent):
kwargs2['cls'] = new.cls
try:
set = new.set
except AttributeError:
set = None
replaceables = new.__class__.findreplaceables(self, set, **kwargs2)
original += replaceables
if not original:
raise Exception(
'No original= specified and unable to automatically infer on '
+ str(repr(self)) + ' for ' + str(repr(new)) +
' with set ' + set)
else:
c.replace(Original(self.doc, *original))
for current in c.select(Current):
c.remove(current)
if addnew and not nooriginal:
for original in c.original():
if original in self:
self.remove(original)
if 'suggestion' in kwargs:
kwargs['suggestions'] = [kwargs['suggestion']]
del kwargs['suggestion']
if 'suggestions' in kwargs:
for suggestion in kwargs['suggestions']:
if isinstance(suggestion, Suggestion):
c.append(suggestion)
elif isinstance(suggestion, list) or isinstance(suggestion, tuple):
c.append(Suggestion(self.doc, *suggestion))
else:
c.append(Suggestion(self.doc, suggestion))
del kwargs['suggestions']
if 'reuse' in kwargs:
if addnew and suggestionsonly:
for suggestion in c.suggestions():
if c.annotator and not suggestion.annotator:
suggestion.annotator = c.annotator
if c.annotatortype and not suggestion.annotatortype:
suggestion.annotatortype = c.annotatortype
if 'annotator' in kwargs:
c.annotator = kwargs['annotator']
if 'annotatortype' in kwargs:
c.annotatortype = kwargs['annotatortype']
if 'confidence' in kwargs:
c.confidence = float(kwargs['confidence'])
c.addtoindex()
del kwargs['reuse']
else:
c.addtoindex()
if insertindex == -1:
self.append(c)
else:
self.insert(insertindex, c)
return c
| correct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if 'insertindex_offset' in kwargs:\n del kwargs['insertindex_offset']\n if 'confidence' in kwargs and kwargs['confidence'] is None:\n del kwargs['confidence']\n if 'reuse' in kwargs:\n if isinstance(kwargs['reuse'], Correction):\n c = kwargs['reuse']\n else:\n try:\n c = self.doc.index[kwargs['reuse']]\n assert isinstance(c, Correction)\n except:\n raise ValueError(\n 'reuse= must point to an existing correction (id or instance)! Got '\n + str(kwargs['reuse']))\n suggestionsonly = not c.hasnew(True) and not c.hasoriginal(True\n ) and c.hassuggestions(True)\n if 'new' in kwargs and c.hascurrent():\n if 'current' in kwargs:\n raise Exception(\"Can't set both new= and current= !\")\n if 'original' not in kwargs:\n kwargs['original'] = c.current()\n c.remove(c.current())\n else:\n if 'id' not in kwargs and 'generate_id_in' not in kwargs:\n kwargs['generate_id_in'] = self\n kwargs2 = copy(kwargs)\n for x in ['new', 'original', 'suggestion', 'suggestions', 'current',\n 'insertindex', 'nooriginal']:\n if x in kwargs2:\n del kwargs2[x]\n c = Correction(self.doc, **kwargs2)\n addnew = False\n if 'insertindex' in kwargs:\n insertindex = int(kwargs['insertindex'])\n del kwargs['insertindex']\n else:\n insertindex = -1\n if 'nooriginal' in kwargs and kwargs['nooriginal']:\n nooriginal = True\n del kwargs['nooriginal']\n else:\n nooriginal = False\n if 'current' in kwargs:\n if 'original' in kwargs or 'new' in kwargs:\n raise Exception(\n 'When setting current=, original= and new= can not be set!')\n if not isinstance(kwargs['current'], list) and not isinstance(kwargs\n ['current'], tuple):\n kwargs['current'] = [kwargs['current']]\n c.replace(Current(self.doc, *kwargs['current']))\n for o in kwargs['current']:\n if o in self and isinstance(o, AbstractElement):\n if insertindex == -1:\n insertindex = self.data.index(o)\n self.remove(o)\n del kwargs['current']\n if 'new' in kwargs:\n if not isinstance(kwargs['new'], list) and not isinstance(kwargs[\n 'new'], tuple):\n kwargs['new'] = [kwargs['new']]\n addnew = New(self.doc, *kwargs['new'])\n c.replace(addnew)\n for current in c.select(Current):\n c.remove(current)\n del kwargs['new']\n if 'original' in kwargs and kwargs['original']:\n if not isinstance(kwargs['original'], list) and not isinstance(kwargs\n ['original'], tuple):\n kwargs['original'] = [kwargs['original']]\n c.replace(Original(self.doc, *kwargs['original']))\n for o in kwargs['original']:\n if o in self and isinstance(o, AbstractElement):\n if insertindex == -1:\n insertindex = self.data.index(o)\n self.remove(o)\n for o in kwargs['original']:\n o.addtoindex()\n for current in c.select(Current):\n c.remove(current)\n del kwargs['original']\n elif addnew and not nooriginal:\n original = []\n for new in addnew:\n kwargs2 = {}\n if isinstance(new, TextContent):\n kwargs2['cls'] = new.cls\n try:\n set = new.set\n except AttributeError:\n set = None\n replaceables = new.__class__.findreplaceables(self, set, **kwargs2)\n original += replaceables\n if not original:\n raise Exception(\n 'No original= specified and unable to automatically infer on '\n + str(repr(self)) + ' for ' + str(repr(new)) +\n ' with set ' + set)\n else:\n c.replace(Original(self.doc, *original))\n for current in c.select(Current):\n c.remove(current)\n if addnew and not nooriginal:\n for original in c.original():\n if original in self:\n self.remove(original)\n if 'suggestion' in kwargs:\n kwargs['suggestions'] = [kwargs['suggestion']]\n del kwargs['suggestion']\n if 'suggestions' in kwargs:\n for suggestion in kwargs['suggestions']:\n if isinstance(suggestion, Suggestion):\n c.append(suggestion)\n elif isinstance(suggestion, list) or isinstance(suggestion, tuple):\n c.append(Suggestion(self.doc, *suggestion))\n else:\n c.append(Suggestion(self.doc, suggestion))\n del kwargs['suggestions']\n if 'reuse' in kwargs:\n if addnew and suggestionsonly:\n for suggestion in c.suggestions():\n if c.annotator and not suggestion.annotator:\n suggestion.annotator = c.annotator\n if c.annotatortype and not suggestion.annotatortype:\n suggestion.annotatortype = c.annotatortype\n if 'annotator' in kwargs:\n c.annotator = kwargs['annotator']\n if 'annotatortype' in kwargs:\n c.annotatortype = kwargs['annotatortype']\n if 'confidence' in kwargs:\n c.confidence = float(kwargs['confidence'])\n c.addtoindex()\n del kwargs['reuse']\n else:\n c.addtoindex()\n if insertindex == -1:\n self.append(c)\n else:\n self.insert(insertindex, c)\n return c\n",
"role": "user"
},
{
"content": "correct",
"role": "assistant"
}
] |
def x(self, Class, set=None):
found = False
for e in self.select(Class, set, True, default_ignore_annotations):
found = True
yield e
if not found:
raise NoSuchAnnotation()
| annotations | [
{
"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):\n found = False\n for e in self.select(Class, set, True, default_ignore_annotations):\n found = True\n yield e\n if not found:\n raise NoSuchAnnotation()\n",
"role": "user"
},
{
"content": "annotations",
"role": "assistant"
}
] |
def x(self, Class, set=None):
return sum(1 for _ in self.select(Class, set, True,
default_ignore_annotations))
| hasannotation | [
{
"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):\n return sum(1 for _ in self.select(Class, set, True,\n default_ignore_annotations))\n",
"role": "user"
},
{
"content": "hasannotation",
"role": "assistant"
}
] |
def x(self, type, set=None):
"""Will return a **single** annotation (even if there are multiple). Raises a ``NoSuchAnnotation`` exception if none was found"""
for e in self.select(type, set, True, default_ignore_annotations):
return e
raise NoSuchAnnotation()
| annotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, set=None):\n \"\"\"Will return a **single** annotation (even if there are multiple). Raises a ``NoSuchAnnotation`` exception if none was found\"\"\"\n for e in self.select(type, set, True, default_ignore_annotations):\n return e\n raise NoSuchAnnotation()\n",
"role": "user"
},
{
"content": "annotation",
"role": "assistant"
}
] |
def x(self, child, *args, **kwargs):
e = super(AbstractStructureElement, self).append(child, *args, **kwargs)
self._setmaxid(e)
return e
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child, *args, **kwargs):\n e = super(AbstractStructureElement, self).append(child, *args, **kwargs)\n self._setmaxid(e)\n return e\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
return self.select(Word, None, True, default_ignore_structure)
else:
if index < 0:
index = self.count(Word, None, True, default_ignore_structure
) + index
for i, e in enumerate(self.select(Word, None, True,
default_ignore_structure)):
if i == index:
return e
raise IndexError
| words | [
{
"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(Word, None, True, default_ignore_structure)\n else:\n if index < 0:\n index = self.count(Word, None, True, default_ignore_structure\n ) + index\n for i, e in enumerate(self.select(Word, None, True,\n default_ignore_structure)):\n if i == index:\n return e\n raise IndexError\n",
"role": "user"
},
{
"content": "words",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
return self.select(Paragraph, None, True, default_ignore_structure)
else:
if index < 0:
index = self.count(Paragraph, None, True, default_ignore_structure
) + index
for i, e in enumerate(self.select(Paragraph, None, True,
default_ignore_structure)):
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, None, True, default_ignore_structure)\n else:\n if index < 0:\n index = self.count(Paragraph, None, True, default_ignore_structure\n ) + index\n for i, e in enumerate(self.select(Paragraph, None, True,\n default_ignore_structure)):\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, default_ignore_structure)
else:
if index < 0:
index = self.count(Sentence, None, True, default_ignore_structure
) + index
for i, e in enumerate(self.select(Sentence, None, True,
default_ignore_structure)):
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, default_ignore_structure)\n else:\n if index < 0:\n index = self.count(Sentence, None, True, default_ignore_structure\n ) + index\n for i, e in enumerate(self.select(Sentence, None, True,\n default_ignore_structure)):\n if i == index:\n return e\n raise IndexError\n",
"role": "user"
},
{
"content": "sentences",
"role": "assistant"
}
] |
def x(self, annotationtype=None, set=None):
if inspect.isclass(annotationtype):
annotationtype = annotationtype.ANNOTATIONTYPE
return [x for x in self.select(AbstractAnnotationLayer, set, False,
True) if annotationtype is None or x.ANNOTATIONTYPE == annotationtype]
| layers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype=None, set=None):\n if inspect.isclass(annotationtype):\n annotationtype = annotationtype.ANNOTATIONTYPE\n return [x for x in self.select(AbstractAnnotationLayer, set, False, \n True) if annotationtype is None or x.ANNOTATIONTYPE == annotationtype]\n",
"role": "user"
},
{
"content": "layers",
"role": "assistant"
}
] |
def x(self, annotationtype=None, set=None):
l = self.layers(annotationtype, set)
return len(l) > 0
| hasannotationlayer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationtype=None, set=None):\n l = self.layers(annotationtype, set)\n return len(l) > 0\n",
"role": "user"
},
{
"content": "hasannotationlayer",
"role": "assistant"
}
] |
def x(self, attribs=None, elements=None, skipchildren=False):
if not attribs:
attribs = {}
if self.idref:
attribs['id'] = self.idref
return super(AbstractTextMarkup, self).xml(attribs, elements, skipchildren)
| xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribs=None, elements=None, skipchildren=False):\n if not attribs:\n attribs = {}\n if self.idref:\n attribs['id'] = self.idref\n return super(AbstractTextMarkup, self).xml(attribs, elements, skipchildren)\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self, attribs=None, recurse=True, ignorelist=False):
if not attribs:
attribs = {}
if self.idref:
attribs['id'] = self.idref
return super(AbstractTextMarkup, self).json(attribs, recurse, ignorelist)
| json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribs=None, recurse=True, ignorelist=False):\n if not attribs:\n attribs = {}\n if self.idref:\n attribs['id'] = self.idref\n return super(AbstractTextMarkup, self).json(attribs, recurse, ignorelist)\n",
"role": "user"
},
{
"content": "json",
"role": "assistant"
}
] |
def x(self, normalize_spaces=False):
return super(TextContent, self).text(normalize_spaces=normalize_spaces)
| text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, normalize_spaces=False):\n return super(TextContent, self).text(normalize_spaces=normalize_spaces)\n",
"role": "user"
},
{
"content": "text",
"role": "assistant"
}
] |
def x(self, validate=True):
if self.offset is None:
return None
if self.ref:
ref = self.doc[self.ref]
else:
ref = self.finddefaultreference()
if not ref:
raise UnresolvableTextContent(
'Default reference for textcontent not found!')
elif not ref.hastext(self.cls):
raise UnresolvableTextContent('Reference (ID ' + str(ref.id) +
') has no such text (class=' + self.cls + ')')
elif validate and self.text() != ref.textcontent(self.cls).text()[self.
offset:self.offset + len(self.data[0])]:
raise UnresolvableTextContent('Reference (ID ' + str(ref.id) +
', class=' + self.cls +
') found but no text match at specified offset (' + str(self.
offset) + ")! Expected '" + self.text() + "', got '" + ref.
textcontent(self.cls).text()[self.offset:self.offset + len(self
.data[0])] + "'")
else:
return ref
| getreference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validate=True):\n if self.offset is None:\n return None\n if self.ref:\n ref = self.doc[self.ref]\n else:\n ref = self.finddefaultreference()\n if not ref:\n raise UnresolvableTextContent(\n 'Default reference for textcontent not found!')\n elif not ref.hastext(self.cls):\n raise UnresolvableTextContent('Reference (ID ' + str(ref.id) +\n ') has no such text (class=' + self.cls + ')')\n elif validate and self.text() != ref.textcontent(self.cls).text()[self.\n offset:self.offset + len(self.data[0])]:\n raise UnresolvableTextContent('Reference (ID ' + str(ref.id) +\n ', class=' + self.cls +\n ') found but no text match at specified offset (' + str(self.\n offset) + \")! Expected '\" + self.text() + \"', got '\" + ref.\n textcontent(self.cls).text()[self.offset:self.offset + len(self\n .data[0])] + \"'\")\n else:\n return ref\n",
"role": "user"
},
{
"content": "getreference",
"role": "assistant"
}
] |
def x(self, attribs=None, elements=None, skipchildren=False):
attribs = {}
if not self.offset is None:
attribs['{' + NSFOLIA + '}offset'] = str(self.offset)
if self.parent and self.ref:
attribs['{' + NSFOLIA + '}ref'] = self.ref
e = super(TextContent, self).xml(attribs, elements, skipchildren)
if '{' + NSFOLIA + '}class' in e.attrib and e.attrib['{' + NSFOLIA +
'}class'] == 'current':
del e.attrib['{' + NSFOLIA + '}class']
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, attribs=None, elements=None, skipchildren=False):\n attribs = {}\n if not self.offset is None:\n attribs['{' + NSFOLIA + '}offset'] = str(self.offset)\n if self.parent and self.ref:\n attribs['{' + NSFOLIA + '}ref'] = self.ref\n e = super(TextContent, self).xml(attribs, elements, skipchildren)\n if '{' + NSFOLIA + '}class' in e.attrib and e.attrib['{' + NSFOLIA +\n '}class'] == 'current':\n del e.attrib['{' + NSFOLIA + '}class']\n return e\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self, validate=True):
if self.offset is None:
return None
if self.ref:
ref = self.doc[self.ref]
else:
ref = self.finddefaultreference()
if not ref:
raise UnresolvableTextContent(
'Default reference for phonetic content not found!')
elif not ref.hasphon(self.cls):
raise UnresolvableTextContent(
'Reference has no such phonetic content (class=' + self.cls + ')')
elif validate and self.phon() != ref.textcontent(self.cls).phon()[self.
offset:self.offset + len(self.data[0])]:
raise UnresolvableTextContent('Reference (class=' + self.cls +
') found but no phonetic match at specified offset (' + str(
self.offset) + ")! Expected '" + self.text() + "', got '" + ref
.textcontent(self.cls).text()[self.offset:self.offset + len(
self.data[0])] + "'")
else:
return ref
| getreference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validate=True):\n if self.offset is None:\n return None\n if self.ref:\n ref = self.doc[self.ref]\n else:\n ref = self.finddefaultreference()\n if not ref:\n raise UnresolvableTextContent(\n 'Default reference for phonetic content not found!')\n elif not ref.hasphon(self.cls):\n raise UnresolvableTextContent(\n 'Reference has no such phonetic content (class=' + self.cls + ')')\n elif validate and self.phon() != ref.textcontent(self.cls).phon()[self.\n offset:self.offset + len(self.data[0])]:\n raise UnresolvableTextContent('Reference (class=' + self.cls +\n ') found but no phonetic match at specified offset (' + str(\n self.offset) + \")! Expected '\" + self.text() + \"', got '\" + ref\n .textcontent(self.cls).text()[self.offset:self.offset + len(\n self.data[0])] + \"'\")\n else:\n return ref\n",
"role": "user"
},
{
"content": "getreference",
"role": "assistant"
}
] |
def x(self):
depth = 0
e = self
while True:
if e.parent:
e = e.parent
else:
return False
if isinstance(e, AbstractStructureElement) or isinstance(e,
AbstractSubtokenAnnotation):
depth += 1
if depth == 2:
return e
return False
| finddefaultreference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n depth = 0\n e = self\n while True:\n if e.parent:\n e = e.parent\n else:\n return False\n if isinstance(e, AbstractStructureElement) or isinstance(e,\n AbstractSubtokenAnnotation):\n depth += 1\n if depth == 2:\n return e\n return False\n",
"role": "user"
},
{
"content": "finddefaultreference",
"role": "assistant"
}
] |
def x(Class, parent, set, **kwargs):
if 'cls' not in kwargs:
kwargs['cls'] = 'current'
replace = super(PhonContent, Class).findreplaceables(parent, set, **kwargs)
replace = [x for x in replace if x.cls == kwargs['cls']]
del kwargs['cls']
return replace
| findreplaceables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Class, parent, set, **kwargs):\n if 'cls' not in kwargs:\n kwargs['cls'] = 'current'\n replace = super(PhonContent, Class).findreplaceables(parent, set, **kwargs)\n replace = [x for x in replace if x.cls == kwargs['cls']]\n del kwargs['cls']\n return replace\n",
"role": "user"
},
{
"content": "findreplaceables",
"role": "assistant"
}
] |
def x(Class, node, doc, **kwargs):
if not kwargs:
kwargs = {}
if 'offset' in node.attrib:
kwargs['offset'] = int(node.attrib['offset'])
if 'ref' in node.attrib:
kwargs['ref'] = node.attrib['ref']
return super(PhonContent, Class).parsexml(node, doc, **kwargs)
| parsexml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Class, node, doc, **kwargs):\n if not kwargs:\n kwargs = {}\n if 'offset' in node.attrib:\n kwargs['offset'] = int(node.attrib['offset'])\n if 'ref' in node.attrib:\n kwargs['ref'] = node.attrib['ref']\n return super(PhonContent, Class).parsexml(node, doc, **kwargs)\n",
"role": "user"
},
{
"content": "parsexml",
"role": "assistant"
}
] |
def x(self, set=None):
for layer in self.select(MorphologyLayer):
for m in layer.select(Morpheme, set):
yield m
| morphemes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set=None):\n for layer in self.select(MorphologyLayer):\n for m in layer.select(Morpheme, set):\n yield m\n",
"role": "user"
},
{
"content": "morphemes",
"role": "assistant"
}
] |
def x(self, set=None):
for layer in self.select(PhonologyLayer):
for p in layer.select(Phoneme, set):
yield p
| phonemes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set=None):\n for layer in self.select(PhonologyLayer):\n for p in layer.select(Phoneme, set):\n yield p\n",
"role": "user"
},
{
"content": "phonemes",
"role": "assistant"
}
] |
def x(self, index, set=None):
for layer in self.select(MorphologyLayer):
for i, m in enumerate(layer.select(Morpheme, set)):
if index == i:
return m
raise NoSuchAnnotation
| morpheme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, set=None):\n for layer in self.select(MorphologyLayer):\n for i, m in enumerate(layer.select(Morpheme, set)):\n if index == i:\n return m\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "morpheme",
"role": "assistant"
}
] |
def x(self, index, set=None):
for layer in self.select(PhonologyLayer):
for i, p in enumerate(layer.select(Phoneme, set)):
if index == i:
return p
raise NoSuchAnnotation
| phoneme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, set=None):\n for layer in self.select(PhonologyLayer):\n for i, p in enumerate(layer.select(Phoneme, set)):\n if index == i:\n return p\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "phoneme",
"role": "assistant"
}
] |
def x(self, type, set=None):
if issubclass(type, AbstractAnnotationLayer):
layerclass = type
else:
layerclass = ANNOTATIONTYPE2LAYERCLASS[type.ANNOTATIONTYPE]
e = self
while True:
if not e.parent:
break
e = e.parent
for layer in e.select(layerclass, set, False):
if type is layerclass:
for e2 in layer.select(AbstractSpanAnnotation, set, True, (
True, Word, Morpheme)):
if not isinstance(e2, AbstractSpanRole
) and self in e2.wrefs():
yield e2
else:
for e2 in layer.select(type, set, True, (True, Word, Morpheme)
):
if not isinstance(e2, AbstractSpanRole
) and self in e2.wrefs():
yield e2
| findspans | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, set=None):\n if issubclass(type, AbstractAnnotationLayer):\n layerclass = type\n else:\n layerclass = ANNOTATIONTYPE2LAYERCLASS[type.ANNOTATIONTYPE]\n e = self\n while True:\n if not e.parent:\n break\n e = e.parent\n for layer in e.select(layerclass, set, False):\n if type is layerclass:\n for e2 in layer.select(AbstractSpanAnnotation, set, True, (\n True, Word, Morpheme)):\n if not isinstance(e2, AbstractSpanRole\n ) and self in e2.wrefs():\n yield e2\n else:\n for e2 in layer.select(type, set, True, (True, Word, Morpheme)\n ):\n if not isinstance(e2, AbstractSpanRole\n ) and self in e2.wrefs():\n yield e2\n",
"role": "user"
},
{
"content": "findspans",
"role": "assistant"
}
] |
def x(self):
if (self.doc and self.doc.deepvalidation and self.parent.set and self.
parent.set[0] != '_'):
try:
self.doc.setdefinitions[self.parent.set].testsubclass(self.
parent.cls, self.subset, self.cls)
except KeyError as e:
if self.parent.cls and not self.doc.allowadhocsets:
raise DeepValidationError('Set definition ' + self.parent.
set + ' for ' + self.parent.XMLTAG +
' not loaded (feature validation failed)!')
except DeepValidationError as e:
errormsg = str(e
) + ' (in set ' + self.parent.set + ' for ' + self.parent.XMLTAG
if self.parent.id:
errormsg += ' with ID ' + self.parent.id
errormsg += ')'
raise DeepValidationError(errormsg)
| deepvalidation | [
{
"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.doc and self.doc.deepvalidation and self.parent.set and self.\n parent.set[0] != '_'):\n try:\n self.doc.setdefinitions[self.parent.set].testsubclass(self.\n parent.cls, self.subset, self.cls)\n except KeyError as e:\n if self.parent.cls and not self.doc.allowadhocsets:\n raise DeepValidationError('Set definition ' + self.parent.\n set + ' for ' + self.parent.XMLTAG +\n ' not loaded (feature validation failed)!')\n except DeepValidationError as e:\n errormsg = str(e\n ) + ' (in set ' + self.parent.set + ' for ' + self.parent.XMLTAG\n if self.parent.id:\n errormsg += ' with ID ' + self.parent.id\n errormsg += ')'\n raise DeepValidationError(errormsg)\n",
"role": "user"
},
{
"content": "deepvalidation",
"role": "assistant"
}
] |
def x(self, attribs=None, elements=None, skipchildren=False):
if not attribs:
attribs = {}
E = ElementMaker(namespace='http://ilk.uvt.nl/folia', nsmap={None:
'http://ilk.uvt.nl/folia', 'xml':
'http://www.w3.org/XML/1998/namespace'})
e = super(AbstractSpanAnnotation, self).xml(attribs, elements, True)
for child in self:
if isinstance(child, (Word, Morpheme, Phoneme)):
attribs['{' + NSFOLIA + '}id'] = child.id
if child.PRINTABLE and child.hastext(self.textclass):
attribs['{' + NSFOLIA + '}t'] = child.text(self.textclass)
e.append(E.wref(**attribs))
elif not (isinstance(child, Feature) and child.SUBSET):
e.append(child.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, attribs=None, elements=None, skipchildren=False):\n if not attribs:\n attribs = {}\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 e = super(AbstractSpanAnnotation, self).xml(attribs, elements, True)\n for child in self:\n if isinstance(child, (Word, Morpheme, Phoneme)):\n attribs['{' + NSFOLIA + '}id'] = child.id\n if child.PRINTABLE and child.hastext(self.textclass):\n attribs['{' + NSFOLIA + '}t'] = child.text(self.textclass)\n e.append(E.wref(**attribs))\n elif not (isinstance(child, Feature) and child.SUBSET):\n e.append(child.xml())\n return e\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self, child, *args, **kwargs):
if isinstance(child, (Word, Morpheme, Phoneme)
) and WordReference in self.ACCEPTED_DATA:
insertionpoint = len(self.data)
for i, sibling in enumerate(self.data):
if isinstance(sibling, (Word, Morpheme, Phoneme)):
try:
if not sibling.precedes(child):
insertionpoint = i
except:
pass
self.data.insert(insertionpoint, child)
return child
elif isinstance(child, AbstractSpanAnnotation):
insertionpoint = len(self.data)
try:
firstword = child.wrefs(0)
except IndexError:
return super(AbstractSpanAnnotation, self).append(child, *args,
**kwargs)
insertionpoint = len(self.data)
for i, sibling in enumerate(self.data):
if isinstance(sibling, (Word, Morpheme, Phoneme)):
try:
if not sibling.precedes(firstword):
insertionpoint = i
except:
pass
return super(AbstractSpanAnnotation, self).insert(insertionpoint,
child, *args, **kwargs)
else:
return super(AbstractSpanAnnotation, self).append(child, *args, **
kwargs)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child, *args, **kwargs):\n if isinstance(child, (Word, Morpheme, Phoneme)\n ) and WordReference in self.ACCEPTED_DATA:\n insertionpoint = len(self.data)\n for i, sibling in enumerate(self.data):\n if isinstance(sibling, (Word, Morpheme, Phoneme)):\n try:\n if not sibling.precedes(child):\n insertionpoint = i\n except:\n pass\n self.data.insert(insertionpoint, child)\n return child\n elif isinstance(child, AbstractSpanAnnotation):\n insertionpoint = len(self.data)\n try:\n firstword = child.wrefs(0)\n except IndexError:\n return super(AbstractSpanAnnotation, self).append(child, *args,\n **kwargs)\n insertionpoint = len(self.data)\n for i, sibling in enumerate(self.data):\n if isinstance(sibling, (Word, Morpheme, Phoneme)):\n try:\n if not sibling.precedes(firstword):\n insertionpoint = i\n except:\n pass\n return super(AbstractSpanAnnotation, self).insert(insertionpoint,\n child, *args, **kwargs)\n else:\n return super(AbstractSpanAnnotation, self).append(child, *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, *args):
self.data = []
for child in args:
self.append(child)
| setspan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n self.data = []\n for child in args:\n self.append(child)\n",
"role": "user"
},
{
"content": "setspan",
"role": "assistant"
}
] |
def x(self, Class, set=None):
return self.count(Class, set, True, default_ignore_annotations)
| hasannotation | [
{
"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):\n return self.count(Class, set, True, default_ignore_annotations)\n",
"role": "user"
},
{
"content": "hasannotation",
"role": "assistant"
}
] |
def x(self, type, set=None):
l = list(self.select(type, set, True, default_ignore_annotations))
if len(l) >= 1:
return l[0]
else:
raise NoSuchAnnotation()
| annotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, set=None):\n l = list(self.select(type, set, True, default_ignore_annotations))\n if len(l) >= 1:\n return l[0]\n else:\n raise NoSuchAnnotation()\n",
"role": "user"
},
{
"content": "annotation",
"role": "assistant"
}
] |
def x(self, targets, recurse=True):
for c in self:
if isinstance(c, Word) or isinstance(c, Morpheme) or isinstance(c,
Phoneme):
targets.append(c)
elif isinstance(c, WordReference):
try:
targets.append(self.doc[c.id])
except KeyError:
targets.append(c)
elif isinstance(c, AbstractSpanAnnotation) and recurse:
c._helper_wrefs(targets)
elif isinstance(c, Correction) and c.auth:
for e in c:
if isinstance(e, AbstractCorrectionChild) and e.auth:
for e2 in e:
if isinstance(e2, AbstractSpanAnnotation):
e2._helper_wrefs(targets)
| helper_wrefs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets, recurse=True):\n for c in self:\n if isinstance(c, Word) or isinstance(c, Morpheme) or isinstance(c,\n Phoneme):\n targets.append(c)\n elif isinstance(c, WordReference):\n try:\n targets.append(self.doc[c.id])\n except KeyError:\n targets.append(c)\n elif isinstance(c, AbstractSpanAnnotation) and recurse:\n c._helper_wrefs(targets)\n elif isinstance(c, Correction) and c.auth:\n for e in c:\n if isinstance(e, AbstractCorrectionChild) and e.auth:\n for e2 in e:\n if isinstance(e2, AbstractSpanAnnotation):\n e2._helper_wrefs(targets)\n",
"role": "user"
},
{
"content": "helper_wrefs",
"role": "assistant"
}
] |
def x(self, index=None, recurse=True):
targets = []
self._helper_wrefs(targets, recurse)
if index is None:
return targets
else:
return targets[index]
| wrefs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index=None, recurse=True):\n targets = []\n self._helper_wrefs(targets, recurse)\n if index is None:\n return targets\n else:\n return targets[index]\n",
"role": "user"
},
{
"content": "wrefs",
"role": "assistant"
}
] |
def x(self, norecurse=None):
if not norecurse:
norecurse = Word, Morpheme, Phoneme
if self.id:
self.doc.index[self.id] = self
for e in self.data:
if all([(not isinstance(e, C)) for C in norecurse]):
try:
e.addtoindex(norecurse)
except AttributeError:
pass
| addtoindex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, norecurse=None):\n if not norecurse:\n norecurse = Word, Morpheme, Phoneme\n if self.id:\n self.doc.index[self.id] = self\n for e in self.data:\n if all([(not isinstance(e, C)) for C in norecurse]):\n try:\n e.addtoindex(norecurse)\n except AttributeError:\n pass\n",
"role": "user"
},
{
"content": "addtoindex",
"role": "assistant"
}
] |
def x(self, newdoc=None, idsuffix=''):
if idsuffix is True:
idsuffix = '.copy.' + '%08x' % random.getrandbits(32)
for c in self:
if isinstance(c, Word):
yield WordReference(newdoc, id=c.id)
else:
yield c.copy(newdoc, idsuffix)
| copychildren | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newdoc=None, idsuffix=''):\n if idsuffix is True:\n idsuffix = '.copy.' + '%08x' % random.getrandbits(32)\n for c in self:\n if isinstance(c, Word):\n yield WordReference(newdoc, id=c.id)\n else:\n yield c.copy(newdoc, idsuffix)\n",
"role": "user"
},
{
"content": "copychildren",
"role": "assistant"
}
] |
def x(self, attribs=None, elements=None, skipchildren=False):
if self.set is False or self.set is None:
if len(self.data) == 0:
return None
else:
raise ValueError(
'No set specified or derivable for annotation layer ' +
self.__class__.__name__)
return super(AbstractAnnotationLayer, self).xml(attribs, elements,
skipchildren)
| xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribs=None, elements=None, skipchildren=False):\n if self.set is False or self.set is None:\n if len(self.data) == 0:\n return None\n else:\n raise ValueError(\n 'No set specified or derivable for annotation layer ' +\n self.__class__.__name__)\n return super(AbstractAnnotationLayer, self).xml(attribs, elements,\n skipchildren)\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self, child, *args, **kwargs):
if self.set is False or self.set is None:
if inspect.isclass(child):
if issubclass(child, AbstractSpanAnnotation):
if 'set' in kwargs:
self.set = kwargs['set']
elif isinstance(child, AbstractSpanAnnotation):
if child.set:
self.set = child.set
elif isinstance(child, Correction):
for e in itertools.chain(child.new(), child.original(), child.
suggestions()):
if isinstance(e, AbstractSpanAnnotation) and e.set:
self.set = e.set
break
return super(AbstractAnnotationLayer, self).append(child, *args, **kwargs)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child, *args, **kwargs):\n if self.set is False or self.set is None:\n if inspect.isclass(child):\n if issubclass(child, AbstractSpanAnnotation):\n if 'set' in kwargs:\n self.set = kwargs['set']\n elif isinstance(child, AbstractSpanAnnotation):\n if child.set:\n self.set = child.set\n elif isinstance(child, Correction):\n for e in itertools.chain(child.new(), child.original(), child.\n suggestions()):\n if isinstance(e, AbstractSpanAnnotation) and e.set:\n self.set = e.set\n break\n return super(AbstractAnnotationLayer, self).append(child, *args, **kwargs)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, Class=None, set=None):
for e in self.select(AlternativeLayers, None, True, ['Original',
'Suggestion']):
if Class is None:
yield e
elif len(e) >= 1:
for e2 in e:
try:
if isinstance(e2, Class):
try:
if set is None or e2.set == set:
yield e
break
except AttributeError:
continue
except AttributeError:
continue
| alternatives | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Class=None, set=None):\n for e in self.select(AlternativeLayers, None, True, ['Original',\n 'Suggestion']):\n if Class is None:\n yield e\n elif len(e) >= 1:\n for e2 in e:\n try:\n if isinstance(e2, Class):\n try:\n if set is None or e2.set == set:\n yield e\n break\n except AttributeError:\n continue\n except AttributeError:\n continue\n",
"role": "user"
},
{
"content": "alternatives",
"role": "assistant"
}
] |
def x(self, *words):
for span in self.select(AbstractSpanAnnotation, None, True):
if tuple(span.wrefs()) == words:
return span
raise NoSuchAnnotation
| findspan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *words):\n for span in self.select(AbstractSpanAnnotation, None, True):\n if tuple(span.wrefs()) == words:\n return span\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "findspan",
"role": "assistant"
}
] |
def x(cls, includechildren=True, extraattribs=None, extraelements=None,
origclass=None):
E = ElementMaker(namespace='http://relaxng.org/ns/structure/1.0', nsmap
={None: 'http://relaxng.org/ns/structure/1.0', 'folia':
'http://ilk.uvt.nl/folia', 'xml':
'http://www.w3.org/XML/1998/namespace', 'a':
'http://relaxng.org/ns/annotation/0.9'})
if not extraattribs:
extraattribs = []
extraattribs.append(E.optional(E.attribute(E.text(), name='set')))
return AbstractElement.relaxng(includechildren, extraattribs,
extraelements, cls)
| relaxng | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, includechildren=True, extraattribs=None, extraelements=None,\n origclass=None):\n E = ElementMaker(namespace='http://relaxng.org/ns/structure/1.0', nsmap\n ={None: 'http://relaxng.org/ns/structure/1.0', 'folia':\n 'http://ilk.uvt.nl/folia', 'xml':\n 'http://www.w3.org/XML/1998/namespace', 'a':\n 'http://relaxng.org/ns/annotation/0.9'})\n if not extraattribs:\n extraattribs = []\n extraattribs.append(E.optional(E.attribute(E.text(), name='set')))\n return AbstractElement.relaxng(includechildren, extraattribs,\n extraelements, cls)\n",
"role": "user"
},
{
"content": "relaxng",
"role": "assistant"
}
] |
def x(self, allowempty=False):
for e in self.select(New, None, False, False):
if not allowempty and len(e) == 0:
continue
return True
return False
| hasnew | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allowempty=False):\n for e in self.select(New, None, False, False):\n if not allowempty and len(e) == 0:\n continue\n return True\n return False\n",
"role": "user"
},
{
"content": "hasnew",
"role": "assistant"
}
] |
def x(self, allowempty=False):
for e in self.select(Original, None, False, False):
if not allowempty and len(e) == 0:
continue
return True
return False
| hasoriginal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allowempty=False):\n for e in self.select(Original, None, False, False):\n if not allowempty and len(e) == 0:\n continue\n return True\n return False\n",
"role": "user"
},
{
"content": "hasoriginal",
"role": "assistant"
}
] |
def x(self, allowempty=False):
for e in self.select(Current, None, False, False):
if not allowempty and len(e) == 0:
continue
return True
return False
| hascurrent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allowempty=False):\n for e in self.select(Current, None, False, False):\n if not allowempty and len(e) == 0:\n continue\n return True\n return False\n",
"role": "user"
},
{
"content": "hascurrent",
"role": "assistant"
}
] |
def x(self, allowempty=False):
for e in self.select(Suggestion, None, False, False):
if not allowempty and len(e) == 0:
continue
return True
return False
| hassuggestions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, allowempty=False):\n for e in self.select(Suggestion, None, False, False):\n if not allowempty and len(e) == 0:\n continue\n return True\n return False\n",
"role": "user"
},
{
"content": "hassuggestions",
"role": "assistant"
}
] |
def x(self, cls='current', correctionhandling=CorrectionHandling.CURRENT):
if cls == 'original':
correctionhandling = CorrectionHandling.ORIGINAL
if correctionhandling in (CorrectionHandling.CURRENT,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, New) or isinstance(e, Current):
return e.textcontent(cls, correctionhandling)
if correctionhandling in (CorrectionHandling.ORIGINAL,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, Original):
return e.textcontent(cls, correctionhandling)
raise NoSuchText
| textcontent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', correctionhandling=CorrectionHandling.CURRENT):\n if cls == 'original':\n correctionhandling = CorrectionHandling.ORIGINAL\n if correctionhandling in (CorrectionHandling.CURRENT,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, New) or isinstance(e, Current):\n return e.textcontent(cls, correctionhandling)\n if correctionhandling in (CorrectionHandling.ORIGINAL,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, Original):\n return e.textcontent(cls, correctionhandling)\n raise NoSuchText\n",
"role": "user"
},
{
"content": "textcontent",
"role": "assistant"
}
] |
def x(self, cls='current', correctionhandling=CorrectionHandling.CURRENT):
if cls == 'original':
correctionhandling = CorrectionHandling.ORIGINAL
if correctionhandling in (CorrectionHandling.CURRENT,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, New) or isinstance(e, Current):
return e.phoncontent(cls, correctionhandling)
if correctionhandling in (CorrectionHandling.ORIGINAL,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, Original):
return e.phoncontent(cls, correctionhandling)
raise NoSuchPhon
| phoncontent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', correctionhandling=CorrectionHandling.CURRENT):\n if cls == 'original':\n correctionhandling = CorrectionHandling.ORIGINAL\n if correctionhandling in (CorrectionHandling.CURRENT,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, New) or isinstance(e, Current):\n return e.phoncontent(cls, correctionhandling)\n if correctionhandling in (CorrectionHandling.ORIGINAL,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, Original):\n return e.phoncontent(cls, correctionhandling)\n raise NoSuchPhon\n",
"role": "user"
},
{
"content": "phoncontent",
"role": "assistant"
}
] |
def x(self, cls='current', strict=True, correctionhandling=
CorrectionHandling.CURRENT):
if cls == 'original':
correctionhandling = CorrectionHandling.ORIGINAL
if correctionhandling in (CorrectionHandling.CURRENT,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, New) or isinstance(e, Current):
return e.hastext(cls, strict, correctionhandling)
if correctionhandling in (CorrectionHandling.ORIGINAL,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, Original):
return e.hastext(cls, strict, correctionhandling)
return False
| hastext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', strict=True, correctionhandling=\n CorrectionHandling.CURRENT):\n if cls == 'original':\n correctionhandling = CorrectionHandling.ORIGINAL\n if correctionhandling in (CorrectionHandling.CURRENT,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, New) or isinstance(e, Current):\n return e.hastext(cls, strict, correctionhandling)\n if correctionhandling in (CorrectionHandling.ORIGINAL,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, Original):\n return e.hastext(cls, strict, correctionhandling)\n return False\n",
"role": "user"
},
{
"content": "hastext",
"role": "assistant"
}
] |
def x(self, cls='current', retaintokenisation=False, previousdelimiter='',
strict=False, correctionhandling=CorrectionHandling.CURRENT,
normalize_spaces=False):
if cls == 'original':
correctionhandling = CorrectionHandling.ORIGINAL
if correctionhandling in (CorrectionHandling.CURRENT,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, New) or isinstance(e, Current):
s = previousdelimiter + e.text(cls, retaintokenisation, '',
strict, correctionhandling)
if normalize_spaces:
return norm_spaces(s)
else:
return s
if correctionhandling in (CorrectionHandling.ORIGINAL,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, Original):
s = previousdelimiter + e.text(cls, retaintokenisation, '',
strict, correctionhandling)
if normalize_spaces:
return norm_spaces(s)
else:
return s
raise NoSuchText
| 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, previousdelimiter='',\n strict=False, correctionhandling=CorrectionHandling.CURRENT,\n normalize_spaces=False):\n if cls == 'original':\n correctionhandling = CorrectionHandling.ORIGINAL\n if correctionhandling in (CorrectionHandling.CURRENT,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, New) or isinstance(e, Current):\n s = previousdelimiter + e.text(cls, retaintokenisation, '',\n strict, correctionhandling)\n if normalize_spaces:\n return norm_spaces(s)\n else:\n return s\n if correctionhandling in (CorrectionHandling.ORIGINAL,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, Original):\n s = previousdelimiter + e.text(cls, retaintokenisation, '',\n strict, correctionhandling)\n if normalize_spaces:\n return norm_spaces(s)\n else:\n return s\n raise NoSuchText\n",
"role": "user"
},
{
"content": "text",
"role": "assistant"
}
] |
def x(self, cls='current', previousdelimiter='', strict=False,
correctionhandling=CorrectionHandling.CURRENT):
if cls == 'original':
correctionhandling = CorrectionHandling.ORIGINAL
if correctionhandling in (CorrectionHandling.CURRENT,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, New) or isinstance(e, Current):
return previousdelimiter + e.phon(cls, '', strict,
correctionhandling)
if correctionhandling in (CorrectionHandling.ORIGINAL,
CorrectionHandling.EITHER):
for e in self:
if isinstance(e, Original):
return previousdelimiter + e.phon(cls, '', correctionhandling)
raise NoSuchPhon
| phon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cls='current', previousdelimiter='', strict=False,\n correctionhandling=CorrectionHandling.CURRENT):\n if cls == 'original':\n correctionhandling = CorrectionHandling.ORIGINAL\n if correctionhandling in (CorrectionHandling.CURRENT,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, New) or isinstance(e, Current):\n return previousdelimiter + e.phon(cls, '', strict,\n correctionhandling)\n if correctionhandling in (CorrectionHandling.ORIGINAL,\n CorrectionHandling.EITHER):\n for e in self:\n if isinstance(e, Original):\n return previousdelimiter + e.phon(cls, '', correctionhandling)\n raise NoSuchPhon\n",
"role": "user"
},
{
"content": "phon",
"role": "assistant"
}
] |
def x(self, retaintokenisation=False):
for e in self:
if isinstance(e, New) or isinstance(e, Current):
return e.gettextdelimiter(retaintokenisation)
return ''
| gettextdelimiter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, retaintokenisation=False):\n for e in self:\n if isinstance(e, New) or isinstance(e, Current):\n return e.gettextdelimiter(retaintokenisation)\n return ''\n",
"role": "user"
},
{
"content": "gettextdelimiter",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
try:
return next(self.select(New, None, False))
except StopIteration:
raise NoSuchAnnotation
else:
for e in self.select(New, None, False):
return e[index]
raise NoSuchAnnotation
| new | [
{
"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 try:\n return next(self.select(New, None, False))\n except StopIteration:\n raise NoSuchAnnotation\n else:\n for e in self.select(New, None, False):\n return e[index]\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
try:
return next(self.select(Original, None, False, False))
except StopIteration:
raise NoSuchAnnotation
else:
for e in self.select(Original, None, False, False):
return e[index]
raise NoSuchAnnotation
| original | [
{
"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 try:\n return next(self.select(Original, None, False, False))\n except StopIteration:\n raise NoSuchAnnotation\n else:\n for e in self.select(Original, None, False, False):\n return e[index]\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "original",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
try:
return next(self.select(Current, None, False))
except StopIteration:
raise NoSuchAnnotation
else:
for e in self.select(Current, None, False):
return e[index]
raise NoSuchAnnotation
| current | [
{
"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 try:\n return next(self.select(Current, None, False))\n except StopIteration:\n raise NoSuchAnnotation\n else:\n for e in self.select(Current, None, False):\n return e[index]\n raise NoSuchAnnotation\n",
"role": "user"
},
{
"content": "current",
"role": "assistant"
}
] |
def x(self, index=None):
if index is None:
return self.select(Suggestion, None, False, False)
else:
for i, e in enumerate(self.select(Suggestion, None, False, False)):
if index == i:
return e
raise IndexError
| suggestions | [
{
"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(Suggestion, None, False, False)\n else:\n for i, e in enumerate(self.select(Suggestion, None, False, False)):\n if index == i:\n return e\n raise IndexError\n",
"role": "user"
},
{
"content": "suggestions",
"role": "assistant"
}
] |
def x(self, Class, set=None, recursive=True, ignore=True, node=None):
if self.include:
return self.subdoc.data[0].select(Class, set, recursive, ignore, node)
else:
return iter([])
| 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, node=None):\n if self.include:\n return self.subdoc.data[0].select(Class, set, recursive, ignore, node)\n else:\n return iter([])\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, attribs=None, elements=None, skipchildren=False):
E = ElementMaker(namespace=NSFOLIA, nsmap={None: NSFOLIA, 'xml':
'http://www.w3.org/XML/1998/namespace'})
if not attribs:
attribs = {}
if not elements:
elements = []
if self.id:
attribs['id'] = self.id
try:
w = self.doc[self.id]
attribs['t'] = w.text()
except KeyError:
pass
e = makeelement(E, '{' + NSFOLIA + '}' + self.XMLTAG, **attribs)
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, attribs=None, elements=None, skipchildren=False):\n E = ElementMaker(namespace=NSFOLIA, nsmap={None: NSFOLIA, 'xml':\n 'http://www.w3.org/XML/1998/namespace'})\n if not attribs:\n attribs = {}\n if not elements:\n elements = []\n if self.id:\n attribs['id'] = self.id\n try:\n w = self.doc[self.id]\n attribs['t'] = w.text()\n except KeyError:\n pass\n e = makeelement(E, '{' + NSFOLIA + '}' + self.XMLTAG, **attribs)\n return e\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self, type, set=None):
l = self.count(type, set, True, default_ignore_annotations)
if len(l) >= 1:
return l[0]
else:
raise NoSuchAnnotation()
| annotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, set=None):\n l = self.count(type, set, True, default_ignore_annotations)\n if len(l) >= 1:\n return l[0]\n else:\n raise NoSuchAnnotation()\n",
"role": "user"
},
{
"content": "annotation",
"role": "assistant"
}
] |
def x(self, type, set=None):
if issubclass(type, AbstractAnnotationLayer):
layerclass = type
else:
layerclass = ANNOTATIONTYPE2LAYERCLASS[type.ANNOTATIONTYPE]
e = self
while True:
if not e.parent:
break
e = e.parent
for layer in e.select(layerclass, set, False):
for e2 in layer:
if isinstance(e2, AbstractSpanAnnotation):
if self in e2.wrefs():
yield e2
| findspans | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, set=None):\n if issubclass(type, AbstractAnnotationLayer):\n layerclass = type\n else:\n layerclass = ANNOTATIONTYPE2LAYERCLASS[type.ANNOTATIONTYPE]\n e = self\n while True:\n if not e.parent:\n break\n e = e.parent\n for layer in e.select(layerclass, set, False):\n for e2 in layer:\n if isinstance(e2, AbstractSpanAnnotation):\n if self in e2.wrefs():\n yield e2\n",
"role": "user"
},
{
"content": "findspans",
"role": "assistant"
}
] |
def x(self, originalwords, newwords, **kwargs):
for w in originalwords:
if not isinstance(w, Word):
raise Exception('Original word is not a Word instance: ' + str(
type(w)))
elif w.sentence() != self:
raise Exception('Original not found as member of sentence!')
for w in newwords:
if not isinstance(w, Word):
raise Exception('New word is not a Word instance: ' + str(type(w)))
if 'suggest' in kwargs and kwargs['suggest']:
del kwargs['suggest']
return self.correct(suggestion=newwords, current=originalwords, **
kwargs)
else:
return self.correct(original=originalwords, new=newwords, **kwargs)
| correctwords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, originalwords, newwords, **kwargs):\n for w in originalwords:\n if not isinstance(w, Word):\n raise Exception('Original word is not a Word instance: ' + str(\n type(w)))\n elif w.sentence() != self:\n raise Exception('Original not found as member of sentence!')\n for w in newwords:\n if not isinstance(w, Word):\n raise Exception('New word is not a Word instance: ' + str(type(w)))\n if 'suggest' in kwargs and kwargs['suggest']:\n del kwargs['suggest']\n return self.correct(suggestion=newwords, current=originalwords, **\n kwargs)\n else:\n return self.correct(original=originalwords, new=newwords, **kwargs)\n",
"role": "user"
},
{
"content": "correctwords",
"role": "assistant"
}
] |
def x(self, originalword, *newwords, **kwargs):
if isstring(originalword):
originalword = self.doc[u(originalword)]
return self.correctwords([originalword], newwords, **kwargs)
| splitword | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, originalword, *newwords, **kwargs):\n if isstring(originalword):\n originalword = self.doc[u(originalword)]\n return self.correctwords([originalword], newwords, **kwargs)\n",
"role": "user"
},
{
"content": "splitword",
"role": "assistant"
}
] |
def x(self, newword, *originalwords, **kwargs):
return self.correctwords(originalwords, [newword], **kwargs)
| mergewords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newword, *originalwords, **kwargs):\n return self.correctwords(originalwords, [newword], **kwargs)\n",
"role": "user"
},
{
"content": "mergewords",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.