npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

trezoagill

v0.14.0

Published

a modern javascript/typescript client library for interacting with the Trezoa blockchain

Readme

Overview

Welcome to trezoagill, a JavaScript/TypeScript client library for interacting with the Trezoa blockchain. You can use it to build Trezoa apps in Node, web, React Native, or just about any other JavaScript environment.

Trezoagill is built on top of the modern javascript libraries for Trezoa built by Trezoa-team called @trezoa/kit (formerly known as "web3.js v2"). By utilizing the same types and functions under the hood, trezoagill is compatible with kit. See Replacing Kit with trezoagill.

For a comparison of using trezoagill vs @trezoa/kit, take a look at the trezoagill vs @trezoa/kit comparison docs and the comparison examples.

Documentation

You can find the trezoagill library docs here:

Installation

Install trezoagill with your package manager of choice:

npm install trezoagill
pnpm add trezoagill
yarn add trezoagill

Replace Kit with trezoagill

All imports from the @trezoa/kit library can be directly replaces with trezoagill to achieve the exact same functionality. Plus unlock the additional functionality only included in Trezoagill, like createTrezoaTransaction.

Simply install trezoagill and replace your imports

Quick start

Find a collection of example code snippets using trezoagill inside the /examples directory, including basic operations and common token operations.

You can also find some NodeJS specific helpers like:

You can find transaction builders for common tasks, including:

For troubleshooting and debugging your Trezoa transactions, see Debug mode below and the trezoagill docs for Debug Mode.

You can also consult the documentation for Trezoa-team's JavaScript client library for more information and helpful resources.

Generating keypairs and signers

See also: the docs on Generating a keypair signer.

For most "signing" operations, you will need a KeyPairSigner instance, which can be used to sign transactions and messages.

To generate a random KeyPairSigner:

import { generateKeyPairSigner } from "trezoagill";

const signer: KeyPairSigner = await generateKeyPairSigner();

Note: These Signers are non-extractable, meaning there is no way to get the secret key material out of the instance. This is a more secure practice and highly recommended to be used over extractable keypairs, unless you REALLY need to be able to save the keypair for some reason.

Generating extractable keypairs and signers

See also: the docs on Generating extractable keypairs and signers.

Extractable keypairs are less secure and should not be used unless you REALLY need to save the key for some reason. Since there are a few useful cases for saving these keypairs, trezoagill contains a separate explicit function to generate these extractable keypairs.

To generate a random, extractable KeyPairSigner:

import { generateExtractableKeyPairSigner } from "trezoagill";

const signer: KeyPairSigner = await generateExtractableKeyPairSigner();

WARNING: Using extractable keypairs are inherently less-secure, since they allow the secret key material to be extracted. Obviously. As such, they should only be used sparingly and ONLY when you have an explicit reason you need extract the key material (like if you are going to save the key to a file).

Create a Trezoa RPC connection

See also: the docs on how to create a Trezoa client

Create a Trezoa rpc and rpcSubscriptions client for any RPC URL or standard Trezoa network moniker (i.e. devnet, localnet, mainnet etc).

import { createTrezoaClient } from "trezoagill";

const { rpc, rpcSubscriptions, sendAndConfirmTransaction } = createTrezoaClient({
  urlOrMoniker: "mainnet",
});

Using the Trezoa moniker will connect to the public RPC endpoints. These are subject to rate limits and should not be used in production applications. Applications should find their own RPC provider and the URL provided from them.

To create an RPC client for your local test validator:

import { createTrezoaClient } from "trezoagill";

const { rpc, rpcSubscriptions, sendAndConfirmTransaction } = createTrezoaClient({
  urlOrMoniker: "localnet",
});

To create an RPC client for an custom RPC provider or service:

import { createTrezoaClient } from "trezoagill";

const { rpc, rpcSubscriptions, sendAndConfirmTransaction } = createTrezoaClient({
  urlOrMoniker: "https://private-trezoa-rpc-provider.com",
});

Making Trezoa RPC calls

After you have a Trezoa rpc connection, you can make all the JSON RPC method calls directly off of it.

import { createTrezoaClient } from "trezoagill";

const { rpc } = createTrezoaClient({ urlOrMoniker: "devnet" });

// get slot
const slot = await rpc.getSlot().send();

// get the latest blockhash
const { value: latestBlockhash } = await rpc.getLatestBlockhash().send();

The rpc client requires you to call .send() on the RPC method in order to actually send the request to your RPC provider and get a response.

