source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, var_name):
string = 'attach://{name}'.format(name=var_name)
return string, self.get_request_files(var_name)
|
get_input_media_referenced_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, var_name):\n string = 'attach://{name}'.format(name=var_name)\n return string, self.get_request_files(var_name)\n",
"role": "user"
},
{
"content": "get_input_media_referenced_files",
"role": "assistant"
}
] |
def x(cls, file_id=None, path=None, url=None, blob=None, mime=None,
prefer_local_download=True, prefer_str=False, create_instance=True):
if create_instance:
clazz, args, kwargs = cls.factory(file_id=file_id, path=path, url=
url, blob=blob, mime=mime, create_instance=False)
return clazz(*args, **kwargs)
if file_id:
if prefer_str:
assert_type_or_raise(file_id, str, parameter_name='file_id')
return str, (file_id,), dict()
return InputFileUseFileID, (file_id,), dict()
if blob:
name = 'file'
suffix = '.blob'
if path:
name = os_path.basename(os_path.normpath(path))
name, suffix = os_path.splitext(name)
elif url:
url = urlparse(url)
name = os_path.basename(url.path)
name, suffix = os_path.splitext(name)
if mime:
import mimetypes
suffix = mimetypes.guess_extension(mime)
suffix = '.jpg' if suffix == '.jpe' else suffix
if not suffix or not suffix.strip().lstrip('.'):
logger.debug("suffix was empty. Using '.blob'")
suffix = '.blob'
name = '{filename}{suffix}'.format(filename=name, suffix=suffix)
return InputFileFromBlob, (blob,), dict(name=name, mime=mime)
if path:
return InputFileFromDisk, (path,), dict(mime=mime)
if url:
if prefer_local_download:
return InputFileFromURL, (url,), dict(mime=mime)
if prefer_str:
assert_type_or_raise(url, str, parameter_name='url')
return str, (url,), dict()
return InputFileUseUrl, (url,), dict()
raise ValueError(
'Could not find a matching subclass. You might need to do it manually instead.'
)
|
factory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_id=None, path=None, url=None, blob=None, mime=None,\n prefer_local_download=True, prefer_str=False, create_instance=True):\n if create_instance:\n clazz, args, kwargs = cls.factory(file_id=file_id, path=path, url=\n url, blob=blob, mime=mime, create_instance=False)\n return clazz(*args, **kwargs)\n if file_id:\n if prefer_str:\n assert_type_or_raise(file_id, str, parameter_name='file_id')\n return str, (file_id,), dict()\n return InputFileUseFileID, (file_id,), dict()\n if blob:\n name = 'file'\n suffix = '.blob'\n if path:\n name = os_path.basename(os_path.normpath(path))\n name, suffix = os_path.splitext(name)\n elif url:\n url = urlparse(url)\n name = os_path.basename(url.path)\n name, suffix = os_path.splitext(name)\n if mime:\n import mimetypes\n suffix = mimetypes.guess_extension(mime)\n suffix = '.jpg' if suffix == '.jpe' else suffix\n if not suffix or not suffix.strip().lstrip('.'):\n logger.debug(\"suffix was empty. Using '.blob'\")\n suffix = '.blob'\n name = '{filename}{suffix}'.format(filename=name, suffix=suffix)\n return InputFileFromBlob, (blob,), dict(name=name, mime=mime)\n if path:\n return InputFileFromDisk, (path,), dict(mime=mime)\n if url:\n if prefer_local_download:\n return InputFileFromURL, (url,), dict(mime=mime)\n if prefer_str:\n assert_type_or_raise(url, str, parameter_name='url')\n return str, (url,), dict()\n return InputFileUseUrl, (url,), dict()\n raise ValueError(\n 'Could not find a matching subclass. You might need to do it manually instead.'\n )\n",
"role": "user"
},
{
"content": "factory",
"role": "assistant"
}
] |
def x(self):
array = super(PassportData, self).to_array()
array['data'] = self._as_array(self.data)
array['credentials'] = self.credentials.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(PassportData, self).to_array()\n array['data'] = self._as_array(self.data)\n array['credentials'] = self.credentials.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
data = {}
data['data'] = EncryptedPassportElement.from_array_list(array.get(
'data'), list_level=1)
data['credentials'] = EncryptedCredentials.from_array(array.get(
'credentials'))
data['_raw'] = array
return PassportData(**data)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n data = {}\n data['data'] = EncryptedPassportElement.from_array_list(array.get(\n 'data'), list_level=1)\n data['credentials'] = EncryptedCredentials.from_array(array.get(\n 'credentials'))\n data['_raw'] = array\n return PassportData(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
array = super(PassportFile, self).to_array()
array['file_id'] = u(self.file_id)
array['file_size'] = int(self.file_size)
array['file_date'] = int(self.file_date)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(PassportFile, self).to_array()\n array['file_id'] = u(self.file_id)\n array['file_size'] = int(self.file_size)\n array['file_date'] = int(self.file_date)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(EncryptedPassportElement, self).to_array()
array['type'] = u(self.type)
array['hash'] = u(self.hash)
if self.data is not None:
array['data'] = u(self.data)
if self.phone_number is not None:
array['phone_number'] = u(self.phone_number)
if self.email is not None:
array['email'] = u(self.email)
if self.files is not None:
array['files'] = self._as_array(self.files)
if self.front_side is not None:
array['front_side'] = self.front_side.to_array()
if self.reverse_side is not None:
array['reverse_side'] = self.reverse_side.to_array()
if self.selfie is not None:
array['selfie'] = self.selfie.to_array()
if self.translation is not None:
array['translation'] = self._as_array(self.translation)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(EncryptedPassportElement, self).to_array()\n array['type'] = u(self.type)\n array['hash'] = u(self.hash)\n if self.data is not None:\n array['data'] = u(self.data)\n if self.phone_number is not None:\n array['phone_number'] = u(self.phone_number)\n if self.email is not None:\n array['email'] = u(self.email)\n if self.files is not None:\n array['files'] = self._as_array(self.files)\n if self.front_side is not None:\n array['front_side'] = self.front_side.to_array()\n if self.reverse_side is not None:\n array['reverse_side'] = self.reverse_side.to_array()\n if self.selfie is not None:\n array['selfie'] = self.selfie.to_array()\n if self.translation is not None:\n array['translation'] = self._as_array(self.translation)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
data = {}
data['type'] = u(array.get('type'))
data['hash'] = u(array.get('hash'))
data['data'] = u(array.get('data')) if array.get('data'
) is not None else None
data['phone_number'] = u(array.get('phone_number')) if array.get(
'phone_number') is not None else None
data['email'] = u(array.get('email')) if array.get('email'
) is not None else None
data['files'] = PassportFile.from_array_list(array.get('files'),
list_level=1) if array.get('files') is not None else None
data['front_side'] = PassportFile.from_array(array.get('front_side')
) if array.get('front_side') is not None else None
data['reverse_side'] = PassportFile.from_array(array.get('reverse_side')
) if array.get('reverse_side') is not None else None
data['selfie'] = PassportFile.from_array(array.get('selfie')) if array.get(
'selfie') is not None else None
data['translation'] = PassportFile.from_array_list(array.get(
'translation'), list_level=1) if array.get('translation'
) is not None else None
data['_raw'] = array
return EncryptedPassportElement(**data)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n data = {}\n data['type'] = u(array.get('type'))\n data['hash'] = u(array.get('hash'))\n data['data'] = u(array.get('data')) if array.get('data'\n ) is not None else None\n data['phone_number'] = u(array.get('phone_number')) if array.get(\n 'phone_number') is not None else None\n data['email'] = u(array.get('email')) if array.get('email'\n ) is not None else None\n data['files'] = PassportFile.from_array_list(array.get('files'),\n list_level=1) if array.get('files') is not None else None\n data['front_side'] = PassportFile.from_array(array.get('front_side')\n ) if array.get('front_side') is not None else None\n data['reverse_side'] = PassportFile.from_array(array.get('reverse_side')\n ) if array.get('reverse_side') is not None else None\n data['selfie'] = PassportFile.from_array(array.get('selfie')) if array.get(\n 'selfie') is not None else None\n data['translation'] = PassportFile.from_array_list(array.get(\n 'translation'), list_level=1) if array.get('translation'\n ) is not None else None\n data['_raw'] = array\n return EncryptedPassportElement(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
array = super(EncryptedCredentials, self).to_array()
array['data'] = u(self.data)
array['hash'] = u(self.hash)
array['secret'] = u(self.secret)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(EncryptedCredentials, self).to_array()\n array['data'] = u(self.data)\n array['hash'] = u(self.hash)\n array['secret'] = u(self.secret)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
data = {}
data['data'] = u(array.get('data'))
data['hash'] = u(array.get('hash'))
data['secret'] = u(array.get('secret'))
data['_raw'] = array
return EncryptedCredentials(**data)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n data = {}\n data['data'] = u(array.get('data'))\n data['hash'] = u(array.get('hash'))\n data['secret'] = u(array.get('secret'))\n data['_raw'] = array\n return EncryptedCredentials(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self, offset=None, limit=100, poll_timeout=0, allowed_updates=None,
request_timeout=None, delta=timedelta(milliseconds=100), error_as_empty
=False):
from datetime import datetime
assert offset is None or isinstance(offset, int)
assert limit is None or isinstance(limit, int)
assert poll_timeout is None or isinstance(poll_timeout, int)
assert allowed_updates is None or isinstance(allowed_updates, list)
if poll_timeout and not request_timeout is None:
request_timeout = poll_timeout + 2
if delta.total_seconds() > poll_timeout:
now = datetime.now()
if self._last_update - now < delta:
wait = (now - self._last_update - delta).total_seconds()
wait = 0 if wait < 0 else wait
if wait != 0:
logger.debug('Sleeping {i} seconds.'.format(i=wait))
sleep(wait)
self._last_update = datetime.now()
try:
result = self.do('getUpdates', offset=offset, limit=limit, timeout=
poll_timeout, allowed_updates=allowed_updates, use_long_polling
=poll_timeout != 0, request_timeout=request_timeout)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.updates import Update
try:
return Update.from_array_list(result, list_level=1)
except TgApiParseException:
logger.debug('Failed parsing as api_type Update', exc_info=True
)
raise TgApiParseException('Could not parse result.')
return result
except (requests.RequestException, TgApiException) as e:
if error_as_empty:
logger.warn(
'Network related error happened in get_updates(), but will be ignored: '
+ str(e), exc_info=True)
self._last_update = datetime.now()
return DictObject(result=[], exception=e)
else:
raise
|
get_updates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, limit=100, poll_timeout=0, allowed_updates=None,\n request_timeout=None, delta=timedelta(milliseconds=100), error_as_empty\n =False):\n from datetime import datetime\n assert offset is None or isinstance(offset, int)\n assert limit is None or isinstance(limit, int)\n assert poll_timeout is None or isinstance(poll_timeout, int)\n assert allowed_updates is None or isinstance(allowed_updates, list)\n if poll_timeout and not request_timeout is None:\n request_timeout = poll_timeout + 2\n if delta.total_seconds() > poll_timeout:\n now = datetime.now()\n if self._last_update - now < delta:\n wait = (now - self._last_update - delta).total_seconds()\n wait = 0 if wait < 0 else wait\n if wait != 0:\n logger.debug('Sleeping {i} seconds.'.format(i=wait))\n sleep(wait)\n self._last_update = datetime.now()\n try:\n result = self.do('getUpdates', offset=offset, limit=limit, timeout=\n poll_timeout, allowed_updates=allowed_updates, use_long_polling\n =poll_timeout != 0, request_timeout=request_timeout)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.updates import Update\n try:\n return Update.from_array_list(result, list_level=1)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type Update', exc_info=True\n )\n raise TgApiParseException('Could not parse result.')\n return result\n except (requests.RequestException, TgApiException) as e:\n if error_as_empty:\n logger.warn(\n 'Network related error happened in get_updates(), but will be ignored: '\n + str(e), exc_info=True)\n self._last_update = datetime.now()\n return DictObject(result=[], exception=e)\n else:\n raise\n",
"role": "user"
},
{
"content": "get_updates",
"role": "assistant"
}
] |
def x(self):
result = self.do('getMe')
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.peer import User
try:
return User.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type User', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
get_me
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = self.do('getMe')\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.peer import User\n try:\n return User.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type User', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_me",
"role": "assistant"
}
] |
def x(self, chat_id, from_chat_id, message_id, disable_notification=False):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(from_chat_id, (int, unicode_type), parameter_name=
'from_chat_id')
assert_type_or_raise(message_id, int, parameter_name='message_id')
assert_type_or_raise(disable_notification, None, bool, parameter_name=
'disable_notification')
result = self.do('forwardMessage', chat_id=chat_id, from_chat_id=
from_chat_id, message_id=message_id, disable_notification=
disable_notification)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.updates import Message
try:
return Message.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type Message', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
forward_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, from_chat_id, message_id, disable_notification=False):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(from_chat_id, (int, unicode_type), parameter_name=\n 'from_chat_id')\n assert_type_or_raise(message_id, int, parameter_name='message_id')\n assert_type_or_raise(disable_notification, None, bool, parameter_name=\n 'disable_notification')\n result = self.do('forwardMessage', chat_id=chat_id, from_chat_id=\n from_chat_id, message_id=message_id, disable_notification=\n disable_notification)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.updates import Message\n try:\n return Message.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type Message', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "forward_message",
"role": "assistant"
}
] |
def x(self, chat_id, media, disable_notification=None, reply_to_message_id=None
):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
from .api_types.sendable.input_media import InputMediaPhoto, InputMediaVideo
files = {}
new_media = []
assert_type_or_raise(media, list, parameter_name='media')
for i, medium in enumerate(media):
assert_type_or_raise(medium, InputMediaPhoto, InputMediaVideo,
parameter_name='media[{i}]'.format(i=i))
assert isinstance(medium, (InputMediaPhoto, InputMediaVideo))
new_medium, file = medium.get_request_data('pytgbot{i}'.format(i=i),
full_data=True)
logger.debug('InputMedia {} found.'.format(new_medium))
new_media.append(new_medium)
if file:
files.update(file)
new_media = json.dumps(new_media)
assert_type_or_raise(disable_notification, None, bool, parameter_name=
'disable_notification')
assert_type_or_raise(reply_to_message_id, None, int, parameter_name=
'reply_to_message_id')
result = self.do('sendMediaGroup', chat_id=chat_id, media=new_media,
files=files, disable_notification=disable_notification,
reply_to_message_id=reply_to_message_id)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
if not isinstance(result, list):
raise TgApiParseException('Could not parse result als list.')
from .api_types.receivable.updates import Message
return [Message.from_array(msg) for msg in result]
raise TgApiParseException('Could not parse result.')
return result
|
send_media_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, media, disable_notification=None, reply_to_message_id=None\n ):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n from .api_types.sendable.input_media import InputMediaPhoto, InputMediaVideo\n files = {}\n new_media = []\n assert_type_or_raise(media, list, parameter_name='media')\n for i, medium in enumerate(media):\n assert_type_or_raise(medium, InputMediaPhoto, InputMediaVideo,\n parameter_name='media[{i}]'.format(i=i))\n assert isinstance(medium, (InputMediaPhoto, InputMediaVideo))\n new_medium, file = medium.get_request_data('pytgbot{i}'.format(i=i),\n full_data=True)\n logger.debug('InputMedia {} found.'.format(new_medium))\n new_media.append(new_medium)\n if file:\n files.update(file)\n new_media = json.dumps(new_media)\n assert_type_or_raise(disable_notification, None, bool, parameter_name=\n 'disable_notification')\n assert_type_or_raise(reply_to_message_id, None, int, parameter_name=\n 'reply_to_message_id')\n result = self.do('sendMediaGroup', chat_id=chat_id, media=new_media,\n files=files, disable_notification=disable_notification,\n reply_to_message_id=reply_to_message_id)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n if not isinstance(result, list):\n raise TgApiParseException('Could not parse result als list.')\n from .api_types.receivable.updates import Message\n return [Message.from_array(msg) for msg in result]\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "send_media_group",
"role": "assistant"
}
] |
def x(self, inline_query_id, results, cache_time=None, is_personal=None,
next_offset=None, switch_pm_text=None, switch_pm_parameter=None):
assert_type_or_raise(inline_query_id, int, unicode_type, parameter_name
='inline_query_id')
if isinstance(inline_query_id, int):
inline_query_id = u(inline_query_id)
assert isinstance(inline_query_id, unicode_type)
assert_type_or_raise(results, list, tuple, InlineQueryResult,
parameter_name='results')
if isinstance(results, InlineQueryResult):
results = [results]
assert isinstance(results, (list, tuple))
result_objects = []
for result in results:
if not isinstance(result, InlineQueryResult):
raise ValueError(
'Parameter results is not list of InlineQueryResult')
result_objects.append(result.to_array())
assert_type_or_raise(cache_time, None, int, parameter_name='cache_time')
assert_type_or_raise(is_personal, None, bool, parameter_name='is_personal')
assert_type_or_raise(next_offset, None, unicode_type, str, int,
parameter_name='next_offset')
if next_offset is not None:
assert isinstance(next_offset, (str, unicode_type, int))
next_offset = u(next_offset)
assert_type_or_raise(switch_pm_text, None, unicode_type, parameter_name
='switch_pm_text')
assert_type_or_raise(switch_pm_parameter, None, unicode_type,
parameter_name='switch_pm_parameter')
result = self.do('answerInlineQuery', inline_query_id=inline_query_id,
results=json.dumps(result_objects), cache_time=cache_time,
is_personal=is_personal, next_offset=next_offset, switch_pm_text=
switch_pm_text, switch_pm_parameter=switch_pm_parameter)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
try:
return from_array_list(bool, result, list_level=0, is_builtin=True)
except TgApiParseException:
logger.debug('Failed parsing as primitive bool', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
answer_inline_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inline_query_id, results, cache_time=None, is_personal=None,\n next_offset=None, switch_pm_text=None, switch_pm_parameter=None):\n assert_type_or_raise(inline_query_id, int, unicode_type, parameter_name\n ='inline_query_id')\n if isinstance(inline_query_id, int):\n inline_query_id = u(inline_query_id)\n assert isinstance(inline_query_id, unicode_type)\n assert_type_or_raise(results, list, tuple, InlineQueryResult,\n parameter_name='results')\n if isinstance(results, InlineQueryResult):\n results = [results]\n assert isinstance(results, (list, tuple))\n result_objects = []\n for result in results:\n if not isinstance(result, InlineQueryResult):\n raise ValueError(\n 'Parameter results is not list of InlineQueryResult')\n result_objects.append(result.to_array())\n assert_type_or_raise(cache_time, None, int, parameter_name='cache_time')\n assert_type_or_raise(is_personal, None, bool, parameter_name='is_personal')\n assert_type_or_raise(next_offset, None, unicode_type, str, int,\n parameter_name='next_offset')\n if next_offset is not None:\n assert isinstance(next_offset, (str, unicode_type, int))\n next_offset = u(next_offset)\n assert_type_or_raise(switch_pm_text, None, unicode_type, parameter_name\n ='switch_pm_text')\n assert_type_or_raise(switch_pm_parameter, None, unicode_type,\n parameter_name='switch_pm_parameter')\n result = self.do('answerInlineQuery', inline_query_id=inline_query_id,\n results=json.dumps(result_objects), cache_time=cache_time,\n is_personal=is_personal, next_offset=next_offset, switch_pm_text=\n switch_pm_text, switch_pm_parameter=switch_pm_parameter)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n try:\n return from_array_list(bool, result, list_level=0, is_builtin=True)\n except TgApiParseException:\n logger.debug('Failed parsing as primitive bool', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "answer_inline_query",
"role": "assistant"
}
] |
def x(self, user_id, score, force=False, disable_edit_message=False,
chat_id=None, message_id=None, inline_message_id=None):
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(score, int, parameter_name='score')
assert_type_or_raise(force, None, bool, parameter_name='force')
assert_type_or_raise(disable_edit_message, None, bool, parameter_name=
'disable_edit_message')
assert_type_or_raise(chat_id, None, int, parameter_name='chat_id')
assert_type_or_raise(message_id, None, int, parameter_name='message_id')
assert_type_or_raise(inline_message_id, None, unicode_type,
parameter_name='inline_message_id')
result = self.do('setGameScore', user_id=user_id, score=score, force=
force, disable_edit_message=disable_edit_message, chat_id=chat_id,
message_id=message_id, inline_message_id=inline_message_id)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.updates import Message
try:
return Message.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type Message', exc_info=True)
try:
return from_array_list(bool, result, list_level=0, is_builtin=True)
except TgApiParseException:
logger.debug('Failed parsing as primitive bool', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
set_game_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, score, force=False, disable_edit_message=False,\n chat_id=None, message_id=None, inline_message_id=None):\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(score, int, parameter_name='score')\n assert_type_or_raise(force, None, bool, parameter_name='force')\n assert_type_or_raise(disable_edit_message, None, bool, parameter_name=\n 'disable_edit_message')\n assert_type_or_raise(chat_id, None, int, parameter_name='chat_id')\n assert_type_or_raise(message_id, None, int, parameter_name='message_id')\n assert_type_or_raise(inline_message_id, None, unicode_type,\n parameter_name='inline_message_id')\n result = self.do('setGameScore', user_id=user_id, score=score, force=\n force, disable_edit_message=disable_edit_message, chat_id=chat_id,\n message_id=message_id, inline_message_id=inline_message_id)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.updates import Message\n try:\n return Message.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type Message', exc_info=True)\n try:\n return from_array_list(bool, result, list_level=0, is_builtin=True)\n except TgApiParseException:\n logger.debug('Failed parsing as primitive bool', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "set_game_score",
"role": "assistant"
}
] |
def x(self, r):
from DictObject import DictObject
import requests
assert isinstance(r, requests.Response)
try:
logger.debug(r.json())
res = DictObject.objectify(r.json())
except Exception as e:
raise TgApiResponseException('Parsing answer as json failed.', r, e)
res['response'] = r
if self.return_python_objects:
if res.ok is not True:
raise TgApiServerException(error_code=res.error_code if
'error_code' in res else None, response=res.response if
'response' in res else None, description=res.description if
'description' in res else None, request=r.request)
if 'result' not in res:
raise TgApiParseException('Key "result" is missing.')
return res.result
return res
|
postprocess_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, r):\n from DictObject import DictObject\n import requests\n assert isinstance(r, requests.Response)\n try:\n logger.debug(r.json())\n res = DictObject.objectify(r.json())\n except Exception as e:\n raise TgApiResponseException('Parsing answer as json failed.', r, e)\n res['response'] = r\n if self.return_python_objects:\n if res.ok is not True:\n raise TgApiServerException(error_code=res.error_code if \n 'error_code' in res else None, response=res.response if \n 'response' in res else None, description=res.description if\n 'description' in res else None, request=r.request)\n if 'result' not in res:\n raise TgApiParseException('Key \"result\" is missing.')\n return res.result\n return res\n",
"role": "user"
},
{
"content": "postprocess_request",
"role": "assistant"
}
] |
def x(self, file_param_name, value, _command=None, _file_is_optional=False,
**kwargs):
from .api_types.sendable.files import InputFile
from luckydonaldUtils.encoding import unicode_type
from luckydonaldUtils.encoding import to_native as n
if value is None and _file_is_optional:
pass
elif isinstance(value, str):
kwargs[file_param_name] = str(value)
elif isinstance(value, unicode_type):
kwargs[file_param_name] = n(value)
elif isinstance(value, InputFile):
files = value.get_request_files(file_param_name)
if 'files' in kwargs and kwargs['files']:
assert isinstance(kwargs['files'], dict
), 'The files should be of type dict, but are of type {}.'.format(
type(kwargs['files']))
for key in files.keys():
assert key not in kwargs['files'
], '{key} would be overwritten!'
kwargs['files'][key] = files[key]
else:
kwargs['files'] = files
else:
raise TgApiTypeError(
'Parameter {key} is not type (str, {text_type}, {input_file_type}), but type {type}'
.format(key=file_param_name, type=type(value), input_file_type=
InputFile, text_type=unicode_type))
if not _command:
command = re.sub('(?!^)_([a-zA-Z])', lambda m: m.group(1).upper(),
'send_' + file_param_name)
else:
command = _command
return self.do(command, **kwargs)
|
do_fileupload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_param_name, value, _command=None, _file_is_optional=False,\n **kwargs):\n from .api_types.sendable.files import InputFile\n from luckydonaldUtils.encoding import unicode_type\n from luckydonaldUtils.encoding import to_native as n\n if value is None and _file_is_optional:\n pass\n elif isinstance(value, str):\n kwargs[file_param_name] = str(value)\n elif isinstance(value, unicode_type):\n kwargs[file_param_name] = n(value)\n elif isinstance(value, InputFile):\n files = value.get_request_files(file_param_name)\n if 'files' in kwargs and kwargs['files']:\n assert isinstance(kwargs['files'], dict\n ), 'The files should be of type dict, but are of type {}.'.format(\n type(kwargs['files']))\n for key in files.keys():\n assert key not in kwargs['files'\n ], '{key} would be overwritten!'\n kwargs['files'][key] = files[key]\n else:\n kwargs['files'] = files\n else:\n raise TgApiTypeError(\n 'Parameter {key} is not type (str, {text_type}, {input_file_type}), but type {type}'\n .format(key=file_param_name, type=type(value), input_file_type=\n InputFile, text_type=unicode_type))\n if not _command:\n command = re.sub('(?!^)_([a-zA-Z])', lambda m: m.group(1).upper(), \n 'send_' + file_param_name)\n else:\n command = _command\n return self.do(command, **kwargs)\n",
"role": "user"
},
{
"content": "do_fileupload",
"role": "assistant"
}
] |
def x(self):
array = super(LabeledPrice, self).to_array()
array['label'] = u(self.label)
array['amount'] = int(self.amount)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(LabeledPrice, self).to_array()\n array['label'] = u(self.label)\n array['amount'] = int(self.amount)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
data = {}
data['label'] = u(array.get('label'))
data['amount'] = int(array.get('amount'))
instance = LabeledPrice(**data)
instance._raw = array
return instance
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n data = {}\n data['label'] = u(array.get('label'))\n data['amount'] = int(array.get('amount'))\n instance = LabeledPrice(**data)\n instance._raw = array\n return instance\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
array = super(ShippingOption, self).to_array()
array['id'] = u(self.id)
array['title'] = u(self.title)
array['prices'] = self._as_array(self.prices)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(ShippingOption, self).to_array()\n array['id'] = u(self.id)\n array['title'] = u(self.title)\n array['prices'] = self._as_array(self.prices)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
from pytgbot.api_types.sendable.payments import LabeledPrice
data = {}
data['id'] = u(array.get('id'))
data['title'] = u(array.get('title'))
data['prices'] = LabeledPrice.from_array_list(array.get('prices'),
list_level=1)
instance = ShippingOption(**data)
instance._raw = array
return instance
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n from pytgbot.api_types.sendable.payments import LabeledPrice\n data = {}\n data['id'] = u(array.get('id'))\n data['title'] = u(array.get('title'))\n data['prices'] = LabeledPrice.from_array_list(array.get('prices'),\n list_level=1)\n instance = ShippingOption(**data)\n instance._raw = array\n return instance\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(ts, tables, buffer_size):
for tablename in tables:
table = ts[tablename]
table[:] = []
if buffer_size is not None and table.is_attached():
table.write(append=False)
|
prepare_target
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, tables, buffer_size):\n for tablename in tables:\n table = ts[tablename]\n table[:] = []\n if buffer_size is not None and table.is_attached():\n table.write(append=False)\n",
"role": "user"
},
{
"content": "prepare_target",
"role": "assistant"
}
] |
def x(selector, source):
tablename, fields = get_data_specifier(selector)
if len(fields) != 1:
raise ItsdbError('Selector must specify exactly one data column: {}'
.format(selector))
if isinstance(source, TestSuite):
if not tablename:
tablename = source.relations.find(fields[0])[0]
source = source[tablename]
cols = list(source.fields.keys()) + fields
return source, cols
|
prepare_source
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(selector, source):\n tablename, fields = get_data_specifier(selector)\n if len(fields) != 1:\n raise ItsdbError('Selector must specify exactly one data column: {}'\n .format(selector))\n if isinstance(source, TestSuite):\n if not tablename:\n tablename = source.relations.find(fields[0])[0]\n source = source[tablename]\n cols = list(source.fields.keys()) + fields\n return source, cols\n",
"role": "user"
},
{
"content": "prepare_source",
"role": "assistant"
}
] |
def x(table, data, buffer_size):
fields = table.fields
for invalid_key in set(data).difference([f.name for f in fields]):
del data[invalid_key]
table.append(Record.from_dict(fields, data))
if buffer_size is not None and table.is_attached():
if len(table) - 1 - table._last_synced_index > buffer_size:
table.commit()
|
add_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, data, buffer_size):\n fields = table.fields\n for invalid_key in set(data).difference([f.name for f in fields]):\n del data[invalid_key]\n table.append(Record.from_dict(fields, data))\n if buffer_size is not None and table.is_attached():\n if len(table) - 1 - table._last_synced_index > buffer_size:\n table.commit()\n",
"role": "user"
},
{
"content": "add_record",
"role": "assistant"
}
] |
def x(string):
match = data_specifier_re.match(string)
if match is None:
return None, None
table = match.group('table')
if table is not None:
table = table.strip()
cols = _split_cols(match.group('cols'))
return table, cols
|
get_data_specifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n match = data_specifier_re.match(string)\n if match is None:\n return None, None\n table = match.group('table')\n if table is not None:\n table = table.strip()\n cols = _split_cols(match.group('cols'))\n return table, cols\n",
"role": "user"
},
{
"content": "get_data_specifier",
"role": "assistant"
}
] |
def x(line, fields=None):
cols = line.rstrip('\n').split(_field_delimiter)
cols = list(map(unescape, cols))
if fields is not None:
if len(cols) != len(fields):
raise ItsdbError('Wrong number of fields: {} != {}'.format(len(
cols), len(fields)))
for i in range(len(cols)):
col = cols[i]
if col:
field = fields[i]
col = _cast_to_datatype(col, field)
cols[i] = col
return cols
|
decode_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, fields=None):\n cols = line.rstrip('\\n').split(_field_delimiter)\n cols = list(map(unescape, cols))\n if fields is not None:\n if len(cols) != len(fields):\n raise ItsdbError('Wrong number of fields: {} != {}'.format(len(\n cols), len(fields)))\n for i in range(len(cols)):\n col = cols[i]\n if col:\n field = fields[i]\n col = _cast_to_datatype(col, field)\n cols[i] = col\n return cols\n",
"role": "user"
},
{
"content": "decode_row",
"role": "assistant"
}
] |
def x(fields):
unicode_fields = [unicode(f) for f in fields]
escaped_fields = map(escape, unicode_fields)
return _field_delimiter.join(escaped_fields)
|
encode_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields):\n unicode_fields = [unicode(f) for f in fields]\n escaped_fields = map(escape, unicode_fields)\n return _field_delimiter.join(escaped_fields)\n",
"role": "user"
},
{
"content": "encode_row",
"role": "assistant"
}
] |
def x(tbl_filename):
tbl_filename = str(tbl_filename)
txfn = _normalize_table_path(tbl_filename)
gzfn = txfn + '.gz'
if os.path.exists(txfn):
if os.path.exists(gzfn) and os.stat(gzfn).st_mtime > os.stat(txfn
).st_mtime:
tbl_filename = gzfn
else:
tbl_filename = txfn
elif os.path.exists(gzfn):
tbl_filename = gzfn
else:
raise ItsdbError('Table does not exist at {}(.gz)'.format(tbl_filename)
)
return tbl_filename
|
table_filename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tbl_filename):\n tbl_filename = str(tbl_filename)\n txfn = _normalize_table_path(tbl_filename)\n gzfn = txfn + '.gz'\n if os.path.exists(txfn):\n if os.path.exists(gzfn) and os.stat(gzfn).st_mtime > os.stat(txfn\n ).st_mtime:\n tbl_filename = gzfn\n else:\n tbl_filename = txfn\n elif os.path.exists(gzfn):\n tbl_filename = gzfn\n else:\n raise ItsdbError('Table does not exist at {}(.gz)'.format(tbl_filename)\n )\n return tbl_filename\n",
"role": "user"
},
{
"content": "table_filename",
"role": "assistant"
}
] |
def x(tbl_filename, encoding):
path = _table_filename(tbl_filename)
if path.endswith('.gz'):
gzfile = GzipFile(path, mode='r')
gzfile.read1 = gzfile.read
with TextIOWrapper(gzfile, encoding=encoding) as f:
yield f
else:
with io.open(path, encoding=encoding) as f:
yield f
|
open_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tbl_filename, encoding):\n path = _table_filename(tbl_filename)\n if path.endswith('.gz'):\n gzfile = GzipFile(path, mode='r')\n gzfile.read1 = gzfile.read\n with TextIOWrapper(gzfile, encoding=encoding) as f:\n yield f\n else:\n with io.open(path, encoding=encoding) as f:\n yield f\n",
"role": "user"
},
{
"content": "open_table",
"role": "assistant"
}
] |
def x(row, fields):
if not hasattr(row, 'get'):
row = {f.name: col for f, col in zip(fields, row)}
row_fields = []
for f in fields:
val = row.get(f.name, None)
if val is None:
val = str(f.default_value())
row_fields.append(val)
return encode_row(row_fields)
|
make_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, fields):\n if not hasattr(row, 'get'):\n row = {f.name: col for f, col in zip(fields, row)}\n row_fields = []\n for f in fields:\n val = row.get(f.name, None)\n if val is None:\n val = str(f.default_value())\n row_fields.append(val)\n return encode_row(row_fields)\n",
"role": "user"
},
{
"content": "make_row",
"role": "assistant"
}
] |
def x(cols, rows, mode='list', cast=True):
mode = mode.lower()
if mode == 'list':
modecast = lambda cols, data: data
elif mode == 'dict':
modecast = lambda cols, data: dict(zip(cols, data))
elif mode == 'row':
modecast = lambda cols, data: encode_row(data)
else:
raise ItsdbError(
"""Invalid mode for select operation: {}
Valid options include: list, dict, row"""
.format(mode))
for row in rows:
try:
data = [row.get(c, cast=cast) for c in cols]
except TypeError:
data = [row.get(c) for c in cols]
yield modecast(cols, data)
|
select_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cols, rows, mode='list', cast=True):\n mode = mode.lower()\n if mode == 'list':\n modecast = lambda cols, data: data\n elif mode == 'dict':\n modecast = lambda cols, data: dict(zip(cols, data))\n elif mode == 'row':\n modecast = lambda cols, data: encode_row(data)\n else:\n raise ItsdbError(\n \"\"\"Invalid mode for select operation: {}\n Valid options include: list, dict, row\"\"\"\n .format(mode))\n for row in rows:\n try:\n data = [row.get(c, cast=cast) for c in cols]\n except TypeError:\n data = [row.get(c) for c in cols]\n yield modecast(cols, data)\n",
"role": "user"
},
{
"content": "select_rows",
"role": "assistant"
}
] |
def x(rows1, rows2, key, sort_keys=True):
matched = OrderedDict()
for i, rows in enumerate([rows1, rows2]):
for row in rows:
val = row[key]
try:
data = matched[val]
except KeyError:
matched[val] = [], []
data = matched[val]
data[i].append(row)
vals = matched.keys()
if sort_keys:
vals = sorted(vals, key=safe_int)
for val in vals:
left, right = matched[val]
yield val, left, right
|
match_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rows1, rows2, key, sort_keys=True):\n matched = OrderedDict()\n for i, rows in enumerate([rows1, rows2]):\n for row in rows:\n val = row[key]\n try:\n data = matched[val]\n except KeyError:\n matched[val] = [], []\n data = matched[val]\n data[i].append(row)\n vals = matched.keys()\n if sort_keys:\n vals = sorted(vals, key=safe_int)\n for val in vals:\n left, right = matched[val]\n yield val, left, right\n",
"role": "user"
},
{
"content": "match_rows",
"role": "assistant"
}
] |
def x(table1, table2, on=None, how='inner', name=None):
if how not in ('inner', 'left'):
ItsdbError("Only 'inner' and 'left' join methods are allowed.")
on = _join_pivot(on, table1, table2)
fields = _RelationJoin(table1.fields, table2.fields, on=on)
get_key = lambda rec: tuple(rec.get(k) for k in on)
key_indices = set(table2.fields.index(k) for k in on)
right = defaultdict(list)
for rec in table2:
right[get_key(rec)].append([c for i, c in enumerate(rec) if i not in
key_indices])
rfill = [f.default_value() for f in table2.fields if f.name not in on]
joined = []
for lrec in table1:
k = get_key(lrec)
if how == 'left' or k in right:
joined.extend(lrec + rrec for rrec in right.get(k, [rfill]))
return Table(fields, joined)
|
join
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table1, table2, on=None, how='inner', name=None):\n if how not in ('inner', 'left'):\n ItsdbError(\"Only 'inner' and 'left' join methods are allowed.\")\n on = _join_pivot(on, table1, table2)\n fields = _RelationJoin(table1.fields, table2.fields, on=on)\n get_key = lambda rec: tuple(rec.get(k) for k in on)\n key_indices = set(table2.fields.index(k) for k in on)\n right = defaultdict(list)\n for rec in table2:\n right[get_key(rec)].append([c for i, c in enumerate(rec) if i not in\n key_indices])\n rfill = [f.default_value() for f in table2.fields if f.name not in on]\n joined = []\n for lrec in table1:\n k = get_key(lrec)\n if how == 'left' or k in right:\n joined.extend(lrec + rrec for rrec in right.get(k, [rfill]))\n return Table(fields, joined)\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(fieldname, datatype):
if fieldname in tsdb_coded_attributes:
return str(tsdb_coded_attributes[fieldname])
else:
return _default_datatype_values.get(datatype, '')
|
default_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fieldname, datatype):\n if fieldname in tsdb_coded_attributes:\n return str(tsdb_coded_attributes[fieldname])\n else:\n return _default_datatype_values.get(datatype, '')\n",
"role": "user"
},
{
"content": "default_value",
"role": "assistant"
}
] |
def x(path, relations, item_rows, gzip=False):
try:
os.makedirs(path)
except OSError:
raise ItsdbError('Path already exists: {}.'.format(path))
import shutil
shutil.copyfile(relations, os.path.join(path, _relations_filename))
prof = ItsdbProfile(path, index=False)
prof.write_table('item', item_rows, gzip=gzip)
return prof
|
make_skeleton
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, relations, item_rows, gzip=False):\n try:\n os.makedirs(path)\n except OSError:\n raise ItsdbError('Path already exists: {}.'.format(path))\n import shutil\n shutil.copyfile(relations, os.path.join(path, _relations_filename))\n prof = ItsdbProfile(path, index=False)\n prof.write_table('item', item_rows, gzip=gzip)\n return prof\n",
"role": "user"
},
{
"content": "make_skeleton",
"role": "assistant"
}
] |
def x(filters, rows):
for row in rows:
if all(condition(row, row.get(col)) for cols, condition in filters for
col in cols if col is None or col in row):
yield row
|
filter_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filters, rows):\n for row in rows:\n if all(condition(row, row.get(col)) for cols, condition in filters for\n col in cols if col is None or col in row):\n yield row\n",
"role": "user"
},
{
"content": "filter_rows",
"role": "assistant"
}
] |
def x(applicators, rows):
for row in rows:
for cols, function in applicators:
for col in (cols or []):
value = row.get(col, '')
row[col] = function(row, value)
yield row
|
apply_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(applicators, rows):\n for row in rows:\n for cols, function in applicators:\n for col in (cols or []):\n value = row.get(col, '')\n row[col] = function(row, value)\n yield row\n",
"role": "user"
},
{
"content": "apply_rows",
"role": "assistant"
}
] |
def x(self):
if self.name in tsdb_coded_attributes:
return tsdb_coded_attributes[self.name]
elif self.datatype == ':integer':
return -1
else:
return ''
|
default_value
|
[
{
"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.name in tsdb_coded_attributes:\n return tsdb_coded_attributes[self.name]\n elif self.datatype == ':integer':\n return -1\n else:\n return ''\n",
"role": "user"
},
{
"content": "default_value",
"role": "assistant"
}
] |
def x(self):
keys = self._keys
if keys is None:
keys = tuple(self[i].name for i in self.key_indices)
return keys
|
keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n keys = self._keys\n if keys is None:\n keys = tuple(self[i].name for i in self.key_indices)\n return keys\n",
"role": "user"
},
{
"content": "keys",
"role": "assistant"
}
] |
def x(cls, source):
if hasattr(source, 'read'):
relations = cls.from_string(source.read())
else:
with open(source) as f:
relations = cls.from_string(f.read())
return relations
|
from_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, source):\n if hasattr(source, 'read'):\n relations = cls.from_string(source.read())\n else:\n with open(source) as f:\n relations = cls.from_string(f.read())\n return relations\n",
"role": "user"
},
{
"content": "from_file",
"role": "assistant"
}
] |
def x(cls, s):
tables = []
seen = set()
current_table = None
lines = list(reversed(s.splitlines()))
while lines:
line = lines.pop().strip()
table_m = re.match('^(?P<table>\\w.+):$', line)
field_m = re.match(
'\\s*(?P<name>\\S+)(\\s+(?P<attrs>[^#]+))?(\\s*#\\s*(?P<comment>.*)$)?'
, line)
if table_m is not None:
table_name = table_m.group('table')
if table_name in seen:
raise ItsdbError('Table {} already defined.'.format(table_name)
)
current_table = table_name, []
tables.append(current_table)
seen.add(table_name)
elif field_m is not None and current_table is not None:
name = field_m.group('name')
attrs = field_m.group('attrs').split()
datatype = attrs.pop(0)
key = ':key' in attrs
partial = ':partial' in attrs
comment = field_m.group('comment')
current_table[1].append(Field(name, datatype, key, partial,
comment))
elif line != '':
raise ItsdbError('Invalid line: ' + line)
return cls(tables)
|
from_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s):\n tables = []\n seen = set()\n current_table = None\n lines = list(reversed(s.splitlines()))\n while lines:\n line = lines.pop().strip()\n table_m = re.match('^(?P<table>\\\\w.+):$', line)\n field_m = re.match(\n '\\\\s*(?P<name>\\\\S+)(\\\\s+(?P<attrs>[^#]+))?(\\\\s*#\\\\s*(?P<comment>.*)$)?'\n , line)\n if table_m is not None:\n table_name = table_m.group('table')\n if table_name in seen:\n raise ItsdbError('Table {} already defined.'.format(table_name)\n )\n current_table = table_name, []\n tables.append(current_table)\n seen.add(table_name)\n elif field_m is not None and current_table is not None:\n name = field_m.group('name')\n attrs = field_m.group('attrs').split()\n datatype = attrs.pop(0)\n key = ':key' in attrs\n partial = ':partial' in attrs\n comment = field_m.group('comment')\n current_table[1].append(Field(name, datatype, key, partial,\n comment))\n elif line != '':\n raise ItsdbError('Invalid line: ' + line)\n return cls(tables)\n",
"role": "user"
},
{
"content": "from_string",
"role": "assistant"
}
] |
def x(self, fieldname):
tablename, _, column = fieldname.rpartition(':')
if tablename and tablename in self._field_map[column]:
return tablename
else:
return self._field_map[fieldname]
|
find
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fieldname):\n tablename, _, column = fieldname.rpartition(':')\n if tablename and tablename in self._field_map[column]:\n return tablename\n else:\n return self._field_map[fieldname]\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(self, source, target):
visited = set(source.split('+'))
targets = set(target.split('+')) - visited
for tablename in visited.union(targets):
self[tablename]
if len(targets) == 0:
return []
paths = [[(tablename, None)] for tablename in visited]
while True:
newpaths = []
for path in paths:
laststep, pivot = path[-1]
if laststep in targets:
return path[1:]
else:
for key in self[laststep].keys():
for step in (set(self.find(key)) - visited):
visited.add(step)
newpaths.append(path + [(step, key)])
if newpaths:
paths = newpaths
else:
break
raise ItsdbError('no relation path found from {} to {}'.format(source,
target))
|
path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, target):\n visited = set(source.split('+'))\n targets = set(target.split('+')) - visited\n for tablename in visited.union(targets):\n self[tablename]\n if len(targets) == 0:\n return []\n paths = [[(tablename, None)] for tablename in visited]\n while True:\n newpaths = []\n for path in paths:\n laststep, pivot = path[-1]\n if laststep in targets:\n return path[1:]\n else:\n for key in self[laststep].keys():\n for step in (set(self.find(key)) - visited):\n visited.add(step)\n newpaths.append(path + [(step, key)])\n if newpaths:\n paths = newpaths\n else:\n break\n raise ItsdbError('no relation path found from {} to {}'.format(source,\n target))\n",
"role": "user"
},
{
"content": "path",
"role": "assistant"
}
] |
def x(cls, fields, iterable, table, rowid):
record = cls(fields, iterable)
record._tableref = weakref.ref(table)
record._rowid = rowid
return record
|
make
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fields, iterable, table, rowid):\n record = cls(fields, iterable)\n record._tableref = weakref.ref(table)\n record._rowid = rowid\n return record\n",
"role": "user"
},
{
"content": "make",
"role": "assistant"
}
] |
def x(cls, fields, mapping):
iterable = [None] * len(fields)
for key, value in mapping.items():
try:
index = fields.index(key)
except KeyError:
raise ItsdbError('Invalid field name(s): ' + key)
iterable[index] = value
return cls(fields, iterable)
|
from_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, fields, mapping):\n iterable = [None] * len(fields)\n for key, value in mapping.items():\n try:\n index = fields.index(key)\n except KeyError:\n raise ItsdbError('Invalid field name(s): ' + key)\n iterable[index] = value\n return cls(fields, iterable)\n",
"role": "user"
},
{
"content": "from_dict",
"role": "assistant"
}
] |
def x(self, key, default=None, cast=True):
tablename, _, key = key.rpartition(':')
if tablename and tablename not in self.fields.name.split('+'):
raise ItsdbError('column requested from wrong table: {}'.format(
tablename))
try:
index = self.fields.index(key)
value = list.__getitem__(self, index)
except (KeyError, IndexError):
value = default
else:
if cast:
field = self.fields[index]
value = _cast_to_datatype(value, field)
return value
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None, cast=True):\n tablename, _, key = key.rpartition(':')\n if tablename and tablename not in self.fields.name.split('+'):\n raise ItsdbError('column requested from wrong table: {}'.format(\n tablename))\n try:\n index = self.fields.index(key)\n value = list.__getitem__(self, index)\n except (KeyError, IndexError):\n value = default\n else:\n if cast:\n field = self.fields[index]\n value = _cast_to_datatype(value, field)\n return value\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(cls, path, fields=None, encoding='utf-8'):
path = _table_filename(path)
if fields is None:
fields = _get_relation_from_table_path(path)
table = cls(fields)
table.attach(path, encoding=encoding)
return table
|
from_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, fields=None, encoding='utf-8'):\n path = _table_filename(path)\n if fields is None:\n fields = _get_relation_from_table_path(path)\n table = cls(fields)\n table.attach(path, encoding=encoding)\n return table\n",
"role": "user"
},
{
"content": "from_file",
"role": "assistant"
}
] |
def x(self, records=None, path=None, fields=None, append=False, gzip=None):
if path is None:
if not self.is_attached():
raise ItsdbError('no path given for detached table')
else:
path = self.path
path = _normalize_table_path(path)
dirpath, name = os.path.split(path)
if fields is None:
fields = self.fields
if records is None:
records = iter(self)
_write_table(dirpath, name, records, fields, append=append, gzip=gzip,
encoding=self.encoding)
if self.is_attached() and path == _normalize_table_path(self.path):
self.path = _table_filename(path)
self._sync_with_file()
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, records=None, path=None, fields=None, append=False, gzip=None):\n if path is None:\n if not self.is_attached():\n raise ItsdbError('no path given for detached table')\n else:\n path = self.path\n path = _normalize_table_path(path)\n dirpath, name = os.path.split(path)\n if fields is None:\n fields = self.fields\n if records is None:\n records = iter(self)\n _write_table(dirpath, name, records, fields, append=append, gzip=gzip,\n encoding=self.encoding)\n if self.is_attached() and path == _normalize_table_path(self.path):\n self.path = _table_filename(path)\n self._sync_with_file()\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
if not self.is_attached():
return
changes = self.list_changes()
if changes:
indices, records = zip(*changes)
if min(indices) > self._last_synced_index:
self.write(records, append=True)
else:
self.write(append=False)
|
commit
|
[
{
"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.is_attached():\n return\n changes = self.list_changes()\n if changes:\n indices, records = zip(*changes)\n if min(indices) > self._last_synced_index:\n self.write(records, append=True)\n else:\n self.write(append=False)\n",
"role": "user"
},
{
"content": "commit",
"role": "assistant"
}
] |
def x(self, path, encoding='utf-8'):
if self.is_attached():
raise ItsdbError('already attached at {}'.format(self.path))
try:
path = _table_filename(path)
except ItsdbError:
path = _normalize_table_path(path)
open(path, 'w').close()
else:
if os.stat(path).st_size > 0 and len(self._records) > 0:
raise ItsdbError('cannot attach non-empty table to non-empty file')
self.path = path
self.encoding = encoding
if len(self._records) == 0:
self._sync_with_file()
|
attach
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, encoding='utf-8'):\n if self.is_attached():\n raise ItsdbError('already attached at {}'.format(self.path))\n try:\n path = _table_filename(path)\n except ItsdbError:\n path = _normalize_table_path(path)\n open(path, 'w').close()\n else:\n if os.stat(path).st_size > 0 and len(self._records) > 0:\n raise ItsdbError('cannot attach non-empty table to non-empty file')\n self.path = path\n self.encoding = encoding\n if len(self._records) == 0:\n self._sync_with_file()\n",
"role": "user"
},
{
"content": "attach",
"role": "assistant"
}
] |
def x(self):
if not self.is_attached():
raise ItsdbError('already detached')
records = self._records
for i, line in self._enum_lines():
if records[i] is None:
records[i] = tuple(decode_row(line))
self.path = None
self.encoding = None
|
detach
|
[
{
"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.is_attached():\n raise ItsdbError('already detached')\n records = self._records\n for i, line in self._enum_lines():\n if records[i] is None:\n records[i] = tuple(decode_row(line))\n self.path = None\n self.encoding = None\n",
"role": "user"
},
{
"content": "detach",
"role": "assistant"
}
] |
def x(self):
if not self.is_attached():
raise ItsdbError('changes are not tracked for detached tables.')
return [(i, self[i]) for i, row in enumerate(self._records) if row is not
None]
|
list_changes
|
[
{
"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.is_attached():\n raise ItsdbError('changes are not tracked for detached tables.')\n return [(i, self[i]) for i, row in enumerate(self._records) if row is not\n None]\n",
"role": "user"
},
{
"content": "list_changes",
"role": "assistant"
}
] |
def x(self):
self._records = []
i = -1
for i, line in self._enum_lines():
self._records.append(None)
self._last_synced_index = i
|
sync_with_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._records = []\n i = -1\n for i, line in self._enum_lines():\n self._records.append(None)\n self._last_synced_index = i\n",
"role": "user"
},
{
"content": "sync_with_file",
"role": "assistant"
}
] |
def x(self):
with _open_table(self.path, self.encoding) as lines:
for i, line in enumerate(lines):
yield i, line
|
enum_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with _open_table(self.path, self.encoding) as lines:\n for i, line in enumerate(lines):\n yield i, line\n",
"role": "user"
},
{
"content": "enum_lines",
"role": "assistant"
}
] |
def x(self, indices):
records = self._records
i = 0
for i, line in self._enum_lines():
if i in indices:
row = records[i]
if row is None:
row = decode_row(line)
yield i, row
for j in range(i, len(records)):
if j in indices:
if records[j] is not None:
yield j, records[j]
|
enum_attached_rows
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indices):\n records = self._records\n i = 0\n for i, line in self._enum_lines():\n if i in indices:\n row = records[i]\n if row is None:\n row = decode_row(line)\n yield i, row\n for j in range(i, len(records)):\n if j in indices:\n if records[j] is not None:\n yield j, records[j]\n",
"role": "user"
},
{
"content": "enum_attached_rows",
"role": "assistant"
}
] |
def x(self, slice):
indices = range(*slice.indices(len(self._records)))
if self.is_attached():
rows = self._enum_attached_rows(indices)
if slice.step is not None and slice.step < 0:
rows = reversed(list(rows))
else:
rows = zip(indices, self._records[slice])
fields = self.fields
for i, row in rows:
yield Record._make(fields, row, self, i)
|
iterslice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slice):\n indices = range(*slice.indices(len(self._records)))\n if self.is_attached():\n rows = self._enum_attached_rows(indices)\n if slice.step is not None and slice.step < 0:\n rows = reversed(list(rows))\n else:\n rows = zip(indices, self._records[slice])\n fields = self.fields\n for i, row in rows:\n yield Record._make(fields, row, self, i)\n",
"role": "user"
},
{
"content": "iterslice",
"role": "assistant"
}
] |
def x(self, index):
row = self._records[index]
if row is not None:
pass
elif self.is_attached():
if index < 0:
index = len(self._records) + index
row = next((decode_row(line) for i, line in self._enum_lines() if i ==
index), None)
if row is None:
raise ItsdbError('could not retrieve row in attached table')
else:
raise ItsdbError('invalid row in detached table: {}'.format(index))
return Record._make(self.fields, row, self, index)
|
getitem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n row = self._records[index]\n if row is not None:\n pass\n elif self.is_attached():\n if index < 0:\n index = len(self._records) + index\n row = next((decode_row(line) for i, line in self._enum_lines() if i ==\n index), None)\n if row is None:\n raise ItsdbError('could not retrieve row in attached table')\n else:\n raise ItsdbError('invalid row in detached table: {}'.format(index))\n return Record._make(self.fields, row, self, index)\n",
"role": "user"
},
{
"content": "getitem",
"role": "assistant"
}
] |
def x(self, records):
fields = self.fields
for record in records:
record = _cast_record_to_str_tuple(record, fields)
self._records.append(record)
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, records):\n fields = self.fields\n for record in records:\n record = _cast_record_to_str_tuple(record, fields)\n self._records.append(record)\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, cols, mode='list'):
if isinstance(cols, stringtypes):
cols = _split_cols(cols)
if not cols:
cols = [f.name for f in self.fields]
return select_rows(cols, self, mode=mode)
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cols, mode='list'):\n if isinstance(cols, stringtypes):\n cols = _split_cols(cols)\n if not cols:\n cols = [f.name for f in self.fields]\n return select_rows(cols, self, mode=mode)\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, table, cols, condition):
if table is not None and table not in self.relations:
raise ItsdbError(
'Cannot add filter; table "{}" is not defined by the relations file.'
.format(table))
if cols is None:
cols = [None]
self.filters[table].append((cols, condition))
|
add_filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, cols, condition):\n if table is not None and table not in self.relations:\n raise ItsdbError(\n 'Cannot add filter; table \"{}\" is not defined by the relations file.'\n .format(table))\n if cols is None:\n cols = [None]\n self.filters[table].append((cols, condition))\n",
"role": "user"
},
{
"content": "add_filter",
"role": "assistant"
}
] |
def x(self, table, cols, function):
if table not in self.relations:
raise ItsdbError(
'Cannot add applicator; table "{}" is not defined by the relations file.'
.format(table))
if cols is None:
raise ItsdbError('Cannot add applicator; columns not specified.')
fields = set(f.name for f in self.relations[table])
for col in cols:
if col not in fields:
raise ItsdbError(
'Cannot add applicator; column "{}" not defined by the relations file.'
.format(col))
self.applicators[table].append((cols, function))
|
add_applicator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, cols, function):\n if table not in self.relations:\n raise ItsdbError(\n 'Cannot add applicator; table \"{}\" is not defined by the relations file.'\n .format(table))\n if cols is None:\n raise ItsdbError('Cannot add applicator; columns not specified.')\n fields = set(f.name for f in self.relations[table])\n for col in cols:\n if col not in fields:\n raise ItsdbError(\n 'Cannot add applicator; column \"{}\" not defined by the relations file.'\n .format(col))\n self.applicators[table].append((cols, function))\n",
"role": "user"
},
{
"content": "add_applicator",
"role": "assistant"
}
] |
def x(self, table):
fields = self.table_relations(table) if self.cast else None
field_names = [f.name for f in self.table_relations(table)]
field_len = len(field_names)
table_path = os.path.join(self.root, table)
with _open_table(table_path, self.encoding) as tbl:
for line in tbl:
cols = decode_row(line, fields=fields)
if len(cols) != field_len:
logging.error(
'Number of stored fields ({}) differ from the expected number({}); fields may be misaligned!'
.format(len(cols), field_len))
row = OrderedDict(zip(field_names, cols))
yield row
|
read_raw_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n fields = self.table_relations(table) if self.cast else None\n field_names = [f.name for f in self.table_relations(table)]\n field_len = len(field_names)\n table_path = os.path.join(self.root, table)\n with _open_table(table_path, self.encoding) as tbl:\n for line in tbl:\n cols = decode_row(line, fields=fields)\n if len(cols) != field_len:\n logging.error(\n 'Number of stored fields ({}) differ from the expected number({}); fields may be misaligned!'\n .format(len(cols), field_len))\n row = OrderedDict(zip(field_names, cols))\n yield row\n",
"role": "user"
},
{
"content": "read_raw_table",
"role": "assistant"
}
] |
def x(self, table, key_filter=True):
filters = self.filters[None] + self.filters[table]
if key_filter:
for f in self.relations[table]:
key = f.name
if f.key and self._index.get(key) is not None:
ids = self._index[key]
function = lambda r, x, ids=ids: x in ids
filters.append(([key], function))
applicators = self.applicators[table]
rows = self.read_raw_table(table)
return filter_rows(filters, apply_rows(applicators, rows))
|
read_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, key_filter=True):\n filters = self.filters[None] + self.filters[table]\n if key_filter:\n for f in self.relations[table]:\n key = f.name\n if f.key and self._index.get(key) is not None:\n ids = self._index[key]\n function = lambda r, x, ids=ids: x in ids\n filters.append(([key], function))\n applicators = self.applicators[table]\n rows = self.read_raw_table(table)\n return filter_rows(filters, apply_rows(applicators, rows))\n",
"role": "user"
},
{
"content": "read_table",
"role": "assistant"
}
] |
def x(self, table, cols, mode='list', key_filter=True):
if cols is None:
cols = [c.name for c in self.relations[table]]
rows = self.read_table(table, key_filter=key_filter)
for row in select_rows(cols, rows, mode=mode):
yield row
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, cols, mode='list', key_filter=True):\n if cols is None:\n cols = [c.name for c in self.relations[table]]\n rows = self.read_table(table, key_filter=key_filter)\n for row in select_rows(cols, rows, mode=mode):\n yield row\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, table1, table2, key_filter=True):
get_keys = lambda t: (f.name for f in self.relations[t] if f.key)
keys = set(get_keys(table1)).intersection(get_keys(table2))
if not keys:
raise ItsdbError(
'Cannot join tables "{}" and "{}"; no shared key exists.'.
format(table1, table2))
key = keys.pop()
table2_data = defaultdict(list)
for row in self.read_table(table2, key_filter=key_filter):
table2_data[row[key]].append(row)
for row1 in self.read_table(table1, key_filter=key_filter):
for row2 in table2_data.get(row1[key], []):
joinedrow = OrderedDict([('{}:{}'.format(table1, k), v) for k,
v in row1.items()] + [('{}:{}'.format(table2, k), v) for k,
v in row2.items()])
yield joinedrow
|
join
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table1, table2, key_filter=True):\n get_keys = lambda t: (f.name for f in self.relations[t] if f.key)\n keys = set(get_keys(table1)).intersection(get_keys(table2))\n if not keys:\n raise ItsdbError(\n 'Cannot join tables \"{}\" and \"{}\"; no shared key exists.'.\n format(table1, table2))\n key = keys.pop()\n table2_data = defaultdict(list)\n for row in self.read_table(table2, key_filter=key_filter):\n table2_data[row[key]].append(row)\n for row1 in self.read_table(table1, key_filter=key_filter):\n for row2 in table2_data.get(row1[key], []):\n joinedrow = OrderedDict([('{}:{}'.format(table1, k), v) for k,\n v in row1.items()] + [('{}:{}'.format(table2, k), v) for k,\n v in row2.items()])\n yield joinedrow\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(self, table, rows, append=False, gzip=False):
_write_table(self.root, table, rows, self.table_relations(table),
append=append, gzip=gzip, encoding=self.encoding)
|
write_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, rows, append=False, gzip=False):\n _write_table(self.root, table, rows, self.table_relations(table),\n append=append, gzip=gzip, encoding=self.encoding)\n",
"role": "user"
},
{
"content": "write_table",
"role": "assistant"
}
] |
def x(self, profile_directory, relations_filename=None, key_filter=True,
append=False, gzip=None):
if relations_filename:
src_rels = os.path.abspath(relations_filename)
relations = get_relations(relations_filename)
else:
src_rels = os.path.abspath(os.path.join(self.root, _relations_filename)
)
relations = self.relations
tgt_rels = os.path.abspath(os.path.join(profile_directory,
_relations_filename))
if not (os.path.isfile(tgt_rels) and src_rels == tgt_rels):
with open(tgt_rels, 'w') as rel_fh:
print(open(src_rels).read(), file=rel_fh)
tables = self._tables
if tables is not None:
tables = set(tables)
for table, fields in relations.items():
if tables is not None and table not in tables:
continue
try:
fn = _table_filename(os.path.join(self.root, table))
_gzip = gzip if gzip is not None else fn.endswith('.gz')
rows = list(self.read_table(table, key_filter=key_filter))
_write_table(profile_directory, table, rows, fields, append=
append, gzip=_gzip, encoding=self.encoding)
except ItsdbError:
logging.warning('Could not write "{}"; table doesn\'t exist.'.
format(table))
continue
self._cleanup(gzip=gzip)
|
write_profile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, profile_directory, relations_filename=None, key_filter=True,\n append=False, gzip=None):\n if relations_filename:\n src_rels = os.path.abspath(relations_filename)\n relations = get_relations(relations_filename)\n else:\n src_rels = os.path.abspath(os.path.join(self.root, _relations_filename)\n )\n relations = self.relations\n tgt_rels = os.path.abspath(os.path.join(profile_directory,\n _relations_filename))\n if not (os.path.isfile(tgt_rels) and src_rels == tgt_rels):\n with open(tgt_rels, 'w') as rel_fh:\n print(open(src_rels).read(), file=rel_fh)\n tables = self._tables\n if tables is not None:\n tables = set(tables)\n for table, fields in relations.items():\n if tables is not None and table not in tables:\n continue\n try:\n fn = _table_filename(os.path.join(self.root, table))\n _gzip = gzip if gzip is not None else fn.endswith('.gz')\n rows = list(self.read_table(table, key_filter=key_filter))\n _write_table(profile_directory, table, rows, fields, append=\n append, gzip=_gzip, encoding=self.encoding)\n except ItsdbError:\n logging.warning('Could not write \"{}\"; table doesn\\'t exist.'.\n format(table))\n continue\n self._cleanup(gzip=gzip)\n",
"role": "user"
},
{
"content": "write_profile",
"role": "assistant"
}
] |
def x(self, table=None):
if not os.path.isdir(self.root):
return False
if not os.path.isfile(os.path.join(self.root, _relations_filename)):
return False
if table is not None:
try:
_table_filename(os.path.join(self.root, table))
except ItsdbError:
return False
return True
|
exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table=None):\n if not os.path.isdir(self.root):\n return False\n if not os.path.isfile(os.path.join(self.root, _relations_filename)):\n return False\n if table is not None:\n try:\n _table_filename(os.path.join(self.root, table))\n except ItsdbError:\n return False\n return True\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant"
}
] |
def x(self, table=None):
size = 0
if table is None:
for table in self.relations:
size += self.size(table)
else:
try:
fn = _table_filename(os.path.join(self.root, table))
size += os.stat(fn).st_size
except ItsdbError:
pass
return size
|
size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table=None):\n size = 0\n if table is None:\n for table in self.relations:\n size += self.size(table)\n else:\n try:\n fn = _table_filename(os.path.join(self.root, table))\n size += os.stat(fn).st_size\n except ItsdbError:\n pass\n return size\n",
"role": "user"
},
{
"content": "size",
"role": "assistant"
}
] |
def x(input, server=default_erg_server, params=None, headers=None):
return next(parse_from_iterable([input], server, params, headers), None)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, server=default_erg_server, params=None, headers=None):\n return next(parse_from_iterable([input], server, params, headers), None)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(inputs, server=default_erg_server, params=None, headers=None):
client = DelphinRestClient(server)
for input in inputs:
yield client.parse(input, params=params, headers=headers)
|
parse_from_iterable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputs, server=default_erg_server, params=None, headers=None):\n client = DelphinRestClient(server)\n for input in inputs:\n yield client.parse(input, params=params, headers=headers)\n",
"role": "user"
},
{
"content": "parse_from_iterable",
"role": "assistant"
}
] |
def x(self, sentence, params=None, headers=None):
if params is None:
params = {}
params['input'] = sentence
hdrs = {'Accept': 'application/json'}
if headers is not None:
hdrs.update(headers)
url = urljoin(self.server, 'parse')
r = requests.get(url, params=params, headers=hdrs)
if r.status_code == 200:
return _RestResponse(r.json())
else:
r.raise_for_status()
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentence, params=None, headers=None):\n if params is None:\n params = {}\n params['input'] = sentence\n hdrs = {'Accept': 'application/json'}\n if headers is not None:\n hdrs.update(headers)\n url = urljoin(self.server, 'parse')\n r = requests.get(url, params=params, headers=hdrs)\n if r.status_code == 200:\n return _RestResponse(r.json())\n else:\n r.raise_for_status()\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(data):
global CRC_CCITT_TABLE
if not CRC_CCITT_TABLE:
crc_ccitt_table = []
for i in range(0, 256):
crc = 0
c = i << 8
for j in range(0, 8):
if (crc ^ c) & 32768:
crc = c_ushort(crc << 1).value ^ 4129
else:
crc = c_ushort(crc << 1).value
c = c_ushort(c << 1).value
crc_ccitt_table.append(crc)
CRC_CCITT_TABLE = crc_ccitt_table
is_string = _is_string(data)
crc_value = 0
for c in data:
d = ord(c) if is_string else c
tmp = crc_value >> 8 & 255 ^ d
crc_value = crc_value << 8 & 65280 ^ CRC_CCITT_TABLE[tmp]
return crc_value
|
calculate_crc_ccitt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n global CRC_CCITT_TABLE\n if not CRC_CCITT_TABLE:\n crc_ccitt_table = []\n for i in range(0, 256):\n crc = 0\n c = i << 8\n for j in range(0, 8):\n if (crc ^ c) & 32768:\n crc = c_ushort(crc << 1).value ^ 4129\n else:\n crc = c_ushort(crc << 1).value\n c = c_ushort(c << 1).value\n crc_ccitt_table.append(crc)\n CRC_CCITT_TABLE = crc_ccitt_table\n is_string = _is_string(data)\n crc_value = 0\n for c in data:\n d = ord(c) if is_string else c\n tmp = crc_value >> 8 & 255 ^ d\n crc_value = crc_value << 8 & 65280 ^ CRC_CCITT_TABLE[tmp]\n return crc_value\n",
"role": "user"
},
{
"content": "calculate_crc_ccitt",
"role": "assistant"
}
] |
def x(self, compression=3, **kwargs):
if compression == 3:
data = base64.b64encode(zlib.compress(self.data.bytes))
data = ':Z64:%s:%s' % (data.decode('ascii'), self._calc_crc(data))
elif compression == 1:
data = base64.b64encode(self.data.bytes)
data = ':B64:%s:%s' % (data.decode('ascii'), self._calc_crc(data))
else:
lines = []
last_unique_line = None
for line in self.data.hex_rows:
if line.endswith('00'):
line = line.rstrip('0')
if len(line) % 2:
line += '0'
line += ','
if line == last_unique_line:
line = ':'
else:
last_unique_line = line
lines.append(line)
data = '\n'.join(lines)
to_compress = set(RE_UNCOMPRESSED.findall(data))
to_compress = sorted(to_compress, reverse=True)
for uncompressed in to_compress:
uncompressed = uncompressed[0]
repeat = len(uncompressed)
compressed = ''
while repeat >= 400:
compressed += 'z'
repeat -= 400
if repeat >= 20:
value = repeat // 20
repeat -= value * 20
compressed += chr(value + 70).lower()
if repeat > 0:
compressed += chr(repeat + 70)
data = data.replace(uncompressed, compressed + uncompressed[0])
data = data.replace('\n', '')
zpl = '~DGR:%s.GRF,%s,%s,%s' % (self.filename, self.data.filesize, self
.data.width // 8, data)
return zpl
|
to_zpl_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, compression=3, **kwargs):\n if compression == 3:\n data = base64.b64encode(zlib.compress(self.data.bytes))\n data = ':Z64:%s:%s' % (data.decode('ascii'), self._calc_crc(data))\n elif compression == 1:\n data = base64.b64encode(self.data.bytes)\n data = ':B64:%s:%s' % (data.decode('ascii'), self._calc_crc(data))\n else:\n lines = []\n last_unique_line = None\n for line in self.data.hex_rows:\n if line.endswith('00'):\n line = line.rstrip('0')\n if len(line) % 2:\n line += '0'\n line += ','\n if line == last_unique_line:\n line = ':'\n else:\n last_unique_line = line\n lines.append(line)\n data = '\\n'.join(lines)\n to_compress = set(RE_UNCOMPRESSED.findall(data))\n to_compress = sorted(to_compress, reverse=True)\n for uncompressed in to_compress:\n uncompressed = uncompressed[0]\n repeat = len(uncompressed)\n compressed = ''\n while repeat >= 400:\n compressed += 'z'\n repeat -= 400\n if repeat >= 20:\n value = repeat // 20\n repeat -= value * 20\n compressed += chr(value + 70).lower()\n if repeat > 0:\n compressed += chr(repeat + 70)\n data = data.replace(uncompressed, compressed + uncompressed[0])\n data = data.replace('\\n', '')\n zpl = '~DGR:%s.GRF,%s,%s,%s' % (self.filename, self.data.filesize, self\n .data.width // 8, data)\n return zpl\n",
"role": "user"
},
{
"content": "to_zpl_line",
"role": "assistant"
}
] |
def x(self, quantity=1, pause_and_cut=0, override_pause=False, print_mode=
'C', print_orientation='N', media_tracking='Y', **kwargs):
zpl = [self.to_zpl_line(**kwargs), '^XA', '^MM%s,Y' % print_mode,
'^PO%s' % print_orientation, '^MN%s' % media_tracking, '^FO0,0',
'^XGR:%s.GRF,1,1' % self.filename, '^FS', '^PQ%s,%s,0,%s' % (int(
quantity), int(pause_and_cut), 'Y' if override_pause else 'N'),
'^XZ', '^IDR:%s.GRF' % self.filename]
return ''.join(zpl)
|
to_zpl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quantity=1, pause_and_cut=0, override_pause=False, print_mode=\n 'C', print_orientation='N', media_tracking='Y', **kwargs):\n zpl = [self.to_zpl_line(**kwargs), '^XA', '^MM%s,Y' % print_mode, \n '^PO%s' % print_orientation, '^MN%s' % media_tracking, '^FO0,0', \n '^XGR:%s.GRF,1,1' % self.filename, '^FS', '^PQ%s,%s,0,%s' % (int(\n quantity), int(pause_and_cut), 'Y' if override_pause else 'N'),\n '^XZ', '^IDR:%s.GRF' % self.filename]\n return ''.join(zpl)\n",
"role": "user"
},
{
"content": "to_zpl",
"role": "assistant"
}
] |
def x(cls, image, filename):
source = Image.open(BytesIO(image))
source = source.convert('1')
width = int(math.ceil(source.size[0] / 8.0))
data = []
for line in _chunked(list(source.getdata()), source.size[0]):
row = ''.join([('0' if p else '1') for p in line])
row = row.ljust(width * 8, '0')
data.append(row)
data = GRFData(width, bin=''.join(data))
return cls(filename, data)
|
from_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, image, filename):\n source = Image.open(BytesIO(image))\n source = source.convert('1')\n width = int(math.ceil(source.size[0] / 8.0))\n data = []\n for line in _chunked(list(source.getdata()), source.size[0]):\n row = ''.join([('0' if p else '1') for p in line])\n row = row.ljust(width * 8, '0')\n data.append(row)\n data = GRFData(width, bin=''.join(data))\n return cls(filename, data)\n",
"role": "user"
},
{
"content": "from_image",
"role": "assistant"
}
] |
def x(cls, pdf, filename, width=288, height=432, dpi=203, font_path=None,
center_of_pixel=False, use_bindings=False):
setpagedevice = ['/.HWMargins[0.000000 0.000000 0.000000 0.000000]',
'/Margins[0 0]']
cmd = ['gs', '-dQUIET', '-dPARANOIDSAFER', '-dNOPAUSE', '-dBATCH',
'-dNOINTERPOLATE', '-sDEVICE=pngmono', '-dAdvanceDistance=1000',
'-r%s' % int(dpi), '-dDEVICEWIDTHPOINTS=%s' % int(width),
'-dDEVICEHEIGHTPOINTS=%s' % int(height), '-dFIXEDMEDIA',
'-dPDFFitPage', '-c', '<<%s>>setpagedevice' % ' '.join(setpagedevice)]
if center_of_pixel:
cmd += ['0 .setfilladjust']
if font_path and os.path.exists(font_path):
cmd += ['-I' + font_path]
if use_bindings:
import ghostscript
with tempfile.NamedTemporaryFile(
) as in_file, tempfile.NamedTemporaryFile() as out_file:
in_file.write(pdf)
in_file.flush()
cmd[13:13] += ['-sOutputFile=%s' % out_file.name]
cmd += ['-f', in_file.name]
try:
ghostscript.Ghostscript(*[c.encode('ascii') for c in cmd])
except Exception as e:
raise GRFException(e)
pngs = out_file.read()
else:
from subprocess import PIPE, Popen
cmd[13:13] += ['-sstdout=%stderr', '-sOutputFile=%stdout']
cmd += ['-f', '-']
p = Popen(cmd, stdin=PIPE, stdout=PIPE, stderr=PIPE)
pngs, stderr = p.communicate(pdf)
if stderr:
raise GRFException(stderr)
png_start = b'\x89PNG\r\n\x1a\n'
grfs = []
for png in pngs.split(png_start)[1:]:
grfs.append(cls.from_image(png_start + png, filename))
return grfs
|
from_pdf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pdf, filename, width=288, height=432, dpi=203, font_path=None,\n center_of_pixel=False, use_bindings=False):\n setpagedevice = ['/.HWMargins[0.000000 0.000000 0.000000 0.000000]',\n '/Margins[0 0]']\n cmd = ['gs', '-dQUIET', '-dPARANOIDSAFER', '-dNOPAUSE', '-dBATCH',\n '-dNOINTERPOLATE', '-sDEVICE=pngmono', '-dAdvanceDistance=1000', \n '-r%s' % int(dpi), '-dDEVICEWIDTHPOINTS=%s' % int(width), \n '-dDEVICEHEIGHTPOINTS=%s' % int(height), '-dFIXEDMEDIA',\n '-dPDFFitPage', '-c', '<<%s>>setpagedevice' % ' '.join(setpagedevice)]\n if center_of_pixel:\n cmd += ['0 .setfilladjust']\n if font_path and os.path.exists(font_path):\n cmd += ['-I' + font_path]\n if use_bindings:\n import ghostscript\n with tempfile.NamedTemporaryFile(\n ) as in_file, tempfile.NamedTemporaryFile() as out_file:\n in_file.write(pdf)\n in_file.flush()\n cmd[13:13] += ['-sOutputFile=%s' % out_file.name]\n cmd += ['-f', in_file.name]\n try:\n ghostscript.Ghostscript(*[c.encode('ascii') for c in cmd])\n except Exception as e:\n raise GRFException(e)\n pngs = out_file.read()\n else:\n from subprocess import PIPE, Popen\n cmd[13:13] += ['-sstdout=%stderr', '-sOutputFile=%stdout']\n cmd += ['-f', '-']\n p = Popen(cmd, stdin=PIPE, stdout=PIPE, stderr=PIPE)\n pngs, stderr = p.communicate(pdf)\n if stderr:\n raise GRFException(stderr)\n png_start = b'\\x89PNG\\r\\n\\x1a\\n'\n grfs = []\n for png in pngs.split(png_start)[1:]:\n grfs.append(cls.from_image(png_start + png, filename))\n return grfs\n",
"role": "user"
},
{
"content": "from_pdf",
"role": "assistant"
}
] |
def x(self, data, min_bar_height=20, min_bar_count=100, max_gap_size=30,
min_percent_white=0.2, max_percent_white=0.8, **kwargs):
re_bars = re.compile('1{%s,}' % min_bar_height)
bars = {}
for i, line in enumerate(data):
for match in re_bars.finditer(line):
try:
bars[match.span()].append(i)
except KeyError:
bars[match.span()] = [i]
grouped_bars = []
for span, seen_at in bars.items():
group = []
for coords in seen_at:
if group and coords - group[-1] > max_gap_size:
grouped_bars.append((span, group))
group = []
group.append(coords)
grouped_bars.append((span, group))
suspected_barcodes = []
for span, seen_at in grouped_bars:
if len(seen_at) < min_bar_count:
continue
pc_white = len(seen_at) / float(seen_at[-1] - seen_at[0])
if pc_white >= min_percent_white and pc_white <= max_percent_white:
suspected_barcodes.append((span, seen_at))
for span, seen_at in suspected_barcodes:
barcode = []
for line in data[seen_at[0]:seen_at[-1] + 1]:
barcode.append(line[span[0]])
barcode = ''.join(barcode)
barcode = self._optimise_barcode(barcode)
barcode = list(barcode)
barcode.reverse()
width = span[1] - span[0]
for i in range(seen_at[0], seen_at[-1] + 1):
line = data[i]
line = line[:span[0]] + barcode.pop() * width + line[span[1]:]
data[i] = line
return data
|
optimise_barcodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, min_bar_height=20, min_bar_count=100, max_gap_size=30,\n min_percent_white=0.2, max_percent_white=0.8, **kwargs):\n re_bars = re.compile('1{%s,}' % min_bar_height)\n bars = {}\n for i, line in enumerate(data):\n for match in re_bars.finditer(line):\n try:\n bars[match.span()].append(i)\n except KeyError:\n bars[match.span()] = [i]\n grouped_bars = []\n for span, seen_at in bars.items():\n group = []\n for coords in seen_at:\n if group and coords - group[-1] > max_gap_size:\n grouped_bars.append((span, group))\n group = []\n group.append(coords)\n grouped_bars.append((span, group))\n suspected_barcodes = []\n for span, seen_at in grouped_bars:\n if len(seen_at) < min_bar_count:\n continue\n pc_white = len(seen_at) / float(seen_at[-1] - seen_at[0])\n if pc_white >= min_percent_white and pc_white <= max_percent_white:\n suspected_barcodes.append((span, seen_at))\n for span, seen_at in suspected_barcodes:\n barcode = []\n for line in data[seen_at[0]:seen_at[-1] + 1]:\n barcode.append(line[span[0]])\n barcode = ''.join(barcode)\n barcode = self._optimise_barcode(barcode)\n barcode = list(barcode)\n barcode.reverse()\n width = span[1] - span[0]\n for i in range(seen_at[0], seen_at[-1] + 1):\n line = data[i]\n line = line[:span[0]] + barcode.pop() * width + line[span[1]:]\n data[i] = line\n return data\n",
"role": "user"
},
{
"content": "optimise_barcodes",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
data = {}
data['id'] = u(array.get('id'))
data['title'] = u(array.get('title'))
data['prices'] = LabeledPrice.from_array_list(array.get('prices'),
list_level=1)
instance = ShippingOption(**data)
instance._raw = array
return instance
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n data = {}\n data['id'] = u(array.get('id'))\n data['title'] = u(array.get('title'))\n data['prices'] = LabeledPrice.from_array_list(array.get('prices'),\n list_level=1)\n instance = ShippingOption(**data)\n instance._raw = array\n return instance\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(name):
s1 = _first_cap_re.sub('\\1_\\2', name)
return _all_cap_re.sub('\\1_\\2', s1).lower()
|
convert_to_underscore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n s1 = _first_cap_re.sub('\\\\1_\\\\2', name)\n return _all_cap_re.sub('\\\\1_\\\\2', s1).lower()\n",
"role": "user"
},
{
"content": "convert_to_underscore",
"role": "assistant"
}
] |
def x(command, description, link, params_string, returns=
'On success, the sent Message is returned.', return_type='Message'):
description_with_tabs = '\t\t' + description.strip().replace('\n', '\n\t\t'
)
param_list_args = []
param_list_kwargs = []
args = []
args2 = []
kwargs = []
kwargs2 = []
asserts = []
str_args = ''
str_kwargs = ''
param_strings = params_string.split('\n')
for param in param_strings:
(assert_commands, assert_comments, param_name, param_type, table,
non_buildin_type, param_name_input) = parse_param_types(param)
param_required = table[2].strip()
param_needed = None
if param_required == 'Yes':
param_needed = True
elif param_required == 'Optional':
param_needed = False
param_description = table[3].strip()
if param_needed:
param_list_args.append(Param(param_name, param_type,
param_needed, param_description))
args.append(param_name)
args2.append('{param_name}={param_name}'.format(param_name=
param_name))
str_args += (
'\t\t:param {key}: {descr}\n\t\t:type {key}: {type}\n\n'.
format(key=param_name, descr=param_description, type=
param_type))
if assert_commands:
asserts.append('assert({var} is not None)'.format(var=
param_name))
asserts.append('assert({ass})'.format(ass=' or '.join(
assert_commands)) + (' # {comment}'.format(comment=
', '.join(assert_comments)) if assert_comments else ''))
else:
param_list_kwargs.append(Param(param_name, param_type,
param_needed, param_description))
kwargs.append('{param_name}=None'.format(param_name=param_name))
kwargs2.append('{param_name}={param_name}'.format(param_name=
param_name))
str_kwargs += (
'\t\t:keyword {key}: {descr}\n\t\t:type {key}: {type}\n\n'
.format(key=param_name, descr=param_description, type=
param_type))
if assert_commands:
asserts.append('assert({var} is None or {ass})'.format(var=
param_name, ass=' or '.join(assert_commands)) + (
' # {comment}'.format(comment=', '.join(
assert_comments)) if assert_comments else ''))
args.extend(kwargs)
args2.extend(kwargs2)
asserts_string = '\n\t\t' + '\n\t\t'.join(asserts)
text = ''
if len(str_args) > 0:
text += '\n\t\tParameters:\n\n'
text += str_args
if len(str_kwargs) > 0:
text += '\n\t\tOptional keyword parameters:\n\n'
text += str_kwargs
do_args = ['"%s"' % command]
do_args.extend(args2)
result = (
""" def {funcname}(self, {params}):
""\"
{description_with_tabs}
{link}
{paramshit}
Returns:
:return: {returns}
:rtype: {return_type}
""\"{asserts_with_tabs}
return self.do({do_args})
# end def {funcname}"""
.format(funcname=convert_to_underscore(command), params=', '.join(
args), description_with_tabs=description_with_tabs, link=link,
returns=returns, return_type=return_type, command=command, do_args=
', '.join(do_args), asserts_with_tabs=asserts_string, paramshit=text))
result = result.replace('\t', ' ')
return result
|
func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, description, link, params_string, returns=\n 'On success, the sent Message is returned.', return_type='Message'):\n description_with_tabs = '\\t\\t' + description.strip().replace('\\n', '\\n\\t\\t'\n )\n param_list_args = []\n param_list_kwargs = []\n args = []\n args2 = []\n kwargs = []\n kwargs2 = []\n asserts = []\n str_args = ''\n str_kwargs = ''\n param_strings = params_string.split('\\n')\n for param in param_strings:\n (assert_commands, assert_comments, param_name, param_type, table,\n non_buildin_type, param_name_input) = parse_param_types(param)\n param_required = table[2].strip()\n param_needed = None\n if param_required == 'Yes':\n param_needed = True\n elif param_required == 'Optional':\n param_needed = False\n param_description = table[3].strip()\n if param_needed:\n param_list_args.append(Param(param_name, param_type,\n param_needed, param_description))\n args.append(param_name)\n args2.append('{param_name}={param_name}'.format(param_name=\n param_name))\n str_args += (\n '\\t\\t:param {key}: {descr}\\n\\t\\t:type {key}: {type}\\n\\n'.\n format(key=param_name, descr=param_description, type=\n param_type))\n if assert_commands:\n asserts.append('assert({var} is not None)'.format(var=\n param_name))\n asserts.append('assert({ass})'.format(ass=' or '.join(\n assert_commands)) + (' # {comment}'.format(comment=\n ', '.join(assert_comments)) if assert_comments else ''))\n else:\n param_list_kwargs.append(Param(param_name, param_type,\n param_needed, param_description))\n kwargs.append('{param_name}=None'.format(param_name=param_name))\n kwargs2.append('{param_name}={param_name}'.format(param_name=\n param_name))\n str_kwargs += (\n '\\t\\t:keyword {key}: {descr}\\n\\t\\t:type {key}: {type}\\n\\n'\n .format(key=param_name, descr=param_description, type=\n param_type))\n if assert_commands:\n asserts.append('assert({var} is None or {ass})'.format(var=\n param_name, ass=' or '.join(assert_commands)) + (\n ' # {comment}'.format(comment=', '.join(\n assert_comments)) if assert_comments else ''))\n args.extend(kwargs)\n args2.extend(kwargs2)\n asserts_string = '\\n\\t\\t' + '\\n\\t\\t'.join(asserts)\n text = ''\n if len(str_args) > 0:\n text += '\\n\\t\\tParameters:\\n\\n'\n text += str_args\n if len(str_kwargs) > 0:\n text += '\\n\\t\\tOptional keyword parameters:\\n\\n'\n text += str_kwargs\n do_args = ['\"%s\"' % command]\n do_args.extend(args2)\n result = (\n \"\"\"\tdef {funcname}(self, {params}):\n\t\t\"\"\\\"\n{description_with_tabs}\n\n\t\t{link}\n\n{paramshit}\n\t\tReturns:\n\n\t\t:return: {returns}\n\t\t:rtype: {return_type}\n\t\t\"\"\\\"{asserts_with_tabs}\n\t\treturn self.do({do_args})\n\t# end def {funcname}\"\"\"\n .format(funcname=convert_to_underscore(command), params=', '.join(\n args), description_with_tabs=description_with_tabs, link=link,\n returns=returns, return_type=return_type, command=command, do_args=\n ', '.join(do_args), asserts_with_tabs=asserts_string, paramshit=text))\n result = result.replace('\\t', ' ')\n return result\n",
"role": "user"
},
{
"content": "func",
"role": "assistant"
}
] |
def x(self):
array = super(User, self).to_array()
array['id'] = int(self.id)
array['is_bot'] = bool(self.is_bot)
array['first_name'] = u(self.first_name)
if self.last_name is not None:
array['last_name'] = u(self.last_name)
if self.username is not None:
array['username'] = u(self.username)
if self.language_code is not None:
array['language_code'] = u(self.language_code)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(User, self).to_array()\n array['id'] = int(self.id)\n array['is_bot'] = bool(self.is_bot)\n array['first_name'] = u(self.first_name)\n if self.last_name is not None:\n array['last_name'] = u(self.last_name)\n if self.username is not None:\n array['username'] = u(self.username)\n if self.language_code is not None:\n array['language_code'] = u(self.language_code)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
data = {}
data['id'] = int(array.get('id'))
data['is_bot'] = bool(array.get('is_bot'))
data['first_name'] = u(array.get('first_name'))
data['last_name'] = u(array.get('last_name')) if array.get('last_name'
) is not None else None
data['username'] = u(array.get('username')) if array.get('username'
) is not None else None
data['language_code'] = u(array.get('language_code')) if array.get(
'language_code') is not None else None
data['_raw'] = array
return User(**data)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n data = {}\n data['id'] = int(array.get('id'))\n data['is_bot'] = bool(array.get('is_bot'))\n data['first_name'] = u(array.get('first_name'))\n data['last_name'] = u(array.get('last_name')) if array.get('last_name'\n ) is not None else None\n data['username'] = u(array.get('username')) if array.get('username'\n ) is not None else None\n data['language_code'] = u(array.get('language_code')) if array.get(\n 'language_code') is not None else None\n data['_raw'] = array\n return User(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
array = super(Chat, self).to_array()
array['id'] = int(self.id)
array['type'] = u(self.type)
if self.title is not None:
array['title'] = u(self.title)
if self.username is not None:
array['username'] = u(self.username)
if self.first_name is not None:
array['first_name'] = u(self.first_name)
if self.last_name is not None:
array['last_name'] = u(self.last_name)
if self.all_members_are_administrators is not None:
array['all_members_are_administrators'] = bool(self.
all_members_are_administrators)
if self.photo is not None:
array['photo'] = self.photo.to_array()
if self.description is not None:
array['description'] = u(self.description)
if self.invite_link is not None:
array['invite_link'] = u(self.invite_link)
if self.pinned_message is not None:
array['pinned_message'] = self.pinned_message.to_array()
if self.sticker_set_name is not None:
array['sticker_set_name'] = u(self.sticker_set_name)
if self.can_set_sticker_set is not None:
array['can_set_sticker_set'] = bool(self.can_set_sticker_set)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(Chat, self).to_array()\n array['id'] = int(self.id)\n array['type'] = u(self.type)\n if self.title is not None:\n array['title'] = u(self.title)\n if self.username is not None:\n array['username'] = u(self.username)\n if self.first_name is not None:\n array['first_name'] = u(self.first_name)\n if self.last_name is not None:\n array['last_name'] = u(self.last_name)\n if self.all_members_are_administrators is not None:\n array['all_members_are_administrators'] = bool(self.\n all_members_are_administrators)\n if self.photo is not None:\n array['photo'] = self.photo.to_array()\n if self.description is not None:\n array['description'] = u(self.description)\n if self.invite_link is not None:\n array['invite_link'] = u(self.invite_link)\n if self.pinned_message is not None:\n array['pinned_message'] = self.pinned_message.to_array()\n if self.sticker_set_name is not None:\n array['sticker_set_name'] = u(self.sticker_set_name)\n if self.can_set_sticker_set is not None:\n array['can_set_sticker_set'] = bool(self.can_set_sticker_set)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
from pytgbot.api_types.receivable.media import ChatPhoto
from pytgbot.api_types.receivable.updates import Message
data = {}
data['id'] = int(array.get('id'))
data['type'] = u(array.get('type'))
data['title'] = u(array.get('title')) if array.get('title'
) is not None else None
data['username'] = u(array.get('username')) if array.get('username'
) is not None else None
data['first_name'] = u(array.get('first_name')) if array.get('first_name'
) is not None else None
data['last_name'] = u(array.get('last_name')) if array.get('last_name'
) is not None else None
data['all_members_are_administrators'] = bool(array.get(
'all_members_are_administrators')) if array.get(
'all_members_are_administrators') is not None else None
data['photo'] = ChatPhoto.from_array(array.get('photo')) if array.get(
'photo') is not None else None
data['description'] = u(array.get('description')) if array.get(
'description') is not None else None
data['invite_link'] = u(array.get('invite_link')) if array.get(
'invite_link') is not None else None
data['pinned_message'] = Message.from_array(array.get('pinned_message')
) if array.get('pinned_message') is not None else None
data['sticker_set_name'] = u(array.get('sticker_set_name')) if array.get(
'sticker_set_name') is not None else None
data['can_set_sticker_set'] = bool(array.get('can_set_sticker_set')
) if array.get('can_set_sticker_set') is not None else None
data['_raw'] = array
return Chat(**data)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n from pytgbot.api_types.receivable.media import ChatPhoto\n from pytgbot.api_types.receivable.updates import Message\n data = {}\n data['id'] = int(array.get('id'))\n data['type'] = u(array.get('type'))\n data['title'] = u(array.get('title')) if array.get('title'\n ) is not None else None\n data['username'] = u(array.get('username')) if array.get('username'\n ) is not None else None\n data['first_name'] = u(array.get('first_name')) if array.get('first_name'\n ) is not None else None\n data['last_name'] = u(array.get('last_name')) if array.get('last_name'\n ) is not None else None\n data['all_members_are_administrators'] = bool(array.get(\n 'all_members_are_administrators')) if array.get(\n 'all_members_are_administrators') is not None else None\n data['photo'] = ChatPhoto.from_array(array.get('photo')) if array.get(\n 'photo') is not None else None\n data['description'] = u(array.get('description')) if array.get(\n 'description') is not None else None\n data['invite_link'] = u(array.get('invite_link')) if array.get(\n 'invite_link') is not None else None\n data['pinned_message'] = Message.from_array(array.get('pinned_message')\n ) if array.get('pinned_message') is not None else None\n data['sticker_set_name'] = u(array.get('sticker_set_name')) if array.get(\n 'sticker_set_name') is not None else None\n data['can_set_sticker_set'] = bool(array.get('can_set_sticker_set')\n ) if array.get('can_set_sticker_set') is not None else None\n data['_raw'] = array\n return Chat(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
array = super(ChatMember, self).to_array()
array['user'] = self.user.to_array()
array['status'] = u(self.status)
if self.until_date is not None:
array['until_date'] = int(self.until_date)
if self.can_be_edited is not None:
array['can_be_edited'] = bool(self.can_be_edited)
if self.can_change_info is not None:
array['can_change_info'] = bool(self.can_change_info)
if self.can_post_messages is not None:
array['can_post_messages'] = bool(self.can_post_messages)
if self.can_edit_messages is not None:
array['can_edit_messages'] = bool(self.can_edit_messages)
if self.can_delete_messages is not None:
array['can_delete_messages'] = bool(self.can_delete_messages)
if self.can_invite_users is not None:
array['can_invite_users'] = bool(self.can_invite_users)
if self.can_restrict_members is not None:
array['can_restrict_members'] = bool(self.can_restrict_members)
if self.can_pin_messages is not None:
array['can_pin_messages'] = bool(self.can_pin_messages)
if self.can_promote_members is not None:
array['can_promote_members'] = bool(self.can_promote_members)
if self.can_send_messages is not None:
array['can_send_messages'] = bool(self.can_send_messages)
if self.can_send_media_messages is not None:
array['can_send_media_messages'] = bool(self.can_send_media_messages)
if self.can_send_other_messages is not None:
array['can_send_other_messages'] = bool(self.can_send_other_messages)
if self.can_add_web_page_previews is not None:
array['can_add_web_page_previews'] = bool(self.
can_add_web_page_previews)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(ChatMember, self).to_array()\n array['user'] = self.user.to_array()\n array['status'] = u(self.status)\n if self.until_date is not None:\n array['until_date'] = int(self.until_date)\n if self.can_be_edited is not None:\n array['can_be_edited'] = bool(self.can_be_edited)\n if self.can_change_info is not None:\n array['can_change_info'] = bool(self.can_change_info)\n if self.can_post_messages is not None:\n array['can_post_messages'] = bool(self.can_post_messages)\n if self.can_edit_messages is not None:\n array['can_edit_messages'] = bool(self.can_edit_messages)\n if self.can_delete_messages is not None:\n array['can_delete_messages'] = bool(self.can_delete_messages)\n if self.can_invite_users is not None:\n array['can_invite_users'] = bool(self.can_invite_users)\n if self.can_restrict_members is not None:\n array['can_restrict_members'] = bool(self.can_restrict_members)\n if self.can_pin_messages is not None:\n array['can_pin_messages'] = bool(self.can_pin_messages)\n if self.can_promote_members is not None:\n array['can_promote_members'] = bool(self.can_promote_members)\n if self.can_send_messages is not None:\n array['can_send_messages'] = bool(self.can_send_messages)\n if self.can_send_media_messages is not None:\n array['can_send_media_messages'] = bool(self.can_send_media_messages)\n if self.can_send_other_messages is not None:\n array['can_send_other_messages'] = bool(self.can_send_other_messages)\n if self.can_add_web_page_previews is not None:\n array['can_add_web_page_previews'] = bool(self.\n can_add_web_page_previews)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
from pytgbot.api_types.receivable.peer import User
data = {}
data['user'] = User.from_array(array.get('user'))
data['status'] = u(array.get('status'))
data['until_date'] = int(array.get('until_date')) if array.get('until_date'
) is not None else None
data['can_be_edited'] = bool(array.get('can_be_edited')) if array.get(
'can_be_edited') is not None else None
data['can_change_info'] = bool(array.get('can_change_info')) if array.get(
'can_change_info') is not None else None
data['can_post_messages'] = bool(array.get('can_post_messages')
) if array.get('can_post_messages') is not None else None
data['can_edit_messages'] = bool(array.get('can_edit_messages')
) if array.get('can_edit_messages') is not None else None
data['can_delete_messages'] = bool(array.get('can_delete_messages')
) if array.get('can_delete_messages') is not None else None
data['can_invite_users'] = bool(array.get('can_invite_users')
) if array.get('can_invite_users') is not None else None
data['can_restrict_members'] = bool(array.get('can_restrict_members')
) if array.get('can_restrict_members') is not None else None
data['can_pin_messages'] = bool(array.get('can_pin_messages')
) if array.get('can_pin_messages') is not None else None
data['can_promote_members'] = bool(array.get('can_promote_members')
) if array.get('can_promote_members') is not None else None
data['can_send_messages'] = bool(array.get('can_send_messages')
) if array.get('can_send_messages') is not None else None
data['can_send_media_messages'] = bool(array.get('can_send_media_messages')
) if array.get('can_send_media_messages') is not None else None
data['can_send_other_messages'] = bool(array.get('can_send_other_messages')
) if array.get('can_send_other_messages') is not None else None
data['can_add_web_page_previews'] = bool(array.get(
'can_add_web_page_previews')) if array.get('can_add_web_page_previews'
) is not None else None
data['_raw'] = array
return ChatMember(**data)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n from pytgbot.api_types.receivable.peer import User\n data = {}\n data['user'] = User.from_array(array.get('user'))\n data['status'] = u(array.get('status'))\n data['until_date'] = int(array.get('until_date')) if array.get('until_date'\n ) is not None else None\n data['can_be_edited'] = bool(array.get('can_be_edited')) if array.get(\n 'can_be_edited') is not None else None\n data['can_change_info'] = bool(array.get('can_change_info')) if array.get(\n 'can_change_info') is not None else None\n data['can_post_messages'] = bool(array.get('can_post_messages')\n ) if array.get('can_post_messages') is not None else None\n data['can_edit_messages'] = bool(array.get('can_edit_messages')\n ) if array.get('can_edit_messages') is not None else None\n data['can_delete_messages'] = bool(array.get('can_delete_messages')\n ) if array.get('can_delete_messages') is not None else None\n data['can_invite_users'] = bool(array.get('can_invite_users')\n ) if array.get('can_invite_users') is not None else None\n data['can_restrict_members'] = bool(array.get('can_restrict_members')\n ) if array.get('can_restrict_members') is not None else None\n data['can_pin_messages'] = bool(array.get('can_pin_messages')\n ) if array.get('can_pin_messages') is not None else None\n data['can_promote_members'] = bool(array.get('can_promote_members')\n ) if array.get('can_promote_members') is not None else None\n data['can_send_messages'] = bool(array.get('can_send_messages')\n ) if array.get('can_send_messages') is not None else None\n data['can_send_media_messages'] = bool(array.get('can_send_media_messages')\n ) if array.get('can_send_media_messages') is not None else None\n data['can_send_other_messages'] = bool(array.get('can_send_other_messages')\n ) if array.get('can_send_other_messages') is not None else None\n data['can_add_web_page_previews'] = bool(array.get(\n 'can_add_web_page_previews')) if array.get('can_add_web_page_previews'\n ) is not None else None\n data['_raw'] = array\n return ChatMember(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(s, single=False):
corpus = etree.fromstring(s)
if single:
ds = _deserialize_mrs(next(corpus))
else:
ds = (_deserialize_mrs(mrs_elem) for mrs_elem in corpus)
return ds
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, single=False):\n corpus = etree.fromstring(s)\n if single:\n ds = _deserialize_mrs(next(corpus))\n else:\n ds = (_deserialize_mrs(mrs_elem) for mrs_elem in corpus)\n return ds\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultArticle, self).to_array()
array['title'] = u(self.title)
array['input_message_content'] = self.input_message_content.to_array()
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.url is not None:
array['url'] = u(self.url)
if self.hide_url is not None:
array['hide_url'] = bool(self.hide_url)
if self.description is not None:
array['description'] = u(self.description)
if self.thumb_url is not None:
array['thumb_url'] = u(self.thumb_url)
if self.thumb_width is not None:
array['thumb_width'] = int(self.thumb_width)
if self.thumb_height is not None:
array['thumb_height'] = int(self.thumb_height)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultArticle, self).to_array()\n array['title'] = u(self.title)\n array['input_message_content'] = self.input_message_content.to_array()\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.url is not None:\n array['url'] = u(self.url)\n if self.hide_url is not None:\n array['hide_url'] = bool(self.hide_url)\n if self.description is not None:\n array['description'] = u(self.description)\n if self.thumb_url is not None:\n array['thumb_url'] = u(self.thumb_url)\n if self.thumb_width is not None:\n array['thumb_width'] = int(self.thumb_width)\n if self.thumb_height is not None:\n array['thumb_height'] = int(self.thumb_height)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultGif, self).to_array()
array['gif_url'] = u(self.gif_url)
array['thumb_url'] = u(self.thumb_url)
if self.gif_width is not None:
array['gif_width'] = int(self.gif_width)
if self.gif_height is not None:
array['gif_height'] = int(self.gif_height)
if self.gif_duration is not None:
array['gif_duration'] = int(self.gif_duration)
if self.title is not None:
array['title'] = u(self.title)
if self.caption is not None:
array['caption'] = u(self.caption)
if self.parse_mode is not None:
array['parse_mode'] = u(self.parse_mode)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultGif, self).to_array()\n array['gif_url'] = u(self.gif_url)\n array['thumb_url'] = u(self.thumb_url)\n if self.gif_width is not None:\n array['gif_width'] = int(self.gif_width)\n if self.gif_height is not None:\n array['gif_height'] = int(self.gif_height)\n if self.gif_duration is not None:\n array['gif_duration'] = int(self.gif_duration)\n if self.title is not None:\n array['title'] = u(self.title)\n if self.caption is not None:\n array['caption'] = u(self.caption)\n if self.parse_mode is not None:\n array['parse_mode'] = u(self.parse_mode)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultAudio, self).to_array()
array['audio_url'] = u(self.audio_url)
array['title'] = u(self.title)
if self.caption is not None:
array['caption'] = u(self.caption)
if self.parse_mode is not None:
array['parse_mode'] = u(self.parse_mode)
if self.performer is not None:
array['performer'] = u(self.performer)
if self.audio_duration is not None:
array['audio_duration'] = int(self.audio_duration)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultAudio, self).to_array()\n array['audio_url'] = u(self.audio_url)\n array['title'] = u(self.title)\n if self.caption is not None:\n array['caption'] = u(self.caption)\n if self.parse_mode is not None:\n array['parse_mode'] = u(self.parse_mode)\n if self.performer is not None:\n array['performer'] = u(self.performer)\n if self.audio_duration is not None:\n array['audio_duration'] = int(self.audio_duration)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultLocation, self).to_array()
array['latitude'] = float(self.latitude)
array['longitude'] = float(self.longitude)
array['title'] = u(self.title)
if self.live_period is not None:
array['live_period'] = int(self.live_period)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
if self.thumb_url is not None:
array['thumb_url'] = u(self.thumb_url)
if self.thumb_width is not None:
array['thumb_width'] = int(self.thumb_width)
if self.thumb_height is not None:
array['thumb_height'] = int(self.thumb_height)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultLocation, self).to_array()\n array['latitude'] = float(self.latitude)\n array['longitude'] = float(self.longitude)\n array['title'] = u(self.title)\n if self.live_period is not None:\n array['live_period'] = int(self.live_period)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n if self.thumb_url is not None:\n array['thumb_url'] = u(self.thumb_url)\n if self.thumb_width is not None:\n array['thumb_width'] = int(self.thumb_width)\n if self.thumb_height is not None:\n array['thumb_height'] = int(self.thumb_height)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultContact, self).to_array()
array['phone_number'] = u(self.phone_number)
array['first_name'] = u(self.first_name)
if self.last_name is not None:
array['last_name'] = u(self.last_name)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
if self.thumb_url is not None:
array['thumb_url'] = u(self.thumb_url)
if self.thumb_width is not None:
array['thumb_width'] = int(self.thumb_width)
if self.thumb_height is not None:
array['thumb_height'] = int(self.thumb_height)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultContact, self).to_array()\n array['phone_number'] = u(self.phone_number)\n array['first_name'] = u(self.first_name)\n if self.last_name is not None:\n array['last_name'] = u(self.last_name)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n if self.thumb_url is not None:\n array['thumb_url'] = u(self.thumb_url)\n if self.thumb_width is not None:\n array['thumb_width'] = int(self.thumb_width)\n if self.thumb_height is not None:\n array['thumb_height'] = int(self.thumb_height)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultGame, self).to_array()
array['game_short_name'] = u(self.game_short_name)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultGame, self).to_array()\n array['game_short_name'] = u(self.game_short_name)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultCachedGif, self).to_array()
array['gif_file_id'] = u(self.gif_file_id)
if self.title is not None:
array['title'] = u(self.title)
if self.caption is not None:
array['caption'] = u(self.caption)
if self.parse_mode is not None:
array['parse_mode'] = u(self.parse_mode)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultCachedGif, self).to_array()\n array['gif_file_id'] = u(self.gif_file_id)\n if self.title is not None:\n array['title'] = u(self.title)\n if self.caption is not None:\n array['caption'] = u(self.caption)\n if self.parse_mode is not None:\n array['parse_mode'] = u(self.parse_mode)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultCachedDocument, self).to_array()
array['title'] = u(self.title)
array['document_file_id'] = u(self.document_file_id)
if self.description is not None:
array['description'] = u(self.description)
if self.caption is not None:
array['caption'] = u(self.caption)
if self.parse_mode is not None:
array['parse_mode'] = u(self.parse_mode)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultCachedDocument, self).to_array()\n array['title'] = u(self.title)\n array['document_file_id'] = u(self.document_file_id)\n if self.description is not None:\n array['description'] = u(self.description)\n if self.caption is not None:\n array['caption'] = u(self.caption)\n if self.parse_mode is not None:\n array['parse_mode'] = u(self.parse_mode)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InlineQueryResultCachedVoice, self).to_array()
array['voice_file_id'] = u(self.voice_file_id)
array['title'] = u(self.title)
if self.caption is not None:
array['caption'] = u(self.caption)
if self.parse_mode is not None:
array['parse_mode'] = u(self.parse_mode)
if self.reply_markup is not None:
array['reply_markup'] = self.reply_markup.to_array()
if self.input_message_content is not None:
array['input_message_content'] = self.input_message_content.to_array()
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InlineQueryResultCachedVoice, self).to_array()\n array['voice_file_id'] = u(self.voice_file_id)\n array['title'] = u(self.title)\n if self.caption is not None:\n array['caption'] = u(self.caption)\n if self.parse_mode is not None:\n array['parse_mode'] = u(self.parse_mode)\n if self.reply_markup is not None:\n array['reply_markup'] = self.reply_markup.to_array()\n if self.input_message_content is not None:\n array['input_message_content'] = self.input_message_content.to_array()\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(array):
if array is None or not array:
return None
assert_type_or_raise(array, dict, parameter_name='array')
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
data = {}
data['id'] = u(array.get('id'))
data['audio_file_id'] = u(array.get('audio_file_id'))
data['caption'] = u(array.get('caption')) if array.get('caption'
) is not None else None
data['parse_mode'] = u(array.get('parse_mode')) if array.get('parse_mode'
) is not None else None
data['reply_markup'] = InlineKeyboardMarkup.from_array(array.get(
'reply_markup')) if array.get('reply_markup') is not None else None
data['input_message_content'] = InputMessageContent.from_array(array.
get('input_message_content')) if array.get('input_message_content'
) is not None else None
instance = InlineQueryResultCachedAudio(**data)
instance._raw = array
return instance
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array):\n if array is None or not array:\n return None\n assert_type_or_raise(array, dict, parameter_name='array')\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n data = {}\n data['id'] = u(array.get('id'))\n data['audio_file_id'] = u(array.get('audio_file_id'))\n data['caption'] = u(array.get('caption')) if array.get('caption'\n ) is not None else None\n data['parse_mode'] = u(array.get('parse_mode')) if array.get('parse_mode'\n ) is not None else None\n data['reply_markup'] = InlineKeyboardMarkup.from_array(array.get(\n 'reply_markup')) if array.get('reply_markup') is not None else None\n data['input_message_content'] = InputMessageContent.from_array(array.\n get('input_message_content')) if array.get('input_message_content'\n ) is not None else None\n instance = InlineQueryResultCachedAudio(**data)\n instance._raw = array\n return instance\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
array = super(InputTextMessageContent, self).to_array()
array['message_text'] = u(self.message_text)
if self.parse_mode is not None:
array['parse_mode'] = u(self.parse_mode)
if self.disable_web_page_preview is not None:
array['disable_web_page_preview'] = bool(self.disable_web_page_preview)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InputTextMessageContent, self).to_array()\n array['message_text'] = u(self.message_text)\n if self.parse_mode is not None:\n array['parse_mode'] = u(self.parse_mode)\n if self.disable_web_page_preview is not None:\n array['disable_web_page_preview'] = bool(self.disable_web_page_preview)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InputLocationMessageContent, self).to_array()
array['latitude'] = float(self.latitude)
array['longitude'] = float(self.longitude)
if self.live_period is not None:
array['live_period'] = int(self.live_period)
return array
|
to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n array = super(InputLocationMessageContent, self).to_array()\n array['latitude'] = float(self.latitude)\n array['longitude'] = float(self.longitude)\n if self.live_period is not None:\n array['live_period'] = int(self.live_period)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.