laravel-notification-channels / telegram
Telegram Notifications Channel for Laravel
Package info
github.com/laravel-notification-channels/telegram
pkg:composer/laravel-notification-channels/telegram
Requires
- php: ^8.3
- ext-json: *
- guzzlehttp/guzzle: ^7.8
- illuminate/contracts: ^12.0 || ^13.0
- illuminate/notifications: ^12.0 || ^13.0
- illuminate/support: ^12.0 || ^13.0
Requires (Dev)
- larastan/larastan: ^3.0
- mockery/mockery: ^1.4.4
- orchestra/testbench: ^10.0 || ^11.0
- pestphp/pest: ^4.0
- pestphp/pest-plugin-laravel: ^4.0
- phpstan/extension-installer: ^1.2
- phpstan/phpstan-deprecation-rules: ^2.0
- phpstan/phpstan-phpunit: ^2.0
README
This package makes it easy to send Telegram notifications from Laravel via the Telegram Bot API.
Contents
- Installation
- Usage
- Text Notification
- Send with Keyboard
- Send a Dice
- Send a Poll
- Attach a Contact
- Attach an Audio
- Attach a Photo
- Attach a Document
- Attach a Location
- Attach a Venue
- Attach a Video
- Attach a GIF File
- Attach a Sticker
- Send a Media Group
- Routing a Message
- Handling Response
- Exception Handling
- On-Demand Notifications
- Sending to Multiple Recipients
- Using the Telegram Client Directly
- Available Methods
- Alternatives
- Changelog
- Testing
- Security
- Contributing
- Credits
- License
Installation
You can install the package via composer:
composer require laravel-notification-channels/telegram
Setting up your Telegram Bot
Talk to @BotFather and generate a Bot API token.
Then, configure your Telegram Bot API token:
# config/services.php 'telegram' => [ 'token' => env('TELEGRAM_BOT_TOKEN', 'YOUR BOT TOKEN HERE'), // Optional bridge / self-hosted Bot API server // 'base_uri' => env('TELEGRAM_API_BASE_URI'), ],
Note
The package also supports the legacy services.telegram-bot-api.* config keys for backward compatibility, but services.telegram.* is the preferred configuration format.
Retrieving Chat ID
To send notifications to a Telegram user, channel, or group, you need its chat ID.
You can retrieve it by fetching your bot updates with the getUpdates method described in the Telegram Bot API docs.
An update is an object whose shape depends on the event type, such as message, callback_query, or poll. For the full list of fields, see the Telegram Bot API docs.
To make this easier, the package ships with TelegramUpdates, which lets you fetch updates and inspect the chat IDs you need.
Keep in mind that the user must interact with your bot first before you can obtain their chat ID and store it for future notifications.
Here's an example of fetching an update:
use NotificationChannels\Telegram\TelegramUpdates; // Response is an array of updates. $updates = TelegramUpdates::create() // (Optional) Get the latest update. // NOTE: All previous updates will be forgotten using this method. // ->latest() // (Optional) Limit to 2 updates. By default, updates start with the earliest unconfirmed update. ->limit(2) // (Optional) Add more request parameters. ->options([ 'timeout' => 0, ]) ->get(); if ($updates['ok']) { // Chat ID $chatId = $updates['result'][0]['message']['chat']['id']; }
Note
This method will not work while an outgoing webhook is configured.
For the full list of supported options(), see the Telegram Bot API docs.
Using in Lumen
If you're using this notification channel in your Lumen project, you will have to add the below code in your bootstrap/app.php file.
# bootstrap/app.php // Make sure to create a "config/services.php" file and add the config from the above step. $app->configure('services'); # Register the notification service providers. $app->register(Illuminate\Notifications\NotificationServiceProvider::class); $app->register(NotificationChannels\Telegram\TelegramServiceProvider::class);
Proxy or Bridge Support
You may not be able to send notifications directly if the Telegram Bot API is blocked in your region.
In that case, you can either configure a proxy by following the Guzzle instructions here or
point the package at a bridge or self-hosted Bot API server by setting the base_uri config shown above.
You can also set HTTPS_PROXY in your .env file.
Usage
You can now return the channel from your notification's via() method.
Text Notification
use NotificationChannels\Telegram\TelegramMessage; use Illuminate\Notifications\Notification; class InvoicePaid extends Notification { public function via($notifiable) { return ['telegram']; } public function toTelegram($notifiable) { $url = url('/invoice/' . $notifiable->invoice->id); $user = $notifiable->name; return TelegramMessage::create() ->to($notifiable->telegram_user_id) ->content('Hello there!') ->line('Your invoice has been *PAID*') ->lineIf($notifiable->amount > 0, "Amount paid: {$notifiable->amount}") ->line('Thank you, '.TelegramMessage::escapeMarkdown($user).'!') // ->view('notification', ['url' => $url]) ->button('View Invoice', $url) ->button('Download Invoice', $url); // Other fluent helpers are also available: // ->businessConnectionId('business-connection-id') // ->messageThreadId(42) // ->protectContent() // ->directMessagesTopicId(1001) // ->allowPaidBroadcast() // ->messageEffectId('5104841245755180586') // ->replyParameters(['message_id' => 123]) // ->suggestedPostParameters(['price' => ['amount' => 10, 'currency' => 'XTR']]) // ->entities([...]) // ->linkPreviewOptions(['is_disabled' => true]) // ->sendWhen($notifiable->amount > 0) // ->buttonWithWebApp('Open Web App', $url) // ->buttonWithCallback('Confirm', 'confirm_invoice '.$this->invoice->id) } }
Here's a screenshot preview of the above notification on Telegram Messenger:
Send with Keyboard
public function toTelegram($notifiable) { return TelegramMessage::create() ->to($notifiable->telegram_user_id) ->content('Choose an option:') ->keyboard('Button 1') ->keyboard('Button 2'); }
Preview:
You can also request structured input from the keyboard:
TelegramMessage::create() ->content('Please share your phone number or location') ->keyboard('Send your number', requestContact: true) ->keyboard('Send your location', requestLocation: true);
Preview:
Send a Dice
use NotificationChannels\Telegram\TelegramDice; public function toTelegram($notifiable) { return TelegramDice::create() ->to($notifiable->telegram_user_id) ->emoji('🎯'); }
Preview:
Send a Poll
public function toTelegram($notifiable) { return TelegramPoll::create() ->to($notifiable->telegram_user_id) ->question('Which is your favorite Laravel Notification Channel?') ->choices(['Telegram', 'Facebook', 'Slack']); }
Preview:
Attach a Contact
public function toTelegram($notifiable) { return TelegramContact::create() ->to($notifiable->telegram_user_id) // Optional ->firstName('John') ->lastName('Doe') // Optional ->phoneNumber('00000000'); }
Preview:
Attach an Audio
public function toTelegram($notifiable) { return TelegramFile::create() ->to($notifiable->telegram_user_id) // Optional ->content('Audio') // Optional caption ->captionEntities([ ['offset' => 0, 'length' => 5, 'type' => 'bold'], ]) ->audio('/path/to/audio.mp3'); }
Preview:
Attach a Photo
public function toTelegram($notifiable) { return TelegramFile::create() ->to($notifiable->telegram_user_id) // Optional ->content('Awesome *bold* text and [inline URL](http://www.example.com/)') ->showCaptionAboveMedia() ->file('/storage/archive/6029014.jpg', 'photo'); // local photo }
You can also use a helper method with a remote file or Telegram file ID:
TelegramFile::create() ->photo('https://samples-files.com/samples/images/jpg/1280-720-sample.jpg');
Preview:
Attach a Document
public function toTelegram($notifiable) { return TelegramFile::create() ->to($notifiable->telegram_user_id) // Optional ->content('Here is your PDF document') ->document('https://samples-files.com/samples/documents/pdf/sample-1-small-size.pdf'); }
Preview:
If you want to control the filename, you need to upload the actual file contents instead of passing the remote URL directly:
$contents = file_get_contents('https://samples-files.com/samples/documents/pdf/sample-1-small-size.pdf'); TelegramFile::create() ->content('Did you know we can set a custom filename too?') ->document($contents, 'sample.pdf');
Preview:
Raw file contents are also supported when you provide a filename:
TelegramFile::create() ->document('Hello Text Document Content', 'hello.txt');
Preview:
Attach a Location
public function toTelegram($notifiable) { return TelegramLocation::create() ->to($notifiable->telegram_user_id) ->latitude('40.6892494') ->longitude('-74.0466891'); }
Preview:
You can also send live location
public function toTelegram($notifiable) { return TelegramLocation::create() ->to($notifiable->telegram_user_id) ->latitude('40.6892494') ->longitude('-74.0466891') ->horizontalAccuracy(25) ->livePeriod(300) ->heading(180) ->proximityAlertRadius(50); }
Preview:
Attach a Venue
public function toTelegram($notifiable) { return TelegramVenue::create() ->to($notifiable->telegram_user_id) ->latitude('38.8951') ->longitude('-77.0364') ->title('Grand Palace') ->address('Bangkok, Thailand'); }
Preview:
Attach a Video
public function toTelegram($notifiable) { return TelegramFile::create() ->to($notifiable->telegram_user_id) ->content('Sample *video* notification!') ->video('https://samples-files.com/samples/video/mp4/sample2-720x480.mp4'); }
Preview:
Attach a GIF File
public function toTelegram($notifiable) { return TelegramFile::create() ->to($notifiable->telegram_user_id) ->content('Woot! We can send animated gif notifications too!') ->animation('https://disk.sample.cat/samples/gif/sample-2.gif'); }
Local files work the same way:
TelegramFile::create() ->animation('/path/to/some/animated.gif');
Preview:
Attach a Sticker
public function toTelegram($notifiable) { return TelegramFile::create() ->to($notifiable->telegram_user_id) ->sticker(storage_path('telegram/AnimatedSticker.tgs')); }
Preview:
Send a Media Group
Use TelegramMediaGroup to send multiple items in a single group.
use NotificationChannels\Telegram\TelegramMediaGroup; public function toTelegram($notifiable) { return TelegramMediaGroup::create() ->to($notifiable->telegram_user_id) ->photo('https://example.com/one.jpg', 'First image') ->photo('https://example.com/two.jpg'); }
Uploaded files are also supported:
TelegramMediaGroup::create() ->photo(storage_path('app/telegram/one.jpg'), 'First image') ->video(storage_path('app/telegram/video.mp4'), 'Release demo');
Preview:
Documents are also supported, including dynamically generated content:
TelegramMediaGroup::create() ->document('Monthly report content on-the-fly', 'Monthly report caption', 'monthly.txt') ->document('/path/to/local/file.pdf', 'pdf file caption', 'annual-report.pdf');
Preview:
Supported Input Types
Each media item can be provided as:
- A Telegram file ID
- A remote URL
- A local file path
- A stream or resource
- Raw file contents (requires a filename)
When uploading local files or raw content, the package automatically handles multipart uploads.
Media groups support albums of photo, video, audio, and document items.
Note
Telegram does not allow mixing certain media types within a single group. Documents cannot be combined with photos or videos. However, photos and videos can be sent together in the same media group.
Routing a Message
You can either send a notification by setting the recipient explicitly with to($chatId) as shown above, or define routeNotificationForTelegram() on your notifiable model:
/** * Route notifications for the Telegram channel. * * @return int */ public function routeNotificationForTelegram() { return $this->telegram_user_id; }
Handling Response
You can use notification events to handle Telegram responses. On success, your listener receives a Message object with fields appropriate to the notification type.
For the full list of response fields, refer to the Telegram Bot API Message object docs.
Exception Handling
For failures, the package provides two exception-handling hooks.
Using NotificationFailed Event
You can listen to
Illuminate\Notifications\Events\NotificationFailed, which provides a$dataarray containingto,request, andexceptionkeys.
Listener example:
use Illuminate\Notifications\Events\NotificationFailed; class HandleNotificationFailure { public function handle(NotificationFailed $event) { // $event->notification: The notification instance. // $event->notifiable: The notifiable entity who received the notification. // $event->channel: The channel name. // $event->data: The data needed to process this failure. if ($event->channel !== 'telegram') { return; } // Log the error / notify administrator or disable notification channel for the user, etc. \Log::error('Telegram notification failed', [ 'chat_id' => $event->data['to'], 'error' => $event->data['exception']->getMessage(), 'request' => $event->data['request'] ]); } }
Using onError Callback
You can handle exceptions for an individual notification by attaching an
onErrorcallback:
public function toTelegram($notifiable) { return TelegramMessage::create() ->content('Hello!') ->onError(function ($data) { \Log::error('Failed to send Telegram notification', [ 'chat_id' => $data['to'], 'error' => $data['exception']->getMessage() ]); }); }
In both methods, the $data array contains the following keys:
to: The recipient's chat ID.request: The payload sent to the Telegram Bot API.exception: The exception object containing error details.
On-Demand Notifications
Sometimes you may want to send a Telegram notification to someone who is not stored as a notifiable model. With
Notification::route, you can provide ad-hoc routing information before dispatching the notification. For more details, see the on-demand notifications docs.
use Illuminate\Support\Facades\Notification; Notification::route('telegram', 'TELEGRAM_CHAT_ID') ->notify(new InvoicePaid($invoice));
Sending to Multiple Recipients
Using the notification facade, you can send a notification to multiple recipients at once.
Warning
If you're sending bulk notifications to many users, the Telegram Bot API will not allow much more than 30 messages per second. Consider spreading out notifications over large intervals of 8—12 hours for best results.
Also note that your bot will not be able to send more than 20 messages per minute to the same group.
If you go over the limit, you'll start getting 429 errors. For more details, refer Telegram Bots FAQ.
use Illuminate\Support\Facades\Notification; // Recipients can be an array of chat IDs or collection of notifiable entities. Notification::send($recipients, new InvoicePaid());
Using the Telegram Client Directly
If you need lower-level Bot API access, you can resolve the Telegram client directly from the container:
use NotificationChannels\Telegram\Telegram; $telegram = app(Telegram::class); $telegram->sendChatAction([ 'chat_id' => $chatId, 'action' => 'typing', ]); $telegram->editMessageText([ 'chat_id' => $chatId, 'message_id' => $messageId, 'text' => 'Updated message text', ]); $telegram->deleteMessage([ 'chat_id' => $chatId, 'message_id' => $messageId, ]); $telegram->sendMediaGroup([ 'chat_id' => $chatId, 'media' => json_encode([ ['type' => 'photo', 'media' => 'https://example.com/one.jpg', 'caption' => 'First'], ['type' => 'photo', 'media' => 'https://example.com/two.jpg'], ], JSON_THROW_ON_ERROR), ]); $telegram->stopPoll([ 'chat_id' => $chatId, 'message_id' => $pollMessageId, ]);
Available direct client helpers currently include:
sendMessage(array $params)sendFile(array $params, string $type, bool $multipart = false)sendMediaGroup(array $params, bool $multipart = false)sendPoll(array $params)sendContact(array $params)sendLocation(array $params)sendVenue(array $params)sendDice(array $params)sendChatAction(array $params)editMessageText(array $params)editMessageCaption(array $params)editMessageMedia(array $params, bool $multipart = false)editMessageReplyMarkup(array $params)stopPoll(array $params)deleteMessage(array $params)deleteMessages(array $params)getUpdates(array $params)
Available Methods
For more information on supported parameters, check out these docs.
Common Methods
These methods are optional and common across all the API methods.
to(int|string $chatId)- Set recipient's chat ID.token(string $token)- Override default bot token.parseMode(enum ParseMode $mode)- Set message parse mode (ornormal()to unset). Default isParseMode::Markdown.keyboard(string $text, int $columns = 2, bool $requestContact = false, bool $requestLocation = false)- Add regular keyboard. You can add as many as you want, and they'll be placed 2 in a row by default.button(string $text, string $url, int $columns = 2)- Add inline CTA button.buttonWithCallback(string $text, string $callbackData, int $columns = 2)- Add inline button with callback.buttonWithWebApp(string $text, string $url, int $columns = 2)- Add inline web app button.disableNotification(bool $disableNotification = true)- Send silently (notification without sound).businessConnectionId(string $businessConnectionId)- Send on behalf of a connected business account.messageThreadId(int $messageThreadId)- Send to a forum / topic thread.directMessagesTopicId(int $directMessagesTopicId)- Send to a channel direct message topic.protectContent(bool $protect = true)- Protect content from forwarding and saving.allowPaidBroadcast(bool $allow = true)- Allow paid high-throughput broadcasts.messageEffectId(string $messageEffectId)- Add a private-chat message effect.replyParameters(array $replyParameters)- Set structured reply parameters.suggestedPostParameters(array $suggestedPostParameters)- Set suggested post parameters for supported direct message topics.options(array $options)- Add/override payload parameters.sendWhen(bool $condition)- Set condition for sending. If the condition is true, the notification will be sent; otherwise, it will not.onError(callable $callback)- Set error handler (receives a data array withto,request,exceptionkeys).getPayloadValue(string $key)- Get specific payload value.
Telegram Message Methods
Telegram message notifications are used to send text messages to the user. Supports Telegram formatting options
content(string $content, int $limit = null)- Set message content with optional length limit. Supports markdown.line(string $content)- Add new line of content.lineIf(bool $condition, string $content)- Conditionally add new line.escapedLine(string $content)- Add escaped content line (for Markdown).view(string $view, array $data = [], array $mergeData = [])- Use Blade template with Telegram supported HTML or Markdown syntax content if you wish to use a view file instead of thecontent()method.entities(array $entities)- Set explicit message entities instead of usingparse_mode.linkPreviewOptions(array $linkPreviewOptions)- Set Telegram link preview options.chunk(int $limit = 4096)- Split long messages (rate limited to 1/second).
Note
Chunked messages will be rate limited to one message per second to comply with rate limitation requirements from Telegram.
Helper Methods:
escapeMarkdown(string $content)- Escape a string to make it safe for themarkdownv2parse mode
Telegram Location Methods
Telegram location messages are used to share a geographical location with the user.
latitude(float|string $latitude)- Set location latitude.longitude(float|string $longitude)- Set location longitude.horizontalAccuracy(float|int|string $horizontalAccuracy)- Set the location accuracy radius in meters.livePeriod(int $livePeriod)- Set the live location period in seconds.heading(int $heading)- Set the movement direction in degrees.proximityAlertRadius(int $proximityAlertRadius)- Set the proximity alert radius in meters.
Telegram Venue Methods
Telegram venue messages are used to share a geographical location information about a venue.
latitude(float|string $latitude)- Set venue latitude.longitude(float|string $longitude)- Set venue longitude.title(string $title)- Set venue name/title.address(string $address)- Set venue address.foursquareId(string $foursquareId)- (Optional) Set Foursquare identifier of the venue.foursquareType(string $foursquareType)- (Optional) Set Foursquare type of the venue, if known.googlePlaceId(string $googlePlaceId)- (Optional) Set Google Places identifier of the venue.googlePlaceType(string $googlePlaceType)- (Optional) Set Google Places type of the venue.
Telegram File Methods
Telegram file messages are used to share various types of files with the user.
content(string $content)- Set file caption. Supports markdown.view(string $view, array $data = [], array $mergeData = [])- Use Blade template for caption.captionEntities(array $captionEntities)- Set explicit caption entities.showCaptionAboveMedia(bool $show = true)- Show caption above supported media types.file(string|resource|StreamInterface $file, FileType|string $type, string $filename = null)- Attach a local path, remote URL, Telegram file ID, stream/resource, or raw file contents. Types:photo,audio,document,video,animation,voice,video_note,sticker(useEnums\FileType). Pass a filename when the string represents raw file contents.
Helper Methods:
photo(string $file)- Send photo.audio(string $file)- Send audio (MP3).document(string $file, string $filename = null)- Send document or any file as document.video(string $file)- Send video.animation(string $file)- Send animated GIF.voice(string $file)- Send voice note (OGG/OPUS).videoNote(string $file)- Send video note (≤1min, rounded square video).sticker(string $file)- Send sticker (static PNG/WEBP, animated .TGS, or video .WEBM stickers).
Telegram Media Group Methods
Telegram media groups are albums of
photo,video,audio, ordocumentitems sent as a single notification.
photo(string|resource|StreamInterface $media, string $caption = null, string $filename = null)- Add a photo to the group.video(string|resource|StreamInterface $media, string $caption = null, string $filename = null)- Add a video to the group.audio(string|resource|StreamInterface $media, string $caption = null, string $filename = null)- Add an audio file to the group.document(string|resource|StreamInterface $media, string $caption = null, string $filename = null)- Add a document to the group.hasAttachments()- Determine if the group contains uploaded files and requires multipart transport.
Each media item may be a Telegram file ID, a URL, a local path, a stream/resource, or raw file contents when paired with a filename.
Telegram Contact Methods
Telegram contact messages are used to share contact information with the user.
phoneNumber(string $phone)- Set contact phone.firstName(string $name)- Set contact first name.lastName(string $name)- Set contact last name (optional).vCard(string $vcard)- Set contact vCard (optional).
Telegram Dice Methods
Telegram dice messages are interactive emoji dice / darts / slots / bowling style messages.
emoji(string $emoji)- Set the dice emoji (🎲,🎯,🎳,🏀,⚽,🎰, etc.).
Telegram Poll Methods
Telegram polls are a type of interactive message that allows users to vote on a question. Polls can be used to gather feedback, make decisions, or even run contests.
question(string $question)- Set poll question.choices(array $choices)- Set poll choices.
Alternatives
For advanced usage, please consider using telegram-bot-sdk instead.
Changelog
Please see CHANGELOG for details about recent changes.
Testing
$ composer test
Security
If you discover any security related issues, please email syed@lukonet.com instead of using the issue tracker.
Contributing
Please see CONTRIBUTING for details.
Credits
License
The MIT License (MIT). Please see License File for more information.


