Yellowstone gRPC
Highly configurable real-time data streams.
Last updated
Was this helpful?
Highly configurable real-time data streams.
Last updated
Was this helpful?
Geyser or gRPC streams provide the fastest and most efficient way to stream Solana data directly to your backend. With gRPC, you can subscribe to blocks, slots, transactions, and account updates. It is highly configurable. You can filter or limit each subscription. It allows the client-server to create new subscriptions or cancel existing ones immediately.
To learn more, please read the examples provided in the .
gRPC is typically available only on dedicated nodes. However, you can also use Laserstream for gRPC streams without needing a dedicated node. Please check the documentation for details.
In the subscribe request, you need to include the following:
commitment
: Specifies the commitment level, which can be processed, confirmed, or finalized.
accountsDataSlice
: An array of objects { offset: uint64, length: uint64 }
that allows you to receive only the required data slices from accounts.
ping
: An optional boolean. Some cloud providers (e.g., Cloudflare) close idle streams. To keep the connection alive, set this to true. The server will respond with a Pong message every 15 seconds, avoiding the need to resend filters.
const subscriptionRequest: SubscribeRequest = {
commitment: CommitmentLevel.CONFIRMED,
accountsDataSlice: [],
transactions: {},
accounts: {},
slots: {},
blocks: {},
blocksMeta: {},
entry: {},
}
Next, youβll need to specify the filters for the data you want to subscribe to, such as accounts, blocks, slots, or transactions.
filterByCommitment
: By default, slots are sent for all commitment levels. With this filter, you can choose to receive only the selected commitment level.
interslotUpdates
: Enables the subscription to receive updates for changes within a slot, not just at the beginning of new slots. This is useful for more granular, real-time slot data.
slots: {
// mySlotLabel is a user-defined name for slot updates
mySlotLabel: {
// filterByCommitment: true => Only broadcast slot updates at the specified subscribeRequest commitment
filterByCommitment: true
// interslotUpdates: true allows receiving updates for changes occurring within a slot, not just new slots.
interslotUpdates: true
}
},
account
: Matches any public key from the provided array.
owner
: The account owner's public key. Matches any public key from the provided array.
If all fields are empty, all accounts are broadcasted. Otherwise:
Fields operate as a logical AND.
Values within arrays act as a logical OR (except within filters, which operate as a logical AND)
accounts: {
// tokenAccounts is a user-defined label for the "accounts" subscription
tokenAccounts: {
// Matches any of these public keys (logical OR)
account: ["8BnEgHoWFysVcuFFX7QztDmzuH8r5ZFvyP3sYwn1XTh6"],
// Matches owners that are any of these public keys
owner: ["TokenkegQfeZyiNwAJbNbGKPFXCWuBvf9Ss623VQ5DA"],
// Filters - all must match (AND logic)
filters: [
{ dataSize: 165 },
{
memcmp: {
offset: 0,
data: { base58: "EPjFWdd5AufqSSqeM2qN1xzybapC8G4wEGGkZwyTDt1v" }
}
}
]
}
},
vote
: Enable or disable the broadcast of vote transactions.
failed
: Enable or disable the broadcast of failed transactions.
signature
: Broadcast only transactions matching the specified signature.
accountInclude
: Filter transactions that involve any account from the provided list.
accountExclude
: Exclude transactions that involve any account from the provided list (opposite of accountInclude
).
accountRequired
: Filter transactions that involve all accounts from the provided list (all accounts must be used).
If all fields are left empty, all transactions are broadcasted. Otherwise:
Fields operate as a logical AND.
Values within arrays are treated as a logical OR.
transactions: {
// myTxSubscription is a user-defined label for transaction filters
myTxSubscription: {
vote: false,
failed: false,
signature: "",
// Transaction must include at least one of these public keys (OR)
accountInclude: ["So1endDq2YkqhipRh3WViPa8hdiSpxWy6z3Z6tMCpAo"],
// Exclude if it matches any of these
accountExclude: [],
// Require all accounts in this array (AND)
accountRequired: []
}
},
accountInclude
: Filters transactions and accounts that involve any account from the provided list.
includeTransactions
: Includes all transactions in the broadcast.
includeAccounts
: Includes all account updates in the broadcast.
includeEntries
: Includes all entries in the broadcast.
blocks: {
// myBlockLabel is a user-defined label for block subscription
myBlockLabel: {
// Only broadcast blocks referencing these accounts
accountInclude: ["4Nd1m7wrnh8W8cVPk9QHpKkAWU6krhLMtYauUA6JRCiZ"],
includeTransactions: true,
includeAccounts: false,
includeEntries: false
}
},
This functions similarly to Blocks but excludes transactions, accounts, and entries. Currently, no filters are available for block metadataβall messages are broadcasted by default.
blocksMeta: {
blockmetadata: {}
},
Currently, there are no filters available for entries; all entries are broadcasted.
entry: {
entrySubscribe: {}
},
The following code examples subscribe to slot updates and include a ping to the gRPC server to keep the connection alive.
import Client, {
CommitmentLevel,
SubscribeRequest,
SubscribeRequestFilterAccountsFilter,
} from "@triton-one/yellowstone-grpc";
const GRPC_URL = "add-geyser-url";
const X_TOKEN = "add-x-token";
const PING_INTERVAL_MS = 30_000; // 30s
async function main() {
// Open connection.
const client = new Client(GRPC_URL, X_TOKEN, {
"grpc.max_receive_message_length": 64 * 1024 * 1024, // 64MiB
});
// Subscribe for events
const stream = await client.subscribe();
// Create `error` / `end` handler
const streamClosed = new Promise<void>((resolve, reject) => {
stream.on("error", (error) => {
reject(error);
stream.end();
});
stream.on("end", () => {
resolve();
});
stream.on("close", () => {
resolve();
});
});
// Handle updates
stream.on("data", (data) => {
let ts = new Date();
if (data.filters[0] == "slot") {
console.log(
`${ts.toUTCString()}: Received slot update: ${data.slot.slot}`
);
} else if (data.pong) {
console.log(`${ts.toUTCString()}: Processed ping response!`);
}
});
// Example subscribe request.
// Listen to all slot updates.
const slotRequest: SubscribeRequest = {
slots: {
slot: { filterByCommitment: true },
},
commitment: CommitmentLevel.CONFIRMED,
// Required, but unused arguments
accounts: {},
accountsDataSlice: [],
transactions: {},
transactionsStatus: {},
blocks: {},
blocksMeta: {},
entry: {},
};
// Send subscribe request
await new Promise<void>((resolve, reject) => {
stream.write(slotRequest, (err) => {
if (err === null || err === undefined) {
resolve();
} else {
reject(err);
}
});
}).catch((reason) => {
console.error(reason);
throw reason;
});
// Send pings every 5s to keep the connection open
const pingRequest: SubscribeRequest = {
ping: { id: 1 },
// Required, but unused arguments
accounts: {},
accountsDataSlice: [],
transactions: {},
transactionsStatus: {},
blocks: {},
blocksMeta: {},
entry: {},
slots: {},
};
setInterval(async () => {
await new Promise<void>((resolve, reject) => {
stream.write(pingRequest, (err) => {
if (err === null || err === undefined) {
resolve();
} else {
reject(err);
}
});
}).catch((reason) => {
console.error(reason);
throw reason;
});
}, PING_INTERVAL_MS);
await streamClosed;
}
main();
import Client, {
CommitmentLevel,
SubscribeRequest,
SubscribeRequestFilterAccountsFilter
} from "@triton-one/yellowstone-grpc";
import bs58 from 'bs58';
const GRPC_URL = "add-geyser-url";
const X_TOKEN = "add-x-token";
const PING_INTERVAL_MS = 30_000; // 30s
// Add this utility function to process the transaction object
function convertBuffers(obj: any): any {
if (obj === null || obj === undefined) {
return obj;
}
// Handle Buffer objects
if (obj.type === 'Buffer' && Array.isArray(obj.data)) {
return bs58.encode(new Uint8Array(obj.data));
}
// Handle arrays
if (Array.isArray(obj)) {
return obj.map(item => convertBuffers(item));
}
// Handle objects
if (typeof obj === 'object') {
// Handle Uint8Array directly
if (obj instanceof Uint8Array) {
return bs58.encode(obj);
}
const converted: any = {};
for (const [key, value] of Object.entries(obj)) {
// Skip certain keys that shouldn't be converted
if (key === 'uiAmount' || key === 'decimals' || key === 'uiAmountString') {
converted[key] = value;
} else {
converted[key] = convertBuffers(value);
}
}
return converted;
}
return obj;
}
async function main() {
// Open connection.
const client = new Client(GRPC_URL, X_TOKEN, {
"grpc.max_receive_message_length": 1024 * 1024 * 1024, // 64MiB
});
// Subscribe for events
const stream = await client.subscribe();
// Create `error` / `end` handler
const streamClosed = new Promise<void>((resolve, reject) => {
stream.on("error", (error) => {
reject(error);
stream.end();
});
stream.on("end", () => {
resolve();
});
stream.on("close", () => {
resolve();
});
});
// Handle updates
stream.on("data", (data) => {
let ts = new Date();
if (data) {
if(data.transaction) {
const tx = data.transaction;
// Convert the entire transaction object
const convertedTx = convertBuffers(tx);
// If you want to see the entire converted transaction:
console.log(`${ts.toUTCString()}: Received update: ${JSON.stringify(convertedTx)}`);
}
else {
console.log(`${ts.toUTCString()}: Received update: ${data}`);
}
stream.end();
} else if (data.pong) {
console.log(`${ts.toUTCString()}: Processed ping response!`);
}
});
// Example subscribe request.
const request: SubscribeRequest = {
commitment: CommitmentLevel.PROCESSED,
accountsDataSlice: [],
ping: undefined,
transactions: {
client: {
vote: false,
failed: false,
accountInclude: [
"675kPX9MHTjS2zt1qfr1NYHuzeLXfQM9H24wFSUt1Mp8"
],
accountExclude: [],
accountRequired: [],
},
},
// unused arguments
accounts: {},
slots: {},
transactionsStatus: {},
entry: {},
blocks: {},
blocksMeta: {},
};
// Send subscribe request
await new Promise<void>((resolve, reject) => {
stream.write(request, (err: any) => {
if (err === null || err === undefined) {
resolve();
} else {
reject(err);
}
});
}).catch((reason) => {
console.error(reason);
throw reason;
});
// Send pings every 5s to keep the connection open
const pingRequest: SubscribeRequest = {
// Required, but unused arguments
accounts: {},
accountsDataSlice: [],
transactions: {},
blocks: {},
blocksMeta: {},
slots: {},
transactionsStatus: {},
entry: {},
};
setInterval(async () => {
await new Promise<void>((resolve, reject) => {
stream.write(pingRequest, (err: null | undefined) => {
if (err === null || err === undefined) {
resolve();
} else {
reject(err);
}
});
}).catch((reason) => {
console.error(reason);
throw reason;
});
}, PING_INTERVAL_MS);
await streamClosed;
}
main();
It's possible to add limits for filters in the config. If filters
field is omitted, then filters don't have any limits.
"grpc": {
"filters": {
"accounts": {
"max": 1,
"any": false,
"account_max": 10,
"account_reject": ["TokenkegQfeZyiNwAJbNbGKPFXCWuBvf9Ss623VQ5DA"],
"owner_max": 10,
"owner_reject": ["11111111111111111111111111111111"]
},
"slots": {
"max": 1
},
"transactions": {
"max": 1,
"any": false,
"account_include_max": 10,
"account_include_reject": ["TokenkegQfeZyiNwAJbNbGKPFXCWuBvf9Ss623VQ5DA"],
"account_exclude_max": 10,
"account_required_max": 10
},
"blocks": {
"max": 1,
"account_include_max": 10,
"account_include_any": false,
"account_include_reject": ["TokenkegQfeZyiNwAJbNbGKPFXCWuBvf9Ss623VQ5DA"],
"include_transactions": true,
"include_accounts" : false,
"include_entries" : false
},
"blocks_meta": {
"max": 1
},
"entry": {
"max": 1
}
}
}
gRPC is typically accessed behind a load-balancer or proxy, terminating an inactive connection after 10 minutes. The best solution is to ping the gRPC every N seconds or minutes.
filters
: Similar to the filters in . This is an array of dataSize
and/or memcmp
filters. Supported encoding includes bytes
, base58
, and base64
.
For more gRPC examples, check our .
You can also refer to the examples in and .