# ar-io sdk
The ar.io SDK provides functionality for interacting with the ar.io ecosystem of services (e.g. gateways and observers) and protocols (e.g. ArNS). It is available for both NodeJS and Web environments.
# Prerequisites
node>=v18.0.0
npm
oryarn
# Installation
npm install @ar.io/sdk
or
yarn add @ar.io/sdk
# Quick Start
Loading the gateway list in NodeJS.
import { IO } from '@ar.io/sdk';
const io = IO.init();
const gateways = await io.getGateways();
console.log(gateways);
Output
{
"QGWqtJdLLgm2ehFWiiPzMaoFLD50CnGuzZIPEdoDRGQ": {
"end": 0,
"observerWallet": "IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs",
"operatorStake": 250000000000, // value in mIO
"settings": {
"fqdn": "ar-io.dev",
"label": "AR.IO Test",
"note": "Test Gateway operated by PDS for the AR.IO ecosystem.",
"port": 443,
"properties": "raJgvbFU-YAnku-WsupIdbTsqqGLQiYpGzoqk9SCVgY",
"protocol": "https"
},
"start": 1256694,
"stats": {
"failedConsecutiveEpochs": 0,
"passedEpochCount": 30,
"submittedEpochCount": 30,
"totalEpochParticipationCount": 31,
"totalEpochsPrescribedCount": 31
},
"status": "joined",
"vaults": {},
"weights": {
"stakeWeight": 25,
"tenureWeight": 0.9031327160493827,
"gatewayRewardRatioWeight": 0.96875,
"observerRewardRatioWeight": 0.96875,
"compositeWeight": 21.189222170982834,
"normalizedCompositeWeight": 0.27485583057217183
}
}
}
# Usage
The SDK is provided in both CommonJS and ESM formats and is compatible with bundlers such as Webpack, Rollup, and ESbuild. Utilize the appropriately named exports provided by this SDK's package.json (opens new window) based on your project's configuration. Refer to the examples (opens new window) directory to see how to use the SDK in various environments.
# Web
# Bundlers (Webpack, Rollup, ESbuild, etc.)
import { IO } from '@ar.io/sdk/web';
// set up client
const io = IO.init();
// fetch gateways
const gateways = await io.getGateways();
Note: polyfills are only provided when using the named @ar.io/sdk/web
export (which requires moduleResolution: nodenext
in tsconfig.json
). If you are using the default export within a Typescript project (e.g. moduleResolution: node
), you will need to provide your own polyfills - specifically crypto
, fs
and buffer
. Refer to examples/webpack (opens new window) and examples/vite (opens new window) for references in how to properly provide those polyfills. For other project configurations, refer to your bundler's documentation for more information on how to provide the necessary polyfills.
# Browser
<script type="module">
import { IO } from 'https://unpkg.com/@ar.io/sdk';
// set up client
const io = IO.init();
// fetch gateways
const gateways = await io.getGateways();
</script>
# Node
# ESM (NodeNext)
import { IO } from '@ar.io/sdk/node';
// set up client
const io = IO.init();
// fetch gateways
const gateways = await io.getGateways();
# CJS
import { IO } from '@ar.io/sdk';
// set up client
const io = IO.init();
// fetch gateways
const gateways = await io.getGateways();
# Typescript
The SDK provides TypeScript types. When you import the SDK in a TypeScript project types are exported from ./lib/types/[node/web]/index.d.ts
and should be automatically recognized by package managers, offering benefits such as type-checking and autocompletion.
NOTE: Typescript version 5.3 or higher is recommended.
# IOToken & mIOToken
The ArIO contract stores all values as mIO (milli-IO) to avoid floating-point arithmetic issues. The SDK provides an IOToken
and mIOToken
classes to handle the conversion between IO and mIO, along with rounding logic for precision.
All contract interactions expect values in mIO. If numbers are provided as inputs, they are assumed to be in raw mIO values.
# Converting IO to mIO
import { IOToken, mIOToken } from '@ar.io/sdk';
const ioValue = 1;
const mIOValue = new IOToken(ioValue).toMIO();
console.log(mIOValue); // 1000000 (mIO)
const mIOValue = 1_000_000;
const ioValue = new mIOToken(mIOValue).toIO();
console.log(ioValue); // 1 (IO)
# IO Process
# APIs
# init({ signer })
Factory function to that creates a read-only or writeable client. By providing a signer
additional write APIs that require signing, like joinNetwork
and delegateStake
are available. By default, a read-only client is returned and no write APIs are available.
// read-only client
const io = IO.init()
// read-write client for browser environments
const io = IO.init({ signer: new ArConnectSigner(window.arweaveWallet, Arweave.init({}))});
// read-write client for node environments
const io = IO.init({ signer: new ArweaveSigner(JWK) });
# getInfo()
Retrieves the information of the IO process.
const io = IO.init();
const info = await io.getInfo();
Output
{
"name": "Testnet IO",
"ticker": "tIO",
"owner": "QGWqtJdLLgm2ehFWiiPzMaoFLD50CnGuzZIPEdoDRGQ",
"denomination": "IO"
}
# getBalance({ address })
Retrieves the balance of the specified wallet address.
const io = IO.init();
// the balance will be returned in mIO as a value
const balance = await io
.getBalance({
address: 'INSERT_WALLET_ADDRESS',
})
.then((balance) => new mIOToken().toIO());
console.log(balance.valueOf());
Output
// value in IO
1_000_000
# getBalances({ cursor, limit, sortBy, sortOrder })
Retrieves the balances of the IO process in mIO
, paginated and sorted by the specified criteria. The cursor
used for pagination is the last wallet address from the previous request.
const io = IO.init();
const balances = await io.getBalances({
cursor: '-4xgjroXENKYhTWqrBo57HQwvDL51mMdfsdsxJy6Y2Z_sA',
limit: 1,
sortBy: 'balance',
sortOrder: 'desc',
});
Output
{
"items": [
{
"address": "-4xgjroXENKYhTWqrBo57HQwvDL51mMvSxJy6Y2Z_sA",
"balance": 1000000
}
],
"hasMore": true,
"nextCursor": "-7vXsQZQDk8TMDlpiSLy3CnLi5PDPlAaN2DaynORpck",
"totalItems": 1789,
"sortBy": "balance",
"sortOrder": "desc"
}
# getGateway({ address })
Retrieves a gateway's info by its staking wallet address.
const io = IO.init();
const gateway = await io.getGateway({
address: 'INSERT_GATEWAY_ADDRESS',
});
Output
{
"end": 0,
"observerWallet": "IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs",
"operatorStake": 250000000000, // value in mIO
"settings": {
"fqdn": "ar-io.dev",
"label": "AR.IO Test",
"note": "Test Gateway operated by PDS for the AR.IO ecosystem.",
"port": 443,
"properties": "raJgvbFU-YAnku-WsupIdbTsqqGLQiYpGzoqk9SCVgY",
"protocol": "https"
},
"start": 1256694,
"stats": {
"failedConsecutiveEpochs": 0,
"passedEpochCount": 30,
"submittedEpochCount": 30,
"totalEpochParticipationCount": 31,
"totalEpochsPrescribedCount": 31
},
"status": "joined",
"vaults": {}
}
# getGateways({ cursor, limit, sortBy, sortOrder })
Retrieves registered gateways of the IO process, using pagination and sorting by the specified criteria. The cursor
used for pagination is the last gateway address from the previous request.
const io = IO.init();
const gateways = await io.getGateways({
limit: 1,
sortOrder: 'desc',
sortBy: 'operatorStake',
});
Available sortBy
options are any of the keys on the gateway object, e.g. operatorStake
, start
, status
, settings.fqdn
, settings.label
, settings.note
, settings.port
, settings.protocol
, stats
.failedConsecutiveEpochs
, stats.passedConsecutiveEpochs
, etc.
Output
{
"items": [
{
"gatewayAddress": "QGWqtJdLLgm2ehFWiiPzMaoFLD50CnGuzZIPEdoDRGQ",
"observerAddress": "IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs",
"operatorStake": 250000000000,
"settings": {
"fqdn": "ar-io.dev",
"label": "AR.IO Test",
"note": "Test Gateway operated by PDS for the AR.IO ecosystem.",
"port": 443,
"properties": "raJgvbFU-YAnku-WsupIdbTsqqGLQiYpGzoqk9SCVgY",
"protocol": "https"
},
"startTimestamp": 1720720620813,
"stats": {
"failedConsecutiveEpochs": 0,
"passedEpochCount": 30,
"submittedEpochCount": 30,
"totalEpochParticipationCount": 31,
"totalEpochsPrescribedCount": 31
},
"status": "joined",
"vaults": {}
}
],
"hasMore": true,
"nextCursor": "-4xgjroXENKYhTWqrBo57HQwvDL51mMdfsdsxJy6Y2Z_sA",
"totalItems": 316,
"sortBy": "operatorStake",
"sortOrder": "desc"
}
# getArNSRecord({ name })
Retrieves the record info of the specified ArNS name.
const io = IO.init();
const record = await io.getArNSRecord({ name: 'ardrive' });
Output
{
"processId": "bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM",
"endTimestamp": 1711122739,
"startTimestamp": 1694101828,
"type": "lease",
"undernames": 100
}
# getArNSRecords({ cursor, limit, sortBy, sortOrder })
Retrieves all registered ArNS records of the IO process, paginated and sorted by the specified criteria. The cursor
used for pagination is the last ArNS name from the previous request.
const io = IO.init();
// get the 5 newest names
const records = await io.getArNSRecords({
limit: 5,
sortBy: 'startTimestamp',
sortOrder: 'desc',
});
Available sortBy
options are any of the keys on the record object, e.g. name
, processId
, endTimestamp
, startTimestamp
, type
, undernames
.
Output
{
"items": [
{
"name": "ao",
"processId": "eNey-H9RB9uCdoJUvPULb35qhZVXZcEXv8xds4aHhkQ",
"purchasePrice": 75541282285,
"startTimestamp": 1720720621424,
"type": "permabuy",
"undernames": 10
},
{
"name": "ardrive",
"processId": "bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM",
"endTimestamp": 1720720819969,
"startTimestamp": 1720720620813,
"type": "lease",
"undernames": 100
},
{
"name": "arweave",
"processId": "bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM",
"endTimestamp": 1720720819969,
"startTimestamp": 1720720620800,
"type": "lease",
"undernames": 100
},
{
"name": "ar-io",
"processId": "bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM",
"endTimestamp": 1720720819969,
"startTimestamp": 1720720619000,
"type": "lease",
"undernames": 100
},
{
"name": "fwd",
"processId": "bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM",
"endTimestamp": 1720720819969,
"startTimestamp": 1720720220811,
"type": "lease",
"undernames": 100
}
],
"hasMore": true,
"nextCursor": "fwdresearch",
"totalItems": 21740,
"sortBy": "startTimestamp",
"sortOrder": "desc"
}
# getObservations({ epochIndex })
Returns the epoch-indexed observation list.
const io = IO.init();
const observations = await io.getObservations();
Output
{
"0": {
"failureSummaries": {
"-Tk2DDk8k4zkwtppp_XFKKI5oUgh6IEHygAoN7mD-w8": [
"Ie2wEEUDKoU26c7IuckHNn3vMFdNQnMvfPBrFzAb3NA",
"Ie2wEEUDKoU26c7IuckHNn3vMFdNQnMvfPBrFzAb3NA"
]
},
"reports": {
"IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs": "B6UUjKWjjEWDBvDSMXWNmymfwvgR9EN27z5FTkEVlX4",
"Ie2wEEUDKoU26c7IuckHNn3vMFdNQnMvfPBrFzAb3NA": "7tKsiQ2fxv0D8ZVN_QEv29fZ8hwFIgHoEDrpeEG0DIs",
"osZP4D9cqeDvbVFBaEfjIxwc1QLIvRxUBRAxDIX9je8": "aatgznEvC_UPcxp1v0uw_RqydhIfKm4wtt1KCpONBB0",
"qZ90I67XG68BYIAFVNfm9PUdM7v1XtFTn7u-EOZFAtk": "Bd8SmFK9-ktJRmwIungS8ur6JM-JtpxrvMtjt5JkB1M"
}
}
}
# getDistributions({ epochIndex })
Returns the current rewards distribution information.
const io = IO.init();
const distributions = await io.getDistributions();
Output
{
"epochEndHeight": 1382379,
"epochPeriod": 43,
"epochStartHeight": 1381660,
"epochZeroStartHeight": 1350700,
"nextDistributionHeight": 1382394
}
# getEpoch({ epochIndex })
Returns the epoch data for the specified block height.
const io = IO.init();
const epoch = await io.getEpoch({ epochIndex: 0 });
Output
{
"epochIndex": 0,
"startTimestamp": 1694101828,
"endTimestamp": 1711122739,
"startHeight": 1350700,
"distributionTimestamp": 1711122739,
"observations": {
"failureSummaries": {
"-Tk2DDk8k4zkwtppp_XFKKI5oUgh6IEHygAoN7mD-w8": [
"Ie2wEEUDKoU26c7IuckHNn3vMFdNQnMvfPBrFzAb3NA"
]
},
"reports": {
"IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs": "B6UUjKWjjEWDBvDSMXWNmymfwvgR9EN27z5FTkEVlX4"
}
},
"prescribedNames": ["ardrive", "ar-io", "arweave", "fwd", "ao"],
"prescribedObservers": [
{
"gatewayAddress": "2Fk8lCmDegPg6jjprl57-UCpKmNgYiKwyhkU4vMNDnE",
"observerAddress": "2Fk8lCmDegPg6jjprl57-UCpKmNgYiKwyhkU4vMNDnE",
"stake": 10000000000, // value in mIO
"start": 1292450,
"stakeWeight": 1,
"tenureWeight": 0.4494598765432099,
"gatewayRewardRatioWeight": 1,
"observerRewardRatioWeight": 1,
"compositeWeight": 0.4494598765432099,
"normalizedCompositeWeight": 0.002057032496835938
}
],
"distributions": {
"distributedTimestamp": 1711122739,
"totalEligibleRewards": 100000000,
"rewards": {
"IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs": 100000000
}
}
}
# getCurrentEpoch()
Returns the current epoch data.
const io = IO.init();
const epoch = await io.getCurrentEpoch();
Output
{
"epochIndex": 0,
"startTimestamp": 1694101828,
"endTimestamp": 1711122739,
"startHeight": 1350700,
"distributionTimestamp": 1711122739,
"observations": {
"failureSummaries": {
"-Tk2DDk8k4zkwtppp_XFKKI5oUgh6IEHygAoN7mD-w8": [
"Ie2wEEUDKoU26c7IuckHNn3vMFdNQnMvfPBrFzAb3NA"
]
},
"reports": {
"IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs": "B6UUjKWjjEWDBvDSMXWNmymfwvgR9EN27z5FTkEVlX4"
}
},
"prescribedNames": ["ardrive", "ar-io", "arweave", "fwd", "ao"],
"prescribedObservers": [
{
"gatewayAddress": "2Fk8lCmDegPg6jjprl57-UCpKmNgYiKwyhkU4vMNDnE",
"observerAddress": "2Fk8lCmDegPg6jjprl57-UCpKmNgYiKwyhkU4vMNDnE",
"stake": 10000000000, // value in mIO
"start": 1292450,
"stakeWeight": 1,
"tenureWeight": 0.4494598765432099,
"gatewayRewardRatioWeight": 1,
"observerRewardRatioWeight": 1,
"compositeWeight": 0.4494598765432099,
"normalizedCompositeWeight": 0.002057032496835938
}
],
"distributions": {
"distributedTimestamp": 1711122739,
"totalEligibleRewards": 100000000,
"rewards": {
"IPdwa3Mb_9pDD8c2IaJx6aad51Ss-_TfStVwBuhtXMs": 100000000
}
}
}
# getPrescribedObservers({ epochIndex })
Retrieves the prescribed observers of the IO process. To fetch prescribed observers for a previous epoch set the epochIndex
to the desired epoch.
const io = IO.init();
const observers = await io.getPrescribedObservers({ epochIndex: 0 });
Output
[
{
"gatewayAddress": "BpQlyhREz4lNGS-y3rSS1WxADfxPpAuing9Lgfdrj2U",
"observerAddress": "2Fk8lCmDegPg6jjprl57-UCpKmNgYiKwyhkU4vMNDnE",
"stake": 10000000000, // value in mIO
"start": 1296976,
"stakeWeight": 1,
"tenureWeight": 0.41453703703703704,
"gatewayRewardRatioWeight": 1,
"observerRewardRatioWeight": 1,
"compositeWeight": 0.41453703703703704,
"normalizedCompositeWeight": 0.0018972019546783507
}
]
# getTokenCost({ intent, ...args })
Calculates the price in mIO to perform the interaction in question, e.g. a Buy-record
interaction, where args are the specific params for that interaction.
const price = await io
.getTokenCost({
intent: 'Buy-Record',
name: 'ar-io',
type: 'permabuy',
})
.then((p) => new mIOToken(p).toIO());
// Price is returned as mio, convert to IO and log it out
console.log({ price: price.valueOf() });
Output
{ "price": 1642.62 }
# joinNetwork( params )
Joins a gateway to the ar.io network via its associated wallet.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.joinNetwork(
{
qty: new IOToken(10_000).toMIO(), // minimum operator stake allowed
autoStake: true, // auto-stake operator rewards to the gateway
allowDelegatedStaking: true, // allows delegated staking
minDelegatedStake: new IOToken(100).toMIO(), // minimum delegated stake allowed
delegateRewardShareRatio: 10, // percentage of rewards to share with delegates (e.g. 10%)
label: 'john smith', // min 1, max 64 characters
note: 'The example gateway', // max 256 characters
properties: 'FH1aVetOoulPGqgYukj0VE0wIhDy90WiQoV3U2PeY44', // Arweave transaction ID containing additional properties of the Gateway
observerWallet: '0VE0wIhDy90WiQoV3U2PeY44FH1aVetOoulPGqgYukj', // wallet address of the observer, must match OBSERVER_WALLET on the observer
fqdn: 'example.com', // fully qualified domain name - note: you must own the domain and set the OBSERVER_WALLET on your gateway to match `observerWallet`
port: 443, // port number
protocol: 'https', // only 'https' is supported
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# leaveNetwork()
Sets the gateway as leaving
on the ar.io network. Requires signer
to be provided on IO.init
to sign the transaction. The gateway's operator and delegated stakes are vaulted and will be returned after the leave periods. The gateway will be removed from the network after the leave period.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.leaveNetwork(
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# updateGatewaySettings( gatewaySettings )
Writes new gateway settings to the caller's gateway configuration.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.updateGatewaySettings(
{
// any other settings you want to update
minDelegatedStake: new IOToken(100).toMIO(),
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
// t4Xr0_J4Iurt7caNST02cMotaz2FIbWQ4Kbj616RHl3
# increaseDelegateStake({ target, qty })
Increases the caller's stake on the target gateway.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.increaseDelegateStake(
{
target: 't4Xr0_J4Iurt7caNST02cMotaz2FIbWQ4Kbj616RHl3',
qty: new IOToken(100).toMIO(),
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# decreaseDelegateStake({ target, qty })
Decrease the caller's stake on the target gateway.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.decreaseDelegateStake(
{
target: 't4Xr0_J4Iurt7caNST02cMotaz2FIbWQ4Kbj616RHl3',
qty: new IOToken(100).toMIO(),
},
{
tags: [{ name: 'App-Name', value: 'My-Awesome-App' }],
},
);
# increaseOperatorStake({ qty })
Increases the caller's operator stake. Must be executed with a wallet registered as a gateway operator.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.increaseOperatorStake(
{
qty: new IOToken(100).toMIO(),
},
{
tags: [{ name: 'App-Name', value: 'My-Awesome-App' }],
},
);
# decreaseOperatorStake({ qty })
Decreases the caller's operator stake. Must be executed with a wallet registered as a gateway operator.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.decreaseOperatorStake(
{
qty: new IOToken(100).toMIO(),
},
{
tags: [{ name: 'App-Name', value: 'My-Awesome-App' }],
},
);
# saveObservations({ reportTxId, failedGateways })
Saves the observations of the current epoch.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.saveObservations(
{
reportTxId: 'fDrr0_J4Iurt7caNST02cMotaz2FIbWQ4Kcj616RHl3',
failedGateways: ['t4Xr0_J4Iurt7caNST02cMotaz2FIbWQ4Kbj616RHl3'],
},
{
tags: [{ name: 'App-Name', value: 'My-Awesome-App' }],
},
);
# transfer({ target, qty, denomination })
Transfers IO
or mIO
depending on the denomination
selected, defaulting as IO
, to the designated target
recipient address.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.transfer(
{
target: '-5dV7nk7waR8v4STuwPnTck1zFVkQqJh5K9q9Zik4Y5',
qty: new IOToken(1000).toMIO(),
denomination: 'IO',
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# increaseUndernameLimit({ name, qty })
Increases the undername support of a domain up to a maximum of 10k. Domains, by default, support up to 10 undernames.
NOTE: Requires signer
to be provided on IO.init
to sign the transaction.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.increaseUndernameLimit(
{
name: 'ar-io',
qty: 420,
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# extendLease({ name, years })
Extends the lease of a registered ArNS domain, with an extension of 1-5 years depending on grace period status. Permanently registered domains cannot be extended.
const io = IO.init({ signer: new ArweaveSigner(jwk) });
const { id: txId } = await io.extendLease(
{
name: 'ar-io',
years: 1,
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# Configuration
The IO client class exposes APIs relevenat to the ar.io process. It can be configured to use any AO Process ID that adheres to the IO Network Spec (opens new window). By default, it will use the current IO testnet process (opens new window). Refer to AO Connect (opens new window) for more information on how to configure an IO process to use specific AO infrastructure.
// provide a custom ao infrastructure and process id
const io = IO.init({
process: new AoProcess({
processId: 'IO_PROCESS_ID'
ao: connect({
MU_URL: 'https://mu-testnet.xyz',
CU_URL: 'https://cu-testnet.xyz',
GRAPHQL_URL: 'https://arweave.net/graphql',
GATEWAY_URL: 'https://arweave.net',
})
})
});
# Arweave Name Tokens (ANT's)
The ANT client class exposes APIs relevant to compliant Arweave Name Token processes. It can be configured to use any process ID that adheres to the ANT process spec. You must provide either a custom process data provider or a processId to the ANT class constructor to use.
# APIs
# init({signer, processId })
Factory function to that creates a read-only or writeable client. By providing a signer
additional write APIs that require signing, like setRecord
and transfer
are available. By default, a read-only client is returned and no write APIs are available.
// in a browser environment with ArConnect
const ant = ANT.init({
signer: new ArConnectSigner(window.arweaveWallet, Arweave.init({})),
processId: 'bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM'
});
// in a node environment
const ant = ANT.init({
signer: new ArweaveSigner(JWK),
processId: 'bh9l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM'
});
# getInfo()
Retrieves the information about the ANT process.
const info = await ant.getInfo();
Output
{
"name": "Ardrive",
"ticker": "ANT-ARDRIVE",
"owner": "QGWqtJdLLgm2ehFWiiPzMaoFLD50CnGuzZIPEdoDRGQ"
}
# getOwner()
Returns the owner of the configured ANT process.
const owner = await ant.getOwner();
Output
"ccp3blG__gKUvG3hsGC2u06aDmqv4CuhuDJGOIg0jw4"
# getControllers()
Returns the controllers of the configured ANT process.
const controllers = await ant.getControllers();
Output
["ccp3blG__gKUvG3hsGC2u06aDmqv4CuhuDJGOIg0jw4"]
# getRecords()
Returns all records on the configured ANT process, including the required @
record that resolve connected ArNS names.
const records = await ant.getRecords();
Output
{
"@": {
"transactionId": "nOXJjj_vk0Dc1yCgdWD8kti_1iHruGzLQLNNBHVpN0Y",
"ttlSeconds": 3600
},
"cn": {
"transactionId": "_HquerT6pfGFXrVxRxQTkJ7PV5RciZCqvMjLtUY0C1k",
"ttlSeconds": 3300
},
"dapp": {
"transactionId": "hxlxVgAG0K4o3fVD9T6Q4VBWpPmMZwMWgRh1kcuh3WU",
"ttlSeconds": 3600
},
"logo": {
"transactionId": "KKmRbIfrc7wiLcG0zvY1etlO0NBx1926dSCksxCIN3A",
"ttlSeconds": 3600
},
"og": {
"transactionId": "YzD_Pm5VAfYpMD3zQCgMUcKKuleGhEH7axlrnrDCKBo",
"ttlSeconds": 3600
},
"og_dapp": {
"transactionId": "5iR4wBu4KUV1pUz1YpYE1ARXSRHUT5G2ptMuoN2JDlI",
"ttlSeconds": 3600
},
"og_logo": {
"transactionId": "TB2wJyKrPnkAW79DAwlJYwpgdHKpijEJWQfcwX715Co",
"ttlSeconds": 3600
}
}
# transfer({ target })
Transfers ownership of the ANT to a new target address. Target MUST be an Arweave address.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.transfer(
{ target: 'aGzM_yjralacHIUo8_nQXMbh9l1cy0aksiL_x9M359f' },
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# setController({ controller })
Adds a new controller to the list of approved controllers on the ANT. Controllers can set records and change the ticker and name of the ANT process.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.setController(
{ controller: 'aGzM_yjralacHIUo8_nQXMbh9l1cy0aksiL_x9M359f' },
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# removeController({ controller })
Removes a controller from the list of approved controllers on the ANT.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.removeController(
{ controller: 'aGzM_yjralacHIUo8_nQXMbh9l1cy0aksiL_x9M359f' },
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# setRecord({ subDomain, transactionId, ttlSeconds })
Updates or creates a record in the ANT process.
Records, or undernames
are configured with the transactionId
- the arweave transaction id the record resolves - and ttlSeconds
, the Time To Live in the cache of client applications.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.setRecord(
{
undername: '@',
transactionId: '432l1cy0aksiL_x9M359faGzM_yjralacHIUo8_nQXM'
ttlSeconds: 3600
},
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# removeRecord({ undername })
Removes a record from the ANT process.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.removeRecord(
{ undername: 'remove-domemain' },
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# setName({ name })
Sets the name of the ANT process.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.setName(
{ name: 'My ANT' },
// optional additional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# setTicker({ ticker })
Sets the ticker of the ANT contract.
NOTE: Requires signer
to be provided on ANT.init
to sign the transaction.
const { id: txId } = await ant.setTicker(
{ ticker: 'ANT-NEW-TICKER' },
// optional tags
{ tags: [{ name: 'App-Name', value: 'My-Awesome-App' }] },
);
# Configuration
ANT clients can be configured to use custom AO processes. Refer to AO Connect (opens new window) for more information on how to configure the AO process to use specific AO infrastructure.
const ant = ANT.init({
process: new AoProcess({
processId: 'ANT_PROCESS_ID'
ao: connect({
MU_URL: 'https://mu-testnet.xyz',
CU_URL: 'https://cu-testnet.xyz',
GRAPHQL_URL: 'https://arweave.net/graphql',
GATEWAY_URL: 'https://arweave.net',
})
})
});
# Logging
The library uses the Winston (opens new window) logger for node based projects, and console
logger for web based projects by default. You can configure the log level via setLogLevel()
API. Alternatively you can set a custom logger as the default logger so long as it satisfies the ILogger
interface.
# Configuration
import { Logger } from '@ar.io/sdk';
// set the log level
Logger.default.setLogLevel('debug');
// provide your own logger
Logger.default = winston.createLogger({ ...loggerConfigs }); // or some other logger that satisifes ILogger interface
# Pagination
Certain APIs that could return a large amount of data are paginated using cursors. The SDK uses the cursor
pattern (as opposed to pages) to better protect against changing data while paginating through a list of items. For more information on pagination strategies refer to this article (opens new window).
Paginated results include the following properties:
items
: the list of items on the current request, defaulted to 100 items.nextCursor
: the cursor to use for the next batch of items. This isundefined
if there are no more items to fetch.hasMore
: a boolean indicating if there are more items to fetch. This isfalse
if there are no more items to fetch.totalItems
: the total number of items available. This may change as new items are added to the list, only use this for informational purposes.sortBy
: the field used to sort the items, by default this isstartTimestamp
.sortOrder
: the order used to sort the items, by default this isdesc
.
To request all the items in a list, you can iterate through the list using the nextCursor
until hasMore
is false
.
let hasMore = true;
let cursor: string | undefined;
const gateaways = [];
while (hasMore) {
const page = await io.getGateways({ limit: 10, cursor });
gateaways.push(...items);
cursor = page.nextCursor;
hasMore = page.hasMore;
}
# Developers
# Requirements
node
>= v18.0.0npm
oryarn
docker
(recommended for testing)
# Setup & Build
nvm use
- use the correct node versionyarn install
- installs dependenciesyarn build
- builds web/node/bundled outputs
# Testing
yarn test:integration
- runs integration tests against a local arns-service (opens new window)yarn example:web
- opens up the example web pageyarn example:cjs
- runs example CJS node scriptyarn example:esm
- runs example ESM node script
# Linting & Formatting
yarn lint:check
- checks for linting errorsyarn lint:fix
- fixes linting errorsyarn format:check
- checks for formatting errorsyarn format:fix
- fixes formatting errors
# Architecture
- Code to interfaces.
- Prefer type safety over runtime safety.
- Prefer composition over inheritance.
- Prefer integration tests over unit tests.