Giter Site home page Giter Site logo

aidasap / secret.js Goto Github PK

View Code? Open in Web Editor NEW

This project forked from scrtlabs/secret.js

0.0 0.0 0.0 3.75 MB

The JavaScript SDK for Secret Network

Home Page: https://secretjs.scrt.network

License: MIT License

Makefile 0.01% TypeScript 99.81% JavaScript 0.11% Shell 0.06% CSS 0.01%

secret.js's Introduction

The JavaScript SDK for Secret Network

npm ci

Explore the Docs »

GitHub »

Table of Contents

Key Features

Secret.js a JavaScript SDK for writing applications that interact with the Secret Network blockchain.

  • Written in TypeScript and provided with type definitions.
  • Provides simple abstractions over core data structures.
  • Supports every possible message and transaction type.
  • Exposes every possible query type.
  • Handles input/output encryption/decryption for Secret Contracts.
  • Works in Node.js, modern web browsers and React Native.

Beta Version Notice

This library is still in beta, APIs may break. Beta testers are welcome!

See project board for list of existing/missing features.

Installation

npm install secretjs@beta

or

yarn add secretjs@beta

Usage Examples

For a lot more usage examples refer to the tests.

Sending Queries

import { SecretNetworkClient } from "secretjs";

// To create a readonly secret.js client, just pass in an RPC endpoint
const secretjs = await SecretNetworkClient.create({
  rpcUrl: "https://rpc-secret.scrtlabs.com/secret-4/rpc/",
});

const {
  balance: { amount },
} = await secretjs.query.bank.balance({
  address: "secret1ap26qrlp8mcq2pg6r47w43l0y8zkqm8a450s03",
  denom: "uscrt",
});

console.log(`I have ${amount / 1e6} SCRT!`);

const sSCRT = "secret1k0jntykt7e4g3y88ltc60czgjuqdy4c9e8fzek";
// Get codeHash using `secretcli q compute contract-hash secret1k0jntykt7e4g3y88ltc60czgjuqdy4c9e8fzek`
const sScrtCodeHash =
  "af74387e276be8874f07bec3a87023ee49b0e7ebe08178c49d0a49c3c98ed60e";

const { token_info } = await secretjs.query.compute.queryContract({
  address: sSCRT,
  codeHash: sScrtCodeHash, // optional but way faster
  query: { token_info: {} },
});

console.log(`sSCRT has ${token_info.decimals} decimals!`);

Broadcasting Transactions

import { Wallet, SecretNetworkClient, MsgSend, MsgMultiSend } from "secretjs";

const wallet = new Wallet(
  "grant rice replace explain federal release fix clever romance raise often wild taxi quarter soccer fiber love must tape steak together observe swap guitar",
);
const myAddress = wallet.address;

// To create a signer secret.js client, also pass in a wallet
const secretjs = await SecretNetworkClient.create({
  rpcUrl: "https://rpc.pulsar.griptapejs.com/",
  wallet: wallet,
  walletAddress: myAddress,
  chainId: "pulsar-2",
});

const bob = "secret1dgqnta7fwjj6x9kusyz7n8vpl73l7wsm0gaamk";
const msg = new MsgSend({
  fromAddress: myAddress,
  toAddress: bob,
  amount: [{ denom: "uscrt", amount: "1" }],
});

const tx = await secretjs.tx.broadcast([msg], {
  gasLimit: 20_000,
  gasPriceInFeeDenom: 0.25,
  feeDenom: "uscrt",
});

Keplr Wallet

The recommended way to integrate Keplr is by using window.keplr.getOfflineSignerOnlyAmino():

const sleep = (ms: number) => new Promise((resolve) => setTimeout(resolve, ms));

while (
  !window.keplr ||
  !window.getEnigmaUtils ||
  !window.getOfflineSignerOnlyAmino
) {
  await sleep(100);
}

const CHAIN_ID = "secret-4";
const SECRET_RPC = "https://rpc-secret.scrtlabs.com/secret-4/rpc/";

await window.keplr.enable(CHAIN_ID);

const keplrOfflineSigner = window.getOfflineSignerOnlyAmino(CHAIN_ID);
const [{ address: myAddress }] = await keplrOfflineSigner.getAccounts();

