Context
When your bot receives a message, Telegram sends an update object to your bot. The update contains information about the chat, the user, and of course the message itself. There are numerous other updates, too: https://
When grammY receives an update, it wraps this update into a context object for you. Context objects are commonly named ctx
. A context object does two things:
ctx
holds the update object that you can use to process the message. This includes providing useful shortcuts for the update, for instance,.update ctx
is a shortcut that gives you the message object from the update—no matter whether it is contained in.msg ctx
, or.update .message ctx
, or.update .edited _message ctx
, or.update .channel _post ctx
..update .edited _channel _post ctx
gives you access to the full Telegram Bot API so that you can directly call any method, such as responding via.api ctx
. Also here, the context objects has some useful shortcuts for you. For instance, if you want to send a message to the same chat that a message comes from (i.e. just respond to a user) you can call.api .send Message ctx
. This is nothing but a wrapper for.reply ctx
with the right.api .send Message chat
pre-filled for you. Almost all methods of the Telegram Bot API have their own shortcut directly on the context object, so you probably never really have to use_id ctx
at all..api
This context object is then passed to all of the listeners (called middleware) that you register on your bot. Because this is so useful, the context object is often used to hold more information. One example are sessions (a chat-specific data storage that is stored in a database), and another example is ctx
that is used by bot
and other methods to keep information about how a regular expression was matched.
Read up about middleware on the website if you want to know more about the powerful opportunities that lie in context objects, and about how grammY implements them.
Implements
RenamedUpdate
Constructors
Context(
update: Update,
api: Api,
me: UserFromGetMe,
);
Properties
match
match: string | RegExpMatchArray | undefined;
Used by some middleware to store information about how a certain string or regular expression was matched.
has
static has;
Context
is an object that contains a number of useful functions for probing context objects. Each of these functions can generate a predicate function, to which you can pass context objects in order to check if a condition holds for the respective context object.
For example, you can call Context
to generate a predicate function that tests context objects for containing text:
const hasText = Context.has.filterQuery(":text");
if (hasText(ctx0)) {} // `ctx0` matches the filter query `:text`
if (hasText(ctx1)) {} // `ctx1` matches the filter query `:text`
if (hasText(ctx2)) {} // `ctx2` matches the filter query `:text`
These predicate functions are used internally by the has-methods that are installed on every context object. This means that calling ctx
is equivalent to Context
.
update
readonly update: Update;
api
readonly api: Api;
me
readonly me: UserFromGetMe;
Methods
message (getter)
get message();
Alias for ctx
editedMessage (getter)
get editedMessage();
Alias for ctx
channelPost (getter)
get channelPost();
Alias for ctx
editedChannelPost (getter)
get editedChannelPost();
Alias for ctx
businessConnection (getter)
get businessConnection();
Alias for ctx
businessMessage (getter)
get businessMessage();
Alias for ctx
editedBusinessMessage (getter)
get editedBusinessMessage();
Alias for ctx
deletedBusinessMessages (getter)
get deletedBusinessMessages();
Alias for ctx
messageReaction (getter)
get messageReaction();
Alias for ctx
messageReactionCount (getter)
get messageReactionCount();
Alias for ctx
inlineQuery (getter)
get inlineQuery();
Alias for ctx
chosenInlineResult (getter)
get chosenInlineResult();
Alias for ctx
callbackQuery (getter)
get callbackQuery();
Alias for ctx
shippingQuery (getter)
get shippingQuery();
Alias for ctx
preCheckoutQuery (getter)
get preCheckoutQuery();
Alias for ctx
poll (getter)
get poll();
Alias for ctx
pollAnswer (getter)
get pollAnswer();
Alias for ctx
myChatMember (getter)
get myChatMember();
Alias for ctx
chatMember (getter)
get chatMember();
Alias for ctx
chatJoinRequest (getter)
get chatJoinRequest();
Alias for ctx
chatBoost (getter)
get chatBoost();
Alias for ctx
removedChatBoost (getter)
get removedChatBoost();
Alias for ctx
purchasedPaidMedia (getter)
get purchasedPaidMedia();
Alias for ctx
msg (getter)
get msg(): Message | undefined;
Get the message object from wherever possible. Alias for this
.
chat (getter)
get chat(): Chat | undefined;
Get the chat object from wherever possible. Alias for (this
.
senderChat (getter)
get senderChat(): Chat | undefined;
Get the sender chat object from wherever possible. Alias for ctx
.
from (getter)
get from(): User | undefined;
Get the user object from wherever possible. Alias for (this
.
msgId (getter)
get msgId(): number | undefined;
Get the message identifier from wherever possible. Alias for this
.
chatId (getter)
get chatId(): number | undefined;
Gets the chat identifier from wherever possible. Alias for this
.
inlineMessageId (getter)
get inlineMessageId(): string | undefined;
Get the inline message identifier from wherever possible. Alias for (ctx
.
businessConnectionId (getter)
get businessConnectionId(): string | undefined;
Get the business connection identifier from wherever possible. Alias for this
.
entities
// Overload 1
entities(): Array<MessageEntity & { text: string }>;
// Overload 2
entities<T extends MessageEntity["type"]>(types: MaybeArray<T>): Array<MessageEntity & { type: T; text: string }>;
Get entities and their text. Extracts the text from ctx
or ctx
. Returns an empty array if one of ctx
, ctx
or ctx
is undefined.
You can filter specific entity types by passing the types
parameter. Example:
ctx.entities() // Returns all entity types
ctx.entities('url') // Returns only url entities
ctx.enttities(['url', 'email']) // Returns url and email entities
reactions
reactions(): {
emoji: ReactionTypeEmoji["emoji"][]; emojiAdded: ReactionTypeEmoji["emoji"][]; emojiKept: ReactionTypeEmoji["emoji"][]; emojiRemoved: ReactionTypeEmoji["emoji"][]; customEmoji: string[]; customEmojiAdded: string[]; customEmojiKept: string[]; customEmojiRemoved: string[]; paid: boolean; paidAdded: boolean
};
Find out which reactions were added and removed in a message
update. This method looks at ctx
and computes the difference between the old reaction and the new reaction. It also groups the reactions by emoji reactions and custom emoji reactions. For example, the resulting object could look like this:
{
emoji: ['👍', '🎉']
emojiAdded: ['🎉'],
emojiKept: ['👍'],
emojiRemoved: [],
customEmoji: [],
customEmojiAdded: [],
customEmojiKept: [],
customEmojiRemoved: ['id0123'],
paid: true,
paidAdded: false,
paidRemoved: false,
}
In the above example, a tada reaction was added by the user, and a custom emoji reaction with the custom emoji ‘id0123’ was removed in the same update. The user had already reacted with a thumbs up reaction and a paid star reaction, which they left both unchanged. As a result, the current reaction by the user is thumbs up, tada, and a paid reaction. Note that the current reaction (all emoji reactions regardless of type in one list) can also be obtained from ctx
.
Remember that reaction updates only include information about the reaction of a specific user. The respective message may have many more reactions by other people which will not be included in this update.
has
has<Q extends FilterQuery>(filter: Q | Q[]): this is FilterCore<Q>;
Returns true
if this context object matches the given filter query, and false
otherwise. This uses the same logic as bot
.
hasText
hasText(trigger: MaybeArray<string | RegExp>): this is HearsContextCore;
Returns true
if this context object contains the given text, or if it contains text that matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
hasCommand
hasCommand(command: MaybeArray<StringWithCommandSuggestions>): this is CommandContextCore;
Returns true
if this context object contains the given command, and false
otherwise. This uses the same logic as bot
.
hasReaction
hasReaction(reaction: MaybeArray<ReactionTypeEmoji["emoji"] | ReactionType>): this is ReactionContextCore;
hasChatType
hasChatType<T extends Chat["type"]>(chatType: MaybeArray<T>): this is ChatTypeContextCore<T>;
Returns true
if this context object belongs to a chat with the given chat type, and false
otherwise. This uses the same logic as bot
.
hasCallbackQuery
hasCallbackQuery(trigger: MaybeArray<string | RegExp>): this is CallbackQueryContextCore;
Returns true
if this context object contains the given callback query, or if the contained callback query data matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
hasGameQuery
hasGameQuery(trigger: MaybeArray<string | RegExp>): this is GameQueryContextCore;
Returns true
if this context object contains the given game query, or if the contained game query matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
hasInlineQuery
hasInlineQuery(trigger: MaybeArray<string | RegExp>): this is InlineQueryContextCore;
Returns true
if this context object contains the given inline query, or if the contained inline query matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
hasChosenInlineResult
hasChosenInlineResult(trigger: MaybeArray<string | RegExp>): this is ChosenInlineResultContextCore;
Returns true
if this context object contains the chosen inline result, or if the contained chosen inline result matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
hasPreCheckoutQuery
hasPreCheckoutQuery(trigger: MaybeArray<string | RegExp>): this is PreCheckoutQueryContextCore;
Returns true
if this context object contains the given pre-checkout query, or if the contained pre-checkout query matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
hasShippingQuery
hasShippingQuery(trigger: MaybeArray<string | RegExp>): this is ShippingQueryContextCore;
Returns true
if this context object contains the given shipping query, or if the contained shipping query matches the given regular expression. It returns false
otherwise. This uses the same logic as bot
.
reply
reply(
text: string,
other?: Other<"sendMessage", "chat_id" | "text">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send text messages. On success, the sent Message is returned.
forwardMessage
forwardMessage(
chat_id: number | string,
other?: Other<"forwardMessage", "chat_id" | "from_chat_id" | "message_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to forward messages of any kind. Service messages and messages with protected content can’t be forwarded. On success, the sent Message is returned.
forwardMessages
forwardMessages(
chat_id: number | string,
message_ids: number[],
other?: Other<"forwardMessages", "chat_id" | "from_chat_id" | "message_ids">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to forward multiple messages of any kind. If some of the specified messages can’t be found or forwarded, they are skipped. Service messages and messages with protected content can’t be forwarded. Album grouping is kept for forwarded messages. On success, an array of MessageId of the sent messages is returned.
copyMessage
copyMessage(
chat_id: number | string,
other?: Other<"copyMessage", "chat_id" | "from_chat_id" | "message_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to copy messages of any kind. Service messages, paid media messages, giveaway messages, giveaway winners messages, and invoice messages can’t be copied. A quiz poll can be copied only if the value of the field correct_option_id is known to the bot. The method is analogous to the method forwardMessage, but the copied message doesn’t have a link to the original message. Returns the MessageId of the sent message on success.
copyMessages
copyMessages(
chat_id: number | string,
message_ids: number[],
other?: Other<"copyMessages", "chat_id" | "from_chat_id" | "message_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to copy messages of any kind. If some of the specified messages can’t be found or copied, they are skipped. Service messages, paid media messages, giveaway messages, giveaway winners messages, and invoice messages can’t be copied. A quiz poll can be copied only if the value of the field correct_option_id is known to the bot. The method is analogous to the method forwardMessages, but the copied messages don’t have a link to the original message. Album grouping is kept for copied messages. On success, an array of MessageId of the sent messages is returned.
replyWithPhoto
replyWithPhoto(
photo: InputFile | string,
other?: Other<"sendPhoto", "chat_id" | "photo">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send photos. On success, the sent Message is returned.
replyWithAudio
replyWithAudio(
audio: InputFile | string,
other?: Other<"sendAudio", "chat_id" | "audio">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send audio files, if you want Telegram clients to display them in the music player. Your audio must be in the .MP3 or .M4A format. On success, the sent Message is returned. Bots can currently send audio files of up to 50 MB in size, this limit may be changed in the future.
For sending voice messages, use the sendVoice method instead.
replyWithDocument
replyWithDocument(
document: InputFile | string,
other?: Other<"sendDocument", "chat_id" | "document">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send general files. On success, the sent Message is returned. Bots can currently send files of any type of up to 50 MB in size, this limit may be changed in the future.
replyWithVideo
replyWithVideo(
video: InputFile | string,
other?: Other<"sendVideo", "chat_id" | "video">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send video files, Telegram clients support mp4 videos (other formats may be sent as Document). On success, the sent Message is returned. Bots can currently send video files of up to 50 MB in size, this limit may be changed in the future.
replyWithAnimation
replyWithAnimation(
animation: InputFile | string,
other?: Other<"sendAnimation", "chat_id" | "animation">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send animation files (GIF or H.264/MPEG-4 AVC video without sound). On success, the sent Message is returned. Bots can currently send animation files of up to 50 MB in size, this limit may be changed in the future.
replyWithVoice
replyWithVoice(
voice: InputFile | string,
other?: Other<"sendVoice", "chat_id" | "voice">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send audio files, if you want Telegram clients to display the file as a playable voice message. For this to work, your audio must be in an .OGG file encoded with OPUS (other formats may be sent as Audio or Document). On success, the sent Message is returned. Bots can currently send voice messages of up to 50 MB in size, this limit may be changed in the future.
replyWithVideoNote
replyWithVideoNote(
video_note: InputFile | string,
other?: Other<"sendVideoNote", "chat_id" | "video_note">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send video messages. On success, the sent Message is returned. As of v.4.0, Telegram clients support rounded square mp4 videos of up to 1 minute long.
replyWithMediaGroup
replyWithMediaGroup(
media: ReadonlyArray<InputMediaAudio | InputMediaDocument | InputMediaPhoto | InputMediaVideo>,
other?: Other<"sendMediaGroup", "chat_id" | "media">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send a group of photos, videos, documents or audios as an album. Documents and audio files can be only grouped in an album with messages of the same type. On success, an array of Messages that were sent is returned.
replyWithLocation
replyWithLocation(
latitude: number,
longitude: number,
other?: Other<"sendLocation", "chat_id" | "latitude" | "longitude">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send point on the map. On success, the sent Message is returned.
editMessageLiveLocation
editMessageLiveLocation(
latitude: number,
longitude: number,
other?: Other<"editMessageLiveLocation", "chat_id" | "message_id" | "inline_message_id" | "latitude" | "longitude">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to edit live location messages. A location can be edited until its live_period expires or editing is explicitly disabled by a call to stopMessageLiveLocation. On success, if the edited message is not an inline message, the edited Message is returned, otherwise True is returned.
stopMessageLiveLocation
stopMessageLiveLocation(other?: Other<"stopMessageLiveLocation", "chat_id" | "message_id" | "inline_message_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to stop updating a live location message before live_period expires. On success, if the message is not an inline message, the edited Message is returned, otherwise True is returned.
sendPaidMedia
sendPaidMedia(
star_count: number,
media: InputPaidMedia[],
other?: Other<"sendPaidMedia", "chat_id" | "star_count" | "media">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send paid media. On success, the sent Message is returned.
replyWithVenue
replyWithVenue(
latitude: number,
longitude: number,
title: string,
address: string,
other?: Other<"sendVenue", "chat_id" | "latitude" | "longitude" | "title" | "address">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send information about a venue. On success, the sent Message is returned.
replyWithContact
replyWithContact(
phone_number: string,
first_name: string,
other?: Other<"sendContact", "chat_id" | "phone_number" | "first_name">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send phone contacts. On success, the sent Message is returned.
replyWithPoll
replyWithPoll(
question: string,
options: InputPollOption[],
other?: Other<"sendPoll", "chat_id" | "question" | "options">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send a native poll. On success, the sent Message is returned.
replyWithDice
replyWithDice(
emoji: (string & Record<never, never>) | "🎲" | "🎯" | "🏀" | "⚽" | "🎳" | "🎰",
other?: Other<"sendDice", "chat_id" | "emoji">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send an animated emoji that will display a random value. On success, the sent Message is returned.
replyWithChatAction
replyWithChatAction(
action: "typing" | "upload_photo" | "record_video" | "upload_video" | "record_voice" | "upload_voice" | "upload_document" | "choose_sticker" | "find_location" | "record_video_note" | "upload_video_note",
other?: Other<"sendChatAction", "chat_id" | "action">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method when you need to tell the user that something is happening on the bot’s side. The status is set for 5 seconds or less (when a message arrives from your bot, Telegram clients clear its typing status). Returns True on success.
Example: The ImageBot needs some time to process a request and upload the image. Instead of sending a text message along the lines of “Retrieving image, please wait…”, the bot may use sendChatAction with action = upload_photo. The user will see a “sending photo” status for the bot.
We only recommend using this method when a response from the bot will take a noticeable amount of time to arrive.
react
react(
reaction: MaybeArray<ReactionTypeEmoji["emoji"] | ReactionType>,
other?: Other<"setMessageReaction", "chat_id" | "message_id" | "reaction">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to change the chosen reactions on a message. Service messages can’t be reacted to. Automatically forwarded messages from a channel to its discussion group have the same available reactions as messages in the channel. Bots can’t use paid reactions. Returns True on success.
getUserProfilePhotos
getUserProfilePhotos(other?: Other<"getUserProfilePhotos", "user_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to get a list of profile pictures for a user. Returns a UserProfilePhotos object.
getUserChatBoosts
getUserChatBoosts(chat_id: number | string, signal?: AbortSignal);
Context-aware alias for api
. Use this method to get the list of boosts added to a chat by a user. Requires administrator rights in the chat. Returns a UserChatBoosts object.
getBusinessConnection
getBusinessConnection(signal?: AbortSignal);
Context-aware alias for api
. Use this method to get information about the connection of the bot with a business account. Returns a BusinessConnection object on success.
getFile
getFile(signal?: AbortSignal);
Context-aware alias for api
. Use this method to get basic info about a file and prepare it for downloading. For the moment, bots can download files of up to 20MB in size. On success, a File object is returned. The file can then be downloaded via the link https://
Note: This function may not preserve the original file name and MIME type. You should save the file’s MIME type and name (if available) when the File object is received.
kickAuthor
kickAuthor(...args: Parameters<Context["banAuthor"]>);
banAuthor
banAuthor(other?: Other<"banChatMember", "chat_id" | "user_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to ban a user in a group, a supergroup or a channel. In the case of supergroups and channels, the user will not be able to return to the chat on their own using invite links, etc., unless unbanned first. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns True on success.
kickChatMember
kickChatMember(...args: Parameters<Context["banChatMember"]>);
banChatMember
banChatMember(
user_id: number,
other?: Other<"banChatMember", "chat_id" | "user_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to ban a user in a group, a supergroup or a channel. In the case of supergroups and channels, the user will not be able to return to the chat on their own using invite links, etc., unless unbanned first. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns True on success.
unbanChatMember
unbanChatMember(
user_id: number,
other?: Other<"unbanChatMember", "chat_id" | "user_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to unban a previously banned user in a supergroup or channel. The user will not return to the group or channel automatically, but will be able to join via link, etc. The bot must be an administrator for this to work. By default, this method guarantees that after the call the user is not a member of the chat, but will be able to join it. So if the user is a member of the chat they will also be removed from the chat. If you don’t want this, use the parameter only_if_banned. Returns True on success.
restrictAuthor
restrictAuthor(
permissions: ChatPermissions,
other?: Other<"restrictChatMember", "chat_id" | "user_id" | "permissions">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to restrict a user in a supergroup. The bot must be an administrator in the supergroup for this to work and must have the appropriate administrator rights. Pass True for all permissions to lift restrictions from a user. Returns True on success.
restrictChatMember
restrictChatMember(
user_id: number,
permissions: ChatPermissions,
other?: Other<"restrictChatMember", "chat_id" | "user_id" | "permissions">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to restrict a user in a supergroup. The bot must be an administrator in the supergroup for this to work and must have the appropriate administrator rights. Pass True for all permissions to lift restrictions from a user. Returns True on success.
promoteAuthor
promoteAuthor(other?: Other<"promoteChatMember", "chat_id" | "user_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to promote or demote a user in a supergroup or a channel. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Pass False for all boolean parameters to demote a user. Returns True on success.
promoteChatMember
promoteChatMember(
user_id: number,
other?: Other<"promoteChatMember", "chat_id" | "user_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to promote or demote a user in a supergroup or a channel. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Pass False for all boolean parameters to demote a user. Returns True on success.
setChatAdministratorAuthorCustomTitle
setChatAdministratorAuthorCustomTitle(custom_title: string, signal?: AbortSignal);
Context-aware alias for api
. Use this method to set a custom title for an administrator in a supergroup promoted by the bot. Returns True on success.
setChatAdministratorCustomTitle
setChatAdministratorCustomTitle(
user_id: number,
custom_title: string,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to set a custom title for an administrator in a supergroup promoted by the bot. Returns True on success.
banChatSenderChat
banChatSenderChat(sender_chat_id: number, signal?: AbortSignal);
Context-aware alias for api
. Use this method to ban a channel chat in a supergroup or a channel. Until the chat is unbanned, the owner of the banned chat won’t be able to send messages on behalf of any of their channels. The bot must be an administrator in the supergroup or channel for this to work and must have the appropriate administrator rights. Returns True on success.
unbanChatSenderChat
unbanChatSenderChat(sender_chat_id: number, signal?: AbortSignal);
Context-aware alias for api
. Use this method to unban a previously banned channel chat in a supergroup or channel. The bot must be an administrator for this to work and must have the appropriate administrator rights. Returns True on success.
setChatPermissions
setChatPermissions(
permissions: ChatPermissions,
other?: Other<"setChatPermissions", "chat_id" | "permissions">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to set default chat permissions for all members. The bot must be an administrator in the group or a supergroup for this to work and must have the can_restrict_members administrator rights. Returns True on success.
exportChatInviteLink
exportChatInviteLink(signal?: AbortSignal);
Context-aware alias for api
. Use this method to generate a new primary invite link for a chat; any previously generated primary link is revoked. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns the new invite link as String on success.
Note: Each administrator in a chat generates their own invite links. Bots can’t use invite links generated by other administrators. If you want your bot to work with invite links, it will need to generate its own link using exportChatInviteLink or by calling the getChat method. If your bot needs to generate a new primary invite link replacing its previous one, use exportChatInviteLink again.
createChatInviteLink
createChatInviteLink(other?: Other<"createChatInviteLink", "chat_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to create an additional invite link for a chat. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. The link can be revoked using the method revokeChatInviteLink. Returns the new invite link as ChatInviteLink object.
editChatInviteLink
editChatInviteLink(
invite_link: string,
other?: Other<"editChatInviteLink", "chat_id" | "invite_link">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to edit a non-primary invite link created by the bot. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns the edited invite link as a ChatInviteLink object.
createChatSubscriptionInviteLink
createChatSubscriptionInviteLink(
subscription_period: number,
subscription_price: number,
other?: Other<"createChatSubscriptionInviteLink", "chat_id" | "subscription_period" | "subscription_price">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to create a subscription invite link for a channel chat. The bot must have the can_invite_users administrator rights. The link can be edited using the method editChatSubscriptionInviteLink or revoked using the method revokeChatInviteLink. Returns the new invite link as a ChatInviteLink object.
editChatSubscriptionInviteLink
editChatSubscriptionInviteLink(
invite_link: string,
other?: Other<"editChatSubscriptionInviteLink", "chat_id" | "invite_link">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to edit a subscription invite link created by the bot. The bot must have the can_invite_users administrator rights. Returns the edited invite link as a ChatInviteLink object.
revokeChatInviteLink
revokeChatInviteLink(invite_link: string, signal?: AbortSignal);
Context-aware alias for api
. Use this method to revoke an invite link created by the bot. If the primary link is revoked, a new link is automatically generated. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns the revoked invite link as ChatInviteLink object.
approveChatJoinRequest
approveChatJoinRequest(user_id: number, signal?: AbortSignal);
Context-aware alias for api
. Use this method to approve a chat join request. The bot must be an administrator in the chat for this to work and must have the can_invite_users administrator right. Returns True on success.
declineChatJoinRequest
declineChatJoinRequest(user_id: number, signal?: AbortSignal);
Context-aware alias for api
. Use this method to decline a chat join request. The bot must be an administrator in the chat for this to work and must have the can_invite_users administrator right. Returns True on success.
setChatPhoto
setChatPhoto(photo: InputFile, signal?: AbortSignal);
Context-aware alias for api
. Use this method to set a new profile photo for the chat. Photos can’t be changed for private chats. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns True on success.
deleteChatPhoto
deleteChatPhoto(signal?: AbortSignal);
Context-aware alias for api
. Use this method to delete a chat photo. Photos can’t be changed for private chats. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns True on success.
setChatTitle
setChatTitle(title: string, signal?: AbortSignal);
Context-aware alias for api
. Use this method to change the title of a chat. Titles can’t be changed for private chats. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns True on success.
setChatDescription
setChatDescription(description: string | undefined, signal?: AbortSignal);
Context-aware alias for api
. Use this method to change the description of a group, a supergroup or a channel. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Returns True on success.
pinChatMessage
pinChatMessage(
message_id: number,
other?: Other<"pinChatMessage", "chat_id" | "message_id">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to add a message to the list of pinned messages in a chat. If the chat is not a private chat, the bot must be an administrator in the chat for this to work and must have the ‘can_pin_messages’ administrator right in a supergroup or ‘can_edit_messages’ administrator right in a channel. Returns True on success.
unpinChatMessage
unpinChatMessage(message_id?: number, signal?: AbortSignal);
Context-aware alias for api
. Use this method to remove a message from the list of pinned messages in a chat. If the chat is not a private chat, the bot must be an administrator in the chat for this to work and must have the ‘can_pin_messages’ administrator right in a supergroup or ‘can_edit_messages’ administrator right in a channel. Returns True on success.
unpinAllChatMessages
unpinAllChatMessages(signal?: AbortSignal);
Context-aware alias for api
. Use this method to clear the list of pinned messages in a chat. If the chat is not a private chat, the bot must be an administrator in the chat for this to work and must have the ‘can_pin_messages’ administrator right in a supergroup or ‘can_edit_messages’ administrator right in a channel. Returns True on success.
leaveChat
leaveChat(signal?: AbortSignal);
Context-aware alias for api
. Use this method for your bot to leave a group, supergroup or channel. Returns True on success.
getChat
getChat(signal?: AbortSignal);
Context-aware alias for api
. Use this method to get up to date information about the chat (current name of the user for one-on-one conversations, current username of a user, group or channel, etc.). Returns a Chat object on success.
getChatAdministrators
getChatAdministrators(signal?: AbortSignal);
Context-aware alias for api
. Use this method to get a list of administrators in a chat, which aren’t bots. Returns an Array of ChatMember objects.
getChatMembersCount
getChatMembersCount(...args: Parameters<Context["getChatMemberCount"]>);
getChatMemberCount
getChatMemberCount(signal?: AbortSignal);
Context-aware alias for api
. Use this method to get the number of members in a chat. Returns Int on success.
getAuthor
getAuthor(signal?: AbortSignal);
Context-aware alias for api
. Use this method to get information about a member of a chat. The method is guaranteed to work only if the bot is an administrator in the chat. Returns a ChatMember object on success.
getChatMember
getChatMember(user_id: number, signal?: AbortSignal);
Context-aware alias for api
. Use this method to get information about a member of a chat. The method is guaranteed to work only if the bot is an administrator in the chat. Returns a ChatMember object on success.
setChatStickerSet
setChatStickerSet(sticker_set_name: string, signal?: AbortSignal);
Context-aware alias for api
. Use this method to set a new group sticker set for a supergroup. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Use the field can_set_sticker_set ly returned in getChat requests to check if the bot can use this method. Returns True on success.
deleteChatStickerSet
deleteChatStickerSet(signal?: AbortSignal);
Context-aware alias for api
. Use this method to delete a group sticker set from a supergroup. The bot must be an administrator in the chat for this to work and must have the appropriate administrator rights. Use the field can_set_sticker_set ly returned in getChat requests to check if the bot can use this method. Returns True on success.
createForumTopic
createForumTopic(
name: string,
other?: Other<"createForumTopic", "chat_id" | "name">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to create a topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights. Returns information about the created topic as a ForumTopic object.
editForumTopic
editForumTopic(other?: Other<"editForumTopic", "chat_id" | "message_thread_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to edit name and icon of a topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights, unless it is the creator of the topic. Returns True on success.
closeForumTopic
closeForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to close an open topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights, unless it is the creator of the topic. Returns True on success.
reopenForumTopic
reopenForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to reopen a closed topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights, unless it is the creator of the topic. Returns True on success.
deleteForumTopic
deleteForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to delete a forum topic along with all its messages in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_delete_messages administrator rights. Returns True on success.
unpinAllForumTopicMessages
unpinAllForumTopicMessages(signal?: AbortSignal);
Context-aware alias for api
. Use this method to clear the list of pinned messages in a forum topic. The bot must be an administrator in the chat for this to work and must have the can_pin_messages administrator right in the supergroup. Returns True on success.
editGeneralForumTopic
editGeneralForumTopic(name: string, signal?: AbortSignal);
Context-aware alias for api
. Use this method to edit the name of the ‘General’ topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights. Returns True on success.
closeGeneralForumTopic
closeGeneralForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to close an open ‘General’ topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights. Returns True on success.
reopenGeneralForumTopic
reopenGeneralForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to reopen a closed ‘General’ topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights. The topic will be automatically unhidden if it was hidden. Returns True on success. *
hideGeneralForumTopic
hideGeneralForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to hide the ‘General’ topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights. The topic will be automatically closed if it was open. Returns True on success.
unhideGeneralForumTopic
unhideGeneralForumTopic(signal?: AbortSignal);
Context-aware alias for api
. Use this method to unhide the ‘General’ topic in a forum supergroup chat. The bot must be an administrator in the chat for this to work and must have the can_manage_topics administrator rights. Returns True on success.
unpinAllGeneralForumTopicMessages
unpinAllGeneralForumTopicMessages(signal?: AbortSignal);
Context-aware alias for api
. Use this method to clear the list of pinned messages in a General forum topic. The bot must be an administrator in the chat for this to work and must have the can_pin_messages administrator right in the supergroup. Returns True on success.
answerCallbackQuery
answerCallbackQuery(other?: string | Other<"answerCallbackQuery", "callback_query_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to send answers to callback queries sent from inline keyboards. The answer will be displayed to the user as a notification at the top of the chat screen or as an alert. On success, True is returned.
Alternatively, the user can be redirected to the specified Game URL. For this option to work, you must first create a game for your bot via @BotFather and accept the terms. Otherwise, you may use links like t.me/your_bot?start=XXXX that open your bot with a parameter.
setChatMenuButton
setChatMenuButton(other?: Other<"setChatMenuButton">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to change the bot’s menu button in a private chat, or the default menu button. Returns True on success.
getChatMenuButton
getChatMenuButton(other?: Other<"getChatMenuButton">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to get the current value of the bot’s menu button in a private chat, or the default menu button. Returns MenuButton on success.
setMyDefaultAdministratorRights
setMyDefaultAdministratorRights(other?: Other<"setMyDefaultAdministratorRights">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to the change the default administrator rights requested by the bot when it’s added as an administrator to groups or channels. These rights will be suggested to users, but they are are free to modify the list before adding the bot. Returns True on success.
getMyDefaultAdministratorRights
getMyDefaultAdministratorRights(other?: Other<"getMyDefaultAdministratorRights">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to get the current default administrator rights of the bot. Returns ChatAdministratorRights on success.
editMessageText
editMessageText(
text: string,
other?: Other<"editMessageText", "chat_id" | "message_id" | "inline_message_id" | "text">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to edit text and game messages. On success, if the edited message is not an inline message, the edited Message is returned, otherwise True is returned. Note that business messages that were not sent by the bot and do not contain an inline keyboard can only be edited within 48 hours from the time they were sent.
editMessageCaption
editMessageCaption(other?: Other<"editMessageCaption", "chat_id" | "message_id" | "inline_message_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to edit captions of messages. On success, if the edited message is not an inline message, the edited Message is returned, otherwise True is returned. Note that business messages that were not sent by the bot and do not contain an inline keyboard can only be edited within 48 hours from the time they were sent.
editMessageMedia
editMessageMedia(
media: InputMedia,
other?: Other<"editMessageMedia", "chat_id" | "message_id" | "inline_message_id" | "media">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to edit animation, audio, document, photo, or video messages. If a message is part of a message album, then it can be edited only to an audio for audio albums, only to a document for document albums and to a photo or a video otherwise. When an inline message is edited, a new file can’t be uploaded; use a previously uploaded file via its file_id or specify a URL. On success, if the edited message is not an inline message, the edited Message is returned, otherwise True is returned. Note that business messages that were not sent by the bot and do not contain an inline keyboard can only be edited within 48 hours from the time they were sent.
editMessageReplyMarkup
editMessageReplyMarkup(other?: Other<"editMessageReplyMarkup", "chat_id" | "message_id" | "inline_message_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to edit only the reply markup of messages. On success, if the edited message is not an inline message, the edited Message is returned, otherwise True is returned. Note that business messages that were not sent by the bot and do not contain an inline keyboard can only be edited within 48 hours from the time they were sent.
stopPoll
stopPoll(other?: Other<"stopPoll", "chat_id" | "message_id">, signal?: AbortSignal);
Context-aware alias for api
. Use this method to stop a poll which was sent by the bot. On success, the stopped Poll is returned.
deleteMessage
deleteMessage(signal?: AbortSignal);
Context-aware alias for api
. Use this method to delete a message, including service messages, with the following limitations:
- A message can only be deleted if it was sent less than 48 hours ago.
- A dice message in a private chat can only be deleted if it was sent more than 24 hours ago.
- Bots can delete outgoing messages in private chats, groups, and supergroups.
- Bots can delete incoming messages in private chats.
- Bots granted can_post_messages permissions can delete outgoing messages in channels.
- If the bot is an administrator of a group, it can delete any message there.
- If the bot has can_delete_messages permission in a supergroup or a channel, it can delete any message there. Returns True on success.
deleteMessages
deleteMessages(message_ids: number[], signal?: AbortSignal);
Context-aware alias for api
. Use this method to delete multiple messages simultaneously. Returns True on success.
replyWithSticker
replyWithSticker(
sticker: InputFile | string,
other?: Other<"sendSticker", "chat_id" | "sticker">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send static .WEBP, animated .TGS, or video .WEBM stickers. On success, the sent Message is returned.
getCustomEmojiStickers
getCustomEmojiStickers(signal?: AbortSignal);
Use this method to get information about custom emoji stickers by their identifiers. Returns an Array of Sticker objects.
answerInlineQuery
answerInlineQuery(
results: readonly InlineQueryResult[],
other?: Other<"answerInlineQuery", "inline_query_id" | "results">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send answers to an inline query. On success, True is returned. No more than 50 results per query are allowed.
Example: An inline bot that sends YouTube videos can ask the user to connect the bot to their YouTube account to adapt search results accordingly. To do this, it displays a ‘Connect your YouTube account’ button above the results, or even before showing any. The user presses the button, switches to a private chat with the bot and, in doing so, passes a start parameter that instructs the bot to return an OAuth link. Once done, the bot can offer a switch_inline button so that the user can easily return to the chat where they wanted to use the bot’s inline capabilities.
replyWithInvoice
replyWithInvoice(
title: string,
description: string,
payload: string,
currency: string,
prices: readonly LabeledPrice[],
other?: Other<"sendInvoice", "chat_id" | "title" | "description" | "payload" | "currency" | "prices">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send invoices. On success, the sent Message is returned.
answerShippingQuery
answerShippingQuery(
ok: boolean,
other?: Other<"answerShippingQuery", "shipping_query_id" | "ok">,
signal?: AbortSignal,
);
Context-aware alias for api
. If you sent an invoice requesting a shipping address and the parameter is_flexible was specified, the Bot API will send an Update with a shipping_query field to the bot. Use this method to reply to shipping queries. On success, True is returned.
answerPreCheckoutQuery
answerPreCheckoutQuery(
ok: boolean,
other?: string | Other<"answerPreCheckoutQuery", "pre_checkout_query_id" | "ok">,
signal?: AbortSignal,
);
Context-aware alias for api
. Once the user has confirmed their payment and shipping details, the Bot API sends the final confirmation in the form of an Update with the field pre_checkout_query. Use this method to respond to such pre-checkout queries. On success, True is returned. Note: The Bot API must receive an answer within 10 seconds after the pre-checkout query was sent.
refundStarPayment
refundStarPayment(signal?: AbortSignal);
Context-aware alias for api
. Refunds a successful payment in Telegram Stars.
setPassportDataErrors
setPassportDataErrors(errors: readonly PassportElementError[], signal?: AbortSignal);
Context-aware alias for api
. Informs a user that some of the Telegram Passport elements they provided contains errors. The user will not be able to re-submit their Passport to you until the errors are fixed (the contents of the field for which you returned the error must change). Returns True on success.
Use this if the data submitted by the user doesn’t satisfy the standards your service requires for any reason. For example, if a birthday date seems invalid, a submitted document is blurry, a scan shows evidence of tampering, etc. Supply some details in the error message to make sure the user knows how to correct the issues.
replyWithGame
replyWithGame(
game_short_name: string,
other?: Other<"sendGame", "chat_id" | "game_short_name">,
signal?: AbortSignal,
);
Context-aware alias for api
. Use this method to send a game. On success, the sent Message is returned.