data:image/s3,"s3://crabby-images/2523c/2523ce4b8b64bade795ffc89574cfc29f35428d3" alt="Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility"
Security News
Deno 2.2 Improves Dependency Management and Expands Node.js Compatibility
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
Powerful and epic overall,
puregram
allows you to
easily interact
with
Telegram Bot API
via
Node.js/TypeScript
😎👍
First, what are Telegram bots? Telegram has their own bot accounts. Bots are special Telegram accounts that can be only accessed via code and were designed to handle messages, inline queries and callback queries automatically. Users can interact with bots by sending them messages, commands and inline requests.
const { Telegram } = require('puregram');
const bot = Telegram.fromToken(process.env.TOKEN);
bot.updates.on('message', context => context.reply('Hey!'));
bot.updates.on('callback_query', context => context.answerCallbackQuery());
bot.updates.startPolling();
More examples here
puregram
? (very important!!)Context
and its varietiespuregram
?That's why this package is epic
If you want to develop a bot, firstly you need to create it via @BotFather and get token from it via /newbot
command.
Token looks like this: 123456:ABC-DEF1234ghIkl-zyx57W2v1u123ew11
$ yarn add puregram
$ npm i -S puregram
Telegram
instanceLet's start with creating a Telegram
instance:
const { Telegram } = require('puregram');
const bot = new Telegram({
token: '123456:ABC-DEF1234ghIkl-zyx57W2v1u123ew11'
});
You can also initialize it via Telegram.fromToken
:
const bot = Telegram.fromToken('123456:ABC-DEF1234ghIkl-zyx57W2v1u123ew11');
Now, we want to get updates from the bot. How can we do it?
There are only two ways of getting updates right now:
getUpdates
method... or just using puregram
's built-in polling logic:bot.updates.startPolling();
setWebhook
method:const { createServer } = require('http');
// you need to send this request only once
bot.api.setWebhook({
url: 'https://www.example.com/'
});
const server = createServer(bot.updates.getWebhookMiddleware());
server.listen(8443, () => console.log('Started'));
Remember that there are only four accepted ports for now: 443
, 80
, 88
and 8443
. They are listed here under the Notes section.
More webhook examples are available here
Now with this setup we can catch updates like this:
bot.updates.on('message', context => context.reply('Yoooo!'));
List of supported updates will be somewhere here when it's done
Available from 2.0.8-rc.2 and later
If you want to handle updates by yourself, you can use Updates.handleUpdate
method, which takes one argument and this argument is raw Telegram update:
/** Let's pretend I am polling updates manually... */
const update = await getUpdate(...);
let context;
try {
context = await bot.updates.handleUpdate(update);
} catch (error) {
console.log('Update is not supported', update);
}
// Voila! Now you have the right context
// (or you don't if the event is not supported 😢)
There are three ways of calling Telegram Bot API methods:
bot.callApi(method, params?)
(useful when new Bot API update is released and the package is not updated yet):const me = await bot.callApi('getMe');
bot.api.method(params?)
:const me = await bot.api.getMe();
bot.updates.on('message', context => context.send('13² = 169! I mean 169, not 169!'));
puregram
allows you to send your local media via path, Buffer
, Stream
and URLs.
/** Let's imagine we have an image called puppy.jpg in this directory... */
const { createReadStream } = require('fs');
const path = './puppy.jpg';
const stream = createReadStream(path);
const buffer = getBuffer(path);
const url = 'https://puppies.com/random-puppy';
bot.updates.on('message', (context) => {
context.sendPhoto(path, { caption: 'Puppy via path!' });
context.sendDocument(stream, { caption: 'More puppies via stream!', filename: 'puppy.jpg' });
context.sendPhoto(buffer, { caption: 'One more puppy via buffer!' });
context.sendPhoto(url, { caption: 'Some random puppy sent using an URL!!!' });
});
This works for every method that can send media.
If you want to use Markdown or HTML, there are two ways of doing that:
HTML
, Markdown
and MarkdownV2
classes:const message = HTML.bold('Very bold, such HTML');
const message = '*Very bold, such Markdown*';
Anyways, after writing the text you need to add parse_mode
field. There are also two ways of doing that ¯\_(ツ)_/¯:
{ parse_mode: 'Markdown' }
{ parse_mode: HTML }
Final API request will look like this:
const message = `Some ${HTML.bold('bold')} and ${HTML.italic('italic')} here`;
context.send(message, { parse_mode: HTML });
context.send(`Imagine using _classes_ for parse mode, *lol*!`, { parse_mode: 'Markdown' });
More markdown examples are available here
puregram
has built-in classes for creating basic, inline, force-reply etc. keyboards. They are pretty much easy to use and are definitely more comfortable than building a JSON.
InlineKeyboard
, Keyboard
and so onTo create a keyboard, you need to call keyboard
method from the keyboard class you chose. This method accepts an array of button rows.
const { InlineKeyboard, Keyboard } = require('puregram');
const keyboard = InlineKeyboard.keyboard([
[ // first row
InlineKeyboard.textButton({ // first row, first button
text: 'Some text here',
payload: 'Such payload'
}),
InlineKeyboard.textButton({ // first row, second button
text: 'Some more text here',
payload: { json: true }
})
],
[ // second row
InlineKeyboard.urlButton({ // second row, first button
text: 'Some URL button',
url: 'https://example.com'
})
]
]);
// one-row keyboard with two buttons, no brackets for rows needed
const keyboard = Keyboard.keyboard([
Keyboard.textButton('Some one-row keyboard'),
Keyboard.textButton('with some buttons')
]);
There are also keyboard builders which are designed to be building a keyboard step by step:
const { KeyboardBuilder } = require('puregram');
const keyboard = new KeyboardBuilder()
.textButton('First row, first button')
.row()
.textButton('Second row, first button')
.textButton('Second row, second button')
.resize(); // keyboard will be much smaller
To send keyboard, you simply need to pass the generated value in reply_markup
field:
context.send('Look, here\'s a keyboard!', { reply_markup: keyboard });
More keyboards examples are available here
If you are using puregram
's built-in polling logic, after Updates.startPolling()
is called you have access to Telegram.bot
property:
bot.updates.startPolling().then(
() => console.log(`@${bot.bot.username} started polling!`)
// yeah, `bot.bot` ¯\_(ツ)_/¯
// that's why I prefer naming `telegram` instead of `bot`
);
Context is a class, containing current update
object and it's payload (via update[updateType]
). It is loaded with a ton of useful (maybe?) getters and methods that were made to shorten your code while being same efficient and executing the same code.
bot.updates.on('message', (context) => {
const id = context.senderId;
// is the same as
const id = context.from?.id;
});
bot.updates.on('message', (context) => {
context.send('Hey!');
// equals to
bot.api.sendMessage({
chat_id: context.chat?.id,
text: 'Hey!'
});
});
Every context has telegram
property, so you can call API methods almost everywhere if you have a context nearby.
bot.updates.on('message', async (context) => {
const me = await context.telegram.api.getMe();
});
Context
and its varietiesEvery update in puregram
is handled by a special context, which is detected via the update key.
Every context (except for manually created ones and some that were created after methods like sendMessage
) will have updateId
and update
properties.
Property | Required | Description |
---|---|---|
updateId | No | Unique update ID. Used as an offset when getting new updates |
update | No | Update object. Current context was created via this.update[this.updateType] |
For example, if we have the message
update, we will get MessageContext
on this update, CallbackQueryContext
for callback_query
update and so on.
Every context requires one argument:
interface ContextOptions {
// main Telegram instance
telegram: Telegram;
// update type, e.g. 'message', 'callback_query'
updateType: UpdateName;
// whole update object
// optional, allows user to do the `context.update` to get the whole update object
update?: TelegramUpdate;
// update ID, located at TelegramUpdate
// optional, allows user to get this update's ID
updateId?: number;
}
You can also create any context manually:
const { MessageContext } = require('puregram');
const update = await getUpdate();
const context = new MessageContext({
telegram: bot,
update,
updateType: 'message',
updateId: update.update_id
});
Every context is listed here
puregram
uses middlewares, so you can use them to expand your context
variables or measure other middlewares.
next()
is used to call the next middleware on the chain and wait until it's doneMeasuring the time it takes to proceed the update:
bot.updates.use(async (context, next) => {
const start = Date.now();
await next(); // next() is async, so we need to await it
const end = Date.now();
console.log(`${context.updateId ?? '[unknown]'} proceeded in ${end - start}ms`);
});
Extending the context:
bot.updates.use((context, next) => {
context.user = await getUser(context.senderId);
return next();
});
bot.updates.on('message', (context) => {
// here we can access property we made in the middleware
return context.send(`Hey, ${context.user.name}!`);
});
All Telegram interfaces and method types are auto-generated and put in different files: telegram-interfaces.ts
for interfaces and methods.ts
+ api-methods.ts
for API methods. They all exist at the path puregram/lib/
.
import { TelegramUpdate, TelegramMessage } from 'puregram/lib/telegram-interfaces';
import { SendDocumentParams } from 'puregram/lib/methods';
Surely enough, you can extend contexts with extra fields and properties you need by intersectioning base context with new properties.
interface ExtraData {
name: string;
id?: number;
}
/** ... */
bot.updates.use((context, next) => {
const user = await getUser(context.senderId);
context.name = user.name;
context.id = user.id;
return next();
});
/**
* There are 2 ways of updating context's type:
* 1. External type override:
* `(context: MessageContext & ExtraData) => ...`
* 2. Using generics:
* `bot.updates.on<ExtraData>(...)`
*
* Below I will be using the second way.
*/
bot.updates.on<ExtraData>('message', (context) => {
assert(context.name !== undefined);
});
TypeError: Cannot read property '__scene' of undefined
You are trying to use @puregram/scenes
or @puregram/hear
with @puregram/session
, but you're the confusing middlewares order.
You should firstly initialize @puregram/session
's middleware and only then initialize other middlewares, depending on it:
const sessionManager = new SessionManager();
const hearManager = new HearManager();
// 1. Session middleware first
bot.updates.on('message', sessionManager.middleware);
// 2. Hear middleware second
bot.updates.on('message', hearManager.middleware);
If you want to inspect out- and ingoing requests made by puregram
, you will need to enable DEBUG
environment variable so the package understands you are ready for logs.
DEBUG
Type | Example (Unix) | Description |
---|---|---|
api | DEBUG=puregram:api | Enables debugging API out- and ingoing requests |
updates | DEBUG=puregram:updates | Enables debugging ingoing updates |
* | DEBUG=puregram:* | Enables debugging all of the listed types above |
> set "DEBUG=puregram:*" & node index
> $env:DEBUG = "puregram:*"; node index
$ DEBUG=puregram:* node index
Yeah, there are.
Language | Link |
---|---|
Russian 🇷🇺 | puregram chat [ru] |
English 🇬🇧 | puregram chat [en] |
There is also a puregram chats channel, which has list of every officially supported puregram
chat.
These packages are created by the puregram
community (and not only) and are expanding packages functionality (I guess).
@puregram/hear
: Simple implementation of hear system@puregram/scenes
: Simple implementation of middleware-based scene management@puregram/session
: Simple implementation of sessions@puregram/utils
: Almost useful utilities@puregram/prompt
: Basic prompt system implementationOh no, it's empty there... Maybe you could add your community package here?
FAQs
powerful and modern telegram bot api sdk for node.js and typescript 😁
The npm package puregram receives a total of 465 weekly downloads. As such, puregram popularity was classified as not popular.
We found that puregram demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 0 open source maintainers collaborating on the project.
Did you know?
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.
Security News
Deno 2.2 enhances Node.js compatibility, improves dependency management, adds OpenTelemetry support, and expands linting and task automation for developers.
Security News
React's CRA deprecation announcement sparked community criticism over framework recommendations, leading to quick updates acknowledging build tools like Vite as valid alternatives.
Security News
Ransomware payment rates hit an all-time low in 2024 as law enforcement crackdowns, stronger defenses, and shifting policies make attacks riskier and less profitable.