Huge News!Announcing our $40M Series B led by Abstract Ventures.Learn More ā†’
Socket
Sign inDemoInstall
Socket

telegraf

Package Overview
Dependencies
Maintainers
1
Versions
241
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

telegraf

šŸ“¢ Modern Telegram bot framework

  • 0.9.4
  • Source
  • npm
  • Socket score

Version published
Weekly downloads
0
Maintainers
1
Weekly downloads
Ā 
Created
Source

npm NPM Version node David js-standard-style Build Status

šŸ“¢ Modern Telegram bot framework for node.js.

Features

Installation

$ npm install telegraf

Example

var Telegraf = require('telegraf');
var telegraf = new Telegraf(process.env.BOT_TOKEN);

// Message handling
telegraf.on('message', function * () {
  this.reply('*42*', { parse_mode: 'Markdown' })
})

telegraf.startPolling()

One more example

var Telegraf = require('telegraf');
var telegraf = new Telegraf(process.env.BOT_TOKEN);

// Look ma, middleware!
var sayYoMiddleware = function * (next) {
  yield this.reply('yo')
  yield next
}

// Command handling
telegraf.hears('/command', sayYoMiddleware, function * () {
  this.reply('Sure')
})

// Wow! RegEx
telegraf.hears(/reverse (.+)/, sayYoMiddleware, function * () {
  this.reply(this.match[1].split('').reverse().join(''))
})

telegraf.startPolling()

There are some other examples.

API

Application

A Telegraf application is an object containing an array of middleware generator functions which are composed and executed in a stack-like manner upon request. Telegraf is similar to many other middleware systems that you may have encountered such as Koa, Ruby's Rack, Connect, and so on - however a key design decision was made to provide high level "sugar" at the otherwise low-level middleware layer. This improves interoperability, robustness, and makes writing middleware much more enjoyable.

var telegraf = new Telegraf(process.env.BOT_TOKEN)

telegraf.on('text', function * (){
  this.reply('Hello World')
})

telegraf.startPolling()

Cascading

Telegraf middleware cascade in a more traditional way as you may be used to with similar tools - this was previously difficult to make user friendly with node's use of callbacks. However with generators we can achieve "true" middleware. Contrasting Connect's implementation which simply passes control through series of functions until one returns, Telegraf yields "downstream", then control flows back "upstream".

The following example bot will reply with "Hello World", however first the message flows through the logger middleware to mark when the message has been received. When a middleware invokes yield next the function suspends and passes control to the next middleware defined. After there are no more middleware to execute downstream, the stack will unwind and each middleware is resumed to perform its upstream behaviour.

var telegraf = new Telegraf(process.env.BOT_TOKEN)

// Logger middleware
telegraf.use(function * (next){
  var start = new Date
  this.state.started = start
  yield next
  var ms = new Date - start
  debug('response time %sms', ms)
})

telegraf.on('text', function * (){
  this.reply('Hello World')
})

Context

A Telegraf Context encapsulates telegram message. Context is created per request, and is referenced in middleware as the receiver, or the this identifier, as shown in the following snippet:

telegraf.use(function * () {
  this.telegraf             // Telegraf instance
  this.updateType           // Update type(message, inline_query, etc.)
  [this.updateSubType]      // Update subtype(text, sticker, audio, etc.)
  [this.message]            // Received message
  [this.editedMessage]      // Edited message
  [this.inlineQuery]        // Received inline query
  [this.chosenInlineResult] // Received inline query result
  [this.callbackQuery]      // Received callback query
  [this.chat]               // Current chat info
  [this.from]               // Sender info
  [this.match]              // Regex match (available only for `hears` handler)
})

The recommended way to extend application context.

var telegraf = new Telegraf(process.env.BOT_TOKEN)

telegraf.context.db = {
  getScores: function () { return 42 }
}

telegraf.on('text', function * (){
  var scores = this.db.getScores(this.message.from.username)
  this.reply(`${this.message.from.username}: ${score}`)
})

Update types

Supported update types:

  • message
  • edited_message
  • inline_query
  • chosen_inline_result
  • callback_query

Available update sub-types:

  • text
  • audio
  • document
  • photo
  • sticker
  • video
  • voice
  • contact
  • location
  • venue
  • new_chat_member
  • left_chat_member
  • new_chat_title
  • new_chat_photo
  • delete_chat_photo
  • group_chat_created
  • supergroup_chat_created
  • channel_chat_created
  • migrate_to_chat_id
  • migrate_from_chat_id
  • pinned_message

