home / skills / multiversx / mx-ai-skills / mvx_sdk_js_core

mvx_sdk_js_core skill

/antigravity/skills/mvx_sdk_js_core

This skill helps developers use the MultiversX SDK core to manage accounts, endpoints, and transactions efficiently across networks.

npx playbooks add skill multiversx/mx-ai-skills --skill mvx_sdk_js_core

Review the files below or copy the command above to add this skill to your agents.

Files (1)
SKILL.md
3.5 KB
---
name: mvx_sdk_js_core
description: Core SDK operations for MultiversX TypeScript/JavaScript - Entrypoints, Network Providers, and Transactions.
---

# MultiversX SDK-JS Core Operations

This skill covers the fundamental building blocks of the `@multiversx/sdk-core` v15 library.

## Entrypoints

Network-specific clients that simplify common operations:

| Entrypoint | Network | Default URL |
|------------|---------|-------------|
| `DevnetEntrypoint` | Devnet | `https://devnet-api.multiversx.com` |
| `TestnetEntrypoint` | Testnet | `https://testnet-api.multiversx.com` |
| `MainnetEntrypoint` | Mainnet | `https://api.multiversx.com` |
| `LocalnetEntrypoint` | Local | `http://localhost:7950` |

```typescript
import { DevnetEntrypoint } from "@multiversx/sdk-core";

// Default API
const entrypoint = new DevnetEntrypoint();

// Custom API
const entrypoint = new DevnetEntrypoint({ url: "https://custom-api.com" });

// Proxy mode (gateway)
const entrypoint = new DevnetEntrypoint({ 
    url: "https://devnet-gateway.multiversx.com", 
    kind: "proxy" 
});
```

## Entrypoint Methods

| Method | Description |
|--------|-------------|
| `createAccount()` | Create a new account instance |
| `createNetworkProvider()` | Get underlying network provider |
| `recallAccountNonce(address)` | Fetch current nonce from network |
| `sendTransaction(tx)` | Broadcast single transaction |
| `sendTransactions(txs)` | Broadcast multiple transactions |
| `getTransaction(txHash)` | Fetch transaction by hash |
| `awaitCompletedTransaction(txHash)` | Wait for finality |

## Network Providers

Lower-level network access:

| Provider | Use Case |
|----------|----------|
| `ApiNetworkProvider` | Standard API queries (recommended) |
| `ProxyNetworkProvider` | Direct node interaction via gateway |

```typescript
const provider = entrypoint.createNetworkProvider();

// Or manual instantiation
import { ApiNetworkProvider } from "@multiversx/sdk-core";

const api = new ApiNetworkProvider("https://devnet-api.multiversx.com", {
    clientName: "my-app",
    requestsOptions: { timeout: 10000 }
});
```

## Provider Methods

| Method | Description |
|--------|-------------|
| `getNetworkConfig()` | Chain ID, gas settings, etc. |
| `getNetworkStatus()` | Current epoch, nonce, etc. |
| `getBlock(blockHash)` | Fetch block data |
| `getAccount(address)` | Account balance, nonce |
| `getAccountStorage(address)` | Contract storage |
| `getTransaction(txHash)` | Transaction details |
| `awaitTransactionCompletion(txHash)` | Wait for finality |
| `queryContract(query)` | VM query (read-only) |

## Transaction Lifecycle

```typescript
// 1. Create account and sync nonce
const account = await Account.newFromPem("wallet.pem");
account.nonce = await entrypoint.recallAccountNonce(account.address);

// 2. Create transaction (via controller)
const controller = entrypoint.createTransfersController();
const tx = await controller.createTransactionForTransfer(
    account, 
    account.getNonceThenIncrement(),
    { receiver, nativeAmount: 1000000000000000000n }
);

// 3. Send
const txHash = await entrypoint.sendTransaction(tx);

// 4. Wait for completion
const result = await entrypoint.awaitCompletedTransaction(txHash);
console.log("Status:", result.status);
```

## Best Practices

1. **Always sync nonce** before creating transactions
2. **Use `awaitCompletedTransaction`** for critical operations
3. **Handle errors** - network calls can fail
4. **Use appropriate timeouts** for long operations
5. **Batch transactions** when possible with `sendTransactions()`

Overview

This skill provides concise guidance for using the MultiversX @multiversx/sdk-core v15 primitives: entrypoints, network providers, and transaction flows. It explains how to instantiate network clients, access low-level providers, build and send transactions, and wait for finality. The goal is to make common SDK tasks predictable and production-ready.

How this skill works

Entrypoints are network-specific clients that wrap common operations and ship with sensible default endpoints for devnet, testnet, mainnet, and localnet. Each entrypoint can create a network provider (API or proxy), controllers for transfers, and helpers to fetch nonce, send transactions, or await completion. Providers expose lower-level network methods for querying blocks, accounts, contract storage, and executing read-only contract queries.

When to use it

  • Create an entrypoint when you need a ready-made network client for devnet/testnet/mainnet/localnet.
  • Use ApiNetworkProvider for standard API requests and ProxyNetworkProvider when interacting via a gateway.
  • Call recallAccountNonce before building or signing transactions to avoid nonce conflicts.
  • Use sendTransactions to batch multiple transactions in one request.
  • Use awaitCompletedTransaction for operations that require finality (e.g., token transfers, contract state changes).

Best practices

  • Always sync account nonce from the network immediately before creating/signing a transaction.
  • Prefer awaitCompletedTransaction for critical flows to confirm finality and status.
  • Set reasonable request timeouts and retry logic for network calls to handle transient failures.
  • Batch non-dependent transfers using sendTransactions to improve throughput and reduce latency.
  • Handle and log network and RPC errors; implement exponential backoff for retries.

Example use cases

  • Initialize a DevnetEntrypoint and create an ApiNetworkProvider for integration tests.
  • Fetch account balance and nonce with getAccount before preparing a signed transfer.
  • Create a transfers controller to build a native token transfer, send it, and await completion.
  • Query contract storage or execute a VM read-only query with queryContract for UI state.
  • Batch multiple payments from a treasury account using sendTransactions for efficiency.

FAQ

Which entrypoint should I choose for production?

Use MainnetEntrypoint for production. Configure custom URL and proxy mode only if you have a gateway or private endpoint.

When should I use ProxyNetworkProvider vs ApiNetworkProvider?

Use ApiNetworkProvider for standard API endpoints. Use ProxyNetworkProvider when you need direct gateway behavior or when your infrastructure exposes a proxy node.