
Security News
Axios Maintainer Confirms Social Engineering Attack Behind npm Compromise
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.
toncenter-js
Advanced tools
toncenter-js is a comprehensive TypeScript/JavaScript SDK for interacting with the TON blockchain via Toncenter API. It provides a simple and powerful interface for working with TON smart contracts, transactions, and blockchain data.
Go to the documentation for detailed information.
| Component | Description | Status |
|---|---|---|
| TonHttpApiV3 | Latest Toncenter API V3 client | ✅ |
| TonHttpApiV2 | Legacy Toncenter API V2 client | ✅ |
| TonClientV3 | TON blockchain client (V3-based) | ✅ |
| TonClientV2 | TON blockchain client (V2-based) | ✅ |
| TonSubscriberV3 | Real-time block subscriber (V3) | ✅ |
| TonSubscriberV2 | Real-time block subscriber (V2) | ✅ |
| Block Storage | Memory & Redis storage adapters | ✅ |
npm install toncenter-js
yarn add toncenter-js
pnpm add toncenter-js
import { TonHttpApiV3 } from "toncenter-js";
// Initialize API client
const api = new TonHttpApiV3({
endpoint: "https://toncenter.com/",
apiKey: "your-api-key" // Get it from @tonapibot
});
// Get masterchain info
const info = await api.getMasterchainInfo();
console.log(info);
💡 API Key: Register your API key with @tonapibot for higher rate limits and better performance.
📁 More Examples: Check out the examples directory for complete working examples.
The latest and most feature-rich API version with improved performance and additional endpoints.
import { TonHttpApiV3 } from "toncenter-js";
const api = new TonHttpApiV3({
endpoint: "https://toncenter.com/",
apiKey: "your-api-key" // Get from @tonapibot
});
// Get blockchain info
const masterchainInfo = await api.getMasterchainInfo();
console.log("Masterchain info:", masterchainInfo);
// Work with NFTs
const nftCollections = await api.getNftCollections({
collection_address: "EQCA14o1-VWhS2efqoh_9M1b_A9DtKTuoqfmkn83AbJzwnPi"
});
const nftItems = await api.getNftItems({
collection_address: "EQCA14o1-VWhS2efqoh_9M1b_A9DtKTuoqfmkn83AbJzwnPi",
limit: 10
});
// Work with Jettons
const jettonWallets = await api.getJettonWallets({
jetton_address: "EQBynBO23ywHy_CgarY9NK9FTz0yDsG82PtcbSTQgGoXwiuA",
limit: 50
});
For compatibility with older integrations, you can still use the V2 API.
import { TonHttpApiV2 } from "toncenter-js";
const api = new TonHttpApiV2({
endpoint: "https://toncenter.com/",
apiKey: "your-api-key" // optional
});
// Get masterchain info
const masterchainInfo = await api.getMasterchainInfo();
console.log("Masterchain info:", masterchainInfo);
// Get account transactions
const transactions = await api.getTransactions(
"EQCD39VS5jcptHL8vMjEXrzGaRcCVYto7HUn4bpAOg8xqB2N",
{ limit: 10 }
);
console.log("Transactions:", transactions);
TonHttpApiV2 now supports both endpoint formats for maximum compatibility:
// Base URL format (original)
const api1 = new TonHttpApiV2({
endpoint: "https://toncenter.com/",
apiKey: "your-api-key"
});
// Full API path format (new, backward compatible)
const api2 = new TonHttpApiV2({
endpoint: "https://testnet.toncenter.com/api/v2/jsonRPC",
apiKey: "your-api-key"
});
// Both formats work identically - the library automatically handles the differences
TonClientV3 and TonClientV2 provide seamless integration with @ton/core for smart contract interactions.
Deploy and use a highload wallet for batch transactions:
npm install ton-highload-wallet-contract @ton/crypto @ton/core --save
import { TonClientV3 } from "toncenter-js";
import { HighloadWalletContractV2 } from "ton-highload-wallet-contract";
import { mnemonicToPrivateKey } from "@ton/crypto";
import { internal } from "@ton/core";
const client = new TonClientV3({
endpoint: "https://toncenter.com/",
apiKey: "", // optional
});
const mnemonic = [ /* ... */ ];
// create contract
const key = await mnemonicToPrivateKey(mnemonic);
const contract = client.open(HighloadWalletContractV2.create({ publicKey: key.publicKey, workchain: 0 }));
console.log(`send test coins to the address: ${contract.address}`);
// send transfer
await contract.sendTransfer({
secretKey: key.secretKey,
messages: [
internal({
to: "EQBYivdc0GAk-nnczaMnYNuSjpeXu2nJS3DZ4KqLjosX5sVC",
value: "0.2",
body: "test 1",
bounce: false,
}),
internal({
to: "EQBYivdc0GAk-nnczaMnYNuSjpeXu2nJS3DZ4KqLjosX5sVC",
value: "0.2",
body: "test 2",
bounce: false,
})
],
});
Monitor blockchain events in real-time with TonSubscriberV3. It automatically handles block synchronization and provides transaction data from masterchain blocks.
Key Features:
import {
TonHttpApiV3, TonSubscriberV3,
TonMemoryBlockStorageV3, SchemaV3
} from "toncenter-js";
const api = new TonHttpApiV3({
endpoint: "https://toncenter.com/",
apiKey: "" // optional
});
const storage = new TonMemoryBlockStorageV3();
const subscriber = new TonSubscriberV3({
api: api,
storage: storage,
// logger: logger,
// masterchainTickSleepTime: 3000,
// startSeqno: 35744539 // Automatically rolls back if needed
});
await subscriber.start();
subscriber.on("block", async (args: { block: SchemaV3.Block }) => {
try {
let offset = 0;
let stopped = false;
let transactions: any = [];
do {
try {
const data = await api.getTransactionsByMasterchainBlock(args.block.seqno, {
limit: 256,
offset
});
transactions = [...transactions, ...data.transactions];
if (data.transactions.length < 256) {
stopped = true;
break;
}
offset += 256;
} catch (error) {
console.log(error);
// Wait before retry to avoid spamming the API
await new Promise(resolve => setTimeout(resolve, 1000));
}
} while(!stopped);
console.log(`seqno: ${args.block.seqno} / transactions: ${transactions.length}`);
} catch (error) {
console.log(error);
}
});
For compatibility with V2 API, you can use TonSubscriberV2 to monitor blockchain events from both masterchain and shardchains.
Key Improvements:
import {
TonHttpApiV2, TonSubscriberV2,
TonMemoryBlockStorageV2, SchemaV2
} from "toncenter-js";
const api = new TonHttpApiV2({
endpoint: "https://toncenter.com/",
apiKey: "" // optional
});
const storage = new TonMemoryBlockStorageV2();
const subscriber = new TonSubscriberV2({
api: api,
storage: storage,
// logger: logger,
// masterchainTickSleepTime: 3000,
// shardchainTickSleepTime: 100,
// startSeqno: 35744539 // Automatically clears storage if rolling back
});
await subscriber.start();
subscriber.on("block", async (args: { block: SchemaV2.BlockHeader, shards?: SchemaV2.BlockShards }) => {
try {
const { workchain, shard, seqno } = args.block.id;
let stopped = false;
let transactions: any = [];
do {
try {
const data = await api.getBlockTransactions(workchain, shard, seqno, {
count: 1024,
});
transactions = [...transactions, ...data.transactions];
stopped = true;
} catch (error) {
console.log(error);
// Wait before retry to avoid spamming the API
await new Promise(resolve => setTimeout(resolve, 1000));
}
} while(!stopped);
console.log(`workchain: ${workchain} / seqno: ${seqno} / transactions: ${transactions.length}`);
} catch (error) {
console.log(error);
}
});
Both V2 and V3 subscribers support multiple storage backends for block state persistence:
import { TonMemoryBlockStorageV3 } from "toncenter-js";
const storage = new TonMemoryBlockStorageV3();
// Data is lost when process restarts
import { TonRedisBlockStorageV3 } from "toncenter-js";
const storage = new TonRedisBlockStorageV3("redis://:password@127.0.0.1:6379/0");
// Data persists across restarts
Storage Features:
The subscribers include comprehensive error handling:
const subscriber = new TonSubscriberV3({
api,
storage,
masterchainTickSleepTime: 5000, // Delay between processing cycles
logger: {
info: (msg) => console.log(`[INFO] ${msg}`),
error: (msg) => console.error(`[ERROR] ${msg}`)
}
});
Automatic rollback when restarting from earlier blocks:
// If storage has blocks up to seqno 1000, but you specify startSeqno: 900
// The subscriber will automatically clear storage and restart from 900
const subscriber = new TonSubscriberV3({
api,
storage,
startSeqno: 900 // Will trigger automatic rollback if needed
});
This project is licensed under the MIT License - see the LICENSE file for details.
FAQs
The lightweight TON Typescript Library
We found that toncenter-js demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer 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
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.

Security News
Node.js has paused its bug bounty program after funding ended, removing payouts for vulnerability reports but keeping its security process unchanged.

Security News
The Axios compromise shows how time-dependent dependency resolution makes exposure harder to detect and contain.