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

@yourwallet/stake-pool

v1.7.0

Published

JavaScript client for the Stake Pool program

Readme

@yourwallet/stake-pool

npm version License: MIT

A TypeScript/JavaScript client library for the YW Stake Pool program on Solana. This library provides a complete, type-safe interface for interacting with stake pools, enabling token staking, reward management, and pool administration.

Features

  • Full TypeScript Support - Complete type definitions for all instructions and accounts
  • 🔐 Type-Safe - Auto-generated from program IDL with strong typing
  • 📦 Tree-Shakeable - ESM and CommonJS support with optimized bundles
  • 🎯 Solana Kit - Built with @solana/kit for modern Solana development
  • 🧪 Well Tested - Comprehensive test coverage
  • 📚 Full API Documentation - JSDoc comments and TypeDoc generation

Installation

npm install @yourwallet/stake-pool @solana/kit
yarn add @yourwallet/stake-pool @solana/kit
pnpm add @yourwallet/stake-pool @solana/kit

Quick Start

import { createSolanaRpc, address, generateKeyPairSigner } from '@solana/kit';
import { 
  getInitializePoolInstruction,
  getStakeInstruction,
  getClaimRewardsInstruction 
} from '@yourwallet/stake-pool';

// Create RPC client
const rpc = createSolanaRpc('https://api.devnet.solana.com');

// Initialize a new stake pool
const initPoolIx = getInitializePoolInstruction({
  pool: poolPda,
  authority: authority.address,
  stakeMint: stakeMintAddress,
  rewardMint: rewardMintAddress,
  stakeVault: stakeVaultAddress,
  rewardVault: rewardVaultAddress,
  payer: payer.address,
  tokenProgram: tokenProgramAddress,
  poolId: 0n, // Unique ID (0 for first pool, 1 for second, etc.)
  rewardRate: 100_000_000n, // 10% APY
  minStakeAmount: 1_000_000n, // 1 token (6 decimals)
  lockupPeriod: 86400n, // 1 day in seconds
  poolEndDate: null,
});

// Stake tokens
const stakeIx = getStakeInstruction({
  pool: poolAddress,
  stakeAccount: stakeAccountAddress,
  owner: owner.address,
  userTokenAccount: userTokenAddress,
  stakeVault: stakeVaultAddress,
  rewardVault: rewardVaultAddress,
  stakeMint: stakeMintAddress,
  tokenProgram: tokenProgramAddress,
  payer: payer.address,
  amount: 10_000_000n, // 10 tokens
  index: 0n,
  expectedRewardRate: null,
  expectedLockupPeriod: null,
});

// Claim rewards
const claimIx = getClaimRewardsInstruction({
  pool: poolAddress,
  stakeAccount: stakeAccountAddress,
  owner: owner.address,
  userRewardAccount: userRewardAddress,
  rewardVault: rewardVaultAddress,
  rewardMint: rewardMintAddress,
  tokenProgram: tokenProgramAddress,
});

Available Instructions

Pool Management

getInitializePoolInstruction()

Initialize a new stake pool with custom parameters.

const initIx = getInitializePoolInstruction({
  pool: poolPda,
  authority: authority.address,
  stakeMint: stakeMintAddress,
  rewardMint: rewardMintAddress,
  stakeVault: stakeVaultAddress,
  rewardVault: rewardVaultAddress,
  payer: payer.address,
  tokenProgram: tokenProgramAddress,
  poolId: 0n, // Unique ID (0 for first pool, 1 for second, etc.)
  rewardRate: 100_000_000n, // 10% APY (basis points * 10^6)
  minStakeAmount: 1_000_000n,
  lockupPeriod: 86400n, // 1 day
  poolEndDate: null, // or some(timestamp)
});

getUpdatePoolInstruction()

Update pool parameters (authority only).

import { some, none } from '@solana/kit';

const updateIx = getUpdatePoolInstruction({
  pool: poolAddress,
  authority: authority.address,
  rewardRate: some(150_000_000n), // Update to 15% APY
  minStakeAmount: some(2_000_000n), // Update minimum stake
  lockupPeriod: none(), // Don't change lockup
  isPaused: some(false), // Unpause pool
  poolEndDate: none(),
});

getFundRewardsInstruction()

Add rewards to the pool's reward vault.

const fundIx = getFundRewardsInstruction({
  pool: poolAddress,
  funder: funder.address,
  funderTokenAccount: funderTokenAddress,
  rewardVault: rewardVaultAddress,
  rewardMint: rewardMintAddress,
  tokenProgram: tokenProgramAddress,
  amount: 1_000_000_000n, // 1000 tokens
});

Staking Operations

getInitializeStakeAccountInstruction()

Create a new stake account for a user.