// Handle message update
telegraf.on('message', function * () {
  this.reply('Hey there!')
})

// Handle sticker update
telegraf.on(['sticker', 'photo'], function * () {
  console.log(this.message)
  this.reply('Cool!')
})

Related Telegram api docs

State

The recommended namespace to share information between middlewares.

var telegraf = new Telegraf(process.env.BOT_TOKEN)

telegraf.use(function * (next) {
  this.state.role = getUserRole(this.message) 
  yield next
})

telegraf.on('text', function * (){
  this.reply(`Hello ${this.state.role}`)
})

Session

var telegraf = new Telegraf(process.env.BOT_TOKEN)

// Session state will be lost on app restart
telegraf.use(Telegraf.memorySession())

telegraf.on('text', function * (){
  this.session.counter = this.session.counter || 0
  this.session.counter++
  this.reply(`Message counter:${this.session.counter}`)
})

Important: For production environment use any of telegraf-session-* middleware.

Telegram WebHook


var telegraf = new Telegraf(process.env.BOT_TOKEN)

// TLS options
var tlsOptions = {
  key: fs.readFileSync('server-key.pem'),
  cert: fs.readFileSync('server-cert.pem'),
  // This is necessary only if the client 
  // uses the self-signed certificate.
  ca: [ fs.readFileSync('client-cert.pem') ]
}

// Set telegram webhook
telegraf.setWebHook('https://server.tld:8443/secret-path', {
  content: 'server-cert.pem'
})

// Start https webhook
telegraf.startWebHook('/secret-path', tlsOptions, 8443)


// Http webhook, for nginx/heroku users.
telegraf.startWebHook('/secret-path', null, 5000)


// Use webHookCallback() if you want attach telegraf to existing http server
require('http')
  .createServer(telegraf.webHookCallback('/secret-path'))
  .listen(3000)

require('https')
  .createServer(tlsOptions, telegraf.webHookCallback('/secret-path'))
  .listen(8443)

// Connect/Express.js integration
var express = require('express')
var app = express()

app.use(telegraf.webHookCallback('/secret-path'))

app.get('/', function (req, res) {
  res.send('Hello World!')
})

app.listen(3000, function () {
  console.log('Example app listening on port 3000!')
})

Error Handling

By default Telegraf will print all errors to stderr and rethrow error. To perform custom error-handling logic you can set onError handler:

telegraf.onError = function(err){
  log.error('server error', err)
  throw err
}

Shortcuts

Telegraf context shortcuts:

Available shortcuts:

message update:

callback_query update:

inline_query update:

Examples
var telegraf = new Telegraf(process.env.BOT_TOKEN)

telegraf.on('text', function * (){
  // Simple usage 
  telegraf.sendMessage(this.message.chat.id, `Hello ${this.state.role}`)
  
  // Using shortcut
  this.reply(`Hello ${this.state.role}`)

  // If you want to mark message as reply to source message
  this.reply(`Hello ${this.state.role}`, { reply_to_message_id: this.message.id })
})

telegraf.on('/quit', function * (){
  // Simple usage 
  telegraf.leaveChat(this.message.chat.id)
  
  // Using shortcut
  this.leaveChat()
})

telegraf.on('callback_query', function * (){
  // Simple usage 
  telegraf.answerCallbackQuery(this.callbackQuery.id)
  
  // Using shortcut
  this.answerCallbackQuery()
})

telegraf.on('inline_query', function * (){
  var result = []
  // Simple usage 
  telegraf.answerInlineQuery(this.inlineQuery.id, result)
  
  // Using shortcut
  this.answerInlineQuery(result)
})

API reference


Telegraf.handler(updateType, handler, [handler...]) => GeneratorFunction

Generates middleware for handling provided update type.

ParamTypeDescription
updateTypestring|string[]update type
handlerGeneratorFunctionHandler

Telegraf.compose(handlers) => GeneratorFunction

Compose middleware returning a fully valid middleware comprised of all those which are passed.

ParamTypeDescription
handlersGeneratorFunction[]Array of handlers

new Telegraf(token)

Initialize new Telegraf app.

ParamTypeDescription
tokenstringBot Token

.answerCallbackQuery(callbackQueryId, text, showAlert) => Promise

Use this method to send answers to callback queries.