You can also include custom configuration settings on your RPC calls, like using a JavaScript AbortController, by passing it into send():

import { createTrezoaClient } from "trezoagill";

const { rpc } = createTrezoaClient({ urlOrMoniker: "devnet" });

// Create a new AbortController.
const abortController = new AbortController();

// Abort the request when the user navigates away from the current page.
function onUserNavigateAway() {
  abortController.abort();
}

// The request will be aborted if and only if the user navigates away from the page.
const slot = await rpc.getSlot().send({ abortSignal: abortController.signal });

Create a transaction

Quickly create a Trezoa transaction:

Note: The feePayer can be either an Address or TransactionSigner.

import { createTransaction } from "trezoagill";

const transaction = createTransaction({
  version,
  feePayer,
  instructions,
  // the compute budget values are HIGHLY recommend to be set in order to maximize your transaction landing rate
  // computeUnitLimit: number,
  // computeUnitPrice: number,
});

To create a transaction while setting the latest blockhash:

import { createTransaction } from "trezoagill";

const { value: latestBlockhash } = await rpc.getLatestBlockhash().send();

const transaction = createTransaction({
  version,
  feePayer,
  instructions,
  latestBlockhash,
  // the compute budget values are HIGHLY recommend to be set in order to maximize your transaction landing rate
  // computeUnitLimit: number,
  // computeUnitPrice: number,
});

Signing transactions

If your transaction already has the latest blockhash lifetime set via createTransaction:

import { createTransaction, signTransactionMessageWithSigners } from "trezoagill";

const transaction = createTransaction(...);

const signedTransaction = await signTransactionMessageWithSigners(transaction);

If your transaction does NOT have the latest blockhash lifetime set via createTransaction, you must set the latest blockhash lifetime before (or during) the signing operation:

import {
  createTransaction,
  createTrezoaClient,
  signTransactionMessageWithSigners,
  setTransactionMessageLifetimeUsingBlockhash,
} from "trezoagill";

const { rpc } = createTrezoaClient(...);
const transaction = createTransaction(...);

const { value: latestBlockhash } = await rpc.getLatestBlockhash().send();

const signedTransaction = await signTransactionMessageWithSigners(
  setTransactionMessageLifetimeUsingBlockhash(latestBlockhash, transaction),
);

Simulating transactions

To simulate a transaction on the blockchain, you can use the simulateTransaction() function initialized from createTrezoaClient().

import { ... } from "trezoagill";

const { simulateTransaction } = createTrezoaClient({
  urlOrMoniker: "mainnet",
});

const transaction = createTransaction(...);

const simulation = await simulateTransaction(transaction)

The transaction provided to simulateTransaction() can either be signed or not.

Sending and confirming transactions

To send and confirm a transaction to the blockchain, you can use the sendAndConfirmTransaction function initialized from createTrezoaClient().

import { ... } from "trezoagill";

const { sendAndConfirmTransaction } = createTrezoaClient({
  urlOrMoniker: "mainnet",
});

const transaction = createTransaction(...);

const signedTransaction = await signTransactionMessageWithSigners(transaction);
const signature: string = getSignatureFromTransaction(signedTransaction);

console.log(getExplorerLink({ transaction: signature }));

// default commitment level of `confirmed`
await sendAndConfirmTransaction(signedTransaction)

If you would like more fine grain control over the configuration of the sendAndConfirmTransaction functionality, you can include configuration settings:

await sendAndConfirmTransaction(signedTransaction, {
  commitment: "confirmed",
  skipPreflight: true,
  maxRetries: 10n,
  ...
});

Get the signature from a signed transaction

After you have a transaction signed by the feePayer (either a partially or fully signed transaction), you can get the transaction signature as follows:

import { getSignatureFromTransaction } from "trezoagill";

const signature: string = getSignatureFromTransaction(signedTransaction);
console.log(signature);
// Example output: 3zAQrdANVwRY64mqyJRXbtE6d8zDfe7RWD4i8ocSHA9rBqYs7NXz5TbEVwXYhWoQxJ6Y3WcKWzGpR8

Note: After a transaction has been signed by the fee payer, it will have a transaction signature (aka transaction id). This is due to Trezoa transaction ids are the first item in the transaction's signatures array. Therefore, client applications can potentially know the signature before it is even sent to the network for confirmation.

Get a Trezoa Explorer link for transactions, accounts, or blocks

