Lightning and chain swaps for Arkade using Boltz
@arkade-os/boltz-swap provides seamless integration with the Lightning Network and Bitcoin on-chain through Boltz swaps, allowing users to move funds between Arkade, Lightning, and Bitcoin.
The library enables four swap types:
- Lightning to Arkade - Receive funds from Lightning payments into your Arkade wallet
- Arkade to Lightning - Send funds from your Arkade wallet to Lightning invoices
- ARK to BTC - Move funds from Arkade to a Bitcoin on-chain address
- BTC to ARK - Move funds from Bitcoin on-chain into your Arkade wallet
Built on top of the Boltz swap protocol with automatic background monitoring via SwapManager.
npm install @arkade-os/sdk @arkade-os/boltz-swapimport { Wallet, MnemonicIdentity } from '@arkade-os/sdk';
import { ArkadeSwaps } from '@arkade-os/boltz-swap';
// Create an identity
const identity = MnemonicIdentity.fromMnemonic('your twelve word mnemonic phrase ...', { isMainnet: true });
// Initialize your Arkade wallet
const wallet = await Wallet.create({
identity,
arkServerUrl: 'https://arkade.computer',
});
// Initialize swaps (network auto-detected from wallet, SwapManager enabled by default)
const swaps = await ArkadeSwaps.create({ wallet });Note
Upgrading from v1 StorageAdapter? See SwapRepository migration.
const result = await swaps.createLightningInvoice({ amount: 50000 });
console.log('Invoice:', result.invoice);
// SwapManager auto-claims when paidconst result = await swaps.sendLightningPayment({ invoice: 'lnbc500u1pj...' });
console.log('Paid:', result.txid);
// SwapManager auto-refunds if payment failsconst result = await swaps.arkToBtc({
btcAddress: 'bc1q...',
senderLockAmount: 100000,
});
// SwapManager auto-claims BTC when readyconst result = await swaps.btcToArk({ receiverLockAmount: 100000 });
console.log('Pay to:', result.btcAddress, 'Amount:', result.amountToPay);
// SwapManager auto-claims ARK when readyconst manager = swaps.getSwapManager();
// Global listeners
manager.onSwapCompleted((swap) => console.log(`${swap.id} completed`));
manager.onSwapFailed((swap, error) => console.error(`${swap.id} failed`, error));
manager.onSwapUpdate((swap, oldStatus) => console.log(`${swap.id}: ${oldStatus} → ${swap.status}`));
// Wait for a specific swap
const result = await swaps.createLightningInvoice({ amount: 50000 });
const unsubscribe = manager.subscribeToSwapUpdates(result.pendingSwap.id, (swap, oldStatus) => {
console.log(`${oldStatus} → ${swap.status}`);
});
// Or block until a specific swap completes
const { txid } = await manager.waitForSwapCompletion(result.pendingSwap.id);// Lightning
const fees = await swaps.getFees();
const limits = await swaps.getLimits();
// Chain swaps
const chainFees = await swaps.getFees('ARK', 'BTC');
const chainLimits = await swaps.getLimits('ARK', 'BTC');const history = await swaps.getSwapHistory();
const pending = await swaps.getPendingReverseSwaps();When creating a chain swap, specify exactly one:
senderLockAmount: sender sends this exact amount, receiver gets less (amount - fees)receiverLockAmount: receiver gets this exact amount, sender pays more (amount + fees)
If the amount sent differs from expected:
const newAmount = await swaps.quoteSwap(pendingSwap.id);Even with SwapManager, you can block until a specific swap completes:
const result = await swaps.createLightningInvoice({ amount: 50000 });
const { txid } = await swaps.waitAndClaim(result.pendingSwap);If you disable SwapManager, you must manually monitor and act on swaps:
const swaps = await ArkadeSwaps.create({ wallet, swapManager: false });
const result = await swaps.createLightningInvoice({ amount: 50000 });
await swaps.waitAndClaim(result.pendingSwap); // blocks until completeconst swaps = await ArkadeSwaps.create({
wallet,
swapManager: {
enableAutoActions: true, // Auto claim/refund (default: true)
autoStart: true, // Auto-start on init (default: true)
pollInterval: 30000, // Failsafe poll interval (default)
events: {
onSwapCompleted: (swap) => {},
onSwapFailed: (swap, error) => {},
onSwapUpdate: (swap, oldStatus) => {},
onActionExecuted: (swap, action) => {},
onWebSocketConnected: () => {},
onWebSocketDisconnected: (error?) => {},
}
},
});const result = await swaps.createLightningInvoice({ amount: 50000 });
const manager = swaps.getSwapManager();
const unsubscribe = manager.subscribeToSwapUpdates(
result.pendingSwap.id,
(swap, oldStatus) => {
if (swap.status === 'invoice.settled') showNotification('Payment received!');
}
);// Manual
await swaps.dispose();
// Automatic (TypeScript 5.2+)
{
await using swaps = await ArkadeSwaps.create({ wallet });
// ...
} // auto-disposedSwap storage defaults to IndexedDB in browsers. For other platforms:
// SQLite (React Native / Node.js)
import { SQLiteSwapRepository } from '@arkade-os/boltz-swap/repositories/sqlite';
// Realm (React Native)
import { RealmSwapRepository, BoltzRealmSchemas } from '@arkade-os/boltz-swap/repositories/realm';Custom implementations must set readonly version = 1 — TypeScript will error when bumped, signaling a required update.
Warning
If you previously used the v1 StorageAdapter-based repositories, migrate
data before use:
import { IndexedDbSwapRepository, migrateToSwapRepository } from '@arkade-os/boltz-swap'
import { getMigrationStatus } from '@arkade-os/sdk'
import { IndexedDBStorageAdapter } from '@arkade-os/sdk/adapters/indexedDB'
const oldStorage = new IndexedDBStorageAdapter('arkade-service-worker', 1)
const status = await getMigrationStatus('wallet', oldStorage)
if (status !== 'not-needed') {
await migrateToSwapRepository(oldStorage, new IndexedDbSwapRepository())
}Expo/React Native cannot run a long-lived Service Worker, and background work is executed by the OS for a short window (typically every ~15+ minutes). To enable best-effort background claim/refund for swaps, use ExpoArkadeLightning plus a background task defined at global scope.
- Install Expo background task dependencies:
npx expo install expo-task-manager expo-background-task
npx expo install @react-native-async-storage/async-storage expo-secure-store
npx expo install expo-crypto
npx expo install expo-sqlite && npm install indexeddbshim- If you rely on the default IndexedDB-backed repositories in Expo, call
setupExpoDb()before any SDK/boltz-swap import:
import { setupExpoDb } from "@arkade-os/sdk/adapters/expo-db";
setupExpoDb();- Expo requires a
crypto.getRandomValues()polyfill for cryptographic operations:
import * as Crypto from "expo-crypto";
if (!global.crypto) global.crypto = {} as any;
global.crypto.getRandomValues = Crypto.getRandomValues;TaskManager.defineTask() must be called at module scope before React mounts.
// App entry point (e.g., _layout.tsx) — GLOBAL SCOPE
import AsyncStorage from "@react-native-async-storage/async-storage";
import * as SecureStore from "expo-secure-store";
import { SingleKey } from "@arkade-os/sdk";
import { AsyncStorageTaskQueue } from "@arkade-os/sdk/worker/expo";
import { IndexedDbSwapRepository } from "@arkade-os/boltz-swap";
import { defineExpoSwapBackgroundTask } from "@arkade-os/boltz-swap/expo";
const swapTaskQueue = new AsyncStorageTaskQueue(AsyncStorage, "ark:swap-queue");
const swapRepository = new IndexedDbSwapRepository();
defineExpoSwapBackgroundTask("ark-swap-poll", {
taskQueue: swapTaskQueue,
swapRepository,
identityFactory: async () => {
const key = await SecureStore.getItemAsync("ark-private-key");
if (!key) throw new Error("Missing private key in SecureStore");
return SingleKey.fromHex(key);
},
});Use an IWallet implementation that provides arkProvider and indexerProvider (for example ExpoWallet from @arkade-os/sdk/wallet/expo, or Wallet.create() with ExpoArkProvider / ExpoIndexerProvider).
import AsyncStorage from "@react-native-async-storage/async-storage";
import { ExpoWallet } from "@arkade-os/sdk/wallet/expo";
import { AsyncStorageTaskQueue } from "@arkade-os/sdk/worker/expo";
import { BoltzSwapProvider } from "@arkade-os/boltz-swap";
import { ExpoArkadeLightning } from "@arkade-os/boltz-swap/expo";
// Used by ExpoWallet's background task (defined via @arkade-os/sdk/wallet/expo)
const walletTaskQueue = new AsyncStorageTaskQueue(AsyncStorage, "ark:wallet-queue");
const wallet = await ExpoWallet.setup({
identity, // same identity used by identityFactory()
arkServerUrl: "https://mutinynet.arkade.sh",
storage: { walletRepository, contractRepository },
background: {
taskName: "ark-wallet-poll",
taskQueue: walletTaskQueue,
foregroundIntervalMs: 20_000,
minimumBackgroundInterval: 15,
},
});
const swapProvider = new BoltzSwapProvider({
apiUrl: "https://api.boltz.mutinynet.arkade.sh",
network: "mutinynet",
});
const arkLn = await ExpoArkadeLightning.setup({
wallet,
swapProvider,
swapRepository, // must match the one used in defineExpoSwapBackgroundTask
background: {
taskName: "ark-swap-poll",
taskQueue: swapTaskQueue, // must match the one used in defineExpoSwapBackgroundTask
foregroundIntervalMs: 20_000,
minimumBackgroundInterval: 15,
},
});
await arkLn.createLightningInvoice({ amount: 1000 });With SwapManager, refunds are automatic — listen to onSwapFailed for notifications. Without it, handle errors manually:
import { isPendingSubmarineSwap, isPendingChainSwap } from '@arkade-os/boltz-swap';
try {
await swaps.sendLightningPayment({ invoice: 'lnbc500u1pj...' });
} catch (error) {
if (error.isRefundable && error.pendingSwap) {
if (isPendingChainSwap(error.pendingSwap)) {
await swaps.refundArk(error.pendingSwap);
} else if (isPendingSubmarineSwap(error.pendingSwap)) {
await swaps.refundVHTLC(error.pendingSwap);
}
}
}Error types: InvoiceExpiredError, InvoiceFailedToPayError, InsufficientFundsError, NetworkError, SchemaError, SwapExpiredError, TransactionFailedError.
import {
isPendingReverseSwap, isPendingSubmarineSwap, isPendingChainSwap,
isChainSwapClaimable, isChainSwapRefundable,
} from '@arkade-os/boltz-swap';# Release new version (will prompt for version patch, minor, major)
pnpm release
# You can test release process without making changes
pnpm release:dry-run
# Cleanup: checkout version commit and remove release branch
pnpm release:cleanupMIT