source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(file_path): if not os.path.isfile(file_path): color_print('file path invalid, exit.', 'RED') sys.exit(1) file_suffix = os.path.splitext(file_path)[1] if file_suffix == '.py': locustfile_path = file_path elif file_suffix in ['.yaml', '.yml', '.json']: locustfile_path = gen_locustfile(file_path) else: color_print('file type should be YAML/JSON/Python, exit.', 'RED') sys.exit(1) return locustfile_path
parse_locustfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path):\n if not os.path.isfile(file_path):\n color_print('file path invalid, exit.', 'RED')\n sys.exit(1)\n file_suffix = os.path.spli...
def x(testcase_file_path): locustfile_path = 'locustfile.py' template_path = os.path.join(os.path.dirname(os.path.realpath(__file__) ), 'templates', 'locustfile_template') with io.open(template_path, encoding='utf-8') as template: with io.open(locustfile_path, 'w', encoding='utf-8') as locustfile: template_content = template.read() template_content = template_content.replace('$TESTCASE_FILE', testcase_file_path) locustfile.write(template_content) return locustfile_path
gen_locustfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(testcase_file_path):\n locustfile_path = 'locustfile.py'\n template_path = os.path.join(os.path.dirname(os.path.realpath(__file__)\n ), 'templates...
def x(self, variables_mapping): variables_mapping = utils.ensure_mapping_format(variables_mapping) self.session_variables_mapping.update(variables_mapping) self.test_variables_mapping.update(self.session_variables_mapping)
update_session_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variables_mapping):\n variables_mapping = utils.ensure_mapping_format(variables_mapping)\n self.session_variables_mapping.update(variables_mapping)...
def x(self, check_item, resp_obj): if isinstance(check_item, (dict, list)) or isinstance(check_item, parser.LazyString): check_value = self.eval_content(check_item) else: check_value = resp_obj.extract_field(check_item) return check_value
eval_validator_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, check_item, resp_obj):\n if isinstance(check_item, (dict, list)) or isinstance(check_item,\n parser.LazyString):\n check_value = self.ev...
def x(self, validators, resp_obj): self.validation_results = [] if not validators: return logger.log_debug('start to validate.') validate_pass = True failures = [] for validator in validators: if not isinstance(validator, parser.LazyFunction): raise exceptions.ValidationFailure( 'validator should be parsed first: {}'.format(validators)) validator_args = validator.get_args() check_item, expect_item = validator_args check_value = self.__eval_validator_check(check_item, resp_obj) expect_value = self.__eval_validator_expect(expect_item) validator.update_args([check_value, expect_value]) comparator = validator.func_name validator_dict = {'comparator': comparator, 'check': check_item, 'check_value': check_value, 'expect': expect_item, 'expect_value': expect_value} validate_msg = '\nvalidate: {} {} {}({})'.format(check_item, comparator, expect_value, type(expect_value).__name__) try: validator.to_value(self.test_variables_mapping) validator_dict['check_result'] = 'pass' validate_msg += '\t==> pass' logger.log_debug(validate_msg) except (AssertionError, TypeError): validate_pass = False validator_dict['check_result'] = 'fail' validate_msg += '\t==> fail' validate_msg += '\n{}({}) {} {}({})'.format(check_value, type( check_value).__name__, comparator, expect_value, type( expect_value).__name__) logger.log_error(validate_msg) failures.append(validate_msg) self.validation_results.append(validator_dict) validator.update_args(validator_args) if not validate_pass: failures_string = '\n'.join([failure for failure in failures]) raise exceptions.ValidationFailure(failures_string)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, validators, resp_obj):\n self.validation_results = []\n if not validators:\n return\n logger.log_debug('start to validate.')\n validat...
def x(result): summary = {'success': result.wasSuccessful(), 'stat': {'total': result. testsRun, 'failures': len(result.failures), 'errors': len(result. errors), 'skipped': len(result.skipped), 'expectedFailures': len( result.expectedFailures), 'unexpectedSuccesses': len(result. unexpectedSuccesses)}} summary['stat']['successes'] = summary['stat']['total'] - summary['stat'][ 'failures'] - summary['stat']['errors'] - summary['stat']['skipped' ] - summary['stat']['expectedFailures'] - summary['stat'][ 'unexpectedSuccesses'] summary['time'] = {'start_at': result.start_at, 'duration': result.duration } summary['records'] = result.records return summary
get_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(result):\n summary = {'success': result.wasSuccessful(), 'stat': {'total': result.\n testsRun, 'failures': len(result.failures), 'errors': len(result...
def x(origin_stat, new_stat): for key in new_stat: if key not in origin_stat: origin_stat[key] = new_stat[key] elif key == 'start_at': origin_stat[key] = min(origin_stat[key], new_stat[key]) else: origin_stat[key] += new_stat[key]
aggregate_stat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(origin_stat, new_stat):\n for key in new_stat:\n if key not in origin_stat:\n origin_stat[key] = new_stat[key]\n elif key == 'start...
def x(summary): for index, suite_summary in enumerate(summary['details']): if not suite_summary.get('name'): suite_summary['name'] = 'testcase {}'.format(index) for record in suite_summary.get('records'): meta_datas = record['meta_datas'] __stringify_meta_datas(meta_datas) meta_datas_expanded = [] __expand_meta_datas(meta_datas, meta_datas_expanded) record['meta_datas_expanded'] = meta_datas_expanded record['response_time'] = __get_total_response_time( meta_datas_expanded)
stringify_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(summary):\n for index, suite_summary in enumerate(summary['details']):\n if not suite_summary.get('name'):\n suite_summary['name'] = 'test...
def x(request_data): for key, value in request_data.items(): if isinstance(value, list): value = json.dumps(value, indent=2, ensure_ascii=False) elif isinstance(value, bytes): try: encoding = 'utf-8' value = escape(value.decode(encoding)) except UnicodeDecodeError: pass elif not isinstance(value, (basestring, numeric_types, Iterable)): value = repr(value) elif isinstance(value, requests.cookies.RequestsCookieJar): value = value.get_dict() request_data[key] = value
stringify_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request_data):\n for key, value in request_data.items():\n if isinstance(value, list):\n value = json.dumps(value, indent=2, ensure_ascii=...
def x(response_data): for key, value in response_data.items(): if isinstance(value, list): value = json.dumps(value, indent=2, ensure_ascii=False) elif isinstance(value, bytes): try: encoding = response_data.get('encoding') if not encoding or encoding == 'None': encoding = 'utf-8' if key == 'content' and 'image' in response_data['content_type' ]: value = 'data:{};base64,{}'.format(response_data[ 'content_type'], b64encode(value).decode(encoding)) else: value = escape(value.decode(encoding)) except UnicodeDecodeError: pass elif not isinstance(value, (basestring, numeric_types, Iterable)): value = repr(value) elif isinstance(value, requests.cookies.RequestsCookieJar): value = value.get_dict() response_data[key] = value
stringify_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response_data):\n for key, value in response_data.items():\n if isinstance(value, list):\n value = json.dumps(value, indent=2, ensure_asci...
def x(meta_datas, meta_datas_expanded): if isinstance(meta_datas, dict): meta_datas_expanded.append(meta_datas) elif isinstance(meta_datas, list): for meta_data in meta_datas: __expand_meta_datas(meta_data, meta_datas_expanded)
expand_meta_datas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(meta_datas, meta_datas_expanded):\n if isinstance(meta_datas, dict):\n meta_datas_expanded.append(meta_datas)\n elif isinstance(meta_datas, list):...
def x(meta_datas_expanded): try: response_time = 0 for meta_data in meta_datas_expanded: response_time += meta_data['stat']['response_time_ms'] return '{:.2f}'.format(response_time) except TypeError: return 'N/A'
get_total_response_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(meta_datas_expanded):\n try:\n response_time = 0\n for meta_data in meta_datas_expanded:\n response_time += meta_data['stat']['resp...
def x(summary, report_template=None, report_dir=None): if not report_template: report_template = os.path.join(os.path.abspath(os.path.dirname( __file__)), 'templates', 'report_template.html') logger.log_debug('No html report template specified, use default.') else: logger.log_info('render with html report template: {}'.format( report_template)) logger.log_info('Start to render Html report ...') report_dir = report_dir or os.path.join(os.getcwd(), 'reports') if not os.path.isdir(report_dir): os.makedirs(report_dir) start_at_timestamp = int(summary['time']['start_at']) summary['time']['start_datetime'] = datetime.fromtimestamp( start_at_timestamp).strftime('%Y-%m-%d %H:%M:%S') report_path = os.path.join(report_dir, '{}.html'.format(start_at_timestamp) ) with io.open(report_template, 'r', encoding='utf-8') as fp_r: template_content = fp_r.read() with io.open(report_path, 'w', encoding='utf-8') as fp_w: rendered_content = Template(template_content, extensions=[ 'jinja2.ext.loopcontrols']).render(summary) fp_w.write(rendered_content) logger.log_info('Generated Html report: {}'.format(report_path)) return report_path
render_html_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(summary, report_template=None, report_dir=None):\n if not report_template:\n report_template = os.path.join(os.path.abspath(os.path.dirname(\n ...
def x(self, field): matched = re.search(field, self.text) if not matched: err_msg = u'Failed to extract data with regex! => {}\n'.format(field) err_msg += u'response body: {}\n'.format(self.text) logger.log_error(err_msg) raise exceptions.ExtractFailure(err_msg) return matched.group(1)
extract_field_with_regex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field):\n matched = re.search(field, self.text)\n if not matched:\n err_msg = u'Failed to extract data with regex! => {}\\n'.format(field)\n...
def x(self, field): try: top_query, sub_query = field.split('.', 1) except ValueError: top_query = field sub_query = None if top_query in ['status_code', 'encoding', 'ok', 'reason', 'url']: if sub_query: err_msg = u'Failed to extract: {}\n'.format(field) logger.log_error(err_msg) raise exceptions.ParamsError(err_msg) return getattr(self, top_query) elif top_query == 'cookies': cookies = self.cookies if not sub_query: return cookies try: return cookies[sub_query] except KeyError: err_msg = u'Failed to extract cookie! => {}\n'.format(field) err_msg += u'response cookies: {}\n'.format(cookies) logger.log_error(err_msg) raise exceptions.ExtractFailure(err_msg) elif top_query == 'elapsed': available_attributes = ( u'available attributes: days, seconds, microseconds, total_seconds' ) if not sub_query: err_msg = u"""elapsed is datetime.timedelta instance, attribute should also be specified! """ err_msg += available_attributes logger.log_error(err_msg) raise exceptions.ParamsError(err_msg) elif sub_query in ['days', 'seconds', 'microseconds']: return getattr(self.elapsed, sub_query) elif sub_query == 'total_seconds': return self.elapsed.total_seconds() else: err_msg = '{} is not valid datetime.timedelta attribute.\n'.format( sub_query) err_msg += available_attributes logger.log_error(err_msg) raise exceptions.ParamsError(err_msg) elif top_query == 'headers': headers = self.headers if not sub_query: return headers try: return headers[sub_query] except KeyError: err_msg = u'Failed to extract header! => {}\n'.format(field) err_msg += u'response headers: {}\n'.format(headers) logger.log_error(err_msg) raise exceptions.ExtractFailure(err_msg) elif top_query in ['content', 'text', 'json']: try: body = self.json except exceptions.JSONDecodeError: body = self.text if not sub_query: return body if isinstance(body, (dict, list)): return utils.query_json(body, sub_query) elif sub_query.isdigit(): return utils.query_json(body, sub_query) else: err_msg = ( u'Failed to extract attribute from response body! => {}\n'. format(field)) err_msg += u'response body: {}\n'.format(body) logger.log_error(err_msg) raise exceptions.ExtractFailure(err_msg) elif top_query in self.__dict__: attributes = self.__dict__[top_query] if not sub_query: return attributes if isinstance(attributes, (dict, list)): return utils.query_json(attributes, sub_query) elif sub_query.isdigit(): return utils.query_json(attributes, sub_query) else: err_msg = ( u'Failed to extract cumstom set attribute from teardown hooks! => {}\n' .format(field)) err_msg += u'response set attributes: {}\n'.format(attributes) logger.log_error(err_msg) raise exceptions.TeardownHooksFailure(err_msg) else: err_msg = u'Failed to extract attribute from response! => {}\n'.format( field) err_msg += u"""available response attributes: status_code, cookies, elapsed, headers, content, text, json, encoding, ok, reason, url. """ err_msg += u"""If you want to set attribute in teardown_hooks, take the following example as reference: """ err_msg += u"response.new_attribute = 'new_attribute_value'\n" logger.log_error(err_msg) raise exceptions.ParamsError(err_msg)
extract_field_with_delimiter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field):\n try:\n top_query, sub_query = field.split('.', 1)\n except ValueError:\n top_query = field\n sub_query = None\n i...
def x(self, field): if not isinstance(field, basestring): err_msg = u'Invalid extractor! => {}\n'.format(field) logger.log_error(err_msg) raise exceptions.ParamsError(err_msg) msg = 'extract: {}'.format(field) if text_extractor_regexp_compile.match(field): value = self._extract_field_with_regex(field) else: value = self._extract_field_with_delimiter(field) if is_py2 and isinstance(value, unicode): value = value.encode('utf-8') msg += '\t=> {}'.format(value) logger.log_debug(msg) return value
extract_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field):\n if not isinstance(field, basestring):\n err_msg = u'Invalid extractor! => {}\\n'.format(field)\n logger.log_error(err_msg)\n ...
def x(self, extractors): if not extractors: return {} logger.log_debug('start to extract from response object.') extracted_variables_mapping = OrderedDict() extract_binds_order_dict = utils.ensure_mapping_format(extractors) for key, field in extract_binds_order_dict.items(): extracted_variables_mapping[key] = self.extract_field(field) return extracted_variables_mapping
extract_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, extractors):\n if not extractors:\n return {}\n logger.log_debug('start to extract from response object.')\n extracted_variables_mapping ...
def x(self, chat_id: Union[int, str], message_id: int, callback_data: bytes): return self.send(functions.messages.GetBotCallbackAnswer(peer=self. resolve_peer(chat_id), msg_id=message_id, data=callback_data), retries=0, timeout=10)
request_callback_answer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_id: int, callback_data: bytes):\n return self.send(functions.messages.GetBotCallbackAnswer(peer=self.\n resol...
def x(self, chat_id: Union[int, str], user_id: Union[int, str], can_change_info: bool=True, can_post_messages: bool=False, can_edit_messages: bool=False, can_delete_messages: bool=True, can_restrict_members: bool=True, can_invite_users: bool=True, can_pin_messages: bool=False, can_promote_members: bool=False) ->bool: self.send(functions.channels.EditAdmin(channel=self.resolve_peer( chat_id), user_id=self.resolve_peer(user_id), admin_rights=types. ChatAdminRights(change_info=can_change_info or None, post_messages= can_post_messages or None, edit_messages=can_edit_messages or None, delete_messages=can_delete_messages or None, ban_users= can_restrict_members or None, invite_users=can_invite_users or None, pin_messages=can_pin_messages or None, add_admins= can_promote_members or None))) return True
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: Union[int, str], user_id: Union[int, str],\n can_change_info: bool=True, can_post_messages: bool=False,\n can_edit_messages: bool=False, c...
def x(self, photo: str) ->bool: return bool(self.send(functions.photos.UploadProfilePhoto(file=self. save_file(photo))))
set_user_profile_photo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photo: str) ->bool:\n return bool(self.send(functions.photos.UploadProfilePhoto(file=self.\n save_file(photo))))\n", "role": "user" }, ...
def x(self, chat_id: Union[int, str], limit: int=0, offset: int=0, offset_id: int=0, offset_date: int=0, reverse: bool=False) ->Generator[ 'pyrogram.Message', None, None]: offset_id = offset_id or (1 if reverse else 0) current = 0 total = limit or (1 << 31) - 1 limit = min(100, total) while True: messages = self.get_history(chat_id=chat_id, limit=limit, offset= offset, offset_id=offset_id, offset_date=offset_date, reverse= reverse).messages if not messages: return offset_id = messages[-1].message_id + (1 if reverse else 0) for message in messages: yield message current += 1 if current >= total: return
iter_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], limit: int=0, offset: int=0,\n offset_id: int=0, offset_date: int=0, reverse: bool=False) ->Generator[\n 'pyrogram.Messag...
def x(self, chat_id: Union[int, str], phone_number: str, first_name: str, last_name: str=None, vcard: str=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None ) ->'pyrogram.Message': r = self.send(functions.messages.SendMedia(peer=self.resolve_peer( chat_id), media=types.InputMediaContact(phone_number=phone_number, first_name=first_name, last_name=last_name or '', vcard=vcard or '' ), message='', silent=disable_notification or None, reply_to_msg_id =reply_to_message_id, random_id=self.rnd_id(), reply_markup= reply_markup.write() if reply_markup else None)) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
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: Union[int, str], phone_number: str, first_name: str,\n last_name: str=None, vcard: str=None, disable_notification: bool=None,\n reply_to_m...
def x(self, chat_id: Union[int, str], message_id: int, text: str, parse_mode: str='', disable_web_page_preview: bool=None, reply_markup: 'pyrogram.InlineKeyboardMarkup'=None) ->'pyrogram.Message': style = self.html if parse_mode.lower() == 'html' else self.markdown r = self.send(functions.messages.EditMessage(peer=self.resolve_peer( chat_id), id=message_id, no_webpage=disable_web_page_preview or None, reply_markup=reply_markup.write() if reply_markup else None, **style.parse(text))) for i in r.updates: if isinstance(i, (types.UpdateEditMessage, types. UpdateEditChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
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, chat_id: Union[int, str], message_id: int, text: str,\n parse_mode: str='', disable_web_page_preview: bool=None, reply_markup:\n 'pyrogram.InlineKe...
def x(self, chat_id: Union[int, str], limit: int=100, offset: int=0, offset_id: int=0, offset_date: int=0, reverse: bool=False): while True: try: messages = pyrogram.Messages._parse(self, self.send(functions. messages.GetHistory(peer=self.resolve_peer(chat_id), offset_id=offset_id, offset_date=offset_date, add_offset= offset * (-1 if reverse else 1) - (limit if reverse else 0), limit=limit, max_id=0, min_id=0, hash=0))) except FloodWait as e: log.warning('Sleeping for {}s'.format(e.x)) time.sleep(e.x) else: break if reverse: messages.messages.reverse() return messages
get_history
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], limit: int=100, offset: int=0,\n offset_id: int=0, offset_date: int=0, reverse: bool=False):\n while True:\n try:\...
def x(self=None, filters=None, group: int=0) ->callable: def x(func: callable) ->Tuple[Handler, int]: if isinstance(func, tuple): func = func[0].callback handler = pyrogram.UserStatusHandler(func, filters) if isinstance(self, Filter): return pyrogram.UserStatusHandler(func, self ), group if filters is None else filters if self is not None: self.add_handler(handler, group) return handler, group return decorator
on_user_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self=None, filters=None, group: int=0) ->callable:\n\n def x(func: callable) ->Tuple[Handler, int]:\n if isinstance(func, tuple):\n func =...
def x(self, chat_id: Union[int, str]) ->int: peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChat): return self.send(functions.messages.GetChats(id=[peer.chat_id])).chats[ 0].participants_count elif isinstance(peer, types.InputPeerChannel): return self.send(functions.channels.GetFullChannel(channel=peer) ).full_chat.participants_count else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id))
get_chat_members_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str]) ->int:\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, types.InputPeerChat):\n return self.send(function...
def x(self=None) ->callable: def x(func: callable) ->Handler: handler = pyrogram.DisconnectHandler(func) if self is not None: self.add_handler(handler) return handler return decorator
on_disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self=None) ->callable:\n\n def x(func: callable) ->Handler:\n handler = pyrogram.DisconnectHandler(func)\n if self is not None:\n s...
def x(self): if self.is_started: raise ConnectionError('Client has already been started') if self.BOT_TOKEN_RE.match(self.session_name): self.is_bot = True self.bot_token = self.session_name self.session_name = self.session_name.split(':')[0] log.warning( """ WARNING: You are using a bot token as session name! This usage will be deprecated soon. Please use a session file name to load an existing session and the bot_token argument to create new sessions. More info: https://docs.pyrogram.ml/start/Setup#bot-authorization """ ) self.load_config() self.load_session() self.load_plugins() self.session = Session(self, self.dc_id, self.auth_key) self.session.start() self.is_started = True try: if self.user_id is None: if self.bot_token is None: self.is_bot = False self.authorize_user() else: self.is_bot = True self.authorize_bot() self.save_session() if not self.is_bot: if self.takeout: self.takeout_id = self.send(functions.account. InitTakeoutSession()).id log.warning('Takeout session {} initiated'.format(self. takeout_id)) now = time.time() if abs(now - self.date) > Client.OFFLINE_SLEEP: self.peers_by_username = {} self.peers_by_phone = {} self.get_initial_dialogs() self.get_contacts() else: self.send(functions.messages.GetPinnedDialogs()) self.get_initial_dialogs_chunk() else: self.send(functions.updates.GetState()) except Exception as e: self.is_started = False self.session.stop() raise e for i in range(self.UPDATES_WORKERS): self.updates_workers_list.append(Thread(target=self.updates_worker, name='UpdatesWorker#{}'.format(i + 1))) self.updates_workers_list[-1].start() for i in range(self.DOWNLOAD_WORKERS): self.download_workers_list.append(Thread(target=self. download_worker, name='DownloadWorker#{}'.format(i + 1))) self.download_workers_list[-1].start() self.dispatcher.start() mimetypes.init() Syncer.add(self) return self
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.is_started:\n raise ConnectionError('Client has already been started')\n if self.BOT_TOKEN_RE.match(self.session_name):\n ...
def x(self): if not self.is_started: raise ConnectionError('Client is already stopped') if self.takeout_id: self.send(functions.account.FinishTakeoutSession()) log.warning('Takeout session {} finished'.format(self.takeout_id)) Syncer.remove(self) self.dispatcher.stop() for _ in range(self.DOWNLOAD_WORKERS): self.download_queue.put(None) for i in self.download_workers_list: i.join() self.download_workers_list.clear() for _ in range(self.UPDATES_WORKERS): self.updates_queue.put(None) for i in self.updates_workers_list: i.join() self.updates_workers_list.clear() for i in self.media_sessions.values(): i.stop() self.media_sessions.clear() self.is_started = False self.session.stop() return self
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.is_started:\n raise ConnectionError('Client is already stopped')\n if self.takeout_id:\n self.send(functions.account.F...
def x(self, stop_signals: tuple=(SIGINT, SIGTERM, SIGABRT)): def x(*args): self.is_idle = False for s in stop_signals: signal(s, signal_handler) self.is_idle = True while self.is_idle: time.sleep(1) self.stop()
idle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stop_signals: tuple=(SIGINT, SIGTERM, SIGABRT)):\n\n def x(*args):\n self.is_idle = False\n for s in stop_signals:\n signal(s, signal...
def x(self, handler: Handler, group: int=0): if isinstance(handler, DisconnectHandler): self.disconnect_handler = handler.callback else: self.dispatcher.add_handler(handler, group) return handler, group
add_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler: Handler, group: int=0):\n if isinstance(handler, DisconnectHandler):\n self.disconnect_handler = handler.callback\n else:\n ...
def x(self, handler: Handler, group: int=0): if isinstance(handler, DisconnectHandler): self.disconnect_handler = None else: self.dispatcher.remove_handler(handler, group)
remove_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler: Handler, group: int=0):\n if isinstance(handler, DisconnectHandler):\n self.disconnect_handler = None\n else:\n self.dispatc...
def x(self, data: Object, retries: int=Session.MAX_RETRIES, timeout: float= Session.WAIT_TIMEOUT): if not self.is_started: raise ConnectionError('Client has not been started') if self.no_updates: data = functions.InvokeWithoutUpdates(query=data) if self.takeout_id: data = functions.InvokeWithTakeout(takeout_id=self.takeout_id, query=data) r = self.session.send(data, retries, timeout) self.fetch_peers(getattr(r, 'users', [])) self.fetch_peers(getattr(r, 'chats', [])) return r
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data: Object, retries: int=Session.MAX_RETRIES, timeout: float=\n Session.WAIT_TIMEOUT):\n if not self.is_started:\n raise ConnectionError('...
def x(self, peer_id: Union[int, str]): try: return self.peers_by_id[peer_id] except KeyError: if type(peer_id) is str: if peer_id in ('self', 'me'): return types.InputPeerSelf() peer_id = re.sub('[@+\\s]', '', peer_id.lower()) try: int(peer_id) except ValueError: if peer_id not in self.peers_by_username: self.send(functions.contacts.ResolveUsername(username= peer_id)) return self.peers_by_username[peer_id] else: try: return self.peers_by_phone[peer_id] except KeyError: raise PeerIdInvalid if peer_id > 0: self.fetch_peers(self.send(functions.users.GetUsers(id=[types. InputUser(user_id=peer_id, access_hash=0)]))) elif str(peer_id).startswith('-100'): self.send(functions.channels.GetChannels(id=[types.InputChannel (channel_id=int(str(peer_id)[4:]), access_hash=0)])) else: self.send(functions.messages.GetChats(id=[-peer_id])) try: return self.peers_by_id[peer_id] except KeyError: raise PeerIdInvalid
resolve_peer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, peer_id: Union[int, str]):\n try:\n return self.peers_by_id[peer_id]\n except KeyError:\n if type(peer_id) is str:\n if pe...
def x(self, path: str, file_id: int=None, file_part: int=0, progress: callable=None, progress_args: tuple=()): part_size = 512 * 1024 file_size = os.path.getsize(path) if file_size == 0: raise ValueError('File size equals to 0 B') if file_size > 1500 * 1024 * 1024: raise ValueError( "Telegram doesn't support uploading files bigger than 1500 MiB") file_total_parts = int(math.ceil(file_size / part_size)) is_big = True if file_size > 10 * 1024 * 1024 else False is_missing_part = True if file_id is not None else False file_id = file_id or self.rnd_id() md5_sum = md5() if not is_big and not is_missing_part else None session = Session(self, self.dc_id, self.auth_key, is_media=True) session.start() try: with open(path, 'rb') as f: f.seek(part_size * file_part) while True: chunk = f.read(part_size) if not chunk: if not is_big: md5_sum = ''.join([hex(i)[2:].zfill(2) for i in md5_sum.digest()]) break for _ in range(3): if is_big: rpc = functions.upload.SaveBigFilePart(file_id= file_id, file_part=file_part, file_total_parts= file_total_parts, bytes=chunk) else: rpc = functions.upload.SaveFilePart(file_id=file_id, file_part=file_part, bytes=chunk) if session.send(rpc): break else: raise AssertionError( "Telegram didn't accept chunk #{} of {}".format( file_part, path)) if is_missing_part: return if not is_big: md5_sum.update(chunk) file_part += 1 if progress: progress(self, min(file_part * part_size, file_size), file_size, *progress_args) except Client.StopTransmission: raise except Exception as e: log.error(e, exc_info=True) else: if is_big: return types.InputFileBig(id=file_id, parts=file_total_parts, name=os.path.basename(path)) else: return types.InputFile(id=file_id, parts=file_total_parts, name =os.path.basename(path), md5_checksum=md5_sum) finally: session.stop()
save_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path: str, file_id: int=None, file_part: int=0, progress:\n callable=None, progress_args: tuple=()):\n part_size = 512 * 1024\n file_size = os.p...
def x(self, chat_id: Union[int, str], action: Union[ChatAction, str], progress: int=0): if isinstance(action, str): action = ChatAction.from_string(action).value elif isinstance(action, ChatAction): action = action.value if 'Upload' in action.__name__: action = action(progress=progress) else: action = action() return self.send(functions.messages.SetTyping(peer=self.resolve_peer( chat_id), action=action))
send_chat_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], action: Union[ChatAction, str],\n progress: int=0):\n if isinstance(action, str):\n action = ChatAction.from_strin...
def x(self, inline_query_id: str, results: List[InlineQueryResult], cache_time: int=300, is_personal: bool=None, next_offset: str='', switch_pm_text: str='', switch_pm_parameter: str=''): return self.send(functions.messages.SetInlineBotResults(query_id=int( inline_query_id), results=[r.write() for r in results], cache_time= cache_time, gallery=None, private=is_personal or None, next_offset= next_offset or None, switch_pm=types.InlineBotSwitchPM(text= switch_pm_text, start_param=switch_pm_parameter) if switch_pm_text else None))
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: str, results: List[InlineQueryResult],\n cache_time: int=300, is_personal: bool=None, next_offset: str='',\n switch_pm_text: str='...
def x(self, chat_id: Union[int, str], latitude: float, longitude: float, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'pyrogram.Message': r = self.send(functions.messages.SendMedia(peer=self.resolve_peer( chat_id), media=types.InputMediaGeoPoint(geo_point=types. InputGeoPoint(lat=latitude, long=longitude)), message='', silent= disable_notification or None, reply_to_msg_id=reply_to_message_id, random_id=self.rnd_id(), reply_markup=reply_markup.write() if reply_markup else None)) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
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: Union[int, str], latitude: float, longitude: float,\n disable_notification: bool=None, reply_to_message_id: int=None,\n reply_markup: Unio...
def x(self, chat_id: Union[int, str], message_id: id) ->bool: self.send(functions.messages.SendVote(peer=self.resolve_peer(chat_id), msg_id=message_id, options=[])) return True
retract_vote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_id: id) ->bool:\n self.send(functions.messages.SendVote(peer=self.resolve_peer(chat_id),\n msg_id=message_id,...
def x(self, user_id: Union[int, str], offset: int=0, limit: int=100 ) ->'pyrogram.UserProfilePhotos': return pyrogram.UserProfilePhotos._parse(self, self.send(functions. photos.GetUserPhotos(user_id=self.resolve_peer(user_id), offset= offset, max_id=0, limit=limit)))
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: Union[int, str], offset: int=0, limit: int=100\n ) ->'pyrogram.UserProfilePhotos':\n return pyrogram.UserProfilePhotos._parse(self, self.s...
def x(self, username: Union[str, None]) ->bool: return bool(self.send(functions.account.UpdateUsername(username= username or '')))
update_username
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username: Union[str, None]) ->bool:\n return bool(self.send(functions.account.UpdateUsername(username=\n username or '')))\n", "role": "use...
def x(self, text: str, quote: bool=None, parse_mode: str='', disable_web_page_preview: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_message(chat_id=self.chat.id, text=text, parse_mode=parse_mode, disable_web_page_preview= disable_web_page_preview, disable_notification=disable_notification, reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)
reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text: str, quote: bool=None, parse_mode: str='',\n disable_web_page_preview: bool=None, disable_notification: bool=None,\n reply_to_message_id: int...
def x(self, animation: str, quote: bool=None, caption: str='', parse_mode: str='', duration: int=0, width: int=0, height: int=0, thumb: str=None, disable_notification: bool=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, reply_to_message_id: int=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_animation(chat_id=self.chat.id, animation= animation, caption=caption, parse_mode=parse_mode, duration= duration, width=width, height=height, thumb=thumb, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_animation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, animation: str, quote: bool=None, caption: str='', parse_mode:\n str='', duration: int=0, width: int=0, height: int=0, thumb: str=None,\n disable_n...
def x(self, audio: str, quote: bool=None, caption: str='', parse_mode: str= '', duration: int=0, performer: str=None, title: str=None, thumb: str= None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_audio(chat_id=self.chat.id, audio=audio, caption=caption, parse_mode=parse_mode, duration=duration, performer=performer, title=title, thumb=thumb, disable_notification =disable_notification, reply_to_message_id=reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args= progress_args)
reply_audio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio: str, quote: bool=None, caption: str='', parse_mode: str=\n '', duration: int=0, performer: str=None, title: str=None, thumb: str=\n None, di...
def x(self, file_id: str, quote: bool=None, caption: str='', parse_mode: str='', disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_cached_media(chat_id=self.chat.id, file_id= file_id, caption=caption, parse_mode=parse_mode, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup)
reply_cached_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_id: str, quote: bool=None, caption: str='', parse_mode:\n str='', disable_notification: bool=None, reply_to_message_id: int=None,\n reply_mark...
def x(self, action: Union[ChatAction, str], progress: int=0) ->'Message': return self._client.send_chat_action(chat_id=self.chat.id, action= action, progress=progress)
reply_chat_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action: Union[ChatAction, str], progress: int=0) ->'Message':\n return self._client.send_chat_action(chat_id=self.chat.id, action=\n action, pr...
def x(self, phone_number: str, first_name: str, quote: bool=None, last_name: str='', vcard: str='', disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_contact(chat_id=self.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)
reply_contact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phone_number: str, first_name: str, quote: bool=None, last_name:\n str='', vcard: str='', disable_notification: bool=None,\n reply_to_message_id: i...
def x(self, document: str, quote: bool=None, thumb: str=None, caption: str= '', parse_mode: str='', disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_document(chat_id=self.chat.id, document= document, thumb=thumb, caption=caption, parse_mode=parse_mode, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_document
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document: str, quote: bool=None, thumb: str=None, caption: str=\n '', parse_mode: str='', disable_notification: bool=None,\n reply_to_message_id: i...
def x(self, game_short_name: str, quote: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_game(chat_id=self.chat.id, game_short_name= game_short_name, disable_notification=disable_notification, reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)
reply_game
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, game_short_name: str, quote: bool=None, disable_notification:\n bool=None, reply_to_message_id: int=None, reply_markup: Union[\n 'pyrogram.InlineKe...
def x(self, query_id: int, result_id: str, quote: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, hide_via: bool=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_inline_bot_result(chat_id=self.chat.id, query_id=query_id, result_id=result_id, disable_notification= disable_notification, reply_to_message_id=reply_to_message_id, hide_via=hide_via)
reply_inline_bot_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query_id: int, result_id: str, quote: bool=None,\n disable_notification: bool=None, reply_to_message_id: int=None,\n hide_via: bool=None) ->'Messag...
def x(self, latitude: float, longitude: float, quote: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_location(chat_id=self.chat.id, latitude= latitude, longitude=longitude, disable_notification= disable_notification, reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)
reply_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, latitude: float, longitude: float, quote: bool=None,\n disable_notification: bool=None, reply_to_message_id: int=None,\n reply_markup: Union['pyrog...
def x(self, media: List[Union['pyrogram.InputMediaPhoto', 'pyrogram.InputMediaVideo']], quote: bool=None, disable_notification: bool=None, reply_to_message_id: int=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_media_group(chat_id=self.chat.id, media=media, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id)
reply_media_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, media: List[Union['pyrogram.InputMediaPhoto',\n 'pyrogram.InputMediaVideo']], quote: bool=None, disable_notification:\n bool=None, reply_to_message...
def x(self, photo: str, quote: bool=None, caption: str='', parse_mode: str= '', ttl_seconds: int=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_photo(chat_id=self.chat.id, photo=photo, caption=caption, parse_mode=parse_mode, ttl_seconds=ttl_seconds, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_photo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, photo: str, quote: bool=None, caption: str='', parse_mode: str=\n '', ttl_seconds: int=None, disable_notification: bool=None,\n reply_to_message_id...
def x(self, question: str, options: List[str], quote: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_poll(chat_id=self.chat.id, question=question, options=options, disable_notification=disable_notification, reply_to_message_id=reply_to_message_id, reply_markup=reply_markup)
reply_poll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, question: str, options: List[str], quote: bool=None,\n disable_notification: bool=None, reply_to_message_id: int=None,\n reply_markup: Union['pyrog...
def x(self, sticker: str, quote: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_sticker(chat_id=self.chat.id, sticker=sticker, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_sticker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sticker: str, quote: bool=None, disable_notification: bool=None,\n reply_to_message_id: int=None, reply_markup: Union[\n 'pyrogram.InlineKeyboardMa...
def x(self, latitude: float, longitude: float, title: str, address: str, quote: bool=None, foursquare_id: str='', foursquare_type: str='', disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_venue(chat_id=self.chat.id, latitude=latitude, longitude=longitude, title=title, address=address, foursquare_id= foursquare_id, foursquare_type=foursquare_type, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup)
reply_venue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, latitude: float, longitude: float, title: str, address: str,\n quote: bool=None, foursquare_id: str='', foursquare_type: str='',\n disable_notifica...
def x(self, video: str, quote: bool=None, caption: str='', parse_mode: str= '', duration: int=0, width: int=0, height: int=0, thumb: str=None, supports_streaming: bool=True, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_video(chat_id=self.chat.id, video=video, caption=caption, parse_mode=parse_mode, duration=duration, width= width, height=height, thumb=thumb, supports_streaming= supports_streaming, disable_notification=disable_notification, reply_to_message_id=reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_video
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, video: str, quote: bool=None, caption: str='', parse_mode: str=\n '', duration: int=0, width: int=0, height: int=0, thumb: str=None,\n supports_str...
def x(self, video_note: str, quote: bool=None, duration: int=0, length: int =1, thumb: str=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_video_note(chat_id=self.chat.id, video_note= video_note, duration=duration, length=length, thumb=thumb, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_video_note
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, video_note: str, quote: bool=None, duration: int=0, length: int\n =1, thumb: str=None, disable_notification: bool=None,\n reply_to_message_id: int=...
def x(self, voice: str, quote: bool=None, caption: str='', parse_mode: str= '', duration: int=0, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->'Message': if quote is None: quote = self.chat.type != 'private' if reply_to_message_id is None and quote: reply_to_message_id = self.message_id return self._client.send_voice(chat_id=self.chat.id, voice=voice, caption=caption, parse_mode=parse_mode, duration=duration, disable_notification=disable_notification, reply_to_message_id= reply_to_message_id, reply_markup=reply_markup, progress=progress, progress_args=progress_args)
reply_voice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, voice: str, quote: bool=None, caption: str='', parse_mode: str=\n '', duration: int=0, disable_notification: bool=None,\n reply_to_message_id: int=...
def x(self, text: str, parse_mode: str='', disable_web_page_preview: bool= None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': return self._client.edit_message_text(chat_id=self.chat.id, message_id= self.message_id, text=text, parse_mode=parse_mode, disable_web_page_preview=disable_web_page_preview, reply_markup= reply_markup)
edit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text: str, parse_mode: str='', disable_web_page_preview: bool=\n None, reply_markup: Union['pyrogram.InlineKeyboardMarkup',\n 'pyrogram.ReplyKeyboa...
def x(self, caption: str, parse_mode: str='', reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'Message': return self._client.edit_message_caption(chat_id=self.chat.id, message_id=self.message_id, caption=caption, parse_mode=parse_mode, reply_markup=reply_markup)
edit_caption
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, caption: str, parse_mode: str='', reply_markup: Union[\n 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup',\n 'pyrogram.ReplyKeyboard...
def x(self, chat_id: (int or str), disable_notification: bool=None, as_copy: bool=False, remove_caption: bool=False) ->'Message': if as_copy: if self.service: raise ValueError('Unable to copy service messages') if self.game and not self._client.is_bot: raise ValueError('Users cannot send messages with Game media type') if self.text: return self._client.send_message(chat_id, text=self.text.html, parse_mode='html', disable_web_page_preview=not self. web_page, disable_notification=disable_notification) elif self.media: caption = (self.caption.html if self.caption and not remove_caption else None) send_media = partial(self._client.send_cached_media, chat_id= chat_id, disable_notification=disable_notification) if self.photo: file_id = self.photo.sizes[-1].file_id elif self.audio: file_id = self.audio.file_id elif self.document: file_id = self.document.file_id elif self.video: file_id = self.video.file_id elif self.animation: file_id = self.animation.file_id elif self.voice: file_id = self.voice.file_id elif self.sticker: file_id = self.sticker.file_id elif self.video_note: file_id = self.video_note.file_id elif self.contact: return self._client.send_contact(chat_id, phone_number=self .contact.phone_number, first_name=self.contact. first_name, last_name=self.contact.last_name, vcard= self.contact.vcard, disable_notification= disable_notification) elif self.location: return self._client.send_location(chat_id, latitude=self. location.latitude, longitude=self.location.longitude, disable_notification=disable_notification) elif self.venue: return self._client.send_venue(chat_id, latitude=self.venue .location.latitude, longitude=self.venue.location. longitude, title=self.venue.title, address=self.venue. address, foursquare_id=self.venue.foursquare_id, foursquare_type=self.venue.foursquare_type, disable_notification=disable_notification) elif self.poll: return self._client.send_poll(chat_id, question=self.poll. question, options=[opt.text for opt in self.poll. options], disable_notification=disable_notification) elif self.game: return self._client.send_game(chat_id, game_short_name=self .game.short_name, disable_notification=disable_notification ) else: raise ValueError('Unknown media type') if self.sticker or self.video_note: return send_media(file_id=file_id) else: return send_media(file_id=file_id, caption=caption, parse_mode=ParseMode.HTML) else: raise ValueError("Can't copy this message") else: return self._client.forward_messages(chat_id=chat_id, from_chat_id= self.chat.id, message_ids=self.message_id, disable_notification =disable_notification)
forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: (int or str), disable_notification: bool=None, as_copy:\n bool=False, remove_caption: bool=False) ->'Message':\n if as_copy:\n if s...
def x(self, revoke: bool=True): return self._client.delete_messages(chat_id=self.chat.id, message_ids= self.message_id, revoke=revoke)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, revoke: bool=True):\n return self._client.delete_messages(chat_id=self.chat.id, message_ids=\n self.message_id, revoke=revoke)\n", "role": ...
def x(self, x: (int or str), y: int=None, quote: bool=None): if isinstance(self.reply_markup, pyrogram.ReplyKeyboardMarkup): return self.reply(x, quote=quote) elif isinstance(self.reply_markup, pyrogram.InlineKeyboardMarkup): if isinstance(x, int) and y is None: try: button = [button for row in self.reply_markup. inline_keyboard for button in row][x] except IndexError: raise ValueError("The button at index {} doesn't exist". format(x)) from None elif isinstance(x, int) and isinstance(y, int): try: button = self.reply_markup.inline_keyboard[y][x] except IndexError: raise ValueError( "The button at position ({}, {}) doesn't exist".format( x, y)) from None elif isinstance(x, str): x = x.encode('utf-16', 'surrogatepass').decode('utf-16') try: button = [button for row in self.reply_markup. inline_keyboard for button in row if x == button.text][0] except IndexError: raise ValueError("The button with label '{}' doesn't exists" .format(x.encode('unicode_escape').decode())) from None else: raise ValueError('Invalid arguments') if button.callback_data: return self._client.request_callback_answer(chat_id=self.chat. id, message_id=self.message_id, callback_data=button. callback_data) elif button.url: return button.url elif button.switch_inline_query: return button.switch_inline_query elif button.switch_inline_query_current_chat: return button.switch_inline_query_current_chat else: raise ValueError('This button is not supported yet') else: raise ValueError("The message doesn't contain any keyboard")
click
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x: (int or str), y: int=None, quote: bool=None):\n if isinstance(self.reply_markup, pyrogram.ReplyKeyboardMarkup):\n return self.reply(x, quote...
def x(self, file_name: str='', block: bool=True, progress: callable=None, progress_args: tuple=()) ->'Message': return self._client.download_media(message=self, file_name=file_name, block=block, progress=progress, progress_args=progress_args)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name: str='', block: bool=True, progress: callable=None,\n progress_args: tuple=()) ->'Message':\n return self._client.download_media(message=...
def x(self, disable_notification: bool=None) ->'Message': return self._client.pin_chat_message(chat_id=self.chat.id, message_id= self.message_id, disable_notification=disable_notification)
pin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, disable_notification: bool=None) ->'Message':\n return self._client.pin_chat_message(chat_id=self.chat.id, message_id=\n self.message_id, disab...
def x(self, offset_date: int=0, limit: int=100, pinned_only: bool=False ) ->'pyrogram.Dialogs': while True: try: if pinned_only: r = self.send(functions.messages.GetPinnedDialogs()) else: r = self.send(functions.messages.GetDialogs(offset_date= offset_date, offset_id=0, offset_peer=types. InputPeerEmpty(), limit=limit, hash=0, exclude_pinned=True) ) except FloodWait as e: log.warning('Sleeping {}s'.format(e.x)) time.sleep(e.x) else: break return pyrogram.Dialogs._parse(self, r)
get_dialogs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, offset_date: int=0, limit: int=100, pinned_only: bool=False\n ) ->'pyrogram.Dialogs':\n while True:\n try:\n if pinned_only:\n ...
def x(self, user_ids: Iterable[Union[int, str]]) ->Union['pyrogram.User', List['pyrogram.User']]: is_iterable = not isinstance(user_ids, (int, str)) user_ids = list(user_ids) if is_iterable else [user_ids] user_ids = [self.resolve_peer(i) for i in user_ids] r = self.send(functions.users.GetUsers(id=user_ids)) users = [] for i in r: users.append(pyrogram.User._parse(self, i)) return users if is_iterable else users[0]
get_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_ids: Iterable[Union[int, str]]) ->Union['pyrogram.User',\n List['pyrogram.User']]:\n is_iterable = not isinstance(user_ids, (int, str))\n u...
def x(self, chat_id: Union[int, str], message_id: id, option: int) ->bool: poll = self.get_messages(chat_id, message_id).poll self.send(functions.messages.SendVote(peer=self.resolve_peer(chat_id), msg_id=message_id, options=[poll.options[option].data])) return True
vote_poll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_id: id, option: int) ->bool:\n poll = self.get_messages(chat_id, message_id).poll\n self.send(functions.messages....
def x(self, chat_id: Union[int, str], animation: str, caption: str='', parse_mode: str='', duration: int=0, width: int=0, height: int=0, thumb: str=None, disable_notification: bool=None, reply_to_message_id: int= None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None, progress: callable=None, progress_args: tuple=()) ->Union['pyrogram.Message', None]: file = None style = self.html if parse_mode.lower() == 'html' else self.markdown try: if os.path.exists(animation): thumb = None if thumb is None else self.save_file(thumb) file = self.save_file(animation, progress=progress, progress_args=progress_args) media = types.InputMediaUploadedDocument(mime_type=self. guess_mime_type(animation) or 'video/mp4', file=file, thumb =thumb, attributes=[types.DocumentAttributeVideo( supports_streaming=True, duration=duration, w=width, h= height), types.DocumentAttributeFilename(file_name=os.path. basename(animation)), types.DocumentAttributeAnimated()]) elif animation.startswith('http'): media = types.InputMediaDocumentExternal(url=animation) else: try: decoded = utils.decode(animation) fmt = '<iiqqqqi' if len(decoded) > 24 else '<iiqq' unpacked = struct.unpack(fmt, decoded) except (AssertionError, binascii.Error, struct.error): raise FileIdInvalid from None else: if unpacked[0] != 10: media_type = BaseClient.MEDIA_TYPE_ID.get(unpacked[0], None ) if media_type: raise FileIdInvalid('The file_id belongs to a {}'. format(media_type)) else: raise FileIdInvalid('Unknown media type: {}'.format (unpacked[0])) media = types.InputMediaDocument(id=types.InputDocument(id= unpacked[2], access_hash=unpacked[3], file_reference=b'')) while True: try: r = self.send(functions.messages.SendMedia(peer=self. resolve_peer(chat_id), media=media, silent= disable_notification or None, reply_to_msg_id= reply_to_message_id, random_id=self.rnd_id(), reply_markup=reply_markup.write() if reply_markup else None, **style.parse(caption))) except FilePartMissing as e: self.save_file(animation, file_id=file.id, file_part=e.x) else: for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i. id: i for i in r.users}, {i.id: i for i in r.chats} ) except BaseClient.StopTransmission: return None
send_animation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], animation: str, caption: str='',\n parse_mode: str='', duration: int=0, width: int=0, height: int=0, thumb:\n str=None, d...
def x(self=None, group: int=0) ->callable: def x(func: callable) ->Tuple[Handler, int]: if isinstance(func, tuple): func = func[0].callback handler = pyrogram.RawUpdateHandler(func) if isinstance(self, int): return handler, group if self is None else group if self is not None: self.add_handler(handler, group) return handler, group return decorator
on_raw_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self=None, group: int=0) ->callable:\n\n def x(func: callable) ->Tuple[Handler, int]:\n if isinstance(func, tuple):\n func = func[0].callb...
def x(self, chat_id: Union[int, str], message_id: id) ->bool: poll = self.get_messages(chat_id, message_id).poll self.send(functions.messages.EditMessage(peer=self.resolve_peer(chat_id ), id=message_id, media=types.InputMediaPoll(poll=types.Poll(id= poll.id, closed=True, question='', answers=[])))) return True
close_poll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_id: id) ->bool:\n poll = self.get_messages(chat_id, message_id).poll\n self.send(functions.messages.EditMessage(p...
def x(self, chat_id: Union[int, str], query_id: int, result_id: str, disable_notification: bool=None, reply_to_message_id: int=None, hide_via: bool=None): return self.send(functions.messages.SendInlineBotResult(peer=self. resolve_peer(chat_id), query_id=query_id, id=result_id, random_id= self.rnd_id(), silent=disable_notification or None, reply_to_msg_id =reply_to_message_id, hide_via=hide_via or None))
send_inline_bot_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], query_id: int, result_id: str,\n disable_notification: bool=None, reply_to_message_id: int=None,\n hide_via: bool=None):\...
def x(self, chat_id: Union[int, str], file_id: str, caption: str='', parse_mode: str='', disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->Union[ 'pyrogram.Message', None]: style = self.html if parse_mode.lower() == 'html' else self.markdown try: decoded = utils.decode(file_id) fmt = '<iiqqqqi' if len(decoded) > 24 else '<iiqq' unpacked = struct.unpack(fmt, decoded) except (AssertionError, binascii.Error, struct.error): raise FileIdInvalid from None else: media_type = BaseClient.MEDIA_TYPE_ID.get(unpacked[0], None) if not media_type: raise FileIdInvalid('Unknown media type: {}'.format(unpacked[0])) if media_type == 'photo': media = types.InputMediaPhoto(id=types.InputPhoto(id=unpacked[2 ], access_hash=unpacked[3], file_reference=b'')) else: media = types.InputMediaDocument(id=types.InputDocument(id= unpacked[2], access_hash=unpacked[3], file_reference=b'')) r = self.send(functions.messages.SendMedia(peer=self.resolve_peer( chat_id), media=media, silent=disable_notification or None, reply_to_msg_id=reply_to_message_id, random_id=self.rnd_id(), reply_markup=reply_markup.write() if reply_markup else None, ** style.parse(caption))) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
send_cached_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], file_id: str, caption: str='',\n parse_mode: str='', disable_notification: bool=None,\n reply_to_message_id: int=None, re...
def x(self, chat_id: Union[int, str], disable_notification: bool=None, as_copy: bool=False, remove_caption: bool=False): forwarded_messages = [] for message in self.messages: forwarded_messages.append(message.forward(chat_id=chat_id, as_copy= as_copy, disable_notification=disable_notification, remove_caption=remove_caption)) return Messages(total_count=len(forwarded_messages), messages= forwarded_messages, client=self._client)
forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], disable_notification: bool=None,\n as_copy: bool=False, remove_caption: bool=False):\n forwarded_messages = []\n for m...
def x(self, chat_id: Union[int, str], message_ids: Iterable[int], revoke: bool=True) ->bool: peer = self.resolve_peer(chat_id) message_ids = list(message_ids) if not isinstance(message_ids, int) else [ message_ids] if isinstance(peer, types.InputPeerChannel): r = self.send(functions.channels.DeleteMessages(channel=peer, id= message_ids)) else: r = self.send(functions.messages.DeleteMessages(id=message_ids, revoke=revoke or None)) return bool(r.pts_count)
delete_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_ids: Iterable[int], revoke:\n bool=True) ->bool:\n peer = self.resolve_peer(chat_id)\n message_ids = list(mess...
def x(self, chat_id: Union[int, str], description: str) ->bool: peer = self.resolve_peer(chat_id) if isinstance(peer, (types.InputPeerChannel, types.InputPeerChat)): self.send(functions.messages.EditChatAbout(peer=peer, about= description)) else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id)) return True
set_chat_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], description: str) ->bool:\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, (types.InputPeerChannel, types.InputP...
def x(self, chat_id: Union[int, str], user_id: Union[int, str]) ->bool: self.send(functions.channels.EditBanned(channel=self.resolve_peer( chat_id), user_id=self.resolve_peer(user_id), banned_rights=types. ChatBannedRights(until_date=0))) return True
unban_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: Union[int, str], user_id: Union[int, str]) ->bool:\n self.send(functions.channels.EditBanned(channel=self.resolve_peer(\n chat_id), us...
def x(self, chat_id: Union[int, str], can_send_messages: bool=False, can_send_media_messages: bool=False, can_send_other_messages: bool= False, can_add_web_page_previews: bool=False, can_send_polls: bool= False, can_change_info: bool=False, can_invite_users: bool=False, can_pin_messages: bool=False) ->Chat: send_messages = True send_media = True send_stickers = True send_gifs = True send_games = True send_inline = True embed_links = True send_polls = True change_info = True invite_users = True pin_messages = True if can_send_messages: send_messages = None if can_send_media_messages: send_messages = None send_media = None if can_send_other_messages: send_messages = None send_media = None send_stickers = None send_gifs = None send_games = None send_inline = None if can_add_web_page_previews: send_messages = None send_media = None embed_links = None if can_send_polls: send_messages = None send_polls = None if can_change_info: change_info = None if can_invite_users: invite_users = None if can_pin_messages: pin_messages = None r = self.send(functions.messages.EditChatDefaultBannedRights(peer=self. resolve_peer(chat_id), banned_rights=types.ChatBannedRights( until_date=0, send_messages=send_messages, send_media=send_media, send_stickers=send_stickers, send_gifs=send_gifs, send_games= send_games, send_inline=send_inline, embed_links=embed_links, send_polls=send_polls, change_info=change_info, invite_users= invite_users, pin_messages=pin_messages))) return Chat._parse_chat(self, r.chats[0])
restrict_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: Union[int, str], can_send_messages: bool=False,\n can_send_media_messages: bool=False, can_send_other_messages: bool=\n False, can_add_web...
def x(self, chat_id: Union[int, str]) ->bool: peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChat): self.send(functions.messages.EditChatPhoto(chat_id=peer.chat_id, photo=types.InputChatPhotoEmpty())) elif isinstance(peer, types.InputPeerChannel): self.send(functions.channels.EditPhoto(channel=peer, photo=types. InputChatPhotoEmpty())) else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id)) return True
delete_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: Union[int, str]) ->bool:\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, types.InputPeerChat):\n self.send(functions.mess...
def x(self, contacts: List['pyrogram.InputPhoneContact']): imported_contacts = self.send(functions.contacts.ImportContacts( contacts=contacts)) return imported_contacts
add_contacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contacts: List['pyrogram.InputPhoneContact']):\n imported_contacts = self.send(functions.contacts.ImportContacts(\n contacts=contacts))\n re...
def x(args): args = args.copy() flags = [i for i in args if FLAGS_RE.match(i[1])] for i in flags: args.remove(i) return args + flags
sort_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n args = args.copy()\n flags = [i for i in args if FLAGS_RE.match(i[1])]\n for i in flags:\n args.remove(i)\n return args + flags\n",...
def x(self, offset_date: int=0, limit: int=0) ->Generator['pyrogram.Dialog', None, None]: current = 0 total = limit or (1 << 31) - 1 limit = min(100, total) pinned_dialogs = self.get_dialogs(pinned_only=True).dialogs for dialog in pinned_dialogs: yield dialog current += 1 if current >= total: return while True: dialogs = self.get_dialogs(offset_date=offset_date, limit=limit ).dialogs if not dialogs: return offset_date = dialogs[-1].top_message.date for dialog in dialogs: yield dialog current += 1 if current >= total: return
iter_dialogs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, offset_date: int=0, limit: int=0) ->Generator['pyrogram.Dialog',\n None, None]:\n current = 0\n total = limit or (1 << 31) - 1\n limit = min(...
def x(self) ->'pyrogram.User': return pyrogram.User._parse(self, self.send(functions.users.GetFullUser (id=types.InputPeerSelf())).user)
get_me
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->'pyrogram.User':\n return pyrogram.User._parse(self, self.send(functions.users.GetFullUser\n (id=types.InputPeerSelf())).user)\n", "role"...
def x(self, chat_id: Union[int, str]) ->str: peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChat): return self.send(functions.messages.ExportChatInvite(peer=peer.chat_id) ).link elif isinstance(peer, types.InputPeerChannel): return self.send(functions.channels.ExportInvite(channel=peer)).link
export_chat_invite_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str]) ->str:\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, types.InputPeerChat):\n return self.send(function...
def x(self, password: str) ->bool: r = self.send(functions.account.GetPassword()) if not r.has_password: raise ValueError('There is no cloud password to remove') self.send(functions.account.UpdatePasswordSettings(password= compute_check(r, password), new_settings=types.account. PasswordInputSettings(new_algo=types.PasswordKdfAlgoUnknown(), new_password_hash=b'', hint=''))) return True
remove_cloud_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password: str) ->bool:\n r = self.send(functions.account.GetPassword())\n if not r.has_password:\n raise ValueError('There is no cloud passw...
def x(self, chat_id: Union[int, str], question: str, options: List[str], disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'pyrogram.Message': r = self.send(functions.messages.SendMedia(peer=self.resolve_peer( chat_id), media=types.InputMediaPoll(poll=types.Poll(id=0, question =question, answers=[types.PollAnswer(text=o, option=bytes([i])) for i, o in enumerate(options)])), message='', silent= disable_notification or None, reply_to_msg_id=reply_to_message_id, random_id=self.rnd_id(), reply_markup=reply_markup.write() if reply_markup else None)) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
send_poll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], question: str, options: List[str],\n disable_notification: bool=None, reply_to_message_id: int=None,\n reply_markup: Unio...
def x(self, ids: List[int]): contacts = [] for i in ids: try: input_user = self.resolve_peer(i) except PeerIdInvalid: continue else: if isinstance(input_user, types.InputPeerUser): contacts.append(input_user) return self.send(functions.contacts.DeleteContacts(id=contacts))
delete_contacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ids: List[int]):\n contacts = []\n for i in ids:\n try:\n input_user = self.resolve_peer(i)\n except PeerIdInvalid:\n ...
def x(self, chat_id: Union[int, str], media: List[Union[ 'pyrogram.InputMediaPhoto', 'pyrogram.InputMediaVideo']], disable_notification: bool=None, reply_to_message_id: int=None): multi_media = [] for i in media: style = self.html if i.parse_mode.lower() == 'html' else self.markdown if isinstance(i, pyrogram.InputMediaPhoto): if os.path.exists(i.media): while True: try: media = self.send(functions.messages.UploadMedia( peer=self.resolve_peer(chat_id), media=types. InputMediaUploadedPhoto(file=self.save_file(i. media)))) except FloodWait as e: log.warning('Sleeping for {}s'.format(e.x)) time.sleep(e.x) else: break media = types.InputMediaPhoto(id=types.InputPhoto(id=media. photo.id, access_hash=media.photo.access_hash, file_reference=b'')) else: try: decoded = utils.decode(i.media) fmt = '<iiqqqqi' if len(decoded) > 24 else '<iiqq' unpacked = struct.unpack(fmt, decoded) except (AssertionError, binascii.Error, struct.error): raise FileIdInvalid from None else: if unpacked[0] != 2: media_type = BaseClient.MEDIA_TYPE_ID.get(unpacked[ 0], None) if media_type: raise FileIdInvalid('The file_id belongs to a {}' .format(media_type)) else: raise FileIdInvalid('Unknown media type: {}'. format(unpacked[0])) media = types.InputMediaPhoto(id=types.InputPhoto(id= unpacked[2], access_hash=unpacked[3], file_reference=b'')) elif isinstance(i, pyrogram.InputMediaVideo): if os.path.exists(i.media): while True: try: media = self.send(functions.messages.UploadMedia( peer=self.resolve_peer(chat_id), media=types. InputMediaUploadedDocument(file=self.save_file( i.media), thumb=None if i.thumb is None else self.save_file(i.thumb), mime_type=self. guess_mime_type(i.media) or 'video/mp4', attributes=[types.DocumentAttributeVideo( supports_streaming=i.supports_streaming or None, duration=i.duration, w=i.width, h=i.height), types.DocumentAttributeFilename(file_name=os. path.basename(i.media))]))) except FloodWait as e: log.warning('Sleeping for {}s'.format(e.x)) time.sleep(e.x) else: break media = types.InputMediaDocument(id=types.InputDocument(id= media.document.id, access_hash=media.document. access_hash, file_reference=b'')) else: try: decoded = utils.decode(i.media) fmt = '<iiqqqqi' if len(decoded) > 24 else '<iiqq' unpacked = struct.unpack(fmt, decoded) except (AssertionError, binascii.Error, struct.error): raise FileIdInvalid from None else: if unpacked[0] != 4: media_type = BaseClient.MEDIA_TYPE_ID.get(unpacked[ 0], None) if media_type: raise FileIdInvalid('The file_id belongs to a {}' .format(media_type)) else: raise FileIdInvalid('Unknown media type: {}'. format(unpacked[0])) media = types.InputMediaDocument(id=types.InputDocument (id=unpacked[2], access_hash=unpacked[3], file_reference=b'')) multi_media.append(types.InputSingleMedia(media=media, random_id= self.rnd_id(), **style.parse(i.caption))) while True: try: r = self.send(functions.messages.SendMultiMedia(peer=self. resolve_peer(chat_id), multi_media=multi_media, silent= disable_notification or None, reply_to_msg_id= reply_to_message_id)) except FloodWait as e: log.warning('Sleeping for {}s'.format(e.x)) time.sleep(e.x) else: break return pyrogram.Messages._parse(self, types.messages.Messages(messages= [m.message for m in filter(lambda u: isinstance(u, (types. UpdateNewMessage, types.UpdateNewChannelMessage)), r.updates)], users=r.users, chats=r.chats))
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: Union[int, str], media: List[Union[\n 'pyrogram.InputMediaPhoto', 'pyrogram.InputMediaVideo']],\n disable_notification: bool=None, reply_t...
def x(self, user_id: Union[int, str], score: int, force: bool=None, disable_edit_message: bool=None, chat_id: Union[int, str]=None, message_id: int=None): r = self.send(functions.messages.SetGameScore(peer=self.resolve_peer( chat_id), score=score, id=message_id, user_id=self.resolve_peer( user_id), force=force or None, edit_message=not disable_edit_message or None)) for i in r.updates: if isinstance(i, (types.UpdateEditMessage, types. UpdateEditChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats}) return True
set_game_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id: Union[int, str], score: int, force: bool=None,\n disable_edit_message: bool=None, chat_id: Union[int, str]=None,\n message_id: int=None):\...
def x(self, chat_id: Union[int, str], message_id: int, disable_notification: bool=None) ->bool: self.send(functions.messages.UpdatePinnedMessage(peer=self.resolve_peer (chat_id), id=message_id, silent=disable_notification or None)) return True
pin_chat_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_id: int, disable_notification:\n bool=None) ->bool:\n self.send(functions.messages.UpdatePinnedMessage(peer=self....
def x(self, chat_id: Union[int, str], user_id: Union[int, str], until_date: int=0) ->Union['pyrogram.Message', bool]: chat_peer = self.resolve_peer(chat_id) user_peer = self.resolve_peer(user_id) if isinstance(chat_peer, types.InputPeerChannel): r = self.send(functions.channels.EditBanned(channel=chat_peer, user_id=user_peer, banned_rights=types.ChatBannedRights( until_date=until_date, view_messages=True, send_messages=True, send_media=True, send_stickers=True, send_gifs=True, send_games =True, send_inline=True, embed_links=True))) else: r = self.send(functions.messages.DeleteChatUser(chat_id=abs(chat_id ), user_id=user_peer)) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats}) else: return True
kick_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: Union[int, str], user_id: Union[int, str], until_date:\n int=0) ->Union['pyrogram.Message', bool]:\n chat_peer = self.resolve_peer(chat_id...
def x(self, chat_id: Union[int, str], from_chat_id: Union[int, str], message_ids: Iterable[int], disable_notification: bool=None, as_copy: bool=False, remove_caption: bool=False) ->'pyrogram.Messages': is_iterable = not isinstance(message_ids, int) message_ids = list(message_ids) if is_iterable else [message_ids] if as_copy: forwarded_messages = [] for chunk in [message_ids[i:i + 200] for i in range(0, len( message_ids), 200)]: messages = self.get_messages(chat_id=from_chat_id, message_ids= chunk) for message in messages.messages: forwarded_messages.append(message.forward(chat_id, disable_notification=disable_notification, as_copy=True, remove_caption=remove_caption)) return pyrogram.Messages(client=self, total_count=len( forwarded_messages), messages=forwarded_messages ) if is_iterable else forwarded_messages[0] else: r = self.send(functions.messages.ForwardMessages(to_peer=self. resolve_peer(chat_id), from_peer=self.resolve_peer(from_chat_id ), id=message_ids, silent=disable_notification or None, random_id=[self.rnd_id() for _ in message_ids])) forwarded_messages = [] users = {i.id: i for i in r.users} chats = {i.id: i for i in r.chats} for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): forwarded_messages.append(pyrogram.Message._parse(self, i. message, users, chats)) return pyrogram.Messages(client=self, total_count=len( forwarded_messages), messages=forwarded_messages ) if is_iterable else forwarded_messages[0]
forward_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], from_chat_id: Union[int, str],\n message_ids: Iterable[int], disable_notification: bool=None, as_copy:\n bool=False, remo...
def x(self, message: Union['pyrogram.Message', str], file_name: str='', block: bool=True, progress: callable=None, progress_args: tuple=() ) ->Union[str, None]: error_message = "This message doesn't contain any downloadable media" if isinstance(message, pyrogram.Message): if message.photo: media = pyrogram.Document(file_id=message.photo.sizes[-1]. file_id, file_size=message.photo.sizes[-1].file_size, mime_type='', date=message.photo.date, client=self) elif message.audio: media = message.audio elif message.document: media = message.document elif message.video: media = message.video elif message.voice: media = message.voice elif message.video_note: media = message.video_note elif message.sticker: media = message.sticker elif message.animation: media = message.animation else: raise ValueError(error_message) elif isinstance(message, (pyrogram.Photo, pyrogram.PhotoSize, pyrogram. Audio, pyrogram.Document, pyrogram.Video, pyrogram.Voice, pyrogram. VideoNote, pyrogram.Sticker, pyrogram.Animation)): if isinstance(message, pyrogram.Photo): media = pyrogram.Document(file_id=message.sizes[-1].file_id, file_size=message.sizes[-1].file_size, mime_type='', date= message.date, client=self) else: media = message elif isinstance(message, str): media = pyrogram.Document(file_id=message, file_size=0, mime_type= '', client=self) else: raise ValueError(error_message) done = Event() path = [None] self.download_queue.put((media, file_name, done, progress, progress_args, path)) if block: done.wait() return path[0]
download_media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message: Union['pyrogram.Message', str], file_name: str='',\n block: bool=True, progress: callable=None, progress_args: tuple=()\n ) ->Union[str, N...
def x(self, chat_id: Union[int, str], text: str, parse_mode: str='', disable_web_page_preview: bool=None, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union[ 'pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None ) ->'pyrogram.Message': style = self.html if parse_mode.lower() == 'html' else self.markdown message, entities = style.parse(text).values() r = self.send(functions.messages.SendMessage(peer=self.resolve_peer( chat_id), no_webpage=disable_web_page_preview or None, silent= disable_notification or None, reply_to_msg_id=reply_to_message_id, random_id=self.rnd_id(), reply_markup=reply_markup.write() if reply_markup else None, message=message, entities=entities)) if isinstance(r, types.UpdateShortSentMessage): peer = self.resolve_peer(chat_id) peer_id = peer.user_id if isinstance(peer, types.InputPeerUser ) else -peer.chat_id return pyrogram.Message(message_id=r.id, chat=pyrogram.Chat(id= peer_id, type='private', client=self), text=message, date=r. date, outgoing=r.out, entities=entities, client=self) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], text: str, parse_mode: str='',\n disable_web_page_preview: bool=None, disable_notification: bool=None,\n reply_to_message...
def x(self, password: str, hint: str='', email: str=None) ->bool: r = self.send(functions.account.GetPassword()) if r.has_password: raise ValueError('There is already a cloud password enabled') r.new_algo.salt1 += os.urandom(32) new_hash = btoi(compute_hash(r.new_algo, password)) new_hash = itob(pow(r.new_algo.g, new_hash, btoi(r.new_algo.p))) self.send(functions.account.UpdatePasswordSettings(password=types. InputCheckPasswordEmpty(), new_settings=types.account. PasswordInputSettings(new_algo=r.new_algo, new_password_hash= new_hash, hint=hint, email=email))) return True
enable_cloud_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password: str, hint: str='', email: str=None) ->bool:\n r = self.send(functions.account.GetPassword())\n if r.has_password:\n raise ValueErr...
def x(self, invite_link: str): match = self.INVITE_LINK_RE.match(invite_link) if match: r = self.send(functions.messages.CheckChatInvite(hash=match.group(1))) if isinstance(r, types.ChatInvite): return pyrogram.ChatPreview._parse(self, r) if isinstance(r, types.ChatInviteAlready): chat = r.chat if isinstance(chat, types.Chat): return pyrogram.Chat._parse_chat_chat(self, chat) if isinstance(chat, types.Channel): return pyrogram.Chat._parse_channel_chat(self, chat) else: raise ValueError('The invite_link is invalid')
get_chat_preview
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, invite_link: str):\n match = self.INVITE_LINK_RE.match(invite_link)\n if match:\n r = self.send(functions.messages.CheckChatInvite(hash=matc...
def x(self, chat_id: Union[int, str], title: str) ->bool: peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChat): self.send(functions.messages.EditChatTitle(chat_id=peer.chat_id, title=title)) elif isinstance(peer, types.InputPeerChannel): self.send(functions.channels.EditTitle(channel=peer, title=title)) else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id)) return True
set_chat_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], title: str) ->bool:\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, types.InputPeerChat):\n self.send(fu...
def x(self, user_id: Union[int, str], chat_id: Union[int, str], message_id: int=None): return pyrogram.GameHighScores._parse(self, self.send(functions. messages.GetGameHighScores(peer=self.resolve_peer(chat_id), id= message_id, user_id=self.resolve_peer(user_id))))
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: Union[int, str], chat_id: Union[int, str], message_id:\n int=None):\n return pyrogram.GameHighScores._parse(self, self.send(functions.\n ...
def x(self, chat_id: Union[int, str]) ->bool: self.send(functions.messages.UpdatePinnedMessage(peer=self.resolve_peer (chat_id), id=0)) return True
unpin_chat_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str]) ->bool:\n self.send(functions.messages.UpdatePinnedMessage(peer=self.resolve_peer\n (chat_id), id=0))\n return Tru...