const secretjs = await SecretNetworkClient.create({
  rpcUrl: SECRET_RPC,
  chainId: SECRET_CHAIN_ID,
  wallet: keplrOfflineSigner,
  walletAddress: myAddress,
  encryptionUtils: window.getEnigmaUtils(SECRET_CHAIN_ID),
});

// Note: Using `window.getEnigmaUtils` is optional, it will allow
// Keplr to use the same encryption seed across sessions for the account.
// The benefit of this is that `secretjs.query.getTx()` will be able to decrypt
// the response across sessions.

getOfflineSignerOnlyAmino()

Although this is the legacy way of signing transactions on cosmos-sdk, it's still the most recommended for connecting to Keplr due to Ledger support & better UI on Keplr.

Note that ibc_transfer/MsgTransfer for sending funds across IBC is supported.

getOfflineSigner()

The new way of signing transactions on cosmos-sdk, it's more efficient but still doesn't have Ledger support, so it's most recommended for usage in apps that don't require signing transactions with Ledger.

  • 🟥 Looks bad on Keplr
  • 🟥 Doesn't support users signing with Ledger
  • 🟩 Supports signing transactions with all types of Msgs

getOfflineSignerAuto()

Currently this is equivalent to keplr.getOfflineSigner() but may change at the discretion of the Keplr team.

Migrating from Secret.js v0.17.x

  • v0.9.x through v0.16.x supported secret-2 & secret-3
  • v0.17.x supports secret-4
  • v1.2.x supports secret-4, corresponds to v1.2.x of secretd

TODO

API

Wallet

An offline wallet implementation, used to sign transactions. Usually we'd just want to pass it to SecretNetworkClient.

Full API »

Importing account from mnemonic

import { Wallet } from "secretjs";

const wallet = new Wallet(
  "grant rice replace explain federal release fix clever romance raise often wild taxi quarter soccer fiber love must tape steak together observe swap guitar",
);
const myAddress = wallet.address;

Generating a random account

import { Wallet } from "secretjs";

const wallet = new Wallet();
const myAddress = wallet.address;
const myMnemonicPhrase = wallet.mnemonic;

SecretNetworkClient

Full API »

Querier secret.js

A querier client can only send queries and get chain information. Access to all query types can be done via secretjs.query.

import { SecretNetworkClient } from "secretjs";

// To create a readonly secret.js client, just pass in an RPC endpoint
const secretjs = await SecretNetworkClient.create({
  rpcUrl: "https://rpc-secret.scrtlabs.com/secret-4/rpc/",
});

Signer secret.js

A signer client can broadcast transactions, send queries and get chain information.

Here in addition to secretjs.query, there are also secretjs.tx & secretjs.address.

import { Wallet, SecretNetworkClient, MsgSend, MsgMultiSend } from "secretjs";

const wallet = new Wallet(
  "grant rice replace explain federal release fix clever romance raise often wild taxi quarter soccer fiber love must tape steak together observe swap guitar",
);
const myAddress = wallet.address;

// To create a signer secret.js client, also pass in a wallet
const secretjs = await SecretNetworkClient.create({
  rpcUrl: "https://rpc.pulsar.griptapejs.com/",
  wallet: wallet,
  walletAddress: myAddress,
  chainId: "pulsar-2",
});

secretjs.query

secretjs.query.getTx(hash)

Returns a transaction with a txhash. hash is a 64 character upper-case hex string.

secretjs.query.txsQuery(query)

Returns all transactions that match a query.