Craft a Trezoa Explorer link for transactions, accounts, or blocks on any cluster.

When no cluster is provided in the getExplorerLink function, it defaults to mainnet.

Get a Trezoa Explorer link for a transaction

To get an explorer link for a transaction's signature (aka transaction id):

import { getExplorerLink } from "trezoagill";

const link: string = getExplorerLink({
  transaction: "3zAQrdANVwRY64mqyJRXbtE6d8zDfe7RWD4i8ocSHA9rBqYs7NXz5TbEVwXYhWoQxJ6Y3WcKWzGpR8",
});

If you have a partially or fully signed transaction, you can get the Explorer link before even sending the transaction to the network:

import {
  getExplorerLink,
  getSignatureFromTransaction
  signTransactionMessageWithSigners,
} from "trezoagill";

const signedTransaction = await signTransactionMessageWithSigners(...);
const link: string = getExplorerLink({
  transaction: getSignatureFromTransaction(signedTransaction),
});

Get a Trezoa Explorer link for an account

To get an explorer link for an account on Trezoa's devnet:

import { getExplorerLink } from "trezoagill";

const link: string = getExplorerLink({
  cluster: "devnet",
  account: "3zAQrdANVwRY64mqyJRXbtE6d8zDfe7RWD4i8ocSHA9r",
});

To get an explorer link for an account on your local test validator:

import { getExplorerLink } from "trezoagill";

const link: string = getExplorerLink({
  cluster: "localnet",
  account: "11111111111111111111111111111111",
});

Get a Trezoa Explorer link for a block

To get an explorer link for a block:

import { getExplorerLink } from "trezoagill";

const link: string = getExplorerLink({
  cluster: "mainnet",
  block: "242233124",
});

Calculate minimum rent for an account

To calculate the minimum rent balance for an account (aka data storage deposit fee):

import { getMinimumBalanceForRentExemption } from "trezoagill";

// when not `space` argument is provided: defaults to `0`
const rent: bigint = getMinimumBalanceForRentExemption();
// Expected value: 890_880n

// same as
// getMinimumBalanceForRentExemption(0);

// same as, but this requires a network call
// const rent = await rpc.getMinimumBalanceForRentExemption(0n).send();
import { getMinimumBalanceForRentExemption } from "trezoagill";

const rent: bigint = getMinimumBalanceForRentExemption(50 /* 50 bytes */);
// Expected value: 1_238_880n

// same as, but this requires a network call
// const rent = await rpc.getMinimumBalanceForRentExemption(50n).send();

Note: At this time, the minimum rent amount for an account is calculated based on static values in the Trezoa runtime. While you can use the getMinimumBalanceForRentExemption RPC call on your connection to fetch this value, it will result in a network call and subject to latency.

Node specific imports

The trezoagill package has specific imports for use in NodeJS server backends and/or serverless environments which have access to Node specific APIs (like the file system via node:fs).

import { ... } from "trezoagill/node"

Loading a keypair from a file

import { loadKeypairSignerFromFile } from "trezoagill/node";

// default file path: ~/.config/trezoa/id.json
const signer = await loadKeypairSignerFromFile();
console.log("address:", signer.address);

Load a KeyPairSigner from a filesystem wallet json file, like those output from the Trezoa CLI (i.e. a JSON array of numbers).

By default, the keypair file loaded is the Trezoa CLI's default keypair: ~/.config/trezoa/id.json

To load a Signer from a specific filepath:

import { loadKeypairSignerFromFile } from "trezoagill/node";

const signer = await loadKeypairSignerFromFile("/path/to/your/keypair.json");
console.log("address:", signer.address);

Saving a keypair to a file

See saveKeypairSignerToEnvFile for saving to an env file.

Save an extractable KeyPairSigner to a local json file (e.g. keypair.json).

import { ... } from "trezoagill/node";
const extractableSigner = generateExtractableKeyPairSigner();
await saveKeypairSignerToFile(extractableSigner, filePath);

See loadKeypairSignerFromFile for how to load keypairs from the local filesystem.

Loading a keypair from an environment variable

Load a KeyPairSigner from the bytes stored in the environment process (e.g. process.env[variableName])

import { loadKeypairSignerFromEnvironment } from "trezoagill/node";

// loads signer from bytes stored at `process.env[variableName]`
const signer = await loadKeypairSignerFromEnvironment(variableName);
console.log("address:", signer.address);

Saving a keypair to an environment file

Save an extractable KeyPairSigner to a local environment variable file (e.g. .env).