ParamTypeDescription
callbackQueryIdstringQuery id
[text]stringNotification text
[showAlert]boolShow alert instead of notification

Related Telegram api docs


.answerInlineQuery(inlineQueryId, results, extra) => Promise

Use this method to send answers to an inline query.

ParamTypeDescription
inlineQueryIdstringQuery id
resultsobject[]Results
[extra]objectExtra parameters

.editMessageCaption(chatId, messageId, caption, extra) => Promise

Use this method to edit captions of messages sent by the bot or via the bot

ParamTypeDescription
chatIdnumber|stringChat id
messageIdstringMessage id
captionstringCaption
[extra]objectExtra parameters

.editMessageReplyMarkup(chatId, messageId, markup, extra) => Promise

Use this method to edit only the reply markup of messages sent by the bot or via the bot.

ParamTypeDescription
chatIdnumber|stringChat id
messageIdstringMessage id
markupobjectKeyboard markup
[extra]objectExtra parameters

.editMessageText(chatId, messageId, text, extra) => Promise

Use this method to edit text messages sent by the bot or via the bot.

ParamTypeDescription
chatIdnumber|stringChat id
messageIdstringMessage id
textstringMessage
[extra]objectExtra parameters

.forwardMessage(chatId, fromChatId, messageId, extra) => Promise

Forwards message.

ParamTypeDescription
chatIdnumber|stringSource Chat id
fromChatIdnumber|stringTarget Chat id
messageIdnumberMessage id
[extra]objectExtra parameters

.getChat(chatId) => Promise

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.).

ParamTypeDescription
chatIdnumber|stringChat id

Related Telegram api docs


.getChatAdministrators(chatId) => Promise

Use this method to get a list of administrators in a chat. On success, returns an Array of ChatMember objects that contains information about all chat administrators except other bots. If the chat is a group or a supergroup and no administrators were appointed, only the creator will be returned.

ParamTypeDescription
chatIdnumber|stringChat id

Related Telegram api docs


.getChatMember(chatId) => Promise

Use this method to get information about a member of a chat.

ParamTypeDescription
chatIdnumber|stringChat id

Related Telegram api docs

.getChatMembersCount(chatId) => Promise

Use this method to get the number of members in a chat.

ParamTypeDescription
chatIdnumber|stringChat id

Related Telegram api docs


.getFile(fileId) => Promise

Returns basic info about a file and prepare it for downloading.

ParamTypeDescription
fileIdstringFile id

Related Telegram api docs


.getFileLink(fileId) => Promise

Returns link to file.

ParamTypeDescription
fileIdstringFile id

Related Telegram api docs


.getMe() => Promise

Returns basic information about the bot.

Related Telegram api docs


.getUserProfilePhotos(userId, offset, limit) => Promise

Returns profiles photos for provided user.

ParamTypeDescription
userIdnumberChat id
offsetnumberOffset
limitnumberLimit

Related Telegram api docs


.handleUpdate(rawUpdate, [webHookResponse])

Handle raw Telegram update. In case you use centralized webhook server, queue, etc.

ParamTypeDescription
rawUpdateobjectTelegram update payload
[webHookResponse]object(Optional) http.ServerResponse

.hears(pattern, handler, [handler...])

Registers handler only for text updates using string pattern or RegEx.

ParamTypeDescription
patternstring|RegExPattern or RegEx
handlerGeneratorFunctionHandler

.kickChatMember(chatId, userId) => Promise

Use this method to kick a user from a group or a supergroup.

ParamTypeDescription
chatIdnumber|stringChat id
userIdnumberUser id

Related Telegram api docs


.leaveChat(chatId) => Promise

Use this method for your bot to leave a group, supergroup or channel.

ParamTypeDescription
chatIdnumber|stringChat id

Related Telegram api docs


.on(updateType, handler, [handler...])

Registers handler for provided update type.

ParamTypeDescription
updateTypestring|string[]update type
handlerGeneratorFunctionHandler

.removeWebHook() => Promise

Removes webhook. Shortcut for Telegraf.setWebHook('')

Related Telegram api docs


.sendAudio(chatId, audio, extra) => Promise

Sends audio.

ParamTypeDescription
chatIdnumber|stringChat id
audioFileDocument
[extra]objectExtra parameters

.sendChatAction(chatId, action) => Promise

Sends chat action.

ParamTypeDescription
chatIdnumber|stringChat id
actionstringChat action

