The JavaScript SDK for Secret Network
- Key Features
- Beta Version Notice
- Installation
- Usage Examples
- Integrations
- API
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.
This library is still in beta, APIs may break. Beta testers are welcome!
See project board for list of existing/missing features.
Using npm:
npm install secretjs
Using yarn:
yarn add secretjs
Directly in the browser:
<script src="https://www.unpkg.com/secretjs/dist/browser.js" />
<script>
const { SecretNetworkClient } = window.secretjs;
</script>
Additional step for React Native:
Follow the instruction of react-native-get-random-values package
Note: Public LCD endpoints can be found in https://github.com/scrtlabs/api-registry for both mainnet and testnet.
For a lot more usage examples refer to the tests.
import { SecretNetworkClient } from "secretjs";
const url = "TODO get from https://github.com/scrtlabs/api-registry";
// To create a readonly secret.js client, just pass in a LCD endpoint
const secretjs = new SecretNetworkClient({
url,
chainId: "secret-4",
});
const {
balance: { amount },
} = await secretjs.query.bank.balance(
{
address: "secret1ap26qrlp8mcq2pg6r47w43l0y8zkqm8a450s03",
denom: "uscrt",
} /*,
// optional: query at a specific height (using an archive node)
[["x-cosmos-block-height", "2000000"]]
*/,
);
console.log(`I have ${Number(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({
contract_address: sSCRT,
code_hash: sScrtCodeHash, // optional but way faster
query: { token_info: {} },
});
console.log(`sSCRT has ${token_info.decimals} decimals!`);
import { Wallet, SecretNetworkClient, MsgSend, MsgMultiSend, stringToCoins } 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;
const url = "TODO get from https://github.com/scrtlabs/api-registry";
// To create a signer secret.js client, also pass in a wallet
const secretjs = new SecretNetworkClient({
url,
chainId: "secret-4",
wallet: wallet,
walletAddress: myAddress,
});
const bob = "secret1dgqnta7fwjj6x9kusyz7n8vpl73l7wsm0gaamk";
const msg = new MsgSend({
from_address: myAddress,
to_address: bob,
amount: stringToCoins("1uscrt"),
});
const tx = await secretjs.tx.broadcast([msg], {
gasLimit: 20_000,
gasPriceInFeeDenom: 0.1,
feeDenom: "uscrt",
});
import { SecretNetworkClient, MetaMaskWallet } from "secretjs";
//@ts-ignore
const [ethAddress] = await window.ethereum.request({
method: "eth_requestAccounts",
});
const wallet = await MetaMaskWallet.create(window.ethereum, ethAddress);
const secretjs = new SecretNetworkClient({
url: "TODO get from https://github.com/scrtlabs/api-registry",
chainId: "secret-4",
wallet: wallet,
walletAddress: wallet.address,
});
Notes:
- MetaMask supports mobile!
- MetaMask supports Ledger.
- You might want to pass
encryptionSeed
toSecretNetworkClient.create()
to use the same encryption key for the user across sessions. This value should be a true random 32 byte number that is stored securely in your app, such that only the user can decrypt it. This can also be asha256(user_password)
but might impair UX. - See Keplr's
getOfflineSignerOnlyAmino()
for list of unsupported transactions.
The recommended way of integrating Keplr is by using window.keplr.getOfflineSigner()
:
import { SecretNetworkClient } from "secretjs";
const sleep = (ms: number) => new Promise((resolve) => setTimeout(resolve, ms));
while (
!window.keplr ||
!window.getEnigmaUtils ||
!window.getOfflineSigner
) {
await sleep(50);
}
const CHAIN_ID = "secret-4";
await window.keplr.enable(CHAIN_ID);
const keplrOfflineSigner = window.keplr.getOfflineSigner(CHAIN_ID);
const [{ address: myAddress }] = await keplrOfflineSigner.getAccounts();
const url = "TODO get from https://github.com/scrtlabs/api-registry";
const secretjs = new SecretNetworkClient({
url,
chainId: CHAIN_ID,
wallet: keplrOfflineSigner,
walletAddress: myAddress,
encryptionUtils: window.keplr.getEnigmaUtils(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.
Notes:
- No mobile support yet.
- Keplr supports Ledger.
- By using
encryptionUtils
you let Keplr handle user encryption keys for you, which allows you to easily decrypt transactions across sessions.
Links:
TL;DR:
-
getOfflineSigner()
: The recommended way. Efficient, supports all transaction types except Ledger. -
getOfflineSignerAuto()
: Automatically selects the best signer based on the account type (Ledger or not). -
getOfflineSignerOnlyAmino()
: The legacy way. Recommended only for Ledger users.
The recommended way of signing transactions on cosmos-sdk. Efficient and supports all transaction types except those requiring a Ledger.
- 🟩 Efficient and supports all types of
Msg
s - 🟥 Doesn't support users signing with Ledger
- 🟥 Looks bad on Keplr UI
Automatically chooses the best signing method based on the user's Keplr account:
-
For Ledger users, uses
window.keplr.getOfflineSignerOnlyAmino()
. -
For non-Ledger users, uses
window.keplr.getOfflineSigner()
. -
🟩 Smart and adaptable
-
🟩 Provides flexibility for both Ledger and non-Ledger accounts
The legacy and non-recommended way of signing transactions on cosmos-sdk. Suitable only for Ledger users due to its limited transaction support and better UI.
- 🟩 Looks good on Keplr
- 🟩 Supports users signing with Ledger
- 🟥 Doesn't support signing these transactions:
- Every tx type under
ibc_client
,ibc_connection
, andibc_channel
(e.g., IBC relaying) - gov/MsgSubmitProposal/ClientUpdateProposal
- gov/MsgSubmitProposal/UpgradeProposal
- Every tx type under
Note that ibc_transfer/MsgTransfer for sending funds across IBC is supported.
Fina implements the Keplr API, so the above Keplr docs applies. If you support Keplr, your app will also work on the Fina Wallet mobile app. This works because the Fina Wallet mobile app has webview to which it injects its objects under window.keplr
.
Fina supports deep linking into its in-app browser.
Example1: fina://wllet/dapps?network=secret-4&url=https%3A%2F%2Fdash.scrt.network
Example2:
If a user accessed your app using a regular mobile browser, you can open your app in the Fina in-app browser using this code:
const urlSearchParams = new URLSearchParams();
urlSearchParams.append("network", "secret-4");
urlSearchParams.append("url", window.location.href);
window.open(`fina://wllet/dapps?${urlSearchParams.toString()}`, "_blank");
Links:
The recommended way of integrating Leap is by using window.leap.getOfflineSigner()
:
import { SecretNetworkClient } from "secretjs";
const sleep = (ms: number) => new Promise((resolve) => setTimeout(resolve, ms));
while (
!window.leap ||
!window.leap.getEnigmaUtils ||
!window.leap.getOfflineSigner
) {
await sleep(50);
}
const CHAIN_ID = "secret-4";
await window.leap.enable(CHAIN_ID);
const leapOfflineSigner = window.leap.getOfflineSigner(CHAIN_ID);
const [{ address: myAddress }] = await leapOfflineSigner.getAccounts();
const url = "TODO get from https://github.com/scrtlabs/api-registry";
const secretjs = new SecretNetworkClient({
url,
chainId: CHAIN_ID,
wallet: leapOfflineSigner,
walletAddress: myAddress,
encryptionUtils: window.leap.getEnigmaUtils(CHAIN_ID),
});
// Note: Using `window.leap.getEnigmaUtils()` is optional, it will allow
// Leap 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.
Links:
StarShell implements the Keplr API, so the above Keplr docs applies. If you support Keplr, your app will also work on StarShell wallet. This works because StarShell wallet asks the user to turn off Keplr and then overrides window.keplr
with its objects.
Links:
@cosmjs/ledger-amino
can be used to sign transactions with a Ledger wallet running the Cosmos app.
import { SecretNetworkClient } from 'secretjs';
import { makeCosmoshubPath } from "@cosmjs/amino";
import { LedgerSigner } from "@cosmjs/ledger-amino";
// NodeJS only
import TransportNodeHid from "@ledgerhq/hw-transport-node-hid";
// Browser only
//import TransportNodeHid from "@ledgerhq/hw-transport-webusb";
const interactiveTimeout = 120_000;
const accountIndex = 0;
const cosmosPath = makeCosmoshubPath(accountIndex);
const ledgerTransport = await TransportNodeHid.create(interactiveTimeout, interactiveTimeout);
const ledgerSigner = new LedgerSigner(
ledgerTransport,
{
testModeAllowed: true,
hdPaths: [cosmosPath],
prefix: 'secret'
}
);
const [{ address }] = await signer.getAccounts();
const client = new SecretNetworkClient({
url: "TODO get from https://github.com/scrtlabs/api-registry",
chainId: "secret-4",
wallet: ledgerSigner,
walletAddress: address,
});
Notes:
- Use the appropriate
hw-transport
package for your environment (Node or Browser) - The Ledger Cosmos app only supports coin type 118
- You might want to pass
encryptionSeed
toSecretNetworkClient.create()
to use the same encryption key for the user across sessions. This value should be a true random 32 byte number that is stored securly in your app, such that only the user can decrypt it. This can also be asha256(user_password)
but might impair UX. - See Keplr's
getOfflineSignerOnlyAmino()
for list of unsupported transactions.
Links:
An offline wallet implementation, used to sign transactions. Usually we'd just want to pass it to SecretNetworkClient
.
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;
import { Wallet } from "secretjs";
const wallet = new Wallet();
const myAddress = wallet.address;
const myMnemonicPhrase = wallet.mnemonic;
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";
const url = "TODO get from https://github.com/scrtlabs/api-registry";
// To create a readonly secret.js client, just pass in a LCD endpoint
const secretjs = new SecretNetworkClient({
chainId: "secret-4",
url,
});
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;
const url = "TODO get from https://github.com/scrtlabs/api-registry";
// To create a signer secret.js client you must also pass in `wallet`, `walletAddress` and `chainId`
const secretjs = new SecretNetworkClient({
url,
chainId: "secret-4",
wallet: wallet,
walletAddress: myAddress,
});
Queries the node status
Returns a transaction with a txhash. hash
is a 64 character upper-case hex string.
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.
Returns account details based on address.
const { address, accountNumber, sequence } = await secretjs.query.auth.account({
address: myAddress,
});
Returns all existing accounts on the blockchain.
/// Get all accounts
const result = await secretjs.query.auth.accounts({});
Queries all x/auth parameters.
const {
params: {
maxMemoCharacters,
sigVerifyCostEd25519,
sigVerifyCostSecp256k1,
txSigLimit,
txSizeCostPerByte,
},
} = await secretjs.query.auth.params({});
Returns list of authorizations, granted to the grantee by the granter.
Balance queries the balance of a single coin for a single account.
const { balance } = await secretjs.query.bank.balance({
address: myAddress,
denom: "uscrt",
});
AllBalances queries the balance of all coins for a single account.
TotalSupply queries the total supply of all coins.
SupplyOf queries the supply of a single coin.
Params queries the parameters of x/bank module.
DenomsMetadata queries the client metadata of a given coin denomination.
DenomsMetadata queries the client metadata for all registered coin denominations.
Queries the spendable balance of a single denom for a single account.
Executes the DenomMetadataByQueryString RPC method
Queries for all account addresses that own a particular token denomination.
Queries for send enabled entries that have been specifically set.
Executes the DenomOwnersByQuery RPC method
Queries all module accounts
Query the chain bech32 prefix (if applicable)
Transforms an address bytes to string
Transforms an address string to bytes
Queries account address by account number
Queries account info which is common to all account types.
Get codeHash of a Secret Contract.
Get codeHash from a code id.
Get metadata of a Secret Contract.
Get all contracts that were instantiated from a code id.
Query a Secret Contract.
type Result = {
token_info: {
decimals: number;
name: string;
symbol: string;
total_supply: string;
};
};
const result = (await secretjs.query.compute.queryContract({
contract_address: sScrtAddress,
code_hash: sScrtCodeHash, // optional but way faster
query: { token_info: {} },
})) as Result;
Get WASM bytecode and metadata for a code id.
const { codeInfo } = await secretjs.query.compute.code(codeId);
Query all contract codes on-chain.
Get upgrades history of a Secret Contract.
Params queries params of the distribution module.
ValidatorOutstandingRewards queries rewards of a validator address.
ValidatorCommission queries accumulated commission for a validator.
ValidatorSlashes queries slash events of a validator.
DelegationRewards queries the total rewards accrued by a delegation.
DelegationTotalRewards queries the total rewards accrued by a each validator.
DelegatorValidators queries the validators of a delegator.
DelegatorWithdrawAddress queries withdraw address of a delegator.
CommunityPool queries the community pool coins.
DelegatorWithdrawAddress queries withdraw address of a delegator.
Queries validator distribution information
Evidence queries evidence based on evidence hash.
AllEvidence queries all evidence.
Allowance returns fee granted to the grantee by the granter.
Allowances returns all the grants for address.
Proposal queries proposal details based on ProposalID.
Proposals queries all proposals based on given status.
// Get all proposals
const { proposals } = await secretjs.query.gov.proposals({
proposal_status: ProposalStatus.PROPOSAL_STATUS_UNSPECIFIED,
voter: "",
depositor: "",
});
Vote queries voted information based on proposalID, voterAddr.
Votes queries votes of a given proposal.
Params queries all parameters of the gov module.
Deposit queries single deposit information based proposalID, depositAddr.
const {
deposit: { amount },
} = await secretjs.query.gov.deposit({
depositor: myAddress,
proposalId: propId,
});
Deposits queries all deposits of a single proposal.
TallyResult queries the tally of a proposal vote.
Channel queries an IBC Channel.
Channels queries all the IBC channels of a chain.
ConnectionChannels queries all the channels associated with a connection end.
ChannelClientState queries for the client state for the channel associated with the provided channel identifiers.
ChannelConsensusState queries for the consensus state for the channel associated with the provided channel identifiers.
PacketCommitment queries a stored packet commitment hash.
PacketCommitments returns all the packet commitments hashes associated with a channel.
PacketReceipt queries if a given packet sequence has been received on the queried chain
PacketAcknowledgement queries a stored packet acknowledgement hash.
PacketAcknowledgements returns all the packet acknowledgements associated with a channel.
UnreceivedPackets returns all the unreceived IBC packets associated with a channel and sequences.
UnreceivedAcks returns all the unreceived IBC acknowledgements associated with a channel and sequences.
NextSequenceReceive returns the next receive sequence for a given channel.
Queries the current ibc channel parameters
Queries the next sequence send for a given channel
Queries the upgrade error for a given channel
Queries the upgrade for a given channel
ClientState queries an IBC light client.
ClientStates queries all the IBC light clients of a chain.
ConsensusState queries a consensus state associated with a client state at a given height.
ConsensusStates queries all the consensus state associated with a given client.
Status queries the status of an IBC client.
ClientParams queries all parameters of the ibc client.
UpgradedClientState queries an Upgraded IBC light client.
UpgradedConsensusState queries an Upgraded IBC consensus state.
Connection queries an IBC connection end.
Connections queries all the IBC connections of a chain.
ClientConnections queries the connection paths associated with a client state.
ConnectionClientState queries the client state associated with the connection.
ConnectionConsensusState queries the consensus state associated with the connection.
Returns the current ibc connection params
DenomTrace queries a denomination trace information.
DenomTraces queries all denomination traces.
Params queries all parameters of the ibc-transfer module.
Returns the total amount of tokens in escrow for a denom
Params returns the total set of minting parameters.
Inflation returns the current minting inflation value.
AnnualProvisions current minting annual provisions value.
Params queries a specific parameter of a module, given its subspace and key.
Query for all registered subspaces and all keys for a subspace
Returns the key used for transactions.
Returns the key used for registration.
Returns the encrypted seed for a registered node by public key.
Params queries the parameters of slashing module.
SigningInfo queries the signing info of given cons address.
SigningInfos queries signing info of all validators.
Validators queries all validators that match the given status.
// Get all validators
const { validators } = await secretjs.query.staking.validators({ status: "" });
Validator queries validator info for given validator address.
ValidatorDelegations queries delegate info for given validator.
ValidatorUnbondingDelegations queries unbonding delegations of a validator.
Delegation queries delegate info for given validator delegator pair.
UnbondingDelegation queries unbonding info for given validator delegator pair.
DelegatorDelegations queries all delegations of a given delegator address.
DelegatorUnbondingDelegations queries all unbonding delegations of a given delegator address.
Redelegations queries redelegations of given address.
DelegatorValidators queries all validators info for given delegator address.
DelegatorValidator queries validator info for given delegator validator pair.
HistoricalInfo queries the historical info for given height.
Pool queries the pool info.
Parameters queries the staking parameters.
GetNodeInfo queries the current node info.
GetSyncing queries node syncing.
GetLatestBlock returns the latest block.
GetBlockByHeight queries block for given height.
GetLatestValidatorSet queries latest validator-set.
GetValidatorSetByHeight queries validator-set at a given height.
CurrentPlan queries the current upgrade plan.
AppliedPlan queries a previously applied upgrade plan by its name.
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.
ModuleVersions queries the list of module versions from state.
Gets the upgrade authority 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;
const url = "TODO get from https://github.com/scrtlabs/api-registry";
// To create a signer secret.js client, also pass in a wallet
const secretjs = new SecretNetworkClient({
url,
chainId: "secret-4",
wallet: wallet,
walletAddress: myAddress,
});
const alsoMyAddress = secretjs.address;
On a signer secret.js, secretjs.tx
is used to broadcast transactions. Every function under secretjs.tx
can receive an optional TxOptions.
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_address: MY_NFT_CONTRACT,
code_hash: MY_NFT_CONTRACT_CODE_HASH, // optional but way faster
msg: { add_minters: { minters: [MY_ADDRESS] } },
sent_funds: [], // optional
});
const mintMsg = new MsgExecuteContract({
sender: MY_ADDRESS,
contract_address: MY_NFT_CONTRACT,
code_hash: 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",
},
},
},
},
sent_funds: [], // optional
});
const tx = await secretjs.tx.broadcast([addMinterMsg, mintMsg], {
gasLimit: 200_000,
});
Used to simulate a complex transactions, which contains a list of messages, without broadcasting it to the chain. Can be used to get a gas estimation or to see the output without actually committing a transaction on-chain.
The input should be exactly how you'd use it in secretjs.tx.broadcast()
, except that you don't have to pass in gasLimit
, gasPriceInFeeDenom
& feeDenom
.
Notes:
⚠️ On mainnet it's recommended to not simulate every transaction as this can burden your node provider. Instead, use this while testing to determine the gas limit for each of your app's transactions, then in production use hard-coded values.- Gas estimation is known to be a bit off, so you might need to adjust it a bit before broadcasting.
-
MsgInstantiateContract
,MsgExecuteContract
,MsgMigrateContract
,MsgUpdateAdmin
&MsgClearAdmin
simulations are not supported for security reasons.
const sendToAlice = new MsgSend({
from_address: bob,
to_address: alice,
amount: stringToCoins("1uscrt"),
});
const sendToEve = new MsgSend({
from_address: bob,
to_address: eve,
amount: stringToCoins("1uscrt"),
});
const sim = await secretjs.tx.simulate([sendToAlice, sendToEve]);
const tx = await secretjs.tx.broadcast([sendToAlice, sendToEve], {
// Adjust gasLimit up by 10% to account for gas estimation error
gasLimit: Math.ceil(sim.gas_info.gas_used * 1.1),
});
Used to sign transactions independently from the broadcast process.
This is useful when you want to keep your seed safe and sign transactions offline.
Used to send offline signed transactions.
const bob = "secret1dgqnta7fwjj6x9kusyz7n8vpl73l7wsm0gaamk";
const msg = new MsgSend({
from_address: myAddress,
to_address: bob,
amount: stringToCoins("1000000uscrt"),
});
let signedTX = await secretjs.tx.signTx([msg], {
gasLimit: 20_000,
gasPriceInFeeDenom: 0.1,
feeDenom: "uscrt",
});
let tx = await secretjs.tx.broadcastSignedTx(signedTX);
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
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
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
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
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
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Creates a new permanently locked account funded with an allocation of tokens.
let tx = await secretjs.tx.vesting.createPermanentLockedAccount({
from_address: accounts[0].address,
to_address: newWallet.address, // to_address must be a new address
amount: coinsFromString("1uscrt"),
});
Creates a new periodic vesting account funded with an allocation of tokens.
let tx = await secretjs.tx.vesting.createPeriodicVestingAccount({
from_address: accounts[0].address,
to_address: newWallet.address, // to_address must be a new address
start_time: "1234567",
vesting_periods: [
{
length: "100",
amount: [stringToCoin("100uscrt")],
},
],
});
MsgMultiSend represents an arbitrary multi-in, multi-out send message.
Input: MsgMultiSendParams
const tx = await secretjs.tx.bank.multiSend(
{
inputs: [
{
address: myAddress,
coins: stringToCoins("2uscrt"),
},
],
outputs: [
{
address: alice,
coins: stringToCoins("1uscrt"),
},
{
address: bob,
coins: stringToCoins("1uscrt"),
},
],
},
{
gasLimit: 20_000,
},
);
##### `secretjs.tx.bank.multiSend.simulate()`
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgSend represents a message to send coins from one account to another.
Input: MsgSendParams
const tx = await secretjs.tx.bank.send(
{
from_address: myAddress,
to_address: alice,
amount: stringToCoins("1uscrt"),
},
{
gasLimit: 20_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Used with the x/gov module to create or edit SendEnabled entries
const tx = await secretjs.tx.bank.setSendEnabled(
{
authority: authorityAddress,
send_enabled: [
{
denom: "banana",
enabled: true,
},
],
use_default_for: [],
}
)
Upload a compiled contract to Secret Network
Input: MsgStoreCodeParams
const tx = await secretjs.tx.compute.storeCode(
{
sender: myAddress,
wasm_byte_code: 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,
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Instantiate a contract from code id
Input: [MsgInstantiateContractParams](https://secretjs.scrt.network/interfaces/MsgInstanti
ateContractParams)
const tx = await secretjs.tx.compute.instantiateContract(
{
sender: myAddress,
admin: myAddress, // optional admin address that can perform code migrations
code_id: codeId,
code_hash: codeHash, // optional but way faster
init_msg: {
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",
init_funds: [], // optional
},
{
gasLimit: 100_000,
},
);
const contractAddress = tx.arrayLog.find(
(log) => log.type === "message" && log.key === "contract_address",
).value;
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
WARNING: secretjs.tx.compute
simulations are not supported for security reasons.
Execute a function on a contract
Input: MsgExecuteContractParams
const tx = await secretjs.tx.compute.executeContract(
{
sender: myAddress,
contract_address: contractAddress,
code_hash: codeHash, // optional but way faster
msg: {
transfer: {
recipient: bob,
amount: "1",
},
},
sent_funds: [], // optional
},
{
gasLimit: 100_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
WARNING: secretjs.tx.compute
simulations are not supported for security reasons.
Migrate a contract's code while keeping the same address. Invokes the migrate()
function on the new code.
Input: MsgMigrateContractParams
const tx = await secretjs.tx.compute.migrateContract(
{
sender: myAddress,
contract_address: contractAddress,
code_id: newCodeId,
code_hash: newCodeHash, // optional but way faster
msg: {
migrate_state_to_new_format: {},
},
sent_funds: [], // optional
},
{
gasLimit: 100_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
WARNING: secretjs.tx.compute
simulations are not supported for security reasons.
Update a contract's admin.
Input: MsgUpdateAdminParams
const tx = await secretjs.tx.compute.updateAdmin(
{
sender: currentAdminAddress,
contract_address: contractAddress,
new_admin: newAdminAddress,
},
{
gasLimit: 100_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
WARNING: secretjs.tx.compute
simulations are not supported for security reasons.
clear a contract's admin.
Input: MsgClearAdminParams
const tx = await secretjs.tx.compute.clearAdmin(
{
sender: currentAdminAddress,
contract_address: contractAddress,
},
{
gasLimit: 100_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
WARNING: secretjs.tx.compute
simulations are not supported for security reasons.
MsgVerifyInvariant represents a message to verify a particular invariance.
Input: MsgVerifyInvariantParams
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgFundCommunityPool allows an account to directly fund the community pool.
Input: MsgFundCommunityPoolParams
const tx = await secretjs.tx.distribution.fundCommunityPool(
{
depositor: myAddress,
amount: stringToCoins("1uscrt"),
},
{
gasLimit: 20_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgSetWithdrawAddress sets the withdraw address for a delegator (or validator self-delegation).
Input: MsgSetWithdrawAddressParams
const tx = await secretjs.tx.distribution.setWithdrawAddress(
{
delegator_address: mySelfDelegatorAddress,
withdraw_address: myOtherAddress,
},
{
gasLimit: 20_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgWithdrawDelegatorReward represents delegation withdrawal to a delegator from a single validator.
Input: MsgWithdrawDelegatorRewardParams
const tx = await secretjs.tx.distribution.withdrawDelegatorReward(
{
delegator_address: myAddress,
validator_address: someValidatorAddress,
},
{
gasLimit: 20_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgWithdrawValidatorCommission withdraws the full commission to the validator address.
Input: MsgWithdrawValidatorCommissionParams
const tx = await secretjs.tx.distribution.withdrawValidatorCommission(
{
validator_address: myValidatorAddress,
},
{
gasLimit: 20_000,
},
);
Or a better one:
const tx = await secretjs.tx.broadcast(
[
new MsgWithdrawDelegatorReward({
delegator_address: mySelfDelegatorAddress,
validator_address: myValidatorAddress,
}),
new MsgWithdrawValidatorCommission({
validator_address: myValidatorAddress,
}),
],
{
gasLimit: 30_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Message for sending tokens from the community pool to another account
Request to provide additional rewards to delegators from a specific validator.
const tx = await secretjs.tx.distribution.depositValidatorRewardsPool(
{
depositor: depositorAddress,
validator_address: validatorAddress,
amount: [stringToCoin("10000uscrt")],
},
{
broadcastCheckIntervalMs: 100,
gasLimit: gasLimit,
},
);
MsgSubmitEvidence represents a message that supports submitting arbitrary evidence of misbehavior such as equivocation or counterfactual signing.
Input: MsgSubmitEvidenceParams
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgGrantAllowance adds permission for Grantee to spend up to Allowance of fees from the account of Granter.
Input: MsgGrantAllowanceParams
const newWallet = new Wallet();
const txGranter = await secretjsGranter.tx.feegrant.grantAllowance({
granter: secretjsGranter.address,
grantee: newWallet.address,
allowance: {
spend_limit: stringToCoins("1000000uscrt"),
},
});
const secretjsGrantee = new SecretNetworkClient({
url: "http://localhost:1317",
chainId: "secretdev-1",
wallet: newWallet,
walletAddress: newWallet.address,
});
// Send a tx from newWallet with secretjs.address as the fee payer
const txGrantee = await secretjsGrantee.tx.gov.submitProposal(
{
proposer: secretjsGrantee.address,
initial_deposit: stringToCoins("1uscrt"),
messages: [],
metadata: "some_metadata",
summary: "Send a tx without any balance",
title: "Thanks ${secretjsGranter.address}!",
expedited: false,
},
{
feeGranter: secretjsGranter.address,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgRevokeAllowance removes any existing Allowance from Granter to Grantee.
Input: MsgRevokeAllowanceParams
const tx = await secretjs.tx.feegrant.revokeAllowance({
granter: secretjs.address,
grantee: newWallet.address,
});
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Prunes expired fee allowances
let tx = await secretjs.tx.feegrant.pruneAllowances({
pruner: secretjs.address,
});
MsgDeposit defines a message to submit a deposit to an existing proposal.
Input: MsgDepositParams
const tx = await secretjs.tx.gov.deposit(
{
depositor: myAddress,
proposal_id: someProposalId,
amount: stringToCoins("1uscrt"),
},
{
gasLimit: 20_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgSubmitProposal defines an sdk.Msg type that supports submitting arbitrary proposal Content.
Input: MsgSubmitProposalParams
const tx = await secretjs.tx.gov.submitProposal(
{
proposer: myAddress,
initial_deposit: stringToCoins("1000000uscrt"),
messages: [],
metadata: "some_metadata",
summary: "summary",
title: "some proposal",
expedited: false,
},
{
broadcastCheckIntervalMs: 100,
gasLimit: 5_000_000,
},
);
const proposalId = Number(
tx.arrayLog.find(
(log) => log.type === "submit_proposal" && log.key === "proposal_id",
).value,
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgVote defines a message to cast a vote.
Input: MsgVoteParams
const tx = await secretjs.tx.gov.vote(
{
voter: myAddress,
proposal_id: someProposalId,
option: VoteOption.VOTE_OPTION_YES,
metadata: "test",
},
{
gasLimit: 50_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
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,
proposal_id: someProposalId,
options: [
// weights must sum to 1.0
{ weight: "0.7", option: VoteOption.VOTE_OPTION_YES },
{ weight: "0.3", option: VoteOption.VOTE_OPTION_ABSTAIN },
],
metadata: "",
},
{
gasLimit: 50_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Submits a legacy proposal along with an initial deposit.
Cancels a proposal.
const txCancel = await secretjs.tx.gov.cancelProposal({
proposer: secretjs.address,
proposal_id,
});
SoftwareUpgrade is a governance operation for initiating a software upgrade.
CancelUpgrade is a governance operation for cancelling a previously approved software upgrade.
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
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
SendTx allows the owner of an interchain account to send an IBC packet containing instructions (messages) to an interchain account on a host chain.
Registers an interchain account.
MsgUnjail defines a message to release a validator from jail.
Input: MsgUnjailParams
const tx = await secretjs.tx.slashing.unjail(
{
validator_addr: mValidatorsAddress,
},
{
gasLimit: 50_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
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(
{
delegator_address: myAddress,
validator_src_address: someValidator,
validator_dst_address: someOtherValidator,
amount: stringToCoin("1uscrt"),
},
{
gasLimit: 50_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgCreateValidator defines an SDK message for creating a new validator.
Input: MsgCreateValidatorParams
const tx = await secretjs.tx.staking.createValidator(
{
delegator_address: myAddress,
commission: {
max_change_rate: 0.01, // can change +-1% every 24h
max_rate: 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",
security_contact: "hi@example.com",
details: "**We** are good",
},
pubkey: toBase64(new Uint8Array(32).fill(1)), // validator's pubkey, to sign on validated blocks
min_self_delegation: "1", // uscrt
initial_delegation: stringToCoin("1uscrt"),
},
{
gasLimit: 100_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
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(
{
delegator_address: myAddress,
validator_address: someValidatorAddress,
amount: stringToCoin("1uscrt"),
},
{
gasLimit: 50_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgEditValidator defines an SDK message for editing an existing validator.
Input: MsgEditValidatorParams
const tx = await secretjs.tx.staking.editValidator(
{
validator_address: myValidatorAddress,
description: {
// To edit even one item in "description you have to re-input everything
moniker: "papaya",
identity: "banana",
website: "watermelon.com",
security_contact: "sec@watermelon.com",
details: "We are the banana papaya validator yay!",
},
min_self_delegation: "2",
commission_rate: 0.04, // 4%, commission cannot be changed more than once in 24h
},
{
gasLimit: 5_000_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
MsgUndelegate defines an SDK message for performing an undelegation from a delegate and a validator
Input: MsgUndelegateParams
const tx = await secretjs.tx.staking.undelegate(
{
delegator_address: myAddress,
validator_address: someValidatorAddress,
amount: stringToCoin("1uscrt"),
},
{
gasLimit: 50_000,
},
);
Simulates execution without sending a transactions. Input is exactly like the parent function. For more info see secretjs.tx.simulate()
.
Cancels unbonding delegation for delegator
If a tx that was sent using secret.js resulted in IBC packets being sent to other chains, secret.js will resolve the IBC response (ack or timeout) inside TxResponse
.
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 osmoAddress = 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",
{
bech32Prefix: "osmos",
coinType: 118,
},
).address;
const secretjs = new SecretNetworkClient({
url: "http://localhost:1317",
chainId: "secretdev-1",
wallet,
walletAddress: wallet.address,
});
const tx = await secretjs.tx.ibc.transfer(
{
sender: wallet.address,
receiver: osmoAddress,
source_channel: "channel-1",
source_port: "transfer",
token: stringToCoin("1uscrt"),
timeout_timestamp: String(Math.floor(Date.now() / 1000) + 10 * 60), // 10 minutes
},
{
gasLimit: 100_000,
ibcTxsOptions: {
resolveResponses: true, // enable IBC responses resolution (defualt)
resolveResponsesTimeoutMs: 12 * 60 * 1000, // stop checking after 12 minutes (default is 2 minutes)
resolveResponsesCheckIntervalMs: 15_000, // check every 15 seconds (default)
},
},
);
if (tx.code !== 0) {
console.error("failed sending 1uscrt from Secret to Osmosis:", tx.rawLog);
} else {
try {
const ibcResp = await tx.ibcResponses[0];
if (ibcResp.type === "ack") {
console.log("successfuly sent 1uscrt from Secret to Osmosis!");
} else {
console.error(
"failed sending 1uscrt from Secret to Osmosis: IBC packet timed-out before committed on Osmosis",
);
}
} catch (_error) {
console.error(
`timed-out while trying to resolve IBC response for txhash ${tx.transactionHash}`,
);
}
}
Convert a secp256k1 compressed public key to an account address.
https://secretjs.scrt.network/modules#pubkeyToAddress
Convert a secp256k1 compressed base64 encoded public key to an account address.
https://secretjs.scrt.network/modules#base64PubkeyToAddress
Convert a self delegator address to a validator address.
https://secretjs.scrt.network/modules#selfDelegatorAddressToValidatorAddress
Convert a validator address to a self delegator address.
https://secretjs.scrt.network/modules#validatorAddressToSelfDelegatorAddress
Convert a Tendermint ed25519 public key to a consensus address.
https://secretjs.scrt.network/modules#tendermintPubkeyToValconsAddress
Convert a secp256k1 compressed public key to an account address.
https://secretjs.scrt.network/modules#base64TendermintPubkeyToValconsAddress
Compute the IBC denom of a token that was sent over IBC.
https://secretjs.scrt.network/modules#ibcDenom
E.g.
convert "1uscrt,1uatom,1uosmo"
into [{amount:"1",denom:"uscrt"}, {amount:"1",denom:"uatom"}, {amount:"1",denom:"uosmo"}]
https://secretjs.scrt.network/modules#stringToCoins
E.g.
convert "1uscrt,1uatom,1uosmo"
into [{amount:"1",denom:"uscrt"}, {amount:"1",denom:"uatom"}, {amount:"1",denom:"uosmo"}]
https://secretjs.scrt.network/modules#stringToCoins
Checks if a given address is a valid address.