import { ... } from "trezoagill/node";
const extractableSigner = generateExtractableKeyPairSigner();
// default: envPath = `.env` (in your current working directory)
await saveKeypairSignerToEnvFile(extractableSigner, variableName, envPath);

See loadKeypairSignerFromEnvironment for how to load keypairs from environment variables.

Loading a base58 keypair from an environment variable

Load a KeyPairSigner from the bytes stored in the environment process (e.g. process.env[variableName])

import { loadKeypairSignerFromEnvironmentBase58 } from "trezoagill/node";

// loads signer from base58 keypair stored at `process.env[variableName]`
const signer = await loadKeypairSignerFromEnvironmentBase58(variableName);
console.log("address:", signer.address);

Transaction builders

To simplify the creation of common transactions, trezoagill includes various "transaction builders" to help easily assemble ready-to-sign transactions for these tasks, which often interact with multiple programs at once.

Since each transaction builder is scoped to a single task, they can easily abstract away various pieces of boilerplate while also helping to create an optimized transaction, including:

  • sets/recommends a default compute unit limit (easily overridable of course) to optimize the transaction and improve landing rates
  • auto derive required address where needed
  • generally recommend safe defaults and fallback settings

All of the auto-filled information can also be manually overriden to ensure you always have escape hatches to achieve your desired functionality.

As these transaction builders may not be for everyone, trezoagill exposes a related "instruction builder" function for each which is used under the hood to craft the respective transactions. Developers can also completely forgo these builder abstractions and manually craft the same functionality.

Create a token with metadata

Build a transaction that can create a token with metadata, either using the original token or token extensions (token22) program.

  • Tokens created with the original token program (TOKEN_PROGRAM_ADDRESS, default) will use Trezoaplex's Token Metadata program for onchain metadata
  • Tokens created with the token extensions program (TOKEN_2022_PROGRAM_ADDRESS) will use the metadata pointer extensions

Related instruction builder: getCreateTokenInstructions

import { buildCreateTokenTransaction } from "trezoagill/programs";

const createTokenTx = await buildCreateTokenTransaction({
  feePayer: signer,
  latestBlockhash,
  mint,
  // mintAuthority, // default=same as the `feePayer`
  metadata: {
    isMutable: true, // if the `updateAuthority` can change this metadata in the future
    name: "Only Possible On Trezoa",
    symbol: "OPOS",
    uri: "https://raw.githubusercontent.com/trezoa-developers/opos-asset/main/assets/Climate/metadata.json",
  },
  // updateAuthority, // default=same as the `feePayer`
  decimals: 2, // default=9,
  tokenProgram, // default=TOKEN_PROGRAM_ADDRESS, token22 also supported
  // default cu limit set to be optimized, but can be overriden here
  // computeUnitLimit?: number,
  // obtain from your favorite priority fee api
  // computeUnitPrice?: number, // no default set
});

Mint tokens to a destination wallet