.sendContact(chatId, phoneNumber, firstName, extra) => Promise

Sends document.

ParamTypeDescription
chatIdnumber|stringChat id
phoneNumberstringContact phone number
firstNamestringContact first name
[extra]objectExtra parameters

.sendDocument(chatId, doc, extra) => Promise

Sends document.

ParamTypeDescription
chatIdnumber|stringChat id
docFileDocument
[extra]objectExtra parameters

.sendLocation(chatId, latitude, longitude, extra) => Promise

Sends location.

ParamTypeDescription
chatIdnumber|stringChat id
latitudenumberLatitude
longitudenumberLongitude
[extra]objectExtra parameters

.sendMessage(chatId, text, extra) => Promise

Sends text message.

ParamTypeDescription
chatIdnumber|stringChat id
textstringMessage
[extra]objectExtra parameters

.sendPhoto(chatId, photo, extra) => Promise

Sends photo.

ParamTypeDescription
chatIdnumber|stringChat id
photoFilePhoto
[extra]objectExtra parameters

.sendSticker(chatId, sticker, extra) => Promise

Sends sticker.

ParamTypeDescription
chatIdnumber|stringChat id
stickerFileDocument
[extra]objectExtra parameters

.sendVenue(chatId, latitude, longitude, title, address, extra) => Promise

Sends venue information.

ParamTypeDescription
chatIdnumber|stringChat id
latitudenumberLatitude
longitudenumberLongitude
titlestringVenue title
addressstringVenue address
[extra]objectExtra parameters

.sendVideo(chatId, video, extra) => Promise

Sends video.

ParamTypeDescription
chatIdnumber|stringChat id
videoFileDocument
[extra]objectExtra parameters

.sendVoice(chatId, voice, extra) => Promise

Sends voice.

ParamTypeDescription
chatIdnumber|stringChat id
voiceFileDocument
[extra]objectExtra parameters

.setWebHook(url, [cert]) => Promise

Specifies an url to receive incoming updates via an outgoing webhook.

ParamTypeDescription
urlstringPublic url for webhook
[cert]FileSSL public certificate

Related Telegram api docs


.startWebHook(webHookPath, tlsOptions, port, [host])

Start listening @ https://host:port/webHookPath for Telegram calls.

ParamTypeDescription
webHookPathstringWebhook url path (see Telegraf.setWebHook)
tlsOptionsobject(Optional) TLS server options. Pass null to use http
portnumberPort number
[host]string(Optional) Hostname

.startPolling(timeout, limit)

Start poll updates.

ParamTypeDefaultDescription
timeoutnumber0Poll timeout
limitnumber100Limits the number of updates to be retrieved

.stop()

Stop WebHook and polling


.unbanChatMember(chatId, userId) => Promise

Use this method to unban a previously kicked user in a supergroup.

ParamTypeDescription
chatIdnumber|stringChat id
userIdnumberUser id

Related Telegram api docs


.use(middleware)

Registers a middleware.

ParamTypeDescription
middlewarefunctionMiddleware function

.webHookCallback(webHookPath) => Function

Return a callback function suitable for the http[s].createServer() method to handle a request. You may also use this callback function to mount your telegraf app in a Koa/Connect/Express app.

ParamTypeDescription
webHookPathstringWebhook url path (see Telegraf.setWebHook)

File

This object represents the contents of a file to be uploaded.

Supported file sources:

  • File path
  • Buffer
  • ReadStream
  • Existing file_id

Example:

  // send file
  telegraf.sendVideo('chatId', {source: '/path/to/video.mp4'}})
  
  // send buffer
  telegraf.sendVoice('chatId', {source: new Buffer(...)})

  // send stream
  telegraf.sendAudio('chatId', {source: fs.createReadStream('/path/to/video.mp4')})

  // resend existing file
  telegraf.sendSticker('chatId', '123123jkbhj6b')

Related Telegram api docs

License

The MIT License (MIT)

Copyright (c) 2016 Telegraf

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

Keywords

FAQs

Package last updated on 22 May 2016

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts

SocketSocket SOC 2 Logo

Product

  • Package Alerts
  • Integrations
  • Docs
  • Pricing
  • FAQ
  • Roadmap
  • Changelog

Packages

npm

Stay in touch

Get open source security insights delivered straight into your inbox.


  • Terms
  • Privacy
  • Security

Made with āš”ļø by Socket Inc