source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(a, b, check_varprops=True):
a_var_refs = sorted(len(vd['refs']) for vd in a._vars.values())
b_var_refs = sorted(len(vd['refs']) for vd in b._vars.values())
if a_var_refs != b_var_refs:
return False
print()
a_nd = _node_isomorphic_build_nodedict(a, check_varprops)
b_nd = _node_isomorphic_build_nodedict(b, check_varprops)
a_sigs = {}
agenda = []
isomap = {}
for sig, a_pairs in sorted(a_nd.items(), key=lambda x: len(x[1])):
b_pairs = b_nd.get(sig, [])
if len(a_pairs) != len(b_pairs):
return False
if len(a_pairs) == 1:
a_, a_edges = a_pairs[0]
b_, b_edges = b_pairs[0]
if len(a_edges) != len(b_edges):
return False
a_sigs[a_] = sig
isomap[a_] = b_
for edge, a_tgt in a_edges.items():
if edge not in b_edges:
return False
isomap[a_tgt] = b_edges[edge]
else:
for a_, ed in a_pairs:
a_sigs[a_] = sig
agenda.append((a_, sig, ed))
isomaps = _node_isomorphic(agenda, a_sigs, b_nd, isomap, {})
try:
next(isomaps)
return True
except StopIteration:
return False
|
node_isomorphic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, check_varprops=True):\n a_var_refs = sorted(len(vd['refs']) for vd in a._vars.values())\n b_var_refs = sorted(len(vd['refs']) for vd in b._vars.values())\n if a_var_refs != b_var_refs:\n return False\n print()\n a_nd = _node_isomorphic_build_nodedict(a, check_varprops)\n b_nd = _node_isomorphic_build_nodedict(b, check_varprops)\n a_sigs = {}\n agenda = []\n isomap = {}\n for sig, a_pairs in sorted(a_nd.items(), key=lambda x: len(x[1])):\n b_pairs = b_nd.get(sig, [])\n if len(a_pairs) != len(b_pairs):\n return False\n if len(a_pairs) == 1:\n a_, a_edges = a_pairs[0]\n b_, b_edges = b_pairs[0]\n if len(a_edges) != len(b_edges):\n return False\n a_sigs[a_] = sig\n isomap[a_] = b_\n for edge, a_tgt in a_edges.items():\n if edge not in b_edges:\n return False\n isomap[a_tgt] = b_edges[edge]\n else:\n for a_, ed in a_pairs:\n a_sigs[a_] = sig\n agenda.append((a_, sig, ed))\n isomaps = _node_isomorphic(agenda, a_sigs, b_nd, isomap, {})\n try:\n next(isomaps)\n return True\n except StopIteration:\n return False\n",
"role": "user"
},
{
"content": "node_isomorphic",
"role": "assistant"
}
] |
def x(a, b, check_varprops=True):
if len(a.eps()) != len(b.eps()):
return False
if len(a.variables()) != len(b.variables()):
return False
varmap = {}
for pair in [(a.top, b.top), (a.index, b.index), (a.xarg, b.xarg)]:
if pair != (None, None):
v1, v2 = pair
if None in pair:
return False
if check_varprops and a.properties(v1) != b.properties(v2):
return False
varmap[v1] = v2
a_sigs = defaultdict(list)
for var, vd in a._vars.items():
if var not in varmap:
var_sig = _isomorphic_var_signature(vd, a, check_varprops)
a_sigs[var_sig].append(var)
b_sigs = defaultdict(list)
tgtmapped = set(varmap.values())
for var, vd in b._vars.items():
if var not in tgtmapped:
var_sig = _isomorphic_var_signature(vd, b, check_varprops)
b_sigs[var_sig].append(var)
candidates = []
for sig, a_vars in sorted(a_sigs.items(), key=lambda x: len(x[1])):
b_vars = b_sigs.get(sig, [])
if len(a_vars) != len(b_vars):
return False
print(sig, a_vars, b_vars)
candidates.append((a_vars, b_vars))
varmaps = _var_isomorphic(a, b, candidates, varmap)
for vm in varmaps:
if all(vm[lo] == b._hcons.get(vm[hi], (None, None, None))[2] for hi,
_, lo in a.hcons()):
return True
return False
|
var_isomorphic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, check_varprops=True):\n if len(a.eps()) != len(b.eps()):\n return False\n if len(a.variables()) != len(b.variables()):\n return False\n varmap = {}\n for pair in [(a.top, b.top), (a.index, b.index), (a.xarg, b.xarg)]:\n if pair != (None, None):\n v1, v2 = pair\n if None in pair:\n return False\n if check_varprops and a.properties(v1) != b.properties(v2):\n return False\n varmap[v1] = v2\n a_sigs = defaultdict(list)\n for var, vd in a._vars.items():\n if var not in varmap:\n var_sig = _isomorphic_var_signature(vd, a, check_varprops)\n a_sigs[var_sig].append(var)\n b_sigs = defaultdict(list)\n tgtmapped = set(varmap.values())\n for var, vd in b._vars.items():\n if var not in tgtmapped:\n var_sig = _isomorphic_var_signature(vd, b, check_varprops)\n b_sigs[var_sig].append(var)\n candidates = []\n for sig, a_vars in sorted(a_sigs.items(), key=lambda x: len(x[1])):\n b_vars = b_sigs.get(sig, [])\n if len(a_vars) != len(b_vars):\n return False\n print(sig, a_vars, b_vars)\n candidates.append((a_vars, b_vars))\n varmaps = _var_isomorphic(a, b, candidates, varmap)\n for vm in varmaps:\n if all(vm[lo] == b._hcons.get(vm[hi], (None, None, None))[2] for hi,\n _, lo in a.hcons()):\n return True\n return False\n",
"role": "user"
},
{
"content": "var_isomorphic",
"role": "assistant"
}
] |
def x(testbag, goldbag, count_only=True):
gold_remaining = list(goldbag)
test_unique = []
shared = []
for test in testbag:
gold_match = None
for gold in gold_remaining:
if isomorphic(test, gold):
gold_match = gold
break
if gold_match is not None:
gold_remaining.remove(gold_match)
shared.append(test)
else:
test_unique.append(test)
if count_only:
return len(test_unique), len(shared), len(gold_remaining)
else:
return test_unique, shared, gold_remaining
|
compare_bags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(testbag, goldbag, count_only=True):\n gold_remaining = list(goldbag)\n test_unique = []\n shared = []\n for test in testbag:\n gold_match = None\n for gold in gold_remaining:\n if isomorphic(test, gold):\n gold_match = gold\n break\n if gold_match is not None:\n gold_remaining.remove(gold_match)\n shared.append(test)\n else:\n test_unique.append(test)\n if count_only:\n return len(test_unique), len(shared), len(gold_remaining)\n else:\n return test_unique, shared, gold_remaining\n",
"role": "user"
},
{
"content": "compare_bags",
"role": "assistant"
}
] |
def x(query, ts, **kwargs):
queryobj = _parse_query(query)
if queryobj['querytype'] in ('select', 'retrieve'):
return _select(queryobj['projection'], queryobj['tables'], queryobj
['where'], ts, mode=kwargs.get('mode', 'list'), cast=kwargs.get
('cast', True))
else:
raise TSQLSyntaxError(queryobj['querytype'] +
' queries are not supported')
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, ts, **kwargs):\n queryobj = _parse_query(query)\n if queryobj['querytype'] in ('select', 'retrieve'):\n return _select(queryobj['projection'], queryobj['tables'], queryobj\n ['where'], ts, mode=kwargs.get('mode', 'list'), cast=kwargs.get\n ('cast', True))\n else:\n raise TSQLSyntaxError(queryobj['querytype'] +\n ' queries are not supported')\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(query, ts, mode='list', cast=True):
queryobj = _parse_select(query)
return _select(queryobj['projection'], queryobj['tables'], queryobj[
'where'], ts, mode, cast)
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, ts, mode='list', cast=True):\n queryobj = _parse_select(query)\n return _select(queryobj['projection'], queryobj['tables'], queryobj[\n 'where'], ts, mode, cast)\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(s):
s += '.'
lines = enumerate(s.splitlines(), 1)
lineno = pos = 0
try:
for lineno, line in lines:
matches = _tsql_lex_re.finditer(line)
for m in matches:
gid = m.lastindex
if gid == 11:
raise TSQLSyntaxError('unexpected input', lineno=lineno,
offset=m.start(), text=line)
else:
token = m.group(gid)
yield gid, token, lineno
except StopIteration:
pass
|
lex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n s += '.'\n lines = enumerate(s.splitlines(), 1)\n lineno = pos = 0\n try:\n for lineno, line in lines:\n matches = _tsql_lex_re.finditer(line)\n for m in matches:\n gid = m.lastindex\n if gid == 11:\n raise TSQLSyntaxError('unexpected input', lineno=lineno,\n offset=m.start(), text=line)\n else:\n token = m.group(gid)\n yield gid, token, lineno\n except StopIteration:\n pass\n",
"role": "user"
},
{
"content": "lex",
"role": "assistant"
}
] |
def x(self, offset=None, limit=None, timeout=None, allowed_updates=None):
assert_type_or_raise(offset, None, int, parameter_name='offset')
assert_type_or_raise(limit, None, int, parameter_name='limit')
assert_type_or_raise(timeout, None, int, parameter_name='timeout')
assert_type_or_raise(allowed_updates, None, list, parameter_name=
'allowed_updates')
result = self.do('getUpdates', offset=offset, limit=limit, timeout=
timeout, allowed_updates=allowed_updates)
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
|
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=None, timeout=None, allowed_updates=None):\n assert_type_or_raise(offset, None, int, parameter_name='offset')\n assert_type_or_raise(limit, None, int, parameter_name='limit')\n assert_type_or_raise(timeout, None, int, parameter_name='timeout')\n assert_type_or_raise(allowed_updates, None, list, parameter_name=\n 'allowed_updates')\n result = self.do('getUpdates', offset=offset, limit=limit, timeout=\n timeout, allowed_updates=allowed_updates)\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 raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_updates",
"role": "assistant"
}
] |
def x(self, url, certificate=None, max_connections=None, allowed_updates=None):
from pytgbot.api_types.sendable.files import InputFile
assert_type_or_raise(url, unicode_type, parameter_name='url')
assert_type_or_raise(certificate, None, InputFile, parameter_name=
'certificate')
assert_type_or_raise(max_connections, None, int, parameter_name=
'max_connections')
assert_type_or_raise(allowed_updates, None, list, parameter_name=
'allowed_updates')
result = self.do('setWebhook', url=url, certificate=certificate,
max_connections=max_connections, allowed_updates=allowed_updates)
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
|
set_webhook
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, certificate=None, max_connections=None, allowed_updates=None):\n from pytgbot.api_types.sendable.files import InputFile\n assert_type_or_raise(url, unicode_type, parameter_name='url')\n assert_type_or_raise(certificate, None, InputFile, parameter_name=\n 'certificate')\n assert_type_or_raise(max_connections, None, int, parameter_name=\n 'max_connections')\n assert_type_or_raise(allowed_updates, None, list, parameter_name=\n 'allowed_updates')\n result = self.do('setWebhook', url=url, certificate=certificate,\n max_connections=max_connections, allowed_updates=allowed_updates)\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": "set_webhook",
"role": "assistant"
}
] |
def x(self):
result = self.do('deleteWebhook')
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
|
delete_webhook
|
[
{
"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('deleteWebhook')\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": "delete_webhook",
"role": "assistant"
}
] |
def x(self):
result = self.do('getWebhookInfo')
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.updates import WebhookInfo
try:
return WebhookInfo.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type WebhookInfo', exc_info
=True)
raise TgApiParseException('Could not parse result.')
return result
|
get_webhook_info
|
[
{
"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('getWebhookInfo')\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 WebhookInfo\n try:\n return WebhookInfo.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type WebhookInfo', exc_info\n =True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_webhook_info",
"role": "assistant"
}
] |
def x(self, chat_id, photo, caption=None, parse_mode=None,
disable_notification=None, reply_to_message_id=None, reply_markup=None):
from pytgbot.api_types.sendable.files import InputFile
from pytgbot.api_types.sendable.reply_markup import ForceReply
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(photo, (InputFile, unicode_type), parameter_name=
'photo')
assert_type_or_raise(caption, None, unicode_type, parameter_name='caption')
assert_type_or_raise(parse_mode, None, unicode_type, parameter_name=
'parse_mode')
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')
assert_type_or_raise(reply_markup, None, (InlineKeyboardMarkup,
ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply),
parameter_name='reply_markup')
result = self.do('sendPhoto', chat_id=chat_id, photo=photo, caption=
caption, parse_mode=parse_mode, disable_notification=
disable_notification, reply_to_message_id=reply_to_message_id,
reply_markup=reply_markup)
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
|
send_photo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, photo, caption=None, parse_mode=None,\n disable_notification=None, reply_to_message_id=None, reply_markup=None):\n from pytgbot.api_types.sendable.files import InputFile\n from pytgbot.api_types.sendable.reply_markup import ForceReply\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(photo, (InputFile, unicode_type), parameter_name=\n 'photo')\n assert_type_or_raise(caption, None, unicode_type, parameter_name='caption')\n assert_type_or_raise(parse_mode, None, unicode_type, parameter_name=\n 'parse_mode')\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 assert_type_or_raise(reply_markup, None, (InlineKeyboardMarkup,\n ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply),\n parameter_name='reply_markup')\n result = self.do('sendPhoto', chat_id=chat_id, photo=photo, caption=\n caption, parse_mode=parse_mode, disable_notification=\n disable_notification, reply_to_message_id=reply_to_message_id,\n reply_markup=reply_markup)\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": "send_photo",
"role": "assistant"
}
] |
def x(self, chat_id, media, disable_notification=None, reply_to_message_id=None
):
from pytgbot.api_types.sendable.input_media import InputMediaPhoto
from pytgbot.api_types.sendable.input_media import InputMediaVideo
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(media, (list, list), parameter_name='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=media,
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)))
from pytgbot.api_types.receivable.updates import Message
try:
return Message.from_array_list(result, list_level=1)
except TgApiParseException:
logger.debug('Failed parsing as api_type Message', exc_info=True)
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 from pytgbot.api_types.sendable.input_media import InputMediaPhoto\n from pytgbot.api_types.sendable.input_media import InputMediaVideo\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(media, (list, list), parameter_name='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=media,\n disable_notification=disable_notification, reply_to_message_id=\n reply_to_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_list(result, list_level=1)\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": "send_media_group",
"role": "assistant"
}
] |
def x(self, chat_id, latitude, longitude, live_period=None,
disable_notification=None, reply_to_message_id=None, reply_markup=None):
from pytgbot.api_types.sendable.reply_markup import ForceReply
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(latitude, float, parameter_name='latitude')
assert_type_or_raise(longitude, float, parameter_name='longitude')
assert_type_or_raise(live_period, None, int, parameter_name='live_period')
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')
assert_type_or_raise(reply_markup, None, (InlineKeyboardMarkup,
ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply),
parameter_name='reply_markup')
result = self.do('sendLocation', chat_id=chat_id, latitude=latitude,
longitude=longitude, live_period=live_period, disable_notification=
disable_notification, reply_to_message_id=reply_to_message_id,
reply_markup=reply_markup)
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
|
send_location
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, latitude, longitude, live_period=None,\n disable_notification=None, reply_to_message_id=None, reply_markup=None):\n from pytgbot.api_types.sendable.reply_markup import ForceReply\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(latitude, float, parameter_name='latitude')\n assert_type_or_raise(longitude, float, parameter_name='longitude')\n assert_type_or_raise(live_period, None, int, parameter_name='live_period')\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 assert_type_or_raise(reply_markup, None, (InlineKeyboardMarkup,\n ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply),\n parameter_name='reply_markup')\n result = self.do('sendLocation', chat_id=chat_id, latitude=latitude,\n longitude=longitude, live_period=live_period, disable_notification=\n disable_notification, reply_to_message_id=reply_to_message_id,\n reply_markup=reply_markup)\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": "send_location",
"role": "assistant"
}
] |
def x(self, chat_id, phone_number, first_name, last_name=None, vcard=None,
disable_notification=None, reply_to_message_id=None, reply_markup=None):
from pytgbot.api_types.sendable.reply_markup import ForceReply
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(phone_number, unicode_type, parameter_name=
'phone_number')
assert_type_or_raise(first_name, unicode_type, parameter_name='first_name')
assert_type_or_raise(last_name, None, unicode_type, parameter_name=
'last_name')
assert_type_or_raise(vcard, None, unicode_type, parameter_name='vcard')
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')
assert_type_or_raise(reply_markup, None, (InlineKeyboardMarkup,
ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply),
parameter_name='reply_markup')
result = self.do('sendContact', chat_id=chat_id, phone_number=
phone_number, first_name=first_name, last_name=last_name, vcard=
vcard, disable_notification=disable_notification,
reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)
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
|
send_contact
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, phone_number, first_name, last_name=None, vcard=None,\n disable_notification=None, reply_to_message_id=None, reply_markup=None):\n from pytgbot.api_types.sendable.reply_markup import ForceReply\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(phone_number, unicode_type, parameter_name=\n 'phone_number')\n assert_type_or_raise(first_name, unicode_type, parameter_name='first_name')\n assert_type_or_raise(last_name, None, unicode_type, parameter_name=\n 'last_name')\n assert_type_or_raise(vcard, None, unicode_type, parameter_name='vcard')\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 assert_type_or_raise(reply_markup, None, (InlineKeyboardMarkup,\n ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply),\n parameter_name='reply_markup')\n result = self.do('sendContact', chat_id=chat_id, phone_number=\n phone_number, first_name=first_name, last_name=last_name, vcard=\n vcard, disable_notification=disable_notification,\n reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)\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": "send_contact",
"role": "assistant"
}
] |
def x(self, user_id, offset=None, limit=None):
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(offset, None, int, parameter_name='offset')
assert_type_or_raise(limit, None, int, parameter_name='limit')
result = self.do('getUserProfilePhotos', user_id=user_id, offset=offset,
limit=limit)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.media import UserProfilePhotos
try:
return UserProfilePhotos.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type UserProfilePhotos',
exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
get_user_profile_photos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, offset=None, limit=None):\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(offset, None, int, parameter_name='offset')\n assert_type_or_raise(limit, None, int, parameter_name='limit')\n result = self.do('getUserProfilePhotos', user_id=user_id, offset=offset,\n limit=limit)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.media import UserProfilePhotos\n try:\n return UserProfilePhotos.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type UserProfilePhotos',\n exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_user_profile_photos",
"role": "assistant"
}
] |
def x(self, file_id):
assert_type_or_raise(file_id, unicode_type, parameter_name='file_id')
result = self.do('getFile', file_id=file_id)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.media import File
try:
return File.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type File', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
get_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_id):\n assert_type_or_raise(file_id, unicode_type, parameter_name='file_id')\n result = self.do('getFile', file_id=file_id)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.media import File\n try:\n return File.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type File', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_file",
"role": "assistant"
}
] |
def x(self, chat_id, user_id, until_date=None, can_send_messages=None,
can_send_media_messages=None, can_send_other_messages=None,
can_add_web_page_previews=None):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(until_date, None, int, parameter_name='until_date')
assert_type_or_raise(can_send_messages, None, bool, parameter_name=
'can_send_messages')
assert_type_or_raise(can_send_media_messages, None, bool,
parameter_name='can_send_media_messages')
assert_type_or_raise(can_send_other_messages, None, bool,
parameter_name='can_send_other_messages')
assert_type_or_raise(can_add_web_page_previews, None, bool,
parameter_name='can_add_web_page_previews')
result = self.do('restrictChatMember', chat_id=chat_id, user_id=user_id,
until_date=until_date, can_send_messages=can_send_messages,
can_send_media_messages=can_send_media_messages,
can_send_other_messages=can_send_other_messages,
can_add_web_page_previews=can_add_web_page_previews)
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
|
restrict_chat_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, user_id, until_date=None, can_send_messages=None,\n can_send_media_messages=None, can_send_other_messages=None,\n can_add_web_page_previews=None):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(until_date, None, int, parameter_name='until_date')\n assert_type_or_raise(can_send_messages, None, bool, parameter_name=\n 'can_send_messages')\n assert_type_or_raise(can_send_media_messages, None, bool,\n parameter_name='can_send_media_messages')\n assert_type_or_raise(can_send_other_messages, None, bool,\n parameter_name='can_send_other_messages')\n assert_type_or_raise(can_add_web_page_previews, None, bool,\n parameter_name='can_add_web_page_previews')\n result = self.do('restrictChatMember', chat_id=chat_id, user_id=user_id,\n until_date=until_date, can_send_messages=can_send_messages,\n can_send_media_messages=can_send_media_messages,\n can_send_other_messages=can_send_other_messages,\n can_add_web_page_previews=can_add_web_page_previews)\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": "restrict_chat_member",
"role": "assistant"
}
] |
def x(self, chat_id, user_id, can_change_info=None, can_post_messages=None,
can_edit_messages=None, can_delete_messages=None, can_invite_users=None,
can_restrict_members=None, can_pin_messages=None, can_promote_members=None
):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(can_change_info, None, bool, parameter_name=
'can_change_info')
assert_type_or_raise(can_post_messages, None, bool, parameter_name=
'can_post_messages')
assert_type_or_raise(can_edit_messages, None, bool, parameter_name=
'can_edit_messages')
assert_type_or_raise(can_delete_messages, None, bool, parameter_name=
'can_delete_messages')
assert_type_or_raise(can_invite_users, None, bool, parameter_name=
'can_invite_users')
assert_type_or_raise(can_restrict_members, None, bool, parameter_name=
'can_restrict_members')
assert_type_or_raise(can_pin_messages, None, bool, parameter_name=
'can_pin_messages')
assert_type_or_raise(can_promote_members, None, bool, parameter_name=
'can_promote_members')
result = self.do('promoteChatMember', chat_id=chat_id, user_id=user_id,
can_change_info=can_change_info, can_post_messages=
can_post_messages, can_edit_messages=can_edit_messages,
can_delete_messages=can_delete_messages, can_invite_users=
can_invite_users, can_restrict_members=can_restrict_members,
can_pin_messages=can_pin_messages, can_promote_members=
can_promote_members)
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
|
promote_chat_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, user_id, can_change_info=None, can_post_messages=None,\n can_edit_messages=None, can_delete_messages=None, can_invite_users=None,\n can_restrict_members=None, can_pin_messages=None, can_promote_members=None\n ):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(can_change_info, None, bool, parameter_name=\n 'can_change_info')\n assert_type_or_raise(can_post_messages, None, bool, parameter_name=\n 'can_post_messages')\n assert_type_or_raise(can_edit_messages, None, bool, parameter_name=\n 'can_edit_messages')\n assert_type_or_raise(can_delete_messages, None, bool, parameter_name=\n 'can_delete_messages')\n assert_type_or_raise(can_invite_users, None, bool, parameter_name=\n 'can_invite_users')\n assert_type_or_raise(can_restrict_members, None, bool, parameter_name=\n 'can_restrict_members')\n assert_type_or_raise(can_pin_messages, None, bool, parameter_name=\n 'can_pin_messages')\n assert_type_or_raise(can_promote_members, None, bool, parameter_name=\n 'can_promote_members')\n result = self.do('promoteChatMember', chat_id=chat_id, user_id=user_id,\n can_change_info=can_change_info, can_post_messages=\n can_post_messages, can_edit_messages=can_edit_messages,\n can_delete_messages=can_delete_messages, can_invite_users=\n can_invite_users, can_restrict_members=can_restrict_members,\n can_pin_messages=can_pin_messages, can_promote_members=\n can_promote_members)\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": "promote_chat_member",
"role": "assistant"
}
] |
def x(self, chat_id, photo):
from pytgbot.api_types.sendable.files import InputFile
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(photo, InputFile, parameter_name='photo')
result = self.do('setChatPhoto', chat_id=chat_id, photo=photo)
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
|
set_chat_photo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, photo):\n from pytgbot.api_types.sendable.files import InputFile\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(photo, InputFile, parameter_name='photo')\n result = self.do('setChatPhoto', chat_id=chat_id, photo=photo)\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": "set_chat_photo",
"role": "assistant"
}
] |
def x(self, chat_id):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
result = self.do('getChat', chat_id=chat_id)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.peer import Chat
try:
return Chat.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type Chat', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
get_chat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n result = self.do('getChat', chat_id=chat_id)\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 Chat\n try:\n return Chat.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type Chat', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_chat",
"role": "assistant"
}
] |
def x(self, chat_id):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
result = self.do('getChatAdministrators', chat_id=chat_id)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.peer import ChatMember
try:
return ChatMember.from_array_list(result, list_level=1)
except TgApiParseException:
logger.debug('Failed parsing as api_type ChatMember', exc_info=True
)
raise TgApiParseException('Could not parse result.')
return result
|
get_chat_administrators
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n result = self.do('getChatAdministrators', chat_id=chat_id)\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 ChatMember\n try:\n return ChatMember.from_array_list(result, list_level=1)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type ChatMember', exc_info=True\n )\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_chat_administrators",
"role": "assistant"
}
] |
def x(self, chat_id, sticker_set_name):
assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'
)
assert_type_or_raise(sticker_set_name, unicode_type, parameter_name=
'sticker_set_name')
result = self.do('setChatStickerSet', chat_id=chat_id, sticker_set_name
=sticker_set_name)
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
|
set_chat_sticker_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, sticker_set_name):\n assert_type_or_raise(chat_id, (int, unicode_type), parameter_name='chat_id'\n )\n assert_type_or_raise(sticker_set_name, unicode_type, parameter_name=\n 'sticker_set_name')\n result = self.do('setChatStickerSet', chat_id=chat_id, sticker_set_name\n =sticker_set_name)\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": "set_chat_sticker_set",
"role": "assistant"
}
] |
def x(self, callback_query_id, text=None, show_alert=None, url=None,
cache_time=None):
assert_type_or_raise(callback_query_id, unicode_type, parameter_name=
'callback_query_id')
assert_type_or_raise(text, None, unicode_type, parameter_name='text')
assert_type_or_raise(show_alert, None, bool, parameter_name='show_alert')
assert_type_or_raise(url, None, unicode_type, parameter_name='url')
assert_type_or_raise(cache_time, None, int, parameter_name='cache_time')
result = self.do('answerCallbackQuery', callback_query_id=
callback_query_id, text=text, show_alert=show_alert, url=url,
cache_time=cache_time)
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_callback_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback_query_id, text=None, show_alert=None, url=None,\n cache_time=None):\n assert_type_or_raise(callback_query_id, unicode_type, parameter_name=\n 'callback_query_id')\n assert_type_or_raise(text, None, unicode_type, parameter_name='text')\n assert_type_or_raise(show_alert, None, bool, parameter_name='show_alert')\n assert_type_or_raise(url, None, unicode_type, parameter_name='url')\n assert_type_or_raise(cache_time, None, int, parameter_name='cache_time')\n result = self.do('answerCallbackQuery', callback_query_id=\n callback_query_id, text=text, show_alert=show_alert, url=url,\n cache_time=cache_time)\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_callback_query",
"role": "assistant"
}
] |
def x(self, text, chat_id=None, message_id=None, inline_message_id=None,
parse_mode=None, disable_web_page_preview=None, reply_markup=None):
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
assert_type_or_raise(text, unicode_type, parameter_name='text')
assert_type_or_raise(chat_id, None, (int, unicode_type), 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')
assert_type_or_raise(parse_mode, None, unicode_type, parameter_name=
'parse_mode')
assert_type_or_raise(disable_web_page_preview, None, bool,
parameter_name='disable_web_page_preview')
assert_type_or_raise(reply_markup, None, InlineKeyboardMarkup,
parameter_name='reply_markup')
result = self.do('editMessageText', text=text, chat_id=chat_id,
message_id=message_id, inline_message_id=inline_message_id,
parse_mode=parse_mode, disable_web_page_preview=
disable_web_page_preview, reply_markup=reply_markup)
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
|
edit_message_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, chat_id=None, message_id=None, inline_message_id=None,\n parse_mode=None, disable_web_page_preview=None, reply_markup=None):\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n assert_type_or_raise(text, unicode_type, parameter_name='text')\n assert_type_or_raise(chat_id, None, (int, unicode_type), parameter_name\n ='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 assert_type_or_raise(parse_mode, None, unicode_type, parameter_name=\n 'parse_mode')\n assert_type_or_raise(disable_web_page_preview, None, bool,\n parameter_name='disable_web_page_preview')\n assert_type_or_raise(reply_markup, None, InlineKeyboardMarkup,\n parameter_name='reply_markup')\n result = self.do('editMessageText', text=text, chat_id=chat_id,\n message_id=message_id, inline_message_id=inline_message_id,\n parse_mode=parse_mode, disable_web_page_preview=\n disable_web_page_preview, reply_markup=reply_markup)\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": "edit_message_text",
"role": "assistant"
}
] |
def x(self, name):
assert_type_or_raise(name, unicode_type, parameter_name='name')
result = self.do('getStickerSet', name=name)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.stickers import StickerSet
try:
return StickerSet.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type StickerSet', exc_info=True
)
raise TgApiParseException('Could not parse result.')
return result
|
get_sticker_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n assert_type_or_raise(name, unicode_type, parameter_name='name')\n result = self.do('getStickerSet', name=name)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.stickers import StickerSet\n try:\n return StickerSet.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type StickerSet', exc_info=True\n )\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_sticker_set",
"role": "assistant"
}
] |
def x(self, user_id, png_sticker):
from pytgbot.api_types.sendable.files import InputFile
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(png_sticker, InputFile, parameter_name='png_sticker')
result = self.do('uploadStickerFile', user_id=user_id, png_sticker=
png_sticker)
if self.return_python_objects:
logger.debug('Trying to parse {data}'.format(data=repr(result)))
from pytgbot.api_types.receivable.media import File
try:
return File.from_array(result)
except TgApiParseException:
logger.debug('Failed parsing as api_type File', exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
upload_sticker_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, png_sticker):\n from pytgbot.api_types.sendable.files import InputFile\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(png_sticker, InputFile, parameter_name='png_sticker')\n result = self.do('uploadStickerFile', user_id=user_id, png_sticker=\n png_sticker)\n if self.return_python_objects:\n logger.debug('Trying to parse {data}'.format(data=repr(result)))\n from pytgbot.api_types.receivable.media import File\n try:\n return File.from_array(result)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type File', exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "upload_sticker_file",
"role": "assistant"
}
] |
def x(self, user_id, name, title, png_sticker, emojis, contains_masks=None,
mask_position=None):
from pytgbot.api_types.receivable.stickers import MaskPosition
from pytgbot.api_types.sendable.files import InputFile
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(name, unicode_type, parameter_name='name')
assert_type_or_raise(title, unicode_type, parameter_name='title')
assert_type_or_raise(png_sticker, (InputFile, unicode_type),
parameter_name='png_sticker')
assert_type_or_raise(emojis, unicode_type, parameter_name='emojis')
assert_type_or_raise(contains_masks, None, bool, parameter_name=
'contains_masks')
assert_type_or_raise(mask_position, None, MaskPosition, parameter_name=
'mask_position')
result = self.do('createNewStickerSet', user_id=user_id, name=name,
title=title, png_sticker=png_sticker, emojis=emojis, contains_masks
=contains_masks, mask_position=mask_position)
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
|
create_new_sticker_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, name, title, png_sticker, emojis, contains_masks=None,\n mask_position=None):\n from pytgbot.api_types.receivable.stickers import MaskPosition\n from pytgbot.api_types.sendable.files import InputFile\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(name, unicode_type, parameter_name='name')\n assert_type_or_raise(title, unicode_type, parameter_name='title')\n assert_type_or_raise(png_sticker, (InputFile, unicode_type),\n parameter_name='png_sticker')\n assert_type_or_raise(emojis, unicode_type, parameter_name='emojis')\n assert_type_or_raise(contains_masks, None, bool, parameter_name=\n 'contains_masks')\n assert_type_or_raise(mask_position, None, MaskPosition, parameter_name=\n 'mask_position')\n result = self.do('createNewStickerSet', user_id=user_id, name=name,\n title=title, png_sticker=png_sticker, emojis=emojis, contains_masks\n =contains_masks, mask_position=mask_position)\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": "create_new_sticker_set",
"role": "assistant"
}
] |
def x(self, sticker, position):
assert_type_or_raise(sticker, unicode_type, parameter_name='sticker')
assert_type_or_raise(position, int, parameter_name='position')
result = self.do('setStickerPositionInSet', sticker=sticker, position=
position)
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
|
set_sticker_position_in_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sticker, position):\n assert_type_or_raise(sticker, unicode_type, parameter_name='sticker')\n assert_type_or_raise(position, int, parameter_name='position')\n result = self.do('setStickerPositionInSet', sticker=sticker, position=\n position)\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": "set_sticker_position_in_set",
"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):
from pytgbot.api_types.sendable.inline import InlineQueryResult
assert_type_or_raise(inline_query_id, unicode_type, parameter_name=
'inline_query_id')
assert_type_or_raise(results, list, parameter_name='results')
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, parameter_name=
'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=results, 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 from pytgbot.api_types.sendable.inline import InlineQueryResult\n assert_type_or_raise(inline_query_id, unicode_type, parameter_name=\n 'inline_query_id')\n assert_type_or_raise(results, list, parameter_name='results')\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, parameter_name=\n '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=results, cache_time=cache_time, is_personal=is_personal,\n next_offset=next_offset, switch_pm_text=switch_pm_text,\n 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, chat_id, title, description, payload, provider_token,
start_parameter, currency, prices, provider_data=None, photo_url=None,
photo_size=None, photo_width=None, photo_height=None, need_name=None,
need_phone_number=None, need_email=None, need_shipping_address=None,
send_phone_number_to_provider=None, send_email_to_provider=None,
is_flexible=None, disable_notification=None, reply_to_message_id=None,
reply_markup=None):
from pytgbot.api_types.sendable.payments import LabeledPrice
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
assert_type_or_raise(chat_id, int, parameter_name='chat_id')
assert_type_or_raise(title, unicode_type, parameter_name='title')
assert_type_or_raise(description, unicode_type, parameter_name=
'description')
assert_type_or_raise(payload, unicode_type, parameter_name='payload')
assert_type_or_raise(provider_token, unicode_type, parameter_name=
'provider_token')
assert_type_or_raise(start_parameter, unicode_type, parameter_name=
'start_parameter')
assert_type_or_raise(currency, unicode_type, parameter_name='currency')
assert_type_or_raise(prices, list, parameter_name='prices')
assert_type_or_raise(provider_data, None, unicode_type, parameter_name=
'provider_data')
assert_type_or_raise(photo_url, None, unicode_type, parameter_name=
'photo_url')
assert_type_or_raise(photo_size, None, int, parameter_name='photo_size')
assert_type_or_raise(photo_width, None, int, parameter_name='photo_width')
assert_type_or_raise(photo_height, None, int, parameter_name='photo_height'
)
assert_type_or_raise(need_name, None, bool, parameter_name='need_name')
assert_type_or_raise(need_phone_number, None, bool, parameter_name=
'need_phone_number')
assert_type_or_raise(need_email, None, bool, parameter_name='need_email')
assert_type_or_raise(need_shipping_address, None, bool, parameter_name=
'need_shipping_address')
assert_type_or_raise(send_phone_number_to_provider, None, bool,
parameter_name='send_phone_number_to_provider')
assert_type_or_raise(send_email_to_provider, None, bool, parameter_name
='send_email_to_provider')
assert_type_or_raise(is_flexible, None, bool, parameter_name='is_flexible')
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')
assert_type_or_raise(reply_markup, None, InlineKeyboardMarkup,
parameter_name='reply_markup')
result = self.do('sendInvoice', chat_id=chat_id, title=title,
description=description, payload=payload, provider_token=
provider_token, start_parameter=start_parameter, currency=currency,
prices=prices, provider_data=provider_data, photo_url=photo_url,
photo_size=photo_size, photo_width=photo_width, photo_height=
photo_height, need_name=need_name, need_phone_number=
need_phone_number, need_email=need_email, need_shipping_address=
need_shipping_address, send_phone_number_to_provider=
send_phone_number_to_provider, send_email_to_provider=
send_email_to_provider, is_flexible=is_flexible,
disable_notification=disable_notification, reply_to_message_id=
reply_to_message_id, reply_markup=reply_markup)
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
|
send_invoice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, title, description, payload, provider_token,\n start_parameter, currency, prices, provider_data=None, photo_url=None,\n photo_size=None, photo_width=None, photo_height=None, need_name=None,\n need_phone_number=None, need_email=None, need_shipping_address=None,\n send_phone_number_to_provider=None, send_email_to_provider=None,\n is_flexible=None, disable_notification=None, reply_to_message_id=None,\n reply_markup=None):\n from pytgbot.api_types.sendable.payments import LabeledPrice\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n assert_type_or_raise(chat_id, int, parameter_name='chat_id')\n assert_type_or_raise(title, unicode_type, parameter_name='title')\n assert_type_or_raise(description, unicode_type, parameter_name=\n 'description')\n assert_type_or_raise(payload, unicode_type, parameter_name='payload')\n assert_type_or_raise(provider_token, unicode_type, parameter_name=\n 'provider_token')\n assert_type_or_raise(start_parameter, unicode_type, parameter_name=\n 'start_parameter')\n assert_type_or_raise(currency, unicode_type, parameter_name='currency')\n assert_type_or_raise(prices, list, parameter_name='prices')\n assert_type_or_raise(provider_data, None, unicode_type, parameter_name=\n 'provider_data')\n assert_type_or_raise(photo_url, None, unicode_type, parameter_name=\n 'photo_url')\n assert_type_or_raise(photo_size, None, int, parameter_name='photo_size')\n assert_type_or_raise(photo_width, None, int, parameter_name='photo_width')\n assert_type_or_raise(photo_height, None, int, parameter_name='photo_height'\n )\n assert_type_or_raise(need_name, None, bool, parameter_name='need_name')\n assert_type_or_raise(need_phone_number, None, bool, parameter_name=\n 'need_phone_number')\n assert_type_or_raise(need_email, None, bool, parameter_name='need_email')\n assert_type_or_raise(need_shipping_address, None, bool, parameter_name=\n 'need_shipping_address')\n assert_type_or_raise(send_phone_number_to_provider, None, bool,\n parameter_name='send_phone_number_to_provider')\n assert_type_or_raise(send_email_to_provider, None, bool, parameter_name\n ='send_email_to_provider')\n assert_type_or_raise(is_flexible, None, bool, parameter_name='is_flexible')\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 assert_type_or_raise(reply_markup, None, InlineKeyboardMarkup,\n parameter_name='reply_markup')\n result = self.do('sendInvoice', chat_id=chat_id, title=title,\n description=description, payload=payload, provider_token=\n provider_token, start_parameter=start_parameter, currency=currency,\n prices=prices, provider_data=provider_data, photo_url=photo_url,\n photo_size=photo_size, photo_width=photo_width, photo_height=\n photo_height, need_name=need_name, need_phone_number=\n need_phone_number, need_email=need_email, need_shipping_address=\n need_shipping_address, send_phone_number_to_provider=\n send_phone_number_to_provider, send_email_to_provider=\n send_email_to_provider, is_flexible=is_flexible,\n disable_notification=disable_notification, reply_to_message_id=\n reply_to_message_id, reply_markup=reply_markup)\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": "send_invoice",
"role": "assistant"
}
] |
def x(self, shipping_query_id, ok, shipping_options=None, error_message=None):
from pytgbot.api_types.sendable.payments import ShippingOption
assert_type_or_raise(shipping_query_id, unicode_type, parameter_name=
'shipping_query_id')
assert_type_or_raise(ok, bool, parameter_name='ok')
assert_type_or_raise(shipping_options, None, list, parameter_name=
'shipping_options')
assert_type_or_raise(error_message, None, unicode_type, parameter_name=
'error_message')
result = self.do('answerShippingQuery', shipping_query_id=
shipping_query_id, ok=ok, shipping_options=shipping_options,
error_message=error_message)
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_shipping_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shipping_query_id, ok, shipping_options=None, error_message=None):\n from pytgbot.api_types.sendable.payments import ShippingOption\n assert_type_or_raise(shipping_query_id, unicode_type, parameter_name=\n 'shipping_query_id')\n assert_type_or_raise(ok, bool, parameter_name='ok')\n assert_type_or_raise(shipping_options, None, list, parameter_name=\n 'shipping_options')\n assert_type_or_raise(error_message, None, unicode_type, parameter_name=\n 'error_message')\n result = self.do('answerShippingQuery', shipping_query_id=\n shipping_query_id, ok=ok, shipping_options=shipping_options,\n error_message=error_message)\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_shipping_query",
"role": "assistant"
}
] |
def x(self, pre_checkout_query_id, ok, error_message=None):
assert_type_or_raise(pre_checkout_query_id, unicode_type,
parameter_name='pre_checkout_query_id')
assert_type_or_raise(ok, bool, parameter_name='ok')
assert_type_or_raise(error_message, None, unicode_type, parameter_name=
'error_message')
result = self.do('answerPreCheckoutQuery', pre_checkout_query_id=
pre_checkout_query_id, ok=ok, error_message=error_message)
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_pre_checkout_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pre_checkout_query_id, ok, error_message=None):\n assert_type_or_raise(pre_checkout_query_id, unicode_type,\n parameter_name='pre_checkout_query_id')\n assert_type_or_raise(ok, bool, parameter_name='ok')\n assert_type_or_raise(error_message, None, unicode_type, parameter_name=\n 'error_message')\n result = self.do('answerPreCheckoutQuery', pre_checkout_query_id=\n pre_checkout_query_id, ok=ok, error_message=error_message)\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_pre_checkout_query",
"role": "assistant"
}
] |
def x(self, user_id, errors):
from pytgbot.api_types.sendable.passport import PassportElementError
assert_type_or_raise(user_id, int, parameter_name='user_id')
assert_type_or_raise(errors, list, parameter_name='errors')
result = self.do('setPassportDataErrors', user_id=user_id, errors=errors)
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
|
set_passport_data_errors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, errors):\n from pytgbot.api_types.sendable.passport import PassportElementError\n assert_type_or_raise(user_id, int, parameter_name='user_id')\n assert_type_or_raise(errors, list, parameter_name='errors')\n result = self.do('setPassportDataErrors', user_id=user_id, errors=errors)\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": "set_passport_data_errors",
"role": "assistant"
}
] |
def x(self, chat_id, game_short_name, disable_notification=None,
reply_to_message_id=None, reply_markup=None):
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
assert_type_or_raise(chat_id, int, parameter_name='chat_id')
assert_type_or_raise(game_short_name, unicode_type, parameter_name=
'game_short_name')
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')
assert_type_or_raise(reply_markup, None, InlineKeyboardMarkup,
parameter_name='reply_markup')
result = self.do('sendGame', chat_id=chat_id, game_short_name=
game_short_name, disable_notification=disable_notification,
reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)
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
|
send_game
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chat_id, game_short_name, disable_notification=None,\n reply_to_message_id=None, reply_markup=None):\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n assert_type_or_raise(chat_id, int, parameter_name='chat_id')\n assert_type_or_raise(game_short_name, unicode_type, parameter_name=\n 'game_short_name')\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 assert_type_or_raise(reply_markup, None, InlineKeyboardMarkup,\n parameter_name='reply_markup')\n result = self.do('sendGame', chat_id=chat_id, game_short_name=\n game_short_name, disable_notification=disable_notification,\n reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)\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": "send_game",
"role": "assistant"
}
] |
def x(self, user_id, 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(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('getGameHighScores', user_id=user_id, 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.game import GameHighScore
try:
return GameHighScore.from_array_list(result, list_level=1)
except TgApiParseException:
logger.debug('Failed parsing as api_type GameHighScore',
exc_info=True)
raise TgApiParseException('Could not parse result.')
return result
|
get_game_high_scores
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, 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(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('getGameHighScores', user_id=user_id, 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.game import GameHighScore\n try:\n return GameHighScore.from_array_list(result, list_level=1)\n except TgApiParseException:\n logger.debug('Failed parsing as api_type GameHighScore',\n exc_info=True)\n raise TgApiParseException('Could not parse result.')\n return result\n",
"role": "user"
},
{
"content": "get_game_high_scores",
"role": "assistant"
}
] |
def x(self, command, files=None, use_long_polling=False, request_timeout=
None, **query):
import requests
url, params = self._prepare_request(command, query)
r = requests.post(url, params=params, files=files, stream=
use_long_polling, verify=True, timeout=request_timeout)
return self._postprocess_request(r)
|
do
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, files=None, use_long_polling=False, request_timeout=\n None, **query):\n import requests\n url, params = self._prepare_request(command, query)\n r = requests.post(url, params=params, files=files, stream=\n use_long_polling, verify=True, timeout=request_timeout)\n return self._postprocess_request(r)\n",
"role": "user"
},
{
"content": "do",
"role": "assistant"
}
] |
def x(self, file):
from .api_types.receivable.media import File
assert isinstance(file, File)
return file.get_download_url(self.api_key)
|
get_download_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n from .api_types.receivable.media import File\n assert isinstance(file, File)\n return file.get_download_url(self.api_key)\n",
"role": "user"
},
{
"content": "get_download_url",
"role": "assistant"
}
] |
def x(self):
myself = self.get_me()
if self.return_python_objects:
self._id = myself.id
self._username = myself.username
else:
self._id = myself['result']['id']
self._username = myself['result']['username']
|
load_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n myself = self.get_me()\n if self.return_python_objects:\n self._id = myself.id\n self._username = myself.username\n else:\n self._id = myself['result']['id']\n self._username = myself['result']['username']\n",
"role": "user"
},
{
"content": "load_info",
"role": "assistant"
}
] |
def x(self, var_name, full_data=False):
if full_data:
data = self.to_array()
data['media'], file = self.get_inputfile_data(self.media, var_name,
suffix='_media')
return data, file
return self.get_inputfile_data(self.media, var_name, suffix='_media')
|
get_request_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, var_name, full_data=False):\n if full_data:\n data = self.to_array()\n data['media'], file = self.get_inputfile_data(self.media, var_name,\n suffix='_media')\n return data, file\n return self.get_inputfile_data(self.media, var_name, suffix='_media')\n",
"role": "user"
},
{
"content": "get_request_data",
"role": "assistant"
}
] |
def x(self, var_name, full_data=False):
if not full_data:
raise ArithmeticError(
'we have a thumbnail, please use `full_data=True`.')
file = {}
data, file_to_add = super(InputMediaWithThumb, self).get_request_data(
var_name, full_data=True)
if file_to_add:
file.update(file_to_add)
data['thumb'], file_to_add = self.get_inputfile_data(self.thumb,
var_name, suffix='_thumb')
if data['thumb'] is None:
del data['thumb']
if file_to_add:
file.update(file_to_add)
return data, file or None
|
get_request_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, var_name, full_data=False):\n if not full_data:\n raise ArithmeticError(\n 'we have a thumbnail, please use `full_data=True`.')\n file = {}\n data, file_to_add = super(InputMediaWithThumb, self).get_request_data(\n var_name, full_data=True)\n if file_to_add:\n file.update(file_to_add)\n data['thumb'], file_to_add = self.get_inputfile_data(self.thumb,\n var_name, suffix='_thumb')\n if data['thumb'] is None:\n del data['thumb']\n if file_to_add:\n file.update(file_to_add)\n return data, file or None\n",
"role": "user"
},
{
"content": "get_request_data",
"role": "assistant"
}
] |
def x(self):
from .files import InputFile
array = super(InputMediaVideo, self).to_array()
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = None
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.width is not None:
array['width'] = int(self.width)
if self.height is not None:
array['height'] = int(self.height)
if self.duration is not None:
array['duration'] = int(self.duration)
if self.supports_streaming is not None:
array['supports_streaming'] = bool(self.supports_streaming)
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 from .files import InputFile\n array = super(InputMediaVideo, self).to_array()\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = None\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.width is not None:\n array['width'] = int(self.width)\n if self.height is not None:\n array['height'] = int(self.height)\n if self.duration is not None:\n array['duration'] = int(self.duration)\n if self.supports_streaming is not None:\n array['supports_streaming'] = bool(self.supports_streaming)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InputMediaAnimation, self).to_array()
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = None
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.width is not None:
array['width'] = int(self.width)
if self.height is not None:
array['height'] = int(self.height)
if self.duration is not None:
array['duration'] = int(self.duration)
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(InputMediaAnimation, self).to_array()\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = None\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.width is not None:\n array['width'] = int(self.width)\n if self.height is not None:\n array['height'] = int(self.height)\n if self.duration is not None:\n array['duration'] = int(self.duration)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InputMediaAudio, self).to_array()
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = None
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.duration is not None:
array['duration'] = int(self.duration)
if self.performer is not None:
array['performer'] = u(self.performer)
if self.title is not None:
array['title'] = u(self.title)
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(InputMediaAudio, self).to_array()\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = None\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.duration is not None:\n array['duration'] = int(self.duration)\n if self.performer is not None:\n array['performer'] = u(self.performer)\n if self.title is not None:\n array['title'] = u(self.title)\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self):
array = super(InputMediaDocument, self).to_array()
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = None
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
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(InputMediaDocument, self).to_array()\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = None\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\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.files import InputFile
data = {}
data['media'] = u(array.get('media'))
if array.get('thumb') is None:
data['thumb'] = None
elif isinstance(array.get('thumb'), InputFile):
data['thumb'] = None
elif isinstance(array.get('thumb'), str):
data['thumb'] = u(array.get('thumb'))
else:
raise TypeError('Unknown type, must be one of InputFile, str or None.')
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
instance = InputMediaDocument(**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.files import InputFile\n data = {}\n data['media'] = u(array.get('media'))\n if array.get('thumb') is None:\n data['thumb'] = None\n elif isinstance(array.get('thumb'), InputFile):\n data['thumb'] = None\n elif isinstance(array.get('thumb'), str):\n data['thumb'] = u(array.get('thumb'))\n else:\n raise TypeError('Unknown type, must be one of InputFile, str or None.')\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 instance = InputMediaDocument(**data)\n instance._raw = array\n return instance\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(map1, map2):
merged = array('i', [0] * len(map2))
for i, shift in enumerate(map2):
merged[i] = shift + map1[i + shift]
return merged
|
mergemap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(map1, map2):\n merged = array('i', [0] * len(map2))\n for i, shift in enumerate(map2):\n merged[i] = shift + map1[i + shift]\n return merged\n",
"role": "user"
},
{
"content": "mergemap",
"role": "assistant"
}
] |
def x(cls, path, directory=None):
if not exists(path):
raise REPPError('REPP config file not found: {}'.format(path))
confdir = dirname(path)
conf = io.open(path, encoding='utf-8').read()
conf = re.sub(';.*', '', conf).replace('\n', ' ')
m = re.search('repp-modules\\s*:=\\s*((?:[-\\w]+\\s+)*[-\\w]+)\\s*\\.',
conf)
t = re.search('repp-tokenizer\\s*:=\\s*([-\\w]+)\\s*\\.', conf)
a = re.search('repp-calls\\s*:=\\s*((?:[-\\w]+\\s+)*[-\\w]+)\\s*\\.', conf)
f = re.search('format\\s*:=\\s*(\\w+)\\s*\\.', conf)
d = re.search('repp-directory\\s*:=\\s*(.*)\\.\\s*$', conf)
if m is None:
raise REPPError('repp-modules option must be set')
if t is None:
raise REPPError('repp-tokenizer option must be set')
mods = m.group(1).split()
tok = t.group(1).strip()
active = a.group(1).split() if a is not None else None
fmt = f.group(1).strip() if f is not None else None
if directory is None:
if d is not None:
directory = d.group(1).strip(' "')
elif exists(joinpath(confdir, tok + '.rpp')):
directory = confdir
elif exists(joinpath(confdir, 'rpp', tok + '.rpp')):
directory = joinpath(confdir, 'rpp')
elif exists(joinpath(confdir, '../rpp', tok + '.rpp')):
directory = joinpath(confdir, '../rpp')
else:
raise REPPError('Could not find a suitable REPP directory.')
return REPP.from_file(joinpath(directory, tok + '.rpp'), directory=
directory, active=active)
|
from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, directory=None):\n if not exists(path):\n raise REPPError('REPP config file not found: {}'.format(path))\n confdir = dirname(path)\n conf = io.open(path, encoding='utf-8').read()\n conf = re.sub(';.*', '', conf).replace('\\n', ' ')\n m = re.search('repp-modules\\\\s*:=\\\\s*((?:[-\\\\w]+\\\\s+)*[-\\\\w]+)\\\\s*\\\\.',\n conf)\n t = re.search('repp-tokenizer\\\\s*:=\\\\s*([-\\\\w]+)\\\\s*\\\\.', conf)\n a = re.search('repp-calls\\\\s*:=\\\\s*((?:[-\\\\w]+\\\\s+)*[-\\\\w]+)\\\\s*\\\\.', conf)\n f = re.search('format\\\\s*:=\\\\s*(\\\\w+)\\\\s*\\\\.', conf)\n d = re.search('repp-directory\\\\s*:=\\\\s*(.*)\\\\.\\\\s*$', conf)\n if m is None:\n raise REPPError('repp-modules option must be set')\n if t is None:\n raise REPPError('repp-tokenizer option must be set')\n mods = m.group(1).split()\n tok = t.group(1).strip()\n active = a.group(1).split() if a is not None else None\n fmt = f.group(1).strip() if f is not None else None\n if directory is None:\n if d is not None:\n directory = d.group(1).strip(' \"')\n elif exists(joinpath(confdir, tok + '.rpp')):\n directory = confdir\n elif exists(joinpath(confdir, 'rpp', tok + '.rpp')):\n directory = joinpath(confdir, 'rpp')\n elif exists(joinpath(confdir, '../rpp', tok + '.rpp')):\n directory = joinpath(confdir, '../rpp')\n else:\n raise REPPError('Could not find a suitable REPP directory.')\n return REPP.from_file(joinpath(directory, tok + '.rpp'), directory=\n directory, active=active)\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x(cls, path, directory=None, modules=None, active=None):
name = basename(path)
if name.endswith('.rpp'):
name = name[:-4]
lines = _repp_lines(path)
directory = dirname(path) if directory is None else directory
r = cls(name=name, modules=modules, active=active)
_parse_repp(lines, r, directory)
return r
|
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, directory=None, modules=None, active=None):\n name = basename(path)\n if name.endswith('.rpp'):\n name = name[:-4]\n lines = _repp_lines(path)\n directory = dirname(path) if directory is None else directory\n r = cls(name=name, modules=modules, active=active)\n _parse_repp(lines, r, directory)\n return r\n",
"role": "user"
},
{
"content": "from_file",
"role": "assistant"
}
] |
def x(cls, s, name=None, modules=None, active=None):
r = cls(name=name, modules=modules, active=active)
_parse_repp(s.splitlines(), r, None)
return r
|
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, name=None, modules=None, active=None):\n r = cls(name=name, modules=modules, active=active)\n _parse_repp(s.splitlines(), r, None)\n return r\n",
"role": "user"
},
{
"content": "from_string",
"role": "assistant"
}
] |
def x(self, mod):
if mod in self.active:
self.active.remove(mod)
|
deactivate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mod):\n if mod in self.active:\n self.active.remove(mod)\n",
"role": "user"
},
{
"content": "deactivate",
"role": "assistant"
}
] |
def x(self, s, active=None):
if active is None:
active = self.active
return self.group.apply(s, active=active)
|
apply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, active=None):\n if active is None:\n active = self.active\n return self.group.apply(s, active=active)\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(self, s, active=None, verbose=False):
if active is None:
active = self.active
return self.group.trace(s, active=active, verbose=verbose)
|
trace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, active=None, verbose=False):\n if active is None:\n active = self.active\n return self.group.trace(s, active=active, verbose=verbose)\n",
"role": "user"
},
{
"content": "trace",
"role": "assistant"
}
] |
def x(self, s, pattern=None, active=None):
if pattern is None:
if self.tokenize_pattern is None:
pattern = '[ \\t]+'
else:
pattern = self.tokenize_pattern
if active is None:
active = self.active
return self.group.tokenize(s, pattern=pattern, active=active)
|
tokenize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, pattern=None, active=None):\n if pattern is None:\n if self.tokenize_pattern is None:\n pattern = '[ \\\\t]+'\n else:\n pattern = self.tokenize_pattern\n if active is None:\n active = self.active\n return self.group.tokenize(s, pattern=pattern, active=active)\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(self, receiver, reply_id):
if self.receiver is None:
self.receiver = receiver
if self.reply_id is DEFAULT_MESSAGE_ID:
self.reply_id = reply_id
|
apply_update_receiver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, receiver, reply_id):\n if self.receiver is None:\n self.receiver = receiver\n if self.reply_id is DEFAULT_MESSAGE_ID:\n self.reply_id = reply_id\n",
"role": "user"
},
{
"content": "apply_update_receiver",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_message(text=self.text, chat_id=self.receiver,
reply_to_message_id=self.reply_id, parse_mode=self.parse_mode,
disable_web_page_preview=self.disable_web_page_preview,
disable_notification=self.disable_notification, reply_markup=self.
reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_message(text=self.text, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, parse_mode=self.parse_mode,\n disable_web_page_preview=self.disable_web_page_preview,\n disable_notification=self.disable_notification, reply_markup=self.\n reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(TextMessage, self).to_array()
array['text'] = u(self.text)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
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)
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(TextMessage, self).to_array()\n array['text'] = u(self.text)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\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 if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_photo(photo=self.photo, chat_id=self.receiver,
reply_to_message_id=self.reply_id, caption=self.caption, parse_mode
=self.parse_mode, disable_notification=self.disable_notification,
reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_photo(photo=self.photo, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, caption=self.caption, parse_mode\n =self.parse_mode, disable_notification=self.disable_notification,\n reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_audio(audio=self.audio, chat_id=self.receiver,
reply_to_message_id=self.reply_id, caption=self.caption, parse_mode
=self.parse_mode, duration=self.duration, performer=self.performer,
title=self.title, thumb=self.thumb, disable_notification=self.
disable_notification, reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_audio(audio=self.audio, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, caption=self.caption, parse_mode\n =self.parse_mode, duration=self.duration, performer=self.performer,\n title=self.title, thumb=self.thumb, disable_notification=self.\n disable_notification, reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(AudioMessage, self).to_array()
if isinstance(self.audio, InputFile):
array['audio'] = self.audio.to_array()
elif isinstance(self.audio, str):
array['audio'] = u(self.audio)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
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.duration is not None:
array['duration'] = int(self.duration)
if self.performer is not None:
array['performer'] = u(self.performer)
if self.title is not None:
array['title'] = u(self.title)
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = self.thumb.to_array()
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(AudioMessage, self).to_array()\n if isinstance(self.audio, InputFile):\n array['audio'] = self.audio.to_array()\n elif isinstance(self.audio, str):\n array['audio'] = u(self.audio)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\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.duration is not None:\n array['duration'] = int(self.duration)\n if self.performer is not None:\n array['performer'] = u(self.performer)\n if self.title is not None:\n array['title'] = u(self.title)\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = self.thumb.to_array()\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_document(document=self.document, chat_id=self.
receiver, reply_to_message_id=self.reply_id, thumb=self.thumb,
caption=self.caption, parse_mode=self.parse_mode,
disable_notification=self.disable_notification, reply_markup=self.
reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_document(document=self.document, chat_id=self.\n receiver, reply_to_message_id=self.reply_id, thumb=self.thumb,\n caption=self.caption, parse_mode=self.parse_mode,\n disable_notification=self.disable_notification, reply_markup=self.\n reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_video(video=self.video, chat_id=self.receiver,
reply_to_message_id=self.reply_id, duration=self.duration, width=
self.width, height=self.height, thumb=self.thumb, caption=self.
caption, parse_mode=self.parse_mode, supports_streaming=self.
supports_streaming, disable_notification=self.disable_notification,
reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_video(video=self.video, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, duration=self.duration, width=\n self.width, height=self.height, thumb=self.thumb, caption=self.\n caption, parse_mode=self.parse_mode, supports_streaming=self.\n supports_streaming, disable_notification=self.disable_notification,\n reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_animation(animation=self.animation, chat_id=self.
receiver, reply_to_message_id=self.reply_id, duration=self.duration,
width=self.width, height=self.height, thumb=self.thumb, caption=
self.caption, parse_mode=self.parse_mode, disable_notification=self
.disable_notification, reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_animation(animation=self.animation, chat_id=self.\n receiver, reply_to_message_id=self.reply_id, duration=self.duration,\n width=self.width, height=self.height, thumb=self.thumb, caption=\n self.caption, parse_mode=self.parse_mode, disable_notification=self\n .disable_notification, reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(AnimationMessage, self).to_array()
if isinstance(self.animation, InputFile):
array['animation'] = self.animation.to_array()
elif isinstance(self.animation, str):
array['animation'] = u(self.animation)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.duration is not None:
array['duration'] = int(self.duration)
if self.width is not None:
array['width'] = int(self.width)
if self.height is not None:
array['height'] = int(self.height)
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = self.thumb.to_array()
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
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.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(AnimationMessage, self).to_array()\n if isinstance(self.animation, InputFile):\n array['animation'] = self.animation.to_array()\n elif isinstance(self.animation, str):\n array['animation'] = u(self.animation)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.duration is not None:\n array['duration'] = int(self.duration)\n if self.width is not None:\n array['width'] = int(self.width)\n if self.height is not None:\n array['height'] = int(self.height)\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = self.thumb.to_array()\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\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.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_voice(voice=self.voice, chat_id=self.receiver,
reply_to_message_id=self.reply_id, caption=self.caption, parse_mode
=self.parse_mode, duration=self.duration, disable_notification=self
.disable_notification, reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_voice(voice=self.voice, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, caption=self.caption, parse_mode\n =self.parse_mode, duration=self.duration, disable_notification=self\n .disable_notification, reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(VoiceMessage, self).to_array()
if isinstance(self.voice, InputFile):
array['voice'] = self.voice.to_array()
elif isinstance(self.voice, str):
array['voice'] = u(self.voice)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
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.duration is not None:
array['duration'] = int(self.duration)
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(VoiceMessage, self).to_array()\n if isinstance(self.voice, InputFile):\n array['voice'] = self.voice.to_array()\n elif isinstance(self.voice, str):\n array['voice'] = u(self.voice)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\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.duration is not None:\n array['duration'] = int(self.duration)\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_video_note(video_note=self.video_note, chat_id=self.
receiver, reply_to_message_id=self.reply_id, duration=self.duration,
length=self.length, thumb=self.thumb, disable_notification=self.
disable_notification, reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_video_note(video_note=self.video_note, chat_id=self.\n receiver, reply_to_message_id=self.reply_id, duration=self.duration,\n length=self.length, thumb=self.thumb, disable_notification=self.\n disable_notification, reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(VideoNoteMessage, self).to_array()
if isinstance(self.video_note, InputFile):
array['video_note'] = self.video_note.to_array()
elif isinstance(self.video_note, str):
array['video_note'] = u(self.video_note)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.duration is not None:
array['duration'] = int(self.duration)
if self.length is not None:
array['length'] = int(self.length)
if self.thumb is not None:
if isinstance(self.thumb, InputFile):
array['thumb'] = self.thumb.to_array()
elif isinstance(self.thumb, str):
array['thumb'] = u(self.thumb)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(VideoNoteMessage, self).to_array()\n if isinstance(self.video_note, InputFile):\n array['video_note'] = self.video_note.to_array()\n elif isinstance(self.video_note, str):\n array['video_note'] = u(self.video_note)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.duration is not None:\n array['duration'] = int(self.duration)\n if self.length is not None:\n array['length'] = int(self.length)\n if self.thumb is not None:\n if isinstance(self.thumb, InputFile):\n array['thumb'] = self.thumb.to_array()\n elif isinstance(self.thumb, str):\n array['thumb'] = u(self.thumb)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_media_group(media=self.media, chat_id=self.receiver,
reply_to_message_id=self.reply_id, disable_notification=self.
disable_notification)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_media_group(media=self.media, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, disable_notification=self.\n disable_notification)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(MediaGroupMessage, self).to_array()
if isinstance(self.media, InputMediaPhoto):
array['media'] = self._as_array(self.media)
elif isinstance(self.media, InputMediaVideo):
array['media'] = self._as_array(self.media)
else:
raise TypeError(
'Unknown type, must be one of InputMediaPhoto, InputMediaVideo.')
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
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(MediaGroupMessage, self).to_array()\n if isinstance(self.media, InputMediaPhoto):\n array['media'] = self._as_array(self.media)\n elif isinstance(self.media, InputMediaVideo):\n array['media'] = self._as_array(self.media)\n else:\n raise TypeError(\n 'Unknown type, must be one of InputMediaPhoto, InputMediaVideo.')\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\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.input_media import InputMediaPhoto
from pytgbot.api_types.sendable.input_media import InputMediaVideo
data = {}
if isinstance(array.get('media'), InputMediaPhoto):
data['media'] = InputMediaPhoto.from_array_list(array.get('media'),
list_level=1)
elif isinstance(array.get('media'), InputMediaVideo):
data['media'] = InputMediaVideo.from_array_list(array.get('media'),
list_level=1)
else:
raise TypeError(
'Unknown type, must be one of InputMediaPhoto, InputMediaVideo.')
if array.get('chat_id') is None:
data['receiver'] = None
elif isinstance(array.get('chat_id'), None):
data['receiver'] = None(array.get('chat_id'))
elif isinstance(array.get('chat_id'), str):
data['receiver'] = u(array.get('chat_id'))
elif isinstance(array.get('chat_id'), int):
data['receiver'] = int(array.get('chat_id'))
else:
raise TypeError('Unknown type, must be one of None, str, int or None.')
if array.get('reply_to_message_id') is None:
data['reply_id'] = None
elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):
data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))
elif isinstance(array.get('reply_to_message_id'), int):
data['reply_id'] = int(array.get('reply_to_message_id'))
else:
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')
data['disable_notification'] = bool(array.get('disable_notification')
) if array.get('disable_notification') is not None else None
return MediaGroupMessage(**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.sendable.input_media import InputMediaPhoto\n from pytgbot.api_types.sendable.input_media import InputMediaVideo\n data = {}\n if isinstance(array.get('media'), InputMediaPhoto):\n data['media'] = InputMediaPhoto.from_array_list(array.get('media'),\n list_level=1)\n elif isinstance(array.get('media'), InputMediaVideo):\n data['media'] = InputMediaVideo.from_array_list(array.get('media'),\n list_level=1)\n else:\n raise TypeError(\n 'Unknown type, must be one of InputMediaPhoto, InputMediaVideo.')\n if array.get('chat_id') is None:\n data['receiver'] = None\n elif isinstance(array.get('chat_id'), None):\n data['receiver'] = None(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), str):\n data['receiver'] = u(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), int):\n data['receiver'] = int(array.get('chat_id'))\n else:\n raise TypeError('Unknown type, must be one of None, str, int or None.')\n if array.get('reply_to_message_id') is None:\n data['reply_id'] = None\n elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):\n data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))\n elif isinstance(array.get('reply_to_message_id'), int):\n data['reply_id'] = int(array.get('reply_to_message_id'))\n else:\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')\n data['disable_notification'] = bool(array.get('disable_notification')\n ) if array.get('disable_notification') is not None else None\n return MediaGroupMessage(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_location(latitude=self.latitude, longitude=self.
longitude, chat_id=self.receiver, reply_to_message_id=self.reply_id,
live_period=self.live_period, disable_notification=self.
disable_notification, reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_location(latitude=self.latitude, longitude=self.\n longitude, chat_id=self.receiver, reply_to_message_id=self.reply_id,\n live_period=self.live_period, disable_notification=self.\n disable_notification, reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(LocationMessage, self).to_array()
array['latitude'] = float(self.latitude)
array['longitude'] = float(self.longitude)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.live_period is not None:
array['live_period'] = int(self.live_period)
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(LocationMessage, self).to_array()\n array['latitude'] = float(self.latitude)\n array['longitude'] = float(self.longitude)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.live_period is not None:\n array['live_period'] = int(self.live_period)\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_venue(latitude=self.latitude, longitude=self.
longitude, title=self.title, address=self.address, chat_id=self.
receiver, reply_to_message_id=self.reply_id, foursquare_id=self.
foursquare_id, foursquare_type=self.foursquare_type,
disable_notification=self.disable_notification, reply_markup=self.
reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_venue(latitude=self.latitude, longitude=self.\n longitude, title=self.title, address=self.address, chat_id=self.\n receiver, reply_to_message_id=self.reply_id, foursquare_id=self.\n foursquare_id, foursquare_type=self.foursquare_type,\n disable_notification=self.disable_notification, reply_markup=self.\n reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(VenueMessage, self).to_array()
array['latitude'] = float(self.latitude)
array['longitude'] = float(self.longitude)
array['title'] = u(self.title)
array['address'] = u(self.address)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.foursquare_id is not None:
array['foursquare_id'] = u(self.foursquare_id)
if self.foursquare_type is not None:
array['foursquare_type'] = u(self.foursquare_type)
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(VenueMessage, self).to_array()\n array['latitude'] = float(self.latitude)\n array['longitude'] = float(self.longitude)\n array['title'] = u(self.title)\n array['address'] = u(self.address)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.foursquare_id is not None:\n array['foursquare_id'] = u(self.foursquare_id)\n if self.foursquare_type is not None:\n array['foursquare_type'] = u(self.foursquare_type)\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_contact(phone_number=self.phone_number, first_name=
self.first_name, chat_id=self.receiver, reply_to_message_id=self.
reply_id, last_name=self.last_name, vcard=self.vcard,
disable_notification=self.disable_notification, reply_markup=self.
reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_contact(phone_number=self.phone_number, first_name=\n self.first_name, chat_id=self.receiver, reply_to_message_id=self.\n reply_id, last_name=self.last_name, vcard=self.vcard,\n disable_notification=self.disable_notification, reply_markup=self.\n reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(ContactMessage, self).to_array()
array['phone_number'] = u(self.phone_number)
array['first_name'] = u(self.first_name)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.last_name is not None:
array['last_name'] = u(self.last_name)
if self.vcard is not None:
array['vcard'] = u(self.vcard)
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(ContactMessage, self).to_array()\n array['phone_number'] = u(self.phone_number)\n array['first_name'] = u(self.first_name)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.last_name is not None:\n array['last_name'] = u(self.last_name)\n if self.vcard is not None:\n array['vcard'] = u(self.vcard)\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\n return array\n",
"role": "user"
},
{
"content": "to_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_chat_action(action=self.action, chat_id=self.receiver)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_chat_action(action=self.action, chat_id=self.receiver)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(ChatActionMessage, self).to_array()
array['action'] = u(self.action)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
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(ChatActionMessage, self).to_array()\n array['action'] = u(self.action)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\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['action'] = u(array.get('action'))
if array.get('chat_id') is None:
data['receiver'] = None
elif isinstance(array.get('chat_id'), None):
data['receiver'] = None(array.get('chat_id'))
elif isinstance(array.get('chat_id'), str):
data['receiver'] = u(array.get('chat_id'))
elif isinstance(array.get('chat_id'), int):
data['receiver'] = int(array.get('chat_id'))
else:
raise TypeError('Unknown type, must be one of None, str, int or None.')
return ChatActionMessage(**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['action'] = u(array.get('action'))\n if array.get('chat_id') is None:\n data['receiver'] = None\n elif isinstance(array.get('chat_id'), None):\n data['receiver'] = None(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), str):\n data['receiver'] = u(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), int):\n data['receiver'] = int(array.get('chat_id'))\n else:\n raise TypeError('Unknown type, must be one of None, str, int or None.')\n return ChatActionMessage(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_sticker(sticker=self.sticker, chat_id=self.receiver,
reply_to_message_id=self.reply_id, disable_notification=self.
disable_notification, reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_sticker(sticker=self.sticker, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, disable_notification=self.\n disable_notification, reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(StickerMessage, self).to_array()
if isinstance(self.sticker, InputFile):
array['sticker'] = self.sticker.to_array()
elif isinstance(self.sticker, str):
array['sticker'] = u(self.sticker)
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
if self.reply_markup is not None:
if isinstance(self.reply_markup, InlineKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardMarkup):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ReplyKeyboardRemove):
array['reply_markup'] = self.reply_markup.to_array()
elif isinstance(self.reply_markup, ForceReply):
array['reply_markup'] = self.reply_markup.to_array()
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'
)
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(StickerMessage, self).to_array()\n if isinstance(self.sticker, InputFile):\n array['sticker'] = self.sticker.to_array()\n elif isinstance(self.sticker, str):\n array['sticker'] = u(self.sticker)\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\n if self.reply_markup is not None:\n if isinstance(self.reply_markup, InlineKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardMarkup):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ReplyKeyboardRemove):\n array['reply_markup'] = self.reply_markup.to_array()\n elif isinstance(self.reply_markup, ForceReply):\n array['reply_markup'] = self.reply_markup.to_array()\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply.'\n )\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.files import InputFile
from pytgbot.api_types.sendable.reply_markup import ForceReply
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup
from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove
data = {}
if isinstance(array.get('sticker'), InputFile):
data['sticker'] = InputFile.from_array(array.get('sticker'))
elif isinstance(array.get('sticker'), str):
data['sticker'] = u(array.get('sticker'))
else:
raise TypeError('Unknown type, must be one of InputFile, str.')
if array.get('chat_id') is None:
data['receiver'] = None
elif isinstance(array.get('chat_id'), None):
data['receiver'] = None(array.get('chat_id'))
elif isinstance(array.get('chat_id'), str):
data['receiver'] = u(array.get('chat_id'))
elif isinstance(array.get('chat_id'), int):
data['receiver'] = int(array.get('chat_id'))
else:
raise TypeError('Unknown type, must be one of None, str, int or None.')
if array.get('reply_to_message_id') is None:
data['reply_id'] = None
elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):
data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))
elif isinstance(array.get('reply_to_message_id'), int):
data['reply_id'] = int(array.get('reply_to_message_id'))
else:
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')
data['disable_notification'] = bool(array.get('disable_notification')
) if array.get('disable_notification') is not None else None
if array.get('reply_markup') is None:
data['reply_markup'] = None
elif isinstance(array.get('reply_markup'), InlineKeyboardMarkup):
data['reply_markup'] = InlineKeyboardMarkup.from_array(array.get(
'reply_markup'))
elif isinstance(array.get('reply_markup'), ReplyKeyboardMarkup):
data['reply_markup'] = ReplyKeyboardMarkup.from_array(array.get(
'reply_markup'))
elif isinstance(array.get('reply_markup'), ReplyKeyboardRemove):
data['reply_markup'] = ReplyKeyboardRemove.from_array(array.get(
'reply_markup'))
elif isinstance(array.get('reply_markup'), ForceReply):
data['reply_markup'] = ForceReply.from_array(array.get('reply_markup'))
else:
raise TypeError(
'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply or None.'
)
return StickerMessage(**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.sendable.files import InputFile\n from pytgbot.api_types.sendable.reply_markup import ForceReply\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardMarkup\n from pytgbot.api_types.sendable.reply_markup import ReplyKeyboardRemove\n data = {}\n if isinstance(array.get('sticker'), InputFile):\n data['sticker'] = InputFile.from_array(array.get('sticker'))\n elif isinstance(array.get('sticker'), str):\n data['sticker'] = u(array.get('sticker'))\n else:\n raise TypeError('Unknown type, must be one of InputFile, str.')\n if array.get('chat_id') is None:\n data['receiver'] = None\n elif isinstance(array.get('chat_id'), None):\n data['receiver'] = None(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), str):\n data['receiver'] = u(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), int):\n data['receiver'] = int(array.get('chat_id'))\n else:\n raise TypeError('Unknown type, must be one of None, str, int or None.')\n if array.get('reply_to_message_id') is None:\n data['reply_id'] = None\n elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):\n data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))\n elif isinstance(array.get('reply_to_message_id'), int):\n data['reply_id'] = int(array.get('reply_to_message_id'))\n else:\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')\n data['disable_notification'] = bool(array.get('disable_notification')\n ) if array.get('disable_notification') is not None else None\n if array.get('reply_markup') is None:\n data['reply_markup'] = None\n elif isinstance(array.get('reply_markup'), InlineKeyboardMarkup):\n data['reply_markup'] = InlineKeyboardMarkup.from_array(array.get(\n 'reply_markup'))\n elif isinstance(array.get('reply_markup'), ReplyKeyboardMarkup):\n data['reply_markup'] = ReplyKeyboardMarkup.from_array(array.get(\n 'reply_markup'))\n elif isinstance(array.get('reply_markup'), ReplyKeyboardRemove):\n data['reply_markup'] = ReplyKeyboardRemove.from_array(array.get(\n 'reply_markup'))\n elif isinstance(array.get('reply_markup'), ForceReply):\n data['reply_markup'] = ForceReply.from_array(array.get('reply_markup'))\n else:\n raise TypeError(\n 'Unknown type, must be one of InlineKeyboardMarkup, ReplyKeyboardMarkup, ReplyKeyboardRemove, ForceReply or None.'\n )\n return StickerMessage(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_invoice(title=self.title, description=self.
description, payload=self.payload, provider_token=self.
provider_token, start_parameter=self.start_parameter, currency=self
.currency, prices=self.prices, chat_id=self.receiver,
reply_to_message_id=self.reply_id, provider_data=self.provider_data,
photo_url=self.photo_url, photo_size=self.photo_size, photo_width=
self.photo_width, photo_height=self.photo_height, need_name=self.
need_name, need_phone_number=self.need_phone_number, need_email=
self.need_email, need_shipping_address=self.need_shipping_address,
send_phone_number_to_provider=self.send_phone_number_to_provider,
send_email_to_provider=self.send_email_to_provider, is_flexible=
self.is_flexible, disable_notification=self.disable_notification,
reply_markup=self.reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_invoice(title=self.title, description=self.\n description, payload=self.payload, provider_token=self.\n provider_token, start_parameter=self.start_parameter, currency=self\n .currency, prices=self.prices, chat_id=self.receiver,\n reply_to_message_id=self.reply_id, provider_data=self.provider_data,\n photo_url=self.photo_url, photo_size=self.photo_size, photo_width=\n self.photo_width, photo_height=self.photo_height, need_name=self.\n need_name, need_phone_number=self.need_phone_number, need_email=\n self.need_email, need_shipping_address=self.need_shipping_address,\n send_phone_number_to_provider=self.send_phone_number_to_provider,\n send_email_to_provider=self.send_email_to_provider, is_flexible=\n self.is_flexible, disable_notification=self.disable_notification,\n reply_markup=self.reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(InvoiceMessage, self).to_array()
array['title'] = u(self.title)
array['description'] = u(self.description)
array['payload'] = u(self.payload)
array['provider_token'] = u(self.provider_token)
array['start_parameter'] = u(self.start_parameter)
array['currency'] = u(self.currency)
array['prices'] = self._as_array(self.prices)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.provider_data is not None:
array['provider_data'] = u(self.provider_data)
if self.photo_url is not None:
array['photo_url'] = u(self.photo_url)
if self.photo_size is not None:
array['photo_size'] = int(self.photo_size)
if self.photo_width is not None:
array['photo_width'] = int(self.photo_width)
if self.photo_height is not None:
array['photo_height'] = int(self.photo_height)
if self.need_name is not None:
array['need_name'] = bool(self.need_name)
if self.need_phone_number is not None:
array['need_phone_number'] = bool(self.need_phone_number)
if self.need_email is not None:
array['need_email'] = bool(self.need_email)
if self.need_shipping_address is not None:
array['need_shipping_address'] = bool(self.need_shipping_address)
if self.send_phone_number_to_provider is not None:
array['send_phone_number_to_provider'] = bool(self.
send_phone_number_to_provider)
if self.send_email_to_provider is not None:
array['send_email_to_provider'] = bool(self.send_email_to_provider)
if self.is_flexible is not None:
array['is_flexible'] = bool(self.is_flexible)
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
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(InvoiceMessage, self).to_array()\n array['title'] = u(self.title)\n array['description'] = u(self.description)\n array['payload'] = u(self.payload)\n array['provider_token'] = u(self.provider_token)\n array['start_parameter'] = u(self.start_parameter)\n array['currency'] = u(self.currency)\n array['prices'] = self._as_array(self.prices)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.provider_data is not None:\n array['provider_data'] = u(self.provider_data)\n if self.photo_url is not None:\n array['photo_url'] = u(self.photo_url)\n if self.photo_size is not None:\n array['photo_size'] = int(self.photo_size)\n if self.photo_width is not None:\n array['photo_width'] = int(self.photo_width)\n if self.photo_height is not None:\n array['photo_height'] = int(self.photo_height)\n if self.need_name is not None:\n array['need_name'] = bool(self.need_name)\n if self.need_phone_number is not None:\n array['need_phone_number'] = bool(self.need_phone_number)\n if self.need_email is not None:\n array['need_email'] = bool(self.need_email)\n if self.need_shipping_address is not None:\n array['need_shipping_address'] = bool(self.need_shipping_address)\n if self.send_phone_number_to_provider is not None:\n array['send_phone_number_to_provider'] = bool(self.\n send_phone_number_to_provider)\n if self.send_email_to_provider is not None:\n array['send_email_to_provider'] = bool(self.send_email_to_provider)\n if self.is_flexible is not None:\n array['is_flexible'] = bool(self.is_flexible)\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\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(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
from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup
data = {}
data['title'] = u(array.get('title'))
data['description'] = u(array.get('description'))
data['payload'] = u(array.get('payload'))
data['provider_token'] = u(array.get('provider_token'))
data['start_parameter'] = u(array.get('start_parameter'))
data['currency'] = u(array.get('currency'))
data['prices'] = LabeledPrice.from_array_list(array.get('prices'),
list_level=1)
if array.get('chat_id') is None:
data['receiver'] = None
elif isinstance(array.get('chat_id'), None):
data['receiver'] = None(array.get('chat_id'))
elif isinstance(array.get('chat_id'), str):
data['receiver'] = u(array.get('chat_id'))
elif isinstance(array.get('chat_id'), int):
data['receiver'] = int(array.get('chat_id'))
else:
raise TypeError('Unknown type, must be one of None, str, int or None.')
if array.get('reply_to_message_id') is None:
data['reply_id'] = None
elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):
data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))
elif isinstance(array.get('reply_to_message_id'), int):
data['reply_id'] = int(array.get('reply_to_message_id'))
else:
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')
data['provider_data'] = u(array.get('provider_data')) if array.get(
'provider_data') is not None else None
data['photo_url'] = u(array.get('photo_url')) if array.get('photo_url'
) is not None else None
data['photo_size'] = int(array.get('photo_size')) if array.get('photo_size'
) is not None else None
data['photo_width'] = int(array.get('photo_width')) if array.get(
'photo_width') is not None else None
data['photo_height'] = int(array.get('photo_height')) if array.get(
'photo_height') is not None else None
data['need_name'] = bool(array.get('need_name')) if array.get('need_name'
) is not None else None
data['need_phone_number'] = bool(array.get('need_phone_number')
) if array.get('need_phone_number') is not None else None
data['need_email'] = bool(array.get('need_email')) if array.get(
'need_email') is not None else None
data['need_shipping_address'] = bool(array.get('need_shipping_address')
) if array.get('need_shipping_address') is not None else None
data['send_phone_number_to_provider'] = bool(array.get(
'send_phone_number_to_provider')) if array.get(
'send_phone_number_to_provider') is not None else None
data['send_email_to_provider'] = bool(array.get('send_email_to_provider')
) if array.get('send_email_to_provider') is not None else None
data['is_flexible'] = bool(array.get('is_flexible')) if array.get(
'is_flexible') is not None else None
data['disable_notification'] = bool(array.get('disable_notification')
) if array.get('disable_notification') 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
return InvoiceMessage(**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.sendable.payments import LabeledPrice\n from pytgbot.api_types.sendable.reply_markup import InlineKeyboardMarkup\n data = {}\n data['title'] = u(array.get('title'))\n data['description'] = u(array.get('description'))\n data['payload'] = u(array.get('payload'))\n data['provider_token'] = u(array.get('provider_token'))\n data['start_parameter'] = u(array.get('start_parameter'))\n data['currency'] = u(array.get('currency'))\n data['prices'] = LabeledPrice.from_array_list(array.get('prices'),\n list_level=1)\n if array.get('chat_id') is None:\n data['receiver'] = None\n elif isinstance(array.get('chat_id'), None):\n data['receiver'] = None(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), str):\n data['receiver'] = u(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), int):\n data['receiver'] = int(array.get('chat_id'))\n else:\n raise TypeError('Unknown type, must be one of None, str, int or None.')\n if array.get('reply_to_message_id') is None:\n data['reply_id'] = None\n elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):\n data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))\n elif isinstance(array.get('reply_to_message_id'), int):\n data['reply_id'] = int(array.get('reply_to_message_id'))\n else:\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')\n data['provider_data'] = u(array.get('provider_data')) if array.get(\n 'provider_data') is not None else None\n data['photo_url'] = u(array.get('photo_url')) if array.get('photo_url'\n ) is not None else None\n data['photo_size'] = int(array.get('photo_size')) if array.get('photo_size'\n ) is not None else None\n data['photo_width'] = int(array.get('photo_width')) if array.get(\n 'photo_width') is not None else None\n data['photo_height'] = int(array.get('photo_height')) if array.get(\n 'photo_height') is not None else None\n data['need_name'] = bool(array.get('need_name')) if array.get('need_name'\n ) is not None else None\n data['need_phone_number'] = bool(array.get('need_phone_number')\n ) if array.get('need_phone_number') is not None else None\n data['need_email'] = bool(array.get('need_email')) if array.get(\n 'need_email') is not None else None\n data['need_shipping_address'] = bool(array.get('need_shipping_address')\n ) if array.get('need_shipping_address') is not None else None\n data['send_phone_number_to_provider'] = bool(array.get(\n 'send_phone_number_to_provider')) if array.get(\n 'send_phone_number_to_provider') is not None else None\n data['send_email_to_provider'] = bool(array.get('send_email_to_provider')\n ) if array.get('send_email_to_provider') is not None else None\n data['is_flexible'] = bool(array.get('is_flexible')) if array.get(\n 'is_flexible') is not None else None\n data['disable_notification'] = bool(array.get('disable_notification')\n ) if array.get('disable_notification') 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 return InvoiceMessage(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self, sender: PytgbotApiBot):
return sender.send_game(game_short_name=self.game_short_name, chat_id=
self.receiver, reply_to_message_id=self.reply_id,
disable_notification=self.disable_notification, reply_markup=self.
reply_markup)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender: PytgbotApiBot):\n return sender.send_game(game_short_name=self.game_short_name, chat_id=\n self.receiver, reply_to_message_id=self.reply_id,\n disable_notification=self.disable_notification, reply_markup=self.\n reply_markup)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
array = super(GameMessage, self).to_array()
array['game_short_name'] = u(self.game_short_name)
if self.receiver is not None:
if isinstance(self.receiver, None):
array['chat_id'] = None(self.receiver)
array['chat_id'] = u(self.receiver)
elif isinstance(self.receiver, int):
array['chat_id'] = int(self.receiver)
raise TypeError('Unknown type, must be one of None, str, int.')
if self.reply_id is not None:
if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):
array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)
array['reply_to_message_id'] = int(self.reply_id)
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')
if self.disable_notification is not None:
array['disable_notification'] = bool(self.disable_notification)
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(GameMessage, self).to_array()\n array['game_short_name'] = u(self.game_short_name)\n if self.receiver is not None:\n if isinstance(self.receiver, None):\n array['chat_id'] = None(self.receiver)\n array['chat_id'] = u(self.receiver)\n elif isinstance(self.receiver, int):\n array['chat_id'] = int(self.receiver)\n raise TypeError('Unknown type, must be one of None, str, int.')\n if self.reply_id is not None:\n if isinstance(self.reply_id, DEFAULT_MESSAGE_ID):\n array['reply_to_message_id'] = DEFAULT_MESSAGE_ID(self.reply_id)\n array['reply_to_message_id'] = int(self.reply_id)\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int.')\n if self.disable_notification is not None:\n array['disable_notification'] = bool(self.disable_notification)\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(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['game_short_name'] = u(array.get('game_short_name'))
if array.get('chat_id') is None:
data['receiver'] = None
elif isinstance(array.get('chat_id'), None):
data['receiver'] = None(array.get('chat_id'))
elif isinstance(array.get('chat_id'), str):
data['receiver'] = u(array.get('chat_id'))
elif isinstance(array.get('chat_id'), int):
data['receiver'] = int(array.get('chat_id'))
else:
raise TypeError('Unknown type, must be one of None, str, int or None.')
if array.get('reply_to_message_id') is None:
data['reply_id'] = None
elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):
data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))
elif isinstance(array.get('reply_to_message_id'), int):
data['reply_id'] = int(array.get('reply_to_message_id'))
else:
raise TypeError(
'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')
data['disable_notification'] = bool(array.get('disable_notification')
) if array.get('disable_notification') 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
return GameMessage(**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.sendable.reply_markup import InlineKeyboardMarkup\n data = {}\n data['game_short_name'] = u(array.get('game_short_name'))\n if array.get('chat_id') is None:\n data['receiver'] = None\n elif isinstance(array.get('chat_id'), None):\n data['receiver'] = None(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), str):\n data['receiver'] = u(array.get('chat_id'))\n elif isinstance(array.get('chat_id'), int):\n data['receiver'] = int(array.get('chat_id'))\n else:\n raise TypeError('Unknown type, must be one of None, str, int or None.')\n if array.get('reply_to_message_id') is None:\n data['reply_id'] = None\n elif isinstance(array.get('reply_to_message_id'), DEFAULT_MESSAGE_ID):\n data['reply_id'] = DEFAULT_MESSAGE_ID(array.get('reply_to_message_id'))\n elif isinstance(array.get('reply_to_message_id'), int):\n data['reply_id'] = int(array.get('reply_to_message_id'))\n else:\n raise TypeError(\n 'Unknown type, must be one of DEFAULT_MESSAGE_ID, int or None.')\n data['disable_notification'] = bool(array.get('disable_notification')\n ) if array.get('disable_notification') 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 return GameMessage(**data)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(xmrs, iv=None, label=None, pred=None):
def x(nid):
ep = xmrs.ep(nid)
return (iv is None or ep.iv == iv) and (pred is None or ep.pred == pred
) and (label is None or ep.label == label)
return list(filter(datamatch, xmrs.nodeids()))
|
select_nodeids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, iv=None, label=None, pred=None):\n\n def x(nid):\n ep = xmrs.ep(nid)\n return (iv is None or ep.iv == iv) and (pred is None or ep.pred == pred\n ) and (label is None or ep.label == label)\n return list(filter(datamatch, xmrs.nodeids()))\n",
"role": "user"
},
{
"content": "select_nodeids",
"role": "assistant"
}
] |
def x(xmrs, nodeid=None, pred=None):
nodematch = lambda n: (nodeid is None or n.nodeid == nodeid) and (pred is
None or n.pred == pred)
return list(filter(nodematch, nodes(xmrs)))
|
select_nodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, nodeid=None, pred=None):\n nodematch = lambda n: (nodeid is None or n.nodeid == nodeid) and (pred is\n None or n.pred == pred)\n return list(filter(nodematch, nodes(xmrs)))\n",
"role": "user"
},
{
"content": "select_nodes",
"role": "assistant"
}
] |
def x(xmrs, nodeid=None, iv=None, label=None, pred=None):
epmatch = lambda n: (nodeid is None or n.nodeid == nodeid) and (iv is
None or n.iv == iv) and (label is None or n.label == label) and (
pred is None or n.pred == pred)
return list(filter(epmatch, xmrs.eps()))
|
select_eps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, nodeid=None, iv=None, label=None, pred=None):\n epmatch = lambda n: (nodeid is None or n.nodeid == nodeid) and (iv is\n None or n.iv == iv) and (label is None or n.label == label) and (\n pred is None or n.pred == pred)\n return list(filter(epmatch, xmrs.eps()))\n",
"role": "user"
},
{
"content": "select_eps",
"role": "assistant"
}
] |
def x(xmrs, nodeid=None, rargname=None, value=None):
argmatch = lambda a: (nodeid is None or a[0] == nodeid) and (rargname is
None or a[1].upper() == rargname.upper()) and (value is None or a[2
] == value)
all_args = ((nid, role, val) for nid in xmrs.nodeids() for role, val in
sorted(xmrs.args(nid).items(), key=lambda i: rargname_sortkey(i[0])))
return list(filter(argmatch, all_args))
|
select_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, nodeid=None, rargname=None, value=None):\n argmatch = lambda a: (nodeid is None or a[0] == nodeid) and (rargname is\n None or a[1].upper() == rargname.upper()) and (value is None or a[2\n ] == value)\n all_args = ((nid, role, val) for nid in xmrs.nodeids() for role, val in\n sorted(xmrs.args(nid).items(), key=lambda i: rargname_sortkey(i[0])))\n return list(filter(argmatch, all_args))\n",
"role": "user"
},
{
"content": "select_args",
"role": "assistant"
}
] |
def x(xmrs, start=None, end=None, rargname=None, post=None):
linkmatch = lambda l: (start is None or l.start == start) and (end is
None or l.end == end) and (rargname is None or l.rargname == rargname
) and (post is None or l.post == post)
return list(filter(linkmatch, links(xmrs)))
|
select_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, start=None, end=None, rargname=None, post=None):\n linkmatch = lambda l: (start is None or l.start == start) and (end is\n None or l.end == end) and (rargname is None or l.rargname == rargname\n ) and (post is None or l.post == post)\n return list(filter(linkmatch, links(xmrs)))\n",
"role": "user"
},
{
"content": "select_links",
"role": "assistant"
}
] |
def x(xmrs, hi=None, relation=None, lo=None):
hcmatch = lambda hc: (hi is None or hc.hi == hi) and (relation is None or
hc.relation == relation) and (lo is None or hc.lo == lo)
return list(filter(hcmatch, xmrs.hcons()))
|
select_hcons
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, hi=None, relation=None, lo=None):\n hcmatch = lambda hc: (hi is None or hc.hi == hi) and (relation is None or\n hc.relation == relation) and (lo is None or hc.lo == lo)\n return list(filter(hcmatch, xmrs.hcons()))\n",
"role": "user"
},
{
"content": "select_hcons",
"role": "assistant"
}
] |
def x(xmrs, left=None, relation=None, right=None):
icmatch = lambda ic: (left is None or ic.left == left) and (relation is
None or ic.relation == relation) and (right is None or ic.right ==
right)
return list(filter(icmatch, xmrs.icons()))
|
select_icons
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, left=None, relation=None, right=None):\n icmatch = lambda ic: (left is None or ic.left == left) and (relation is\n None or ic.relation == relation) and (right is None or ic.right ==\n right)\n return list(filter(icmatch, xmrs.icons()))\n",
"role": "user"
},
{
"content": "select_icons",
"role": "assistant"
}
] |
def x(xmrs, nodeid, rargname):
tgt = xmrs.args(nodeid)[rargname]
if tgt in xmrs.variables():
try:
return xmrs.nodeid(tgt)
except KeyError:
pass
try:
tgt = xmrs.hcon(tgt).lo
return next(iter(xmrs.labelset_heads(tgt)), None)
except KeyError:
pass
try:
return next(iter(xmrs.labelset_heads(tgt)))
except (KeyError, StopIteration):
pass
return tgt
|
find_argument_target
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, nodeid, rargname):\n tgt = xmrs.args(nodeid)[rargname]\n if tgt in xmrs.variables():\n try:\n return xmrs.nodeid(tgt)\n except KeyError:\n pass\n try:\n tgt = xmrs.hcon(tgt).lo\n return next(iter(xmrs.labelset_heads(tgt)), None)\n except KeyError:\n pass\n try:\n return next(iter(xmrs.labelset_heads(tgt)))\n except (KeyError, StopIteration):\n pass\n return tgt\n",
"role": "user"
},
{
"content": "find_argument_target",
"role": "assistant"
}
] |
def x(xmrs, preds, connected=None):
preds = list(preds)
count = len(preds)
nidsets = set(tuple(sorted(ns)) for ns in filter(lambda ns: len(set(ns)
) == count, product(*[select_nodeids(xmrs, pred=p) for p in preds])))
for nidset in nidsets:
sg = xmrs.subgraph(nidset)
if connected is None or sg.is_connected() == connected:
yield sg
|
find_subgraphs_by_preds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, preds, connected=None):\n preds = list(preds)\n count = len(preds)\n nidsets = set(tuple(sorted(ns)) for ns in filter(lambda ns: len(set(ns)\n ) == count, product(*[select_nodeids(xmrs, pred=p) for p in preds])))\n for nidset in nidsets:\n sg = xmrs.subgraph(nidset)\n if connected is None or sg.is_connected() == connected:\n yield sg\n",
"role": "user"
},
{
"content": "find_subgraphs_by_preds",
"role": "assistant"
}
] |
def x(xmrs):
ivs = set(ep.intrinsic_variable for ep in xmrs.eps() if not ep.
is_quantifier() and ep.intrinsic_variable is not None)
return sorted(ivs, key=var_id)
|
intrinsic_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs):\n ivs = set(ep.intrinsic_variable for ep in xmrs.eps() if not ep.\n is_quantifier() and ep.intrinsic_variable is not None)\n return sorted(ivs, key=var_id)\n",
"role": "user"
},
{
"content": "intrinsic_variables",
"role": "assistant"
}
] |
def x(xmrs):
bvs = set(ep.intrinsic_variable for ep in xmrs.eps() if ep.
is_quantifier() and ep.intrinsic_variable is not None)
return sorted(bvs, key=var_id)
|
bound_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs):\n bvs = set(ep.intrinsic_variable for ep in xmrs.eps() if ep.\n is_quantifier() and ep.intrinsic_variable is not None)\n return sorted(bvs, key=var_id)\n",
"role": "user"
},
{
"content": "bound_variables",
"role": "assistant"
}
] |
def x(xmrs, nodeids, label=None):
nodeids = set(nodeids)
if label is None:
label = xmrs.ep(next(iter(nodeids))).label
return nodeids.issubset(xmrs._vars[label]['refs']['LBL'])
|
in_labelset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmrs, nodeids, label=None):\n nodeids = set(nodeids)\n if label is None:\n label = xmrs.ep(next(iter(nodeids))).label\n return nodeids.issubset(xmrs._vars[label]['refs']['LBL'])\n",
"role": "user"
},
{
"content": "in_labelset",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.