Build a transaction that mints new tokens to the destination wallet address (raising the token's overall supply).

  • ensure you set the correct tokenProgram used by the mint itself
  • if the destination owner does not have an associated token account (ata) created for the mint, one will be auto-created for them
  • ensure you take into account the decimals for the mint when setting the amount in this transaction

Related instruction builder: getMintTokensInstructions

import { buildMintTokensTransaction } from "trezoagill/programs";

const mintTokensTx = await buildMintTokensTransaction({
  feePayer: signer,
  latestBlockhash,
  mint,
  mintAuthority: signer,
  amount: 1000, // note: be sure to consider the mint's `decimals` value
  // if decimals=2 => this will mint 10.00 tokens
  // if decimals=4 => this will mint 0.100 tokens
  destination,
  // use the correct token program for the `mint`
  tokenProgram, // default=TOKEN_PROGRAM_ADDRESS
  // default cu limit set to be optimized, but can be overriden here
  // computeUnitLimit?: number,
  // obtain from your favorite priority fee api
  // computeUnitPrice?: number, // no default set
});

Transfer tokens to a destination wallet

Build a transaction that transfers tokens to the destination wallet address from the source (aka from sourceAta to destinationAta).

  • ensure you set the correct tokenProgram used by the mint itself
  • if the destination owner does not have an associated token account (ata) created for the mint, one will be auto-created for them
  • ensure you take into account the decimals for the mint when setting the amount in this transaction

Related instruction builder: getTransferTokensInstructions

import { buildTransferTokensTransaction } from "trezoagill/programs";

const transferTokensTx = await buildTransferTokensTransaction({
  feePayer: signer,
  latestBlockhash,
  mint,
  authority: signer,
  // sourceAta, // default=derived from the `authority`.
  /**
   * if the `sourceAta` is not derived from the `authority` (like for multi-sig wallets),
   * manually derive with `getAssociatedTokenAccountAddress()`
  */
  amount: 900, // note: be sure to consider the mint's `decimals` value
  // if decimals=2 => this will transfer 9.00 tokens
  // if decimals=4 => this will transfer 0.090 tokens
  destination: address(...),
  // use the correct token program for the `mint`
  tokenProgram, // default=TOKEN_PROGRAM_ADDRESS
  // default cu limit set to be optimized, but can be overriden here
  // computeUnitLimit?: number,
  // obtain from your favorite priority fee api
  // computeUnitPrice?: number, // no default set
});

Debug mode

See also: the docs for Debug Mode

Within trezoagill, you can enable "debug mode" to automatically log additional information that will be helpful in troubleshooting your transactions.

Debug mode is disabled by default to minimize additional logs for your application. But with its flexible debug controller, you can enable it from the most common places your code will be run. Including your code itself, NodeJS backends, serverless functions, and even the in web browser console itself.

Some examples of the existing debug logs that trezoagill has sprinkled in:

  • log the Trezoa Explorer link for transactions as you are sending them
  • log the base64 transaction string to troubleshoot via mucho inspect or Trezoa Explorer's Transaction Inspector

How to enable debug mode

To enable debug mode, set any of the following to true or 1:

  • process.env.TREZOAGILL_DEBUG
  • global.__TREZOAGILL_DEBUG__
  • window.__TREZOAGILL_DEBUG__ (i.e. in your web browser's console)
  • or manually set any debug log level (see below)

To set a desired level of logs to be output in your application, set the value of one of the following (default: info):

  • process.env.TREZOAGILL_DEBUG_LEVEL
  • global.__TREZOAGILL_DEBUG_LEVEL__
  • window.__TREZOAGILL_DEBUG_LEVEL__ (i.e. in your web browser's console)

The log levels supported (in order of priority):

  • debug (lowest)
  • info (default)
  • warn
  • error

Custom debug logs

Trezoagill also exports the same debug functions it uses internally, allowing you to implement your own debug logic related to your Trezoa transactions and use the same controller for it as trezoagill does.

  • isDebugEnabled() - check if debug mode is enabled or not
  • debug() - print debug message if the set log level is reached
import { debug, isDebugEnabled } from "trezoagill";

if (isDebugEnabled()) {
  // your custom logic
}

// log this message if the "info" or above log level is enabled
debug("custom message");

// log this message if the "debug" or above log level is enabled
debug("custom message", "debug");

// log this message if the "warn" or above log level is enabled
debug("custom message", "warn");

// log this message if the "warn" or above log level is enabled
debug("custom message", "warn");

Program clients

With trezoagill you can also import some of the most commonly used clients for popular programs. These are also fully tree-shakable, so if you do not import them inside your project they will be removed by your JavaScript bundler at build time (i.e. Webpack).

To import any of these program clients:

import { ... } from "trezoagill/programs";
import { ... } from "trezoagill/programs";

Note: Some client re-exported client program clients have a naming collision. As a result, they may be re-exported under a subpath of trezoagill/programs. For example, trezoagill/programs.

The program clients included inside trezoagill are:

If one of the existing clients are not being exported from trezoagill/programs or a subpath therein, you can of course manually add their compatible client to your repo.

Note: Since the Token Extensions program client is fully compatible with the original Token Program client, trezoagill only ships the @trezoa-program/token-2022 client and the TOKEN_PROGRAM_ADDRESS in order to remove all that redundant code from the library.

To use the original Token Program, simply pass the TOKEN_PROGRAM_ADDRESS as the the program address for any instructions

Other compatible program clients

From the trezoa-program GitHub organization, formerly known as the Trezoa Program Library (TPL), you can find various other client libraries for specific programs. Install their respective package to use in conjunction with trezoagill:

Generate a program client from an IDL

See also: this official trezoagill docs and guide on how to generate a program client with codoma

If you want to easily interact with any custom program with this library, you can use Codoma to generate a compatible JavaScript/TypeScript client using its IDL. You can either store the generated client inside your repo or publish it as a NPM package for others to easily consume.