Queer European MD passionate about IT

api.py 49 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145114611471148114911501151115211531154115511561157115811591160116111621163116411651166116711681169117011711172117311741175117611771178117911801181118211831184118511861187118811891190119111921193119411951196119711981199120012011202120312041205120612071208120912101211121212131214121512161217121812191220122112221223122412251226122712281229123012311232123312341235123612371238123912401241124212431244124512461247124812491250125112521253125412551256125712581259126012611262126312641265126612671268126912701271127212731274127512761277127812791280128112821283128412851286128712881289129012911292129312941295129612971298129913001301130213031304130513061307130813091310131113121313131413151316131713181319132013211322
  1. """This module provides a glow-like middleware for Telegram bot API.
  2. All methods and parameters are the same as the original json API.
  3. A simple aiohttp asynchronous web client is used to make requests.
  4. """
  5. # Standard library modules
  6. import asyncio
  7. import datetime
  8. import json
  9. import logging
  10. # Third party modules
  11. import aiohttp
  12. from aiohttp import web
  13. class TelegramError(Exception):
  14. """Telegram API exceptions class."""
  15. # noinspection PyUnusedLocal
  16. def __init__(self, error_code=0, description=None, ok=False,
  17. *args, **kwargs):
  18. """Get an error response and return corresponding Exception."""
  19. self._code = error_code
  20. if description is None:
  21. self._description = 'Generic error'
  22. else:
  23. self._description = description
  24. super().__init__(self.description)
  25. @property
  26. def code(self):
  27. """Telegram error code."""
  28. return self._code
  29. @property
  30. def description(self):
  31. """Human-readable description of error."""
  32. return f"Error {self.code}: {self._description}"
  33. # This class needs to mirror Telegram API, so camelCase method are needed
  34. # noinspection PyPep8Naming
  35. class TelegramBot:
  36. """Provide python method having the same signature as Telegram API methods.
  37. All mirrored methods are camelCase.
  38. """
  39. loop = asyncio.get_event_loop()
  40. app = web.Application()
  41. sessions_timeouts = {
  42. 'getUpdates': dict(
  43. timeout=35,
  44. close=False
  45. ),
  46. 'sendMessage': dict(
  47. timeout=20,
  48. close=False
  49. )
  50. }
  51. _absolute_cooldown_timedelta = datetime.timedelta(seconds=1/30)
  52. _per_chat_cooldown_timedelta = datetime.timedelta(seconds=1)
  53. _allowed_messages_per_group_per_minute = 20
  54. def __init__(self, token):
  55. """Set bot token and store HTTP sessions."""
  56. self._token = token
  57. self.sessions = dict()
  58. self._flood_wait = 0
  59. # Each `telegram_id` key has a list of `datetime.datetime` as value
  60. self.last_sending_time = {
  61. 'absolute': (
  62. datetime.datetime.now()
  63. - self.absolute_cooldown_timedelta
  64. ),
  65. 0: []
  66. }
  67. @property
  68. def token(self):
  69. """Telegram API bot token."""
  70. return self._token
  71. @property
  72. def flood_wait(self):
  73. """Seconds to wait before next API requests."""
  74. return self._flood_wait
  75. @property
  76. def absolute_cooldown_timedelta(self):
  77. """Return time delta to wait between messages (any chat).
  78. Return class value (all bots have the same limits).
  79. """
  80. return self.__class__._absolute_cooldown_timedelta
  81. @property
  82. def per_chat_cooldown_timedelta(self):
  83. """Return time delta to wait between messages in a chat.
  84. Return class value (all bots have the same limits).
  85. """
  86. return self.__class__._per_chat_cooldown_timedelta
  87. @property
  88. def longest_cooldown_timedelta(self):
  89. """Return the longest cooldown timedelta.
  90. Updates sent more than `longest_cooldown_timedelta` ago will be
  91. forgotten.
  92. """
  93. return datetime.timedelta(minutes=1)
  94. @property
  95. def allowed_messages_per_group_per_minute(self):
  96. """Return maximum number of messages allowed in a group per minute.
  97. Group, supergroup and channels are considered.
  98. Return class value (all bots have the same limits).
  99. """
  100. return self.__class__._allowed_messages_per_group_per_minute
  101. @staticmethod
  102. def check_telegram_api_json(response):
  103. """Take a json Telegram response, check it and return its content.
  104. Example of well-formed json Telegram responses:
  105. {
  106. "ok": False,
  107. "error_code": 401,
  108. "description": "Unauthorized"
  109. }
  110. {
  111. "ok": True,
  112. "result": ...
  113. }
  114. """
  115. assert 'ok' in response, (
  116. "All Telegram API responses have an `ok` field."
  117. )
  118. if not response['ok']:
  119. raise TelegramError(**response)
  120. return response['result']
  121. @staticmethod
  122. def adapt_parameters(parameters, exclude=None):
  123. """Build a aiohttp.FormData object from given `parameters`.
  124. Exclude `self`, empty values and parameters in `exclude` list.
  125. Cast integers to string to avoid TypeError during json serialization.
  126. """
  127. if exclude is None:
  128. exclude = []
  129. exclude.append('self')
  130. # quote_fields=False, otherwise some file names cause troubles
  131. data = aiohttp.FormData(quote_fields=False)
  132. for key, value in parameters.items():
  133. if not (key in exclude or value is None):
  134. if (
  135. type(value) in (int, list,)
  136. or (type(value) is dict and 'file' not in value)
  137. ):
  138. value = json.dumps(value, separators=(',', ':'))
  139. data.add_field(key, value)
  140. return data
  141. def get_session(self, api_method):
  142. """According to API method, return proper session and information.
  143. Return a tuple (session, session_must_be_closed)
  144. session : aiohttp.ClientSession
  145. Client session with proper timeout
  146. session_must_be_closed : bool
  147. True if session must be closed after being used once
  148. """
  149. cls = self.__class__
  150. if api_method in cls.sessions_timeouts:
  151. if api_method not in self.sessions:
  152. self.sessions[api_method] = aiohttp.ClientSession(
  153. loop=cls.loop,
  154. timeout=aiohttp.ClientTimeout(
  155. total=cls.sessions_timeouts[api_method]['timeout']
  156. )
  157. )
  158. session = self.sessions[api_method]
  159. session_must_be_closed = cls.sessions_timeouts[api_method]['close']
  160. else:
  161. session = aiohttp.ClientSession(
  162. loop=cls.loop,
  163. timeout=aiohttp.ClientTimeout(total=None)
  164. )
  165. session_must_be_closed = True
  166. return session, session_must_be_closed
  167. def set_flood_wait(self, flood_wait):
  168. """Wait `flood_wait` seconds before next request."""
  169. self._flood_wait = flood_wait
  170. async def prevent_flooding(self, chat_id):
  171. """Await until request may be sent safely.
  172. Telegram flood control won't allow too many API requests in a small
  173. period.
  174. Exact limits are unknown, but less than 30 total private chat messages
  175. per second, less than 1 private message per chat and less than 20
  176. group chat messages per chat per minute should be safe.
  177. """
  178. now = datetime.datetime.now
  179. if type(chat_id) is int and chat_id > 0:
  180. while (
  181. now() < (
  182. self.last_sending_time['absolute']
  183. + self.absolute_cooldown_timedelta
  184. )
  185. ) or (
  186. chat_id in self.last_sending_time
  187. and (
  188. now() < (
  189. self.last_sending_time[chat_id]
  190. + self.per_chat_cooldown_timedelta
  191. )
  192. )
  193. ):
  194. await asyncio.sleep(
  195. self.absolute_cooldown_timedelta.seconds
  196. )
  197. self.last_sending_time[chat_id] = now()
  198. else:
  199. while (
  200. now() < (
  201. self.last_sending_time['absolute']
  202. + self.absolute_cooldown_timedelta
  203. )
  204. ) or (
  205. chat_id in self.last_sending_time
  206. and len(
  207. [
  208. sending_datetime
  209. for sending_datetime in self.last_sending_time[chat_id]
  210. if sending_datetime >= (
  211. now()
  212. - datetime.timedelta(minutes=1)
  213. )
  214. ]
  215. ) >= self.allowed_messages_per_group_per_minute
  216. ) or (
  217. chat_id in self.last_sending_time
  218. and len(self.last_sending_time[chat_id]) > 0
  219. and now() < (
  220. self.last_sending_time[chat_id][-1]
  221. + self.per_chat_cooldown_timedelta
  222. )
  223. ):
  224. await asyncio.sleep(0.5)
  225. if chat_id not in self.last_sending_time:
  226. self.last_sending_time[chat_id] = []
  227. self.last_sending_time[chat_id].append(now())
  228. self.last_sending_time[chat_id] = [
  229. sending_datetime
  230. for sending_datetime in self.last_sending_time[chat_id]
  231. if sending_datetime >= (
  232. now()
  233. - self.longest_cooldown_timedelta
  234. )
  235. ]
  236. self.last_sending_time['absolute'] = now()
  237. return
  238. async def api_request(self, method, parameters=None, exclude=None):
  239. """Return the result of a Telegram bot API request, or an Exception.
  240. Opened sessions will be used more than one time (if appropriate) and
  241. will be closed on `Bot.app.cleanup`.
  242. Result may be a Telegram API json response, None, or Exception.
  243. """
  244. if exclude is None:
  245. exclude = []
  246. if parameters is None:
  247. parameters = {}
  248. response_object = None
  249. session, session_must_be_closed = self.get_session(method)
  250. # Prevent Telegram flood control for all methods having a `chat_id`
  251. if 'chat_id' in parameters:
  252. await self.prevent_flooding(parameters['chat_id'])
  253. parameters = self.adapt_parameters(parameters, exclude=exclude)
  254. try:
  255. async with session.post(
  256. "https://api.telegram.org/bot"
  257. f"{self.token}/{method}",
  258. data=parameters
  259. ) as response:
  260. try:
  261. response_object = self.check_telegram_api_json(
  262. await response.json() # Telegram returns json objects
  263. )
  264. except TelegramError as e:
  265. logging.error(f"API error response - {e}")
  266. if e.code == 420: # Flood error!
  267. try:
  268. flood_wait = int(
  269. e.description.split('_')[-1]
  270. ) + 30
  271. except Exception as e:
  272. logging.error(f"{e}")
  273. flood_wait = 5*60
  274. logging.critical(
  275. "Telegram antiflood control triggered!\n"
  276. f"Wait {flood_wait} seconds before making another "
  277. "request"
  278. )
  279. self.set_flood_wait(flood_wait)
  280. response_object = e
  281. except Exception as e:
  282. logging.error(f"{e}", exc_info=True)
  283. response_object = e
  284. except asyncio.TimeoutError as e:
  285. logging.info(f"{e}: {method} API call timed out")
  286. except Exception as e:
  287. logging.info(f"Unexpected exception:\n{e}")
  288. response_object = e
  289. finally:
  290. if session_must_be_closed and not session.closed:
  291. await session.close()
  292. return response_object
  293. async def getMe(self):
  294. """Get basic information about the bot in form of a User object.
  295. Useful to test `self.token`.
  296. See https://core.telegram.org/bots/api#getme for details.
  297. """
  298. return await self.api_request(
  299. 'getMe',
  300. )
  301. async def getUpdates(self, offset, timeout, limit, allowed_updates):
  302. """Get a list of updates starting from `offset`.
  303. If there are no updates, keep the request hanging until `timeout`.
  304. If there are more than `limit` updates, retrieve them in packs of
  305. `limit`.
  306. Allowed update types (empty list to allow all).
  307. See https://core.telegram.org/bots/api#getupdates for details.
  308. """
  309. return await self.api_request(
  310. method='getUpdates',
  311. parameters=locals()
  312. )
  313. async def setWebhook(self, url=None, certificate=None,
  314. max_connections=None, allowed_updates=None):
  315. """Set or remove a webhook. Telegram will post to `url` new updates.
  316. See https://core.telegram.org/bots/api#setwebhook for details.
  317. """
  318. if type(certificate) is str:
  319. try:
  320. certificate = dict(
  321. file=open(certificate, 'r')
  322. )
  323. except FileNotFoundError as e:
  324. logging.error(f"{e}\nCertificate set to `None`")
  325. certificate = None
  326. result = await self.api_request(
  327. 'setWebhook',
  328. parameters=locals()
  329. )
  330. if type(certificate) is dict: # Close certificate file, if it was open
  331. certificate['file'].close()
  332. return result
  333. async def deleteWebhook(self):
  334. """Remove webhook integration and switch back to getUpdate.
  335. See https://core.telegram.org/bots/api#deletewebhook for details.
  336. """
  337. return await self.api_request(
  338. 'deleteWebhook',
  339. )
  340. async def getWebhookInfo(self):
  341. """Get current webhook status.
  342. See https://core.telegram.org/bots/api#getwebhookinfo for details.
  343. """
  344. return await self.api_request(
  345. 'getWebhookInfo',
  346. )
  347. async def sendMessage(self, chat_id, text,
  348. parse_mode=None,
  349. disable_web_page_preview=None,
  350. disable_notification=None,
  351. reply_to_message_id=None,
  352. reply_markup=None):
  353. """Send a text message. On success, return it.
  354. See https://core.telegram.org/bots/api#sendmessage for details.
  355. """
  356. return await self.api_request(
  357. 'sendMessage',
  358. parameters=locals()
  359. )
  360. async def forwardMessage(self, chat_id, from_chat_id, message_id,
  361. disable_notification=None):
  362. """Forward a message.
  363. See https://core.telegram.org/bots/api#forwardmessage for details.
  364. """
  365. return await self.api_request(
  366. 'forwardMessage',
  367. parameters=locals()
  368. )
  369. async def sendPhoto(self, chat_id, photo,
  370. caption=None,
  371. parse_mode=None,
  372. disable_notification=None,
  373. reply_to_message_id=None,
  374. reply_markup=None):
  375. """Send a photo from file_id, HTTP url or file.
  376. See https://core.telegram.org/bots/api#sendphoto for details.
  377. """
  378. return await self.api_request(
  379. 'sendPhoto',
  380. parameters=locals()
  381. )
  382. async def sendAudio(self, chat_id, audio,
  383. caption=None,
  384. parse_mode=None,
  385. duration=None,
  386. performer=None,
  387. title=None,
  388. thumb=None,
  389. disable_notification=None,
  390. reply_to_message_id=None,
  391. reply_markup=None):
  392. """Send an audio file from file_id, HTTP url or file.
  393. See https://core.telegram.org/bots/api#sendaudio for details.
  394. """
  395. return await self.api_request(
  396. 'sendAudio',
  397. parameters=locals()
  398. )
  399. async def sendDocument(self, chat_id, document,
  400. thumb=None,
  401. caption=None,
  402. parse_mode=None,
  403. disable_notification=None,
  404. reply_to_message_id=None,
  405. reply_markup=None):
  406. """Send a document from file_id, HTTP url or file.
  407. See https://core.telegram.org/bots/api#senddocument for details.
  408. """
  409. return await self.api_request(
  410. 'sendDocument',
  411. parameters=locals()
  412. )
  413. async def sendVideo(self, chat_id, video,
  414. duration=None,
  415. width=None,
  416. height=None,
  417. thumb=None,
  418. caption=None,
  419. parse_mode=None,
  420. supports_streaming=None,
  421. disable_notification=None,
  422. reply_to_message_id=None,
  423. reply_markup=None):
  424. """Send a video from file_id, HTTP url or file.
  425. See https://core.telegram.org/bots/api#sendvideo for details.
  426. """
  427. return await self.api_request(
  428. 'sendVideo',
  429. parameters=locals()
  430. )
  431. async def sendAnimation(self, chat_id, animation,
  432. duration=None,
  433. width=None,
  434. height=None,
  435. thumb=None,
  436. caption=None,
  437. parse_mode=None,
  438. disable_notification=None,
  439. reply_to_message_id=None,
  440. reply_markup=None):
  441. """Send animation files (GIF or H.264/MPEG-4 AVC video without sound).
  442. See https://core.telegram.org/bots/api#sendanimation for details.
  443. """
  444. return await self.api_request(
  445. 'sendAnimation',
  446. parameters=locals()
  447. )
  448. async def sendVoice(self, chat_id, voice,
  449. caption=None,
  450. parse_mode=None,
  451. duration=None,
  452. disable_notification=None,
  453. reply_to_message_id=None,
  454. reply_markup=None):
  455. """Send an audio file to be displayed as playable voice message.
  456. `voice` must be in an .ogg file encoded with OPUS.
  457. See https://core.telegram.org/bots/api#sendvoice for details.
  458. """
  459. return await self.api_request(
  460. 'sendVoice',
  461. parameters=locals()
  462. )
  463. async def sendVideoNote(self, chat_id, video_note,
  464. duration=None,
  465. length=None,
  466. thumb=None,
  467. disable_notification=None,
  468. reply_to_message_id=None,
  469. reply_markup=None):
  470. """Send a rounded square mp4 video message of up to 1 minute long.
  471. See https://core.telegram.org/bots/api#sendvideonote for details.
  472. """
  473. return await self.api_request(
  474. 'sendVideoNote',
  475. parameters=locals()
  476. )
  477. async def sendMediaGroup(self, chat_id, media,
  478. disable_notification=None,
  479. reply_to_message_id=None):
  480. """Send a group of photos or videos as an album.
  481. `media` must be a list of `InputMediaPhoto` and/or `InputMediaVideo`
  482. objects.
  483. See https://core.telegram.org/bots/api#sendmediagroup for details.
  484. """
  485. return await self.api_request(
  486. 'sendMediaGroup',
  487. parameters=locals()
  488. )
  489. async def sendLocation(self, chat_id, latitude, longitude,
  490. live_period=None,
  491. disable_notification=None,
  492. reply_to_message_id=None,
  493. reply_markup=None):
  494. """Send a point on the map. May be kept updated for a `live_period`.
  495. See https://core.telegram.org/bots/api#sendlocation for details.
  496. """
  497. return await self.api_request(
  498. 'sendLocation',
  499. parameters=locals()
  500. )
  501. async def editMessageLiveLocation(self, latitude, longitude,
  502. chat_id=None, message_id=None,
  503. inline_message_id=None,
  504. reply_markup=None):
  505. """Edit live location messages.
  506. A location can be edited until its live_period expires or editing is
  507. explicitly disabled by a call to stopMessageLiveLocation.
  508. The message to be edited may be identified through `inline_message_id`
  509. OR the couple (`chat_id`, `message_id`).
  510. See https://core.telegram.org/bots/api#editmessagelivelocation
  511. for details.
  512. """
  513. return await self.api_request(
  514. 'editMessageLiveLocation',
  515. parameters=locals()
  516. )
  517. async def stopMessageLiveLocation(self,
  518. chat_id=None, message_id=None,
  519. inline_message_id=None,
  520. reply_markup=None):
  521. """Stop updating a live location message before live_period expires.
  522. The position to be stopped may be identified through
  523. `inline_message_id` OR the couple (`chat_id`, `message_id`).
  524. `reply_markup` type may be only `InlineKeyboardMarkup`.
  525. See https://core.telegram.org/bots/api#stopmessagelivelocation
  526. for details.
  527. """
  528. return await self.api_request(
  529. 'stopMessageLiveLocation',
  530. parameters=locals()
  531. )
  532. async def sendVenue(self, chat_id, latitude, longitude, title, address,
  533. foursquare_id=None,
  534. foursquare_type=None,
  535. disable_notification=None,
  536. reply_to_message_id=None,
  537. reply_markup=None):
  538. """Send information about a venue.
  539. Integrated with FourSquare.
  540. See https://core.telegram.org/bots/api#sendvenue for details.
  541. """
  542. return await self.api_request(
  543. 'sendVenue',
  544. parameters=locals()
  545. )
  546. async def sendContact(self, chat_id, phone_number, first_name,
  547. last_name=None,
  548. vcard=None,
  549. disable_notification=None,
  550. reply_to_message_id=None,
  551. reply_markup=None):
  552. """Send a phone contact.
  553. See https://core.telegram.org/bots/api#sendcontact for details.
  554. """
  555. return await self.api_request(
  556. 'sendContact',
  557. parameters=locals()
  558. )
  559. async def sendPoll(self, chat_id, question, options,
  560. dummy=None,
  561. disable_notification=None,
  562. reply_to_message_id=None,
  563. reply_markup=None):
  564. """Send a native poll in a group, a supergroup or channel.
  565. See https://core.telegram.org/bots/api#sendpoll for details.
  566. """
  567. return await self.api_request(
  568. 'sendPoll',
  569. parameters=locals()
  570. )
  571. async def sendChatAction(self, chat_id, action):
  572. """Fake a typing status or similar.
  573. See https://core.telegram.org/bots/api#sendchataction for details.
  574. """
  575. return await self.api_request(
  576. 'sendChatAction',
  577. parameters=locals()
  578. )
  579. async def getUserProfilePhotos(self, user_id,
  580. offset=None,
  581. limit=None,):
  582. """Get a list of profile pictures for a user.
  583. See https://core.telegram.org/bots/api#getuserprofilephotos
  584. for details.
  585. """
  586. return await self.api_request(
  587. 'getUserProfilePhotos',
  588. parameters=locals()
  589. )
  590. async def getFile(self, file_id):
  591. """Get basic info about a file and prepare it for downloading.
  592. For the moment, bots can download files of up to
  593. 20MB in size.
  594. On success, a File object is returned. The file can then be downloaded
  595. via the link https://api.telegram.org/file/bot<token>/<file_path>,
  596. where <file_path> is taken from the response.
  597. See https://core.telegram.org/bots/api#getfile for details.
  598. """
  599. return await self.api_request(
  600. 'getFile',
  601. parameters=locals()
  602. )
  603. async def kickChatMember(self, chat_id, user_id,
  604. until_date=None):
  605. """Kick a user from a group, a supergroup or a channel.
  606. In the case of supergroups and channels, the user will not be able to
  607. return to the group on their own using invite links, etc., unless
  608. unbanned first.
  609. Note: In regular groups (non-supergroups), this method will only work
  610. if the ‘All Members Are Admins’ setting is off in the target group.
  611. Otherwise members may only be removed by the group's creator or by
  612. the member that added them.
  613. See https://core.telegram.org/bots/api#kickchatmember for details.
  614. """
  615. return await self.api_request(
  616. 'kickChatMember',
  617. parameters=locals()
  618. )
  619. async def unbanChatMember(self, chat_id, user_id):
  620. """Unban a previously kicked user in a supergroup or channel.
  621. The user will not return to the group or channel automatically, but
  622. will be able to join via link, etc.
  623. The bot must be an administrator for this to work.
  624. Return True on success.
  625. See https://core.telegram.org/bots/api#unbanchatmember for details.
  626. """
  627. return await self.api_request(
  628. 'unbanChatMember',
  629. parameters=locals()
  630. )
  631. async def restrictChatMember(self, chat_id, user_id,
  632. until_date=None,
  633. can_send_messages=None,
  634. can_send_media_messages=None,
  635. can_send_other_messages=None,
  636. can_add_web_page_previews=None):
  637. """Restrict a user in a supergroup.
  638. The bot must be an administrator in the supergroup for this to work
  639. and must have the appropriate admin rights.
  640. Pass True for all boolean parameters to lift restrictions from a
  641. user.
  642. Return True on success.
  643. See https://core.telegram.org/bots/api#restrictchatmember for details.
  644. """
  645. return await self.api_request(
  646. 'restrictChatMember',
  647. parameters=locals()
  648. )
  649. async def promoteChatMember(self, chat_id, user_id,
  650. can_change_info=None,
  651. can_post_messages=None,
  652. can_edit_messages=None,
  653. can_delete_messages=None,
  654. can_invite_users=None,
  655. can_restrict_members=None,
  656. can_pin_messages=None,
  657. can_promote_members=None):
  658. """Promote or demote a user in a supergroup or a channel.
  659. The bot must be an administrator in the chat for this to work and must
  660. have the appropriate admin rights.
  661. Pass False for all boolean parameters to demote a user.
  662. Return True on success.
  663. See https://core.telegram.org/bots/api#promotechatmember for details.
  664. """
  665. return await self.api_request(
  666. 'promoteChatMember',
  667. parameters=locals()
  668. )
  669. async def exportChatInviteLink(self, chat_id):
  670. """Generate a new invite link for a chat and revoke any active link.
  671. The bot must be an administrator in the chat for this to work and must
  672. have the appropriate admin rights.
  673. Return the new invite link as String on success.
  674. NOTE: to get the current invite link, use `getChat` method.
  675. See https://core.telegram.org/bots/api#exportchatinvitelink
  676. for details.
  677. """
  678. return await self.api_request(
  679. 'exportChatInviteLink',
  680. parameters=locals()
  681. )
  682. async def setChatPhoto(self, chat_id, photo):
  683. """Set a new profile photo for the chat.
  684. Photos can't be changed for private chats.
  685. `photo` must be an input file (file_id and urls are not allowed).
  686. The bot must be an administrator in the chat for this to work and must
  687. have the appropriate admin rights.
  688. Return True on success.
  689. See https://core.telegram.org/bots/api#setchatphoto for details.
  690. """
  691. return await self.api_request(
  692. 'setChatPhoto',
  693. parameters=locals()
  694. )
  695. async def deleteChatPhoto(self, chat_id):
  696. """Delete a chat photo.
  697. Photos can't be changed for private chats.
  698. The bot must be an administrator in the chat for this to work and must
  699. have the appropriate admin rights.
  700. Return True on success.
  701. See https://core.telegram.org/bots/api#deletechatphoto for details.
  702. """
  703. return await self.api_request(
  704. 'deleteChatPhoto',
  705. parameters=locals()
  706. )
  707. async def setChatTitle(self, chat_id, title):
  708. """Change the title of a chat.
  709. Titles can't be changed for private chats.
  710. The bot must be an administrator in the chat for this to work and must
  711. have the appropriate admin rights.
  712. Return True on success.
  713. See https://core.telegram.org/bots/api#setchattitle for details.
  714. """
  715. return await self.api_request(
  716. 'setChatTitle',
  717. parameters=locals()
  718. )
  719. async def setChatDescription(self, chat_id, description):
  720. """Change the description of a supergroup or a channel.
  721. The bot must be an administrator in the chat for this to work and must
  722. have the appropriate admin rights.
  723. Return True on success.
  724. See https://core.telegram.org/bots/api#setchatdescription for details.
  725. """
  726. return await self.api_request(
  727. 'setChatDescription',
  728. parameters=locals()
  729. )
  730. async def pinChatMessage(self, chat_id, message_id,
  731. disable_notification=None):
  732. """Pin a message in a group, a supergroup, or a channel.
  733. The bot must be an administrator in the chat for this to work and must
  734. have the ‘can_pin_messages’ admin right in the supergroup or
  735. ‘can_edit_messages’ admin right in the channel.
  736. Return True on success.
  737. See https://core.telegram.org/bots/api#pinchatmessage for details.
  738. """
  739. return await self.api_request(
  740. 'pinChatMessage',
  741. parameters=locals()
  742. )
  743. async def unpinChatMessage(self, chat_id):
  744. """Unpin a message in a group, a supergroup, or a channel.
  745. The bot must be an administrator in the chat for this to work and must
  746. have the ‘can_pin_messages’ admin right in the supergroup or
  747. ‘can_edit_messages’ admin right in the channel.
  748. Return True on success.
  749. See https://core.telegram.org/bots/api#unpinchatmessage for details.
  750. """
  751. return await self.api_request(
  752. 'unpinChatMessage',
  753. parameters=locals()
  754. )
  755. async def leaveChat(self, chat_id):
  756. """Make the bot leave a group, supergroup or channel.
  757. Return True on success.
  758. See https://core.telegram.org/bots/api#leavechat for details.
  759. """
  760. return await self.api_request(
  761. 'leaveChat',
  762. parameters=locals()
  763. )
  764. async def getChat(self, chat_id):
  765. """Get up to date information about the chat.
  766. Return a Chat object on success.
  767. See https://core.telegram.org/bots/api#getchat for details.
  768. """
  769. return await self.api_request(
  770. 'getChat',
  771. parameters=locals()
  772. )
  773. async def getChatAdministrators(self, chat_id):
  774. """Get a list of administrators in a chat.
  775. On success, return an Array of ChatMember objects that contains
  776. information about all chat administrators except other bots.
  777. If the chat is a group or a supergroup and no administrators were
  778. appointed, only the creator will be returned.
  779. See https://core.telegram.org/bots/api#getchatadministrators
  780. for details.
  781. """
  782. return await self.api_request(
  783. 'getChatAdministrators',
  784. parameters=locals()
  785. )
  786. async def getChatMembersCount(self, chat_id):
  787. """Get the number of members in a chat.
  788. Returns Int on success.
  789. See https://core.telegram.org/bots/api#getchatmemberscount for details.
  790. """
  791. return await self.api_request(
  792. 'getChatMembersCount',
  793. parameters=locals()
  794. )
  795. async def getChatMember(self, chat_id, user_id):
  796. """Get information about a member of a chat.
  797. Returns a ChatMember object on success.
  798. See https://core.telegram.org/bots/api#getchatmember for details.
  799. """
  800. return await self.api_request(
  801. 'getChatMember',
  802. parameters=locals()
  803. )
  804. async def setChatStickerSet(self, chat_id, sticker_set_name):
  805. """Set a new group sticker set for a supergroup.
  806. The bot must be an administrator in the chat for this to work and must
  807. have the appropriate admin rights.
  808. Use the field `can_set_sticker_set` optionally returned in getChat
  809. requests to check if the bot can use this method.
  810. Returns True on success.
  811. See https://core.telegram.org/bots/api#setchatstickerset for details.
  812. """
  813. return await self.api_request(
  814. 'setChatStickerSet',
  815. parameters=locals()
  816. )
  817. async def deleteChatStickerSet(self, chat_id):
  818. """Delete a group sticker set from a supergroup.
  819. The bot must be an administrator in the chat for this to work and must
  820. have the appropriate admin rights.
  821. Use the field `can_set_sticker_set` optionally returned in getChat
  822. requests to check if the bot can use this method.
  823. Returns True on success.
  824. See https://core.telegram.org/bots/api#deletechatstickerset for
  825. details.
  826. """
  827. return await self.api_request(
  828. 'deleteChatStickerSet',
  829. parameters=locals()
  830. )
  831. async def answerCallbackQuery(self, callback_query_id,
  832. text=None,
  833. show_alert=None,
  834. url=None,
  835. cache_time=None):
  836. """Send answers to callback queries sent from inline keyboards.
  837. The answer will be displayed to the user as a notification at the top
  838. of the chat screen or as an alert.
  839. On success, True is returned.
  840. See https://core.telegram.org/bots/api#answercallbackquery for details.
  841. """
  842. return await self.api_request(
  843. 'answerCallbackQuery',
  844. parameters=locals()
  845. )
  846. async def editMessageText(self, text,
  847. chat_id=None, message_id=None,
  848. inline_message_id=None,
  849. parse_mode=None,
  850. disable_web_page_preview=None,
  851. reply_markup=None):
  852. """Edit text and game messages.
  853. On success, if edited message is sent by the bot, the edited Message
  854. is returned, otherwise True is returned.
  855. See https://core.telegram.org/bots/api#editmessagetext for details.
  856. """
  857. return await self.api_request(
  858. 'editMessageText',
  859. parameters=locals()
  860. )
  861. async def editMessageCaption(self,
  862. chat_id=None, message_id=None,
  863. inline_message_id=None,
  864. caption=None,
  865. parse_mode=None,
  866. reply_markup=None):
  867. """Edit captions of messages.
  868. On success, if edited message is sent by the bot, the edited Message is
  869. returned, otherwise True is returned.
  870. See https://core.telegram.org/bots/api#editmessagecaption for details.
  871. """
  872. return await self.api_request(
  873. 'editMessageCaption',
  874. parameters=locals()
  875. )
  876. async def editMessageMedia(self,
  877. chat_id=None, message_id=None,
  878. inline_message_id=None,
  879. media=None,
  880. reply_markup=None):
  881. """Edit animation, audio, document, photo, or video messages.
  882. If a message is a part of a message album, then it can be edited only
  883. to a photo or a video. Otherwise, message type can be changed
  884. arbitrarily.
  885. When inline message is edited, new file can't be uploaded.
  886. Use previously uploaded file via its file_id or specify a URL.
  887. On success, if the edited message was sent by the bot, the edited
  888. Message is returned, otherwise True is returned.
  889. See https://core.telegram.org/bots/api#editmessagemedia for details.
  890. """
  891. return await self.api_request(
  892. 'editMessageMedia',
  893. parameters=locals()
  894. )
  895. async def editMessageReplyMarkup(self,
  896. chat_id=None, message_id=None,
  897. inline_message_id=None,
  898. reply_markup=None):
  899. """Edit only the reply markup of messages.
  900. On success, if edited message is sent by the bot, the edited Message is
  901. returned, otherwise True is returned.
  902. See https://core.telegram.org/bots/api#editmessagereplymarkup for
  903. details.
  904. """
  905. return await self.api_request(
  906. 'editMessageReplyMarkup',
  907. parameters=locals()
  908. )
  909. async def stopPoll(self, chat_id, message_id,
  910. reply_markup=None):
  911. """Stop a poll which was sent by the bot.
  912. On success, the stopped Poll with the final results is returned.
  913. `reply_markup` type may be only `InlineKeyboardMarkup`.
  914. See https://core.telegram.org/bots/api#stoppoll for details.
  915. """
  916. return await self.api_request(
  917. 'stopPoll',
  918. parameters=locals()
  919. )
  920. async def deleteMessage(self, chat_id, message_id):
  921. """Delete a message, including service messages.
  922. - A message can only be deleted if it was sent less than 48 hours
  923. ago.
  924. - Bots can delete outgoing messages in private chats, groups, and
  925. supergroups.
  926. - Bots can delete incoming messages in private chats.
  927. - Bots granted can_post_messages permissions can delete outgoing
  928. messages in channels.
  929. - If the bot is an administrator of a group, it can delete any
  930. message there.
  931. - If the bot has can_delete_messages permission in a supergroup or
  932. a channel, it can delete any message there.
  933. Returns True on success.
  934. See https://core.telegram.org/bots/api#deletemessage for details.
  935. """
  936. return await self.api_request(
  937. 'deleteMessage',
  938. parameters=locals()
  939. )
  940. async def sendSticker(self, chat_id, sticker,
  941. disable_notification=None,
  942. reply_to_message_id=None,
  943. reply_markup=None):
  944. """Send `.webp` stickers.
  945. On success, the sent Message is returned.
  946. See https://core.telegram.org/bots/api#sendsticker for details.
  947. """
  948. return await self.api_request(
  949. 'sendSticker',
  950. parameters=locals()
  951. )
  952. async def getStickerSet(self, name):
  953. """Get a sticker set.
  954. On success, a StickerSet object is returned.
  955. See https://core.telegram.org/bots/api#getstickerset for details.
  956. """
  957. return await self.api_request(
  958. 'getStickerSet',
  959. parameters=locals()
  960. )
  961. async def uploadStickerFile(self, user_id, png_sticker):
  962. """Upload a .png file as a sticker.
  963. Use it later via `createNewStickerSet` and `addStickerToSet` methods
  964. (can be used multiple times).
  965. Return the uploaded File on success.
  966. `png_sticker` must be a *.png image up to 512 kilobytes in size,
  967. dimensions must not exceed 512px, and either width or height must
  968. be exactly 512px.
  969. See https://core.telegram.org/bots/api#uploadstickerfile for details.
  970. """
  971. return await self.api_request(
  972. 'uploadStickerFile',
  973. parameters=locals()
  974. )
  975. async def createNewStickerSet(self, user_id,
  976. name, title, png_sticker, emojis,
  977. contains_masks=None,
  978. mask_position=None):
  979. """Create new sticker set owned by a user.
  980. The bot will be able to edit the created sticker set.
  981. Returns True on success.
  982. See https://core.telegram.org/bots/api#createnewstickerset for details.
  983. """
  984. return await self.api_request(
  985. 'createNewStickerSet',
  986. parameters=locals()
  987. )
  988. async def addStickerToSet(self, user_id, name, png_sticker, emojis,
  989. mask_position=None):
  990. """Add a new sticker to a set created by the bot.
  991. Returns True on success.
  992. See https://core.telegram.org/bots/api#addstickertoset for details.
  993. """
  994. return await self.api_request(
  995. 'addStickerToSet',
  996. parameters=locals()
  997. )
  998. async def setStickerPositionInSet(self, sticker, position):
  999. """Move a sticker in a set created by the bot to a specific position .
  1000. Position is 0-based.
  1001. Returns True on success.
  1002. See https://core.telegram.org/bots/api#setstickerpositioninset for
  1003. details.
  1004. """
  1005. return await self.api_request(
  1006. 'setStickerPositionInSet',
  1007. parameters=locals()
  1008. )
  1009. async def deleteStickerFromSet(self, sticker):
  1010. """Delete a sticker from a set created by the bot.
  1011. Returns True on success.
  1012. See https://core.telegram.org/bots/api#deletestickerfromset for
  1013. details.
  1014. """
  1015. return await self.api_request(
  1016. 'deleteStickerFromSet',
  1017. parameters=locals()
  1018. )
  1019. async def answerInlineQuery(self, inline_query_id, results,
  1020. cache_time=None,
  1021. is_personal=None,
  1022. next_offset=None,
  1023. switch_pm_text=None,
  1024. switch_pm_parameter=None):
  1025. """Send answers to an inline query.
  1026. On success, True is returned.
  1027. No more than 50 results per query are allowed.
  1028. See https://core.telegram.org/bots/api#answerinlinequery for details.
  1029. """
  1030. return await self.api_request(
  1031. 'answerInlineQuery',
  1032. parameters=locals()
  1033. )
  1034. async def sendInvoice(self, chat_id, title, description, payload,
  1035. provider_token, start_parameter, currency, prices,
  1036. provider_data=None,
  1037. photo_url=None,
  1038. photo_size=None,
  1039. photo_width=None,
  1040. photo_height=None,
  1041. need_name=None,
  1042. need_phone_number=None,
  1043. need_email=None,
  1044. need_shipping_address=None,
  1045. send_phone_number_to_provider=None,
  1046. send_email_to_provider=None,
  1047. is_flexible=None,
  1048. disable_notification=None,
  1049. reply_to_message_id=None,
  1050. reply_markup=None):
  1051. """Send an invoice.
  1052. On success, the sent Message is returned.
  1053. See https://core.telegram.org/bots/api#sendinvoice for details.
  1054. """
  1055. return await self.api_request(
  1056. 'sendInvoice',
  1057. parameters=locals()
  1058. )
  1059. async def answerShippingQuery(self, shipping_query_id, ok,
  1060. shipping_options=None,
  1061. error_message=None):
  1062. """Reply to shipping queries.
  1063. On success, True is returned.
  1064. If you sent an invoice requesting a shipping address and the parameter
  1065. is_flexible was specified, the Bot API will send an Update with a
  1066. shipping_query field to the bot.
  1067. See https://core.telegram.org/bots/api#answershippingquery for details.
  1068. """
  1069. return await self.api_request(
  1070. 'answerShippingQuery',
  1071. parameters=locals()
  1072. )
  1073. async def answerPreCheckoutQuery(self, pre_checkout_query_id, ok,
  1074. error_message=None):
  1075. """Respond to pre-checkout queries.
  1076. Once the user has confirmed their payment and shipping details, the Bot
  1077. API sends the final confirmation in the form of an Update with the
  1078. field pre_checkout_query.
  1079. On success, True is returned.
  1080. Note: The Bot API must receive an answer within 10 seconds after the
  1081. pre-checkout query was sent.
  1082. See https://core.telegram.org/bots/api#answerprecheckoutquery for
  1083. details.
  1084. """
  1085. return await self.api_request(
  1086. 'answerPreCheckoutQuery',
  1087. parameters=locals()
  1088. )
  1089. async def setPassportDataErrors(self, user_id, errors):
  1090. """Refuse a Telegram Passport element with `errors`.
  1091. Inform a user that some of the Telegram Passport elements they provided
  1092. contains errors.
  1093. The user will not be able to re-submit their Passport to you until the
  1094. errors are fixed (the contents of the field for which you returned
  1095. the error must change).
  1096. Returns True on success.
  1097. Use this if the data submitted by the user doesn't satisfy the
  1098. standards your service requires for any reason.
  1099. For example, if a birthday date seems invalid, a submitted document
  1100. is blurry, a scan shows evidence of tampering, etc.
  1101. Supply some details in the error message to make sure the user knows
  1102. how to correct the issues.
  1103. See https://core.telegram.org/bots/api#setpassportdataerrors for
  1104. details.
  1105. """
  1106. return await self.api_request(
  1107. 'setPassportDataErrors',
  1108. parameters=locals()
  1109. )
  1110. async def sendGame(self, chat_id, game_short_name,
  1111. disable_notification=None,
  1112. reply_to_message_id=None,
  1113. reply_markup=None):
  1114. """Send a game.
  1115. On success, the sent Message is returned.
  1116. See https://core.telegram.org/bots/api#sendgame for
  1117. details.
  1118. """
  1119. return await self.api_request(
  1120. 'sendGame',
  1121. parameters=locals()
  1122. )
  1123. async def setGameScore(self, user_id, score,
  1124. force=None,
  1125. disable_edit_message=None,
  1126. chat_id=None, message_id=None,
  1127. inline_message_id=None):
  1128. """Set the score of the specified user in a game.
  1129. On success, if the message was sent by the bot, returns the edited
  1130. Message, otherwise returns True.
  1131. Returns an error, if the new score is not greater than the user's
  1132. current score in the chat and force is False.
  1133. See https://core.telegram.org/bots/api#setgamescore for
  1134. details.
  1135. """
  1136. return await self.api_request(
  1137. 'setGameScore',
  1138. parameters=locals()
  1139. )
  1140. async def getGameHighScores(self, user_id,
  1141. chat_id=None, message_id=None,
  1142. inline_message_id=None):
  1143. """Get data for high score tables.
  1144. Will return the score of the specified user and several of his
  1145. neighbors in a game.
  1146. On success, returns an Array of GameHighScore objects.
  1147. This method will currently return scores for the target user, plus two
  1148. of his closest neighbors on each side. Will also return the top
  1149. three users if the user and his neighbors are not among them.
  1150. Please note that this behavior is subject to change.
  1151. See https://core.telegram.org/bots/api#getgamehighscores for
  1152. details.
  1153. """
  1154. return await self.api_request(
  1155. 'getGameHighScores',
  1156. parameters=locals()
  1157. )