To tell which events you want, you need to provide a query. query is a string, which has a form: condition AND condition ... (no OR at the moment). Condition has a form: key operation operand. key is a string with a restricted set of possible symbols (\t, \n, \r, \, (, ), ", ', =, >, < are not allowed). Operation can be =, <, <=, >, >=, CONTAINS AND EXISTS. Operand can be a string (escaped with single quotes), number, date or time.

Examples:

  • tx.hash = 'XYZ' # single transaction
  • tx.height = 5 # all txs of the fifth block
  • create_validator.validator = 'ABC' # tx where validator ABC was created

Tendermint provides a few predefined keys: tx.hash and tx.height. You can provide additional event keys that were emitted during the transaction. All events are indexed by a composite key of the form {eventType}.{evenAttrKey}. Multiple event types with duplicate keys are allowed and are meant to categorize unique and distinct events.

To create a query for txs where AddrA transferred funds: transfer.sender = 'AddrA'

See txsQuery under https://secretjs.scrt.network/modules#Querier.

secretjs.query.auth.account()

Returns account details based on address.

const { address, accountNumber, sequence } = await secretjs.query.auth.account({
  address: myAddress,
});

secretjs.query.auth.accounts()

Returns all existing accounts on the blockchain.

/// Get all accounts
const result = await secretjs.query.auth.accounts({});

secretjs.query.auth.params()

Queries all x/auth parameters.

const {
  params: {
    maxMemoCharacters,
    sigVerifyCostEd25519,
    sigVerifyCostSecp256k1,
    txSigLimit,
    txSizeCostPerByte,
  },
} = await secretjs.query.auth.params();

secretjs.query.authz.grants()

Returns list of authorizations, granted to the grantee by the granter.

secretjs.query.bank.balance()

Balance queries the balance of a single coin for a single account.

const { balance } = await secretjs.query.bank.balance({
  address: myAddress,
  denom: "uscrt",
});

secretjs.query.bank.allBalances()

AllBalances queries the balance of all coins for a single account.

secretjs.query.bank.totalSupply()

TotalSupply queries the total supply of all coins.

secretjs.query.bank.supplyOf()

SupplyOf queries the supply of a single coin.

secretjs.query.bank.params()

Params queries the parameters of x/bank module.

secretjs.query.bank.denomMetadata()

DenomsMetadata queries the client metadata of a given coin denomination.

secretjs.query.bank.denomsMetadata()

DenomsMetadata queries the client metadata for all registered coin denominations.

secretjs.query.compute.contractCodeHash()

Get codeHash of a Secret Contract.

secretjs.query.compute.codeHash()

Get codeHash from a code id.

secretjs.query.compute.contractInfo()

Get metadata of a Secret Contract.

secretjs.query.compute.contractsByCode()

Get all contracts that were instantiated from a code id.

secretjs.query.compute.queryContract()

Query a Secret Contract.

type Result = {
  token_info: {
    decimals: number;
    name: string;
    symbol: string;
    total_supply: string;
  };
};

const result = (await secretjs.query.compute.queryContract({
  address: sScrtAddress,
  codeHash: sScrtCodeHash, // optional but way faster
  query: { token_info: {} },
})) as Result;

secretjs.query.compute.code()

Get WASM bytecode and metadata for a code id.

const { codeInfo } = await secretjs.query.compute.code(codeId);

secretjs.query.compute.codes()

Query all contract codes on-chain.

secretjs.query.distribution.params()

Params queries params of the distribution module.

secretjs.query.distribution.validatorOutstandingRewards()

ValidatorOutstandingRewards queries rewards of a validator address.

secretjs.query.distribution.validatorCommission()

ValidatorCommission queries accumulated commission for a validator.

secretjs.query.distribution.validatorSlashes()

ValidatorSlashes queries slash events of a validator.

secretjs.query.distribution.delegationRewards()

DelegationRewards queries the total rewards accrued by a delegation.

secretjs.query.distribution.delegationTotalRewards()

DelegationTotalRewards queries the total rewards accrued by a each validator.

secretjs.query.distribution.delegatorValidators()

DelegatorValidators queries the validators of a delegator.

secretjs.query.distribution.delegatorWithdrawAddress()

DelegatorWithdrawAddress queries withdraw address of a delegator.

secretjs.query.distribution.communityPool()

CommunityPool queries the community pool coins.

secretjs.query.distribution.foundationTax()

DelegatorWithdrawAddress queries withdraw address of a delegator.

secretjs.query.evidence.evidence()

Evidence queries evidence based on evidence hash.

secretjs.query.evidence.allEvidence()

AllEvidence queries all evidence.

secretjs.query.feegrant.allowance()

Allowance returns fee granted to the grantee by the granter.

secretjs.query.feegrant.allowances()

Allowances returns all the grants for address.

secretjs.query.gov.proposal()

Proposal queries proposal details based on ProposalID.

secretjs.query.gov.proposals()

Proposals queries all proposals based on given status.

// Get all proposals
const { proposals } = await secretjs.query.gov.proposals({
  proposalStatus: ProposalStatus.PROPOSAL_STATUS_UNSPECIFIED,
  voter: "",
  depositor: "",
});

secretjs.query.gov.vote()

Vote queries voted information based on proposalID, voterAddr.

secretjs.query.gov.votes()

Votes queries votes of a given proposal.

secretjs.query.gov.params()

Params queries all parameters of the gov module.

secretjs.query.gov.deposit()

Deposit queries single deposit information based proposalID, depositAddr.

const {
  deposit: { amount },
} = await secretjs.query.gov.deposit({
  depositor: myAddress,
  proposalId: propId,
});

secretjs.query.gov.deposits()

Deposits queries all deposits of a single proposal.

secretjs.query.gov.tallyResult()

TallyResult queries the tally of a proposal vote.

secretjs.query.ibc_channel.channel()

Channel queries an IBC Channel.

secretjs.query.ibc_channel.channels()

Channels queries all the IBC channels of a chain.

secretjs.query.ibc_channel.connectionChannels()

ConnectionChannels queries all the channels associated with a connection end.

secretjs.query.ibc_channel.channelClientState()

ChannelClientState queries for the client state for the channel associated with the provided channel identifiers.

secretjs.query.ibc_channel.channelConsensusState()

ChannelConsensusState queries for the consensus state for the channel associated with the provided channel identifiers.

secretjs.query.ibc_channel.packetCommitment()

PacketCommitment queries a stored packet commitment hash.

secretjs.query.ibc_channel.packetCommitments()

PacketCommitments returns all the packet commitments hashes associated with a channel.

secretjs.query.ibc_channel.packetReceipt()

PacketReceipt queries if a given packet sequence has been received on the queried chain

secretjs.query.ibc_channel.packetAcknowledgement()

PacketAcknowledgement queries a stored packet acknowledgement hash.

secretjs.query.ibc_channel.packetAcknowledgements()

PacketAcknowledgements returns all the packet acknowledgements associated with a channel.

secretjs.query.ibc_channel.unreceivedPackets()

UnreceivedPackets returns all the unreceived IBC packets associated with a channel and sequences.

secretjs.query.ibc_channel.unreceivedAcks()

UnreceivedAcks returns all the unreceived IBC acknowledgements associated with a channel and sequences.

secretjs.query.ibc_channel.nextSequenceReceive()

NextSequenceReceive returns the next receive sequence for a given channel.

secretjs.query.ibc_client.clientState()

ClientState queries an IBC light client.

secretjs.query.ibc_client.clientStates()

ClientStates queries all the IBC light clients of a chain.

secretjs.query.ibc_client.consensusState()

ConsensusState queries a consensus state associated with a client state at a given height.

secretjs.query.ibc_client.consensusStates()

ConsensusStates queries all the consensus state associated with a given client.

secretjs.query.ibc_client.clientStatus()

Status queries the status of an IBC client.

secretjs.query.ibc_client.clientParams()

ClientParams queries all parameters of the ibc client.

secretjs.query.ibc_client.upgradedClientState()

UpgradedClientState queries an Upgraded IBC light client.

secretjs.query.ibc_client.upgradedConsensusState()

UpgradedConsensusState queries an Upgraded IBC consensus state.

secretjs.query.ibc_connection.connection()

Connection queries an IBC connection end.

secretjs.query.ibc_connection.connections()

Connections queries all the IBC connections of a chain.

secretjs.query.ibc_connection.clientConnections()

ClientConnections queries the connection paths associated with a client state.

secretjs.query.ibc_connection.connectionClientState()

ConnectionClientState queries the client state associated with the connection.

secretjs.query.ibc_connection.connectionConsensusState()

ConnectionConsensusState queries the consensus state associated with the connection.

secretjs.query.ibc_transfer.denomTrace()

DenomTrace queries a denomination trace information.

secretjs.query.ibc_transfer.denomTraces()

DenomTraces queries all denomination traces.

secretjs.query.ibc_transfer.params()

Params queries all parameters of the ibc-transfer module.

secretjs.query.mint.params()

Params returns the total set of minting parameters.

secretjs.query.mint.inflation()

Inflation returns the current minting inflation value.

secretjs.query.mint.annualProvisions()

AnnualProvisions current minting annual provisions value.

secretjs.query.params.params()

Params queries a specific parameter of a module, given its subspace and key.

secretjs.query.registration.txKey()

Returns the key used for transactions.

secretjs.query.registration.registrationKey()

Returns the key used for registration.

secretjs.query.registration.encryptedSeed()

Returns the encrypted seed for a registered node by public key.

secretjs.query.slashing.params()

Params queries the parameters of slashing module.

secretjs.query.slashing.signingInfo()

SigningInfo queries the signing info of given cons address.

secretjs.query.slashing.signingInfos()

SigningInfos queries signing info of all validators.

secretjs.query.staking.validators()

Validators queries all validators that match the given status.

// Get all validators
const { validators } = await secretjs.query.staking.validators({ status: "" });

secretjs.query.staking.validator()

Validator queries validator info for given validator address.

secretjs.query.staking.validatorDelegations()

ValidatorDelegations queries delegate info for given validator.

secretjs.query.staking.validatorUnbondingDelegations()

ValidatorUnbondingDelegations queries unbonding delegations of a validator.

secretjs.query.staking.delegation()

Delegation queries delegate info for given validator delegator pair.

secretjs.query.staking.unbondingDelegation()

UnbondingDelegation queries unbonding info for given validator delegator pair.

secretjs.query.staking.delegatorDelegations()

DelegatorDelegations queries all delegations of a given delegator address.

secretjs.query.staking.delegatorUnbondingDelegations()

DelegatorUnbondingDelegations queries all unbonding delegations of a given delegator address.

secretjs.query.staking.redelegations()

Redelegations queries redelegations of given address.

secretjs.query.staking.delegatorValidators()

DelegatorValidators queries all validators info for given delegator address.

secretjs.query.staking.delegatorValidator()

DelegatorValidator queries validator info for given delegator validator pair.

secretjs.query.staking.historicalInfo()

HistoricalInfo queries the historical info for given height.

secretjs.query.staking.pool()

Pool queries the pool info.

secretjs.query.staking.params()

Parameters queries the staking parameters.

secretjs.query.tendermint.getNodeInfo()

GetNodeInfo queries the current node info.

secretjs.query.tendermint.getSyncing()

GetSyncing queries node syncing.

secretjs.query.tendermint.getLatestBlock()

GetLatestBlock returns the latest block.

secretjs.query.tendermint.getBlockByHeight()

GetBlockByHeight queries block for given height.

secretjs.query.tendermint.getLatestValidatorSet()

GetLatestValidatorSet queries latest validator-set.

secretjs.query.tendermint.getValidatorSetByHeight()

GetValidatorSetByHeight queries validator-set at a given height.

secretjs.query.upgrade.currentPlan()

CurrentPlan queries the current upgrade plan.

secretjs.query.upgrade.appliedPlan()

AppliedPlan queries a previously applied upgrade plan by its name.

secretjs.query.upgrade.upgradedConsensusState()

UpgradedConsensusState queries the consensus state that will serve as a trusted kernel for the next version of this chain. It will only be stored at the last height of this chain.

secretjs.query.upgrade.moduleVersions()

ModuleVersions queries the list of module versions from state.

secretjs.address

On a signer secret.js, secretjs.address is the same as walletAddress:

import { Wallet, SecretNetworkClient } from "secretjs";

const wallet = new Wallet(
  "grant rice replace explain federal release fix clever romance raise often wild taxi quarter soccer fiber love must tape steak together observe swap guitar",
);
const myAddress = wallet.address;

// To create a signer secret.js client, also pass in a wallet
const secretjs = await SecretNetworkClient.create({
  rpcUrl: "https://rpc.pulsar.griptapejs.com/",
  wallet: wallet,
  walletAddress: myAddress,
  chainId: "pulsar-2",
});

const alsoMyAddress = secretjs.address;

secretjs.tx

On a signer secret.js, secretjs.tx is used to broadcast transactions. Every function under secretjs.tx can receive an optional TxOptions.

Full API »

secretjs.tx.broadcast()

Used to send a complex transactions, which contains a list of messages. The messages are executed in sequence, and the transaction succeeds if all messages succeed.

For a list of all messages see: https://secretjs.scrt.network/interfaces/Msg

const addMinterMsg = new MsgExecuteContract({
  sender: MY_ADDRESS,
  contract: MY_NFT_CONTRACT,
  codeHash: MY_NFT_CONTRACT_CODE_HASH, // optional but way faster
  msg: { add_minters: { minters: [MY_ADDRESS] } },
  sentFunds: [], // optional
});

const mintMsg = new MsgExecuteContract({
  sender: MY_ADDRESS,
  contract: MY_NFT_CONTRACT,
  codeHash: MY_NFT_CONTRACT_CODE_HASH, // optional but way faster
  msg: {
    mint_nft: {
      token_id: "1",
      owner: MY_ADDRESS,
      public_metadata: {
        extension: {
          image: "https://scrt.network/secretnetwork-logo-secondary-black.png",
          name: "secretnetwork-logo-secondary-black",
        },
      },
      private_metadata: {
        extension: {
          image: "https://scrt.network/secretnetwork-logo-primary-white.png",
          name: "secretnetwork-logo-primary-white",
        },
      },
    },
  },
  sentFunds: [], // optional
});

const tx = await secretjs.tx.broadcast([addMinterMsg, mintMsg], {
  gasLimit: 200_000,
});

secretjs.tx.authz.exec()

MsgExec attempts to execute the provided messages using authorizations granted to the grantee. Each message should have only one signer corresponding to the granter of the authorization.

Input: MsgExecParams

secretjs.tx.authz.grant()

MsgGrant is a request type for Grant method. It declares authorization to the grantee on behalf of the granter with the provided expiration time.

Input: MsgGrantParams

secretjs.tx.authz.revoke()

MsgRevoke revokes any authorization with the provided sdk.Msg type on the granter's account with that has been granted to the grantee.

Input: MsgRevokeParams

secretjs.tx.bank.multiSend()

MsgMultiSend represents an arbitrary multi-in, multi-out send message.

Input: MsgMultiSendParams

const tx = await secretjs.tx.bank.multiSend(
  {
    inputs: [
      {
        address: myAddress,
        coins: [{ denom: "uscrt", amount: "2" }],
      },
    ],
    outputs: [
      {
        address: alice,
        coins: [{ denom: "uscrt", amount: "1" }],
      },
      {
        address: bob,
        coins: [{ denom: "uscrt", amount: "1" }],
      },
    ],
  },
  {
    gasLimit: 20_000,
  },
);

secretjs.tx.bank.send()

MsgSend represents a message to send coins from one account to another.

Input: MsgSendParams

const tx = await secretjs.tx.bank.send(
  {
    fromAddress: myAddress,
    toAddress: alice,
    amount: [{ denom: "uscrt", amount: "1" }],
  },
  {
    gasLimit: 20_000,
  },
);

secretjs.tx.compute.storeCode()

Upload a compiled contract to Secret Network

Input: MsgStoreCodeParams

const tx = await secretjs.tx.compute.storeCode(
  {
    sender: myAddress,
    wasmByteCode: fs.readFileSync(
      `${__dirname}/snip20-ibc.wasm.gz`,
    ) as Uint8Array,
    source: "",
    builder: "",
  },
  {
    gasLimit: 1_000_000,
  },
);

const codeId = Number(
  tx.arrayLog.find((log) => log.type === "message" && log.key === "code_id")
    .value,
);

secretjs.tx.compute.instantiateContract()

Instantiate a contract from code id

Input: MsgInstantiateContractParams

const tx = await secretjs.tx.compute.instantiateContract(
  {
    sender: myAddress,
    codeId: codeId,
    codeHash: codeHash, // optional but way faster
    initMsg: {
      name: "Secret SCRT",
      admin: myAddress,
      symbol: "SSCRT",
      decimals: 6,
      initial_balances: [{ address: myAddress, amount: "1" }],
      prng_seed: "eW8=",
      config: {
        public_total_supply: true,
        enable_deposit: true,
        enable_redeem: true,
        enable_mint: false,
        enable_burn: false,
      },
      supported_denoms: ["uscrt"],
    },
    label: "sSCRT",
    initFunds: [], // optional
  },
  {
    gasLimit: 100_000,
  },
);

const contractAddress = tx.arrayLog.find(
  (log) => log.type === "message" && log.key === "contract_address",
).value;

secretjs.tx.compute.executeContract()

Execute a function on a contract

Input: MsgExecuteContractParams

const tx = await secretjs.tx.compute.executeContract(
  {
    sender: myAddress,
    contract: contractAddress,
    codeHash: codeHash, // optional but way faster
    msg: {
      transfer: {
        recipient: bob,
        amount: "1",
      },
    },
    sentFunds: [], // optional
  },
  {
    gasLimit: 100_000,
  },
);

secretjs.tx.crisis.verifyInvariant()

MsgVerifyInvariant represents a message to verify a particular invariance.

Input: MsgVerifyInvariantParams

secretjs.tx.distribution.fundCommunityPool()

MsgFundCommunityPool allows an account to directly fund the community pool.

Input: MsgFundCommunityPoolParams

const tx = await secretjs.tx.distribution.fundCommunityPool(
  {
    depositor: myAddress,
    amount: [{ amount: "1", denom: "uscrt" }],
  },
  {
    gasLimit: 20_000,
  },
);

secretjs.tx.distribution.setWithdrawAddress()

MsgSetWithdrawAddress sets the withdraw address for a delegator (or validator self-delegation).

Input: MsgSetWithdrawAddressParams

const tx = await secretjs.tx.distribution.setWithdrawAddress(
  {
    delegatorAddress: mySelfDelegatorAddress,
    withdrawAddress: myOtherAddress,
  },
  {
    gasLimit: 20_000,
  },
);

secretjs.tx.distribution.withdrawDelegatorReward()

MsgWithdrawDelegatorReward represents delegation withdrawal to a delegator from a single validator.

Input: MsgWithdrawDelegatorRewardParams

const tx = await secretjs.tx.distribution.withdrawDelegatorReward(
  {
    delegatorAddress: myAddress,
    validatorAddress: someValidatorAddress,
  },
  {
    gasLimit: 20_000,
  },
);

secretjs.tx.distribution.withdrawValidatorCommission()

MsgWithdrawValidatorCommission withdraws the full commission to the validator address.

Input: MsgWithdrawValidatorCommissionParams

const tx = await secretjs.tx.distribution.withdrawValidatorCommission(
  {
    validatorAddress: myValidatorAddress,
  },
  {
    gasLimit: 20_000,
  },
);

Or a better one:

const tx = await secretjs.tx.broadcast(
  [
    new MsgWithdrawDelegatorReward({
      delegatorAddress: mySelfDelegatorAddress,
      validatorAddress: myValidatorAddress,
    }),
    new MsgWithdrawValidatorCommission({
      validatorAddress: myValidatorAddress,
    }),
  ],
  {
    gasLimit: 30_000,
  },
);

secretjs.tx.evidence.submitEvidence()

MsgSubmitEvidence represents a message that supports submitting arbitrary evidence of misbehavior such as equivocation or counterfactual signing.

Input: MsgSubmitEvidenceParams

secretjs.tx.feegrant.grantAllowance()

MsgGrantAllowance adds permission for Grantee to spend up to Allowance of fees from the account of Granter.

Input: MsgGrantAllowanceParams

secretjs.tx.feegrant.revokeAllowance()

MsgRevokeAllowance removes any existing Allowance from Granter to Grantee.

Input: MsgRevokeAllowanceParams

secretjs.tx.gov.deposit()

MsgDeposit defines a message to submit a deposit to an existing proposal.

Input: MsgDepositParams

const tx = await secretjs.tx.gov.deposit(
  {
    depositor: myAddress,
    proposalId: someProposalId,
    amount: [{ amount: "1", denom: "uscrt" }],
  },
  {
    gasLimit: 20_000,
  },
);

secretjs.tx.gov.submitProposal()

MsgSubmitProposal defines an sdk.Msg type that supports submitting arbitrary proposal Content.

Input: MsgSubmitProposalParams

const tx = await secretjs.tx.gov.submitProposal(
  {
    type: ProposalType.TextProposal,
    proposer: myAddress,
    initialDeposit: [{ amount: "10000000", denom: "uscrt" }],
    content: {
      title: "Hi",
      description: "Let's vote on this",
    },
  },
  {
    gasLimit: 50_000,
  },
);

const proposalId = Number(
  tx.arrayLog.find(
    (log) => log.type === "submit_proposal" && log.key === "proposal_id",
  ).value,
);

secretjs.tx.gov.vote()

MsgVote defines a message to cast a vote.

Input: MsgVoteParams

const tx = await secretjs.tx.gov.vote(
  {
    voter: myAddress,
    proposalId: someProposalId,
    option: VoteOption.VOTE_OPTION_YES,
  },
  {
    gasLimit: 50_000,
  },
);

secretjs.tx.gov.voteWeighted()

MsgVoteWeighted defines a message to cast a vote, with an option to split the vote.

Input: MsgVoteWeightedParams

// vote yes with 70% of my power
const tx = await secretjs.tx.gov.voteWeighted(
  {
    voter: myAddress,
    proposalId: someProposalId,
    options: [
      // weights must sum to 1.0
      { weight: 0.7, option: VoteOption.VOTE_OPTION_YES },
      { weight: 0.3, option: VoteOption.VOTE_OPTION_ABSTAIN },
    ],
  },
  {
    gasLimit: 50_000,
  },
);

secretjs.tx.ibc.transfer()

MsgTransfer defines a msg to transfer fungible tokens (i.e Coins) between ICS20 enabled chains. See ICS Spec here: https://github.com/cosmos/ics/tree/master/spec/ics-020-fungible-token-transfer#data-structures

Input: MsgTransferParams

secretjs.tx.slashing.unjail()

MsgUnjail defines a message to release a validator from jail.

Input: MsgUnjailParams

const tx = await secretjs.tx.slashing.unjail(
  {
    validatorAddr: mValidatorsAddress,
  },
  {
    gasLimit: 50_000,
  },
);

secretjs.tx.staking.beginRedelegate()

MsgBeginRedelegate defines an SDK message for performing a redelegation of coins from a delegator and source validator to a destination validator.

Input: MsgBeginRedelegateParams

const tx = await secretjs.tx.staking.beginRedelegate(
  {
    delegatorAddress: myAddress,
    validatorSrcAddress: someValidator,
    validatorDstAddress: someOtherValidator,
    amount: { amount: "1", denom: "uscrt" },
  },
  {
    gasLimit: 50_000,
  },
);

secretjs.tx.staking.createValidator()

MsgCreateValidator defines an SDK message for creating a new validator.

Input: MsgCreateValidatorParams

const tx = await secretjs.tx.staking.createValidator(
  {
    selfDelegatorAddress: myAddress,
    commission: {
      maxChangeRate: 0.01, // can change +-1% every 24h
      maxRate: 0.1, // 10%
      rate: 0.05, // 5%
    },
    description: {
      moniker: "My validator's display name",
      identity: "ID on keybase.io, to have a logo on explorer and stuff",
      website: "example.com",
      securityContact: "[email protected]",
      details: "We are good",
    },
    pubkey: toBase64(new Uint8Array(32).fill(1)), // validator's pubkey, to sign on validated blocks
    minSelfDelegation: "1", // uscrt
    initialDelegation: { amount: "1", denom: "uscrt" },
  },
  {
    gasLimit: 100_000,
  },
);

secretjs.tx.staking.delegate()

MsgDelegate defines an SDK message for performing a delegation of coins from a delegator to a validator.

Input: MsgDelegateParams

const tx = await secretjs.tx.staking.delegate(
  {
    delegatorAddress: myAddress,
    validatorAddress: someValidatorAddress,
    amount: { amount: "1", denom: "uscrt" },
  },
  {
    gasLimit: 50_000,
  },
);

secretjs.tx.staking.editValidator()

MsgEditValidator defines an SDK message for editing an existing validator.

Input: MsgEditValidatorParams

const tx = await secretjs.tx.staking.editValidator(
  {
    validatorAddress: myValidatorAddress,
    description: {
      // To edit even one item in "description you have to re-input everything
      moniker: "papaya",
      identity: "banana",
      website: "watermelon.com",
      securityContact: "[email protected]",
      details: "We are the banana papaya validator yay!",
    },
    minSelfDelegation: "2",
    commissionRate: 0.04, // 4%, commission cannot be changed more than once in 24h
  },
  {
    gasLimit: 5_000_000,
  },
);

secretjs.tx.staking.undelegate()

MsgUndelegate defines an SDK message for performing an undelegation from a delegate and a validator

Input: MsgUndelegateParams

const tx = await secretjs.tx.staking.undelegate(
  {
    delegatorAddress: myAddress,
    validatorAddress: someValidatorAddress,
    amount: { amount: "1", denom: "uscrt" },
  },
  {
    gasLimit: 50_000,
  },
);

secret.js's People

Contributors

assafmo avatar dependabot[bot] avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.