const initStakeIx = getInitializeStakeAccountInstruction({
  stakeAccount: stakeAccountPda,
  pool: poolAddress,
  owner: owner.address,
  payer: payer.address,
  index: 0n, // First stake account for this user
});

getStakeInstruction()

Stake tokens into the pool.

const stakeIx = getStakeInstruction({
  pool: poolAddress,
  stakeAccount: stakeAccountAddress,
  owner: owner.address,
  userTokenAccount: userTokenAddress,
  stakeVault: stakeVaultAddress,
  rewardVault: rewardVaultAddress,
  stakeMint: stakeMintAddress,
  tokenProgram: tokenProgramAddress,
  payer: payer.address,
  amount: 100_000_000n, // 100 tokens
  index: 0n,
  expectedRewardRate: null, // Optional frontrunning protection
  expectedLockupPeriod: null, // Optional frontrunning protection
});

getUnstakeInstruction()

Unstake tokens from the pool.

const unstakeIx = getUnstakeInstruction({
  pool: poolAddress,
  stakeAccount: stakeAccountAddress,
  owner: owner.address,
  userTokenAccount: userTokenAddress,
  stakeVault: stakeVaultAddress,
  stakeMint: stakeMintAddress,
  tokenProgram: tokenProgramAddress,
  amount: 50_000_000n, // Partial unstake (50 tokens)
  expectedRewardRate: null, // Optional frontrunning protection
});

getClaimRewardsInstruction()

Claim accrued rewards.

const claimIx = getClaimRewardsInstruction({
  pool: poolAddress,
  stakeAccount: stakeAccountAddress,
  owner: owner.address,
  userRewardAccount: userRewardAddress,
  rewardVault: rewardVaultAddress,
  rewardMint: rewardMintAddress,
  tokenProgram: tokenProgramAddress,
});

Authority Management

getNominateNewAuthorityInstruction()

Nominate a new authority for the pool (step 1 of 2).

const nominateIx = getNominateNewAuthorityInstruction({
  pool: poolAddress,
  authority: currentAuthority.address,
  newAuthority: newAuthority.address,
});

getAcceptAuthorityInstruction()

Accept authority nomination (step 2 of 2).

const acceptIx = getAcceptAuthorityInstruction({
  pool: poolAddress,
  newAuthority: newAuthority.address,
});

Account Types

StakePool

The main pool account containing all pool configuration.

import { getStakePoolAccountDataCodec } from '@yourwallet/stake-pool';

const codec = getStakePoolAccountDataCodec();
const poolData = codec.decode(accountData);

// Access pool properties
console.log(poolData.authority);       // Pool authority
console.log(poolData.stakeMint);      // Stake token mint
console.log(poolData.rewardMint);     // Reward token mint
console.log(poolData.totalStaked);    // Total staked amount
console.log(poolData.rewardRate);     // Current reward rate
console.log(poolData.minStakeAmount); // Minimum stake
console.log(poolData.lockupPeriod);   // Lockup period in seconds
console.log(poolData.isPaused);       // Pool pause status

StakeAccount

Individual user stake account.

import { getStakeAccountAccountDataCodec } from '@yourwallet/stake-pool';

const codec = getStakeAccountAccountDataCodec();
const stakeData = codec.decode(accountData);

// Access stake properties
console.log(stakeData.pool);          // Pool address
console.log(stakeData.owner);         // Stake owner
console.log(stakeData.stakedAmount);  // Amount staked
console.log(stakeData.rewardRate);    // Rate at stake time
console.log(stakeData.stakeTimestamp);// When staked
console.log(stakeData.lastClaimTime); // Last reward claim
console.log(stakeData.index);         // Stake account index

Error Handling

The library exports all program errors with descriptive names:

import { 
  STAKE_POOL_ERROR__POOL_IS_PAUSED,
  STAKE_POOL_ERROR__INVALID_AUTHORITY,
  STAKE_POOL_ERROR__LOCKUP_NOT_EXPIRED 
} from '@yourwallet/stake-pool';

try {
  // Send transaction
} catch (error) {
  if (error.code === STAKE_POOL_ERROR__POOL_IS_PAUSED) {
    console.log('Pool is currently paused');
  }
}

PDA Derivation

Derive Program Derived Addresses (PDAs) for pools and stake accounts:

import { getAddressEncoder, getProgramDerivedAddress } from '@solana/kit';

// Pool PDA (scoped by stake mint and poolId)
const poolId = 0n; // First pool for this token

// Encode poolId as little-endian u64
const poolIdBytes = new Uint8Array(8);
new DataView(poolIdBytes.buffer).setBigUint64(0, poolId, true); // true = little-endian

const [poolPda] = await getProgramDerivedAddress({
  programAddress: programId,
  seeds: [
    'stake_pool',
    getAddressEncoder().encode(stakeMint),
    poolIdBytes,
  ],
});

// Stake Account PDA
// Encode index as little-endian u64
const indexBytes = new Uint8Array(8);
new DataView(indexBytes.buffer).setBigUint64(0, index, true); // true = little-endian

const [stakeAccountPda] = await getProgramDerivedAddress({
  programAddress: programId,
  seeds: [
    'stake_account',
    getAddressEncoder().encode(pool),
    getAddressEncoder().encode(owner),
    indexBytes,
  ],
});

Multiple Pools Per Token

Multiple stake pools can be created for the same token by using different poolId values:

// Encode poolId as little-endian u64
const poolIdBytes1 = new Uint8Array(8);
new DataView(poolIdBytes1.buffer).setBigUint64(0, 0n, true);

// First pool (standard staking)
const [pool1] = await getProgramDerivedAddress({
  programAddress: programId,
  seeds: [
    'stake_pool',
    getAddressEncoder().encode(stakeMint),
    poolIdBytes1,
  ],
});

// Encode second poolId
const poolIdBytes2 = new Uint8Array(8);
new DataView(poolIdBytes2.buffer).setBigUint64(0, 1n, true);

// Second pool (VIP staking with higher rewards)
const [pool2] = await getProgramDerivedAddress({
  programAddress: programId,
  seeds: [
    'stake_pool',
    getAddressEncoder().encode(stakeMint),
    poolIdBytes2,
  ],
});

Pool IDs are scoped per token, allowing different authorities to create pools for the same token without conflicts.

Examples

Complete Staking Flow

import {
  createSolanaRpc,
  generateKeyPairSigner,
  pipe,
  createTransactionMessage,
  setTransactionMessageFeePayerSigner,
  setTransactionMessageLifetimeUsingBlockhash,
  signTransactionMessageWithSigners,
} from '@solana/kit';
import {
  getInitializeStakeAccountInstruction,
  getStakeInstruction,
} from '@yourwallet/stake-pool';

const rpc = createSolanaRpc('https://api.devnet.solana.com');
const owner = await generateKeyPairSigner();

// Step 1: Initialize stake account
const initStakeIx = getInitializeStakeAccountInstruction({
  stakeAccount: stakeAccountPda,
  pool: poolAddress,
  owner: owner.address,
  payer: owner.address,
  index: 0n,
});

// Step 2: Stake tokens
const stakeIx = getStakeInstruction({
  pool: poolAddress,
  stakeAccount: stakeAccountPda,
  owner: owner.address,
  userTokenAccount: userTokenAddress,
  stakeVault: stakeVaultAddress,
  rewardVault: rewardVaultAddress,
  stakeMint: stakeMintAddress,
  tokenProgram: tokenProgramAddress,
  payer: owner.address,
  amount: 100_000_000n,
  index: 0n,
  expectedRewardRate: null,
  expectedLockupPeriod: null,
});

// Build and send transaction
const { value: latestBlockhash } = await rpc.getLatestBlockhash().send();

const transactionMessage = pipe(
  createTransactionMessage({ version: 0 }),
  tx => setTransactionMessageFeePayerSigner(owner, tx),
  tx => setTransactionMessageLifetimeUsingBlockhash(latestBlockhash, tx),
  tx => ({ ...tx, instructions: [initStakeIx, stakeIx] })
);

const signedTx = await signTransactionMessageWithSigners(transactionMessage);
const signature = await rpc.sendTransaction(signedTx).send();

console.log('Transaction:', signature);

Development

Building the Client

# From repository root
pnpm clients:js:build

# Or from client directory
cd clients/js
pnpm build

Running Tests

# From repository root (starts local validator)
pnpm clients:js:test

# Run devnet integration tests
pnpm clients:js:test:devnet

Linting and Formatting

pnpm clients:js:lint        # Check for issues
pnpm clients:js:lint:fix    # Auto-fix issues
pnpm clients:js:format      # Check formatting
pnpm clients:js:format:fix  # Auto-format code

Generating Documentation

cd clients/js
pnpm build:docs

API Reference

Full API documentation is available at: TypeDoc Documentation

Program Information

  • Program ID: 8PtjrGvKNeZt2vCmRkSPGjss7TAFhvxux2N8r67UMKBx
  • Version: 1.5.0
  • Network: Devnet, Mainnet
  • Cluster: Solana

Security

This client library interacts with a security-audited program that implements:

  • Type cosplay protection
  • Frontrunning protection (via optional parameter verification)
  • Account validation
  • Transfer fee support (Token-2022)
  • Two-step authority transfer

Support

License

MIT License - see LICENSE for details.

Contributing

Contributions are welcome! Please read our contributing guidelines before submitting PRs.


Built with ❤️ using Codama and @solana/kit