Skip to content
🎉 Welcome to the new Aptos Docs! Click here to submit feedback!
Build
Dapp Builders

Wallet Adapter for Dapp Builders

Aptos provides a React Provider and Context for connecting Aptos wallets to your dapp. This Provider allows you to specify which Wallets you want to allow connections to. Then you can use the Provider to look up account information and sign transactions / messages.

This provides a standard interface for using all Aptos wallets, and allows new wallets to easily be supported just by updating your React Wallet Adapter dependency version.

Using the React Provider and Context

Install @aptos-labs/wallet-adapter-react.

Terminal
npm install @aptos-labs/wallet-adapter-react

(Optional) Install the plugins plugins for any “Legacy Standard Compatible” Wallets you want to support from this list.

The more modern AIP-62 wallets do NOT require installing a package - they work by default! The legacy standard required installing plugins manually.

For wallets that have not updated to using the AIP-62 standard, their plugins must be installed and passed in to the Provider manually.

For example:

Terminal
npm install @pontem/wallet-adapter-plugin

In App.tsx or it’s equivalent, import the Aptos Wallet Adapter and any legacy Wallet plugins.

App.tsx
import { AptosWalletAdapterProvider } from "@aptos-labs/wallet-adapter-react";
// Import any additional wallet plugins. Ex.
import { Pontem } from "@pontem/wallet-adapter-plugin";
// ...

Initialize the AptosWalletAdapterProvider.

You can use any of the following optional fields.

It is recommended to:

  1. Set autoConnect to true.
  2. Include plugins for any wallets that are using the legacy standard.
FieldDescriptionExample
autoConnectA prop indicates whether the dapp should auto connect with the most recently connected wallet on page reload.true
optInWalletsLimit the list of supported AIP-62 wallets to just the ones with names in optedInWallets.['Petra']
dappConfigSpecify an alternate network to work on. This prop only works for wallets which are NOT chrome extensions. If set, this object must include the name of the network the app is connected to. The object may include a aptosConnectDappId.{ network: 'mainnet', aptosConnectDappId: undefined }
onErrorA callback function to fire when the adapter throws an error.(error) => { console.log("error", error); }
pluginsAny legacy standard wallet, i.e., a wallet that is not AIP-62 standard compatible, should be installed in this array. Check https://github.com/aptos-labs/aptos-wallet-adapter/blob/main/README.md#supported-wallet-packages for a list of legacy standard wallet plugins.[new LegacyWallet()]

Full Example

App.tsx
import { AptosWalletAdapterProvider } from "@aptos-labs/wallet-adapter-react";
import { BitgetWallet } from "@bitget-wallet/aptos-wallet-adapter";
import { MartianWallet } from "@martianwallet/aptos-wallet-adapter";
import { MSafeWalletAdapter } from "@msafe/aptos-wallet-adapter";
import { OKXWallet } from "@okwallet/aptos-wallet-adapter";
import { PontemWallet } from "@pontem/wallet-adapter-plugin";
import { TrustWallet } from "@trustwallet/aptos-wallet-adapter";
import { FewchaWallet } from "fewcha-plugin-wallet-adapter";
import { PropsWithChildren } from "react";
import { Network } from "@aptos-labs/ts-sdk";
 
export const WalletProvider = ({ children }: PropsWithChildren) => {
  const wallets = [
    new BitgetWallet(),
    new FewchaWallet(),
    new MartianWallet(),
    new MSafeWalletAdapter(),
    new PontemWallet(),
    new TrustWallet(),
    new OKXWallet(),
  ];
 
  return (
    <AptosWalletAdapterProvider
      plugins={wallets}
      autoConnect={true}
      dappConfig={{ network: Network.MAINNET }}
      onError={(error) => {
    console.log("error", error);
  }}
    >
      {children}
    </AptosWalletAdapterProvider>
  );
};

Import useWallet in files where you want to access data from the Provider.

Example.tsx
import { useWallet } from "@aptos-labs/wallet-adapter-react";
 
// Access fields / functions from the adapter
const { account, connected, wallet, changeNetwork } = useWallet();

Choose a UI Package

The Wallet Adapter repository provides several UI packages to simplify allowing users to connect and select a wallet.

For UI components that work out of the box, but are less customizable, choose one of:

Otherwise, you should use the shadcn/ui package, as it has the most customization options. For more details on how to customize shadcn/ui, see this guide.

For an example that shows how these UI options work in practice, see the live demo app (you can find its reference code here).

useWallet Fields and Functions

Fields

FieldTypeDescription
connectedbooleanIndicates if the wallet is currently connected.
isLoadingbooleanIndicates if a wallet operation is currently loading.
account{ address: string; publicKey: string | string[]; minKeysRequired?: number; ansName?: string | null; } | nullCurrent account info or null if no account is connected.
network{ name: Network; chainId?: string; url?: string; } | nullCurrent network info or null if no network is selected.
wallet{ name: WalletName; icon: string; url: string; } | nullCurrent wallet info or null if no wallet is selected. Includes wallet name, icon, and URL.
walletsReadonlyArray<{ name: WalletName; url: string; icon: string; readyState: WalletReadyState.NotDetected; isAIP62Standard: true; }>List of available wallets, including standard supported ones, each with name, URL, icon, readiness state, and AIP62 standard compliance indication.

Functions

See WalletCore.ts in wallet-adapter-core for where these functions are implemented.

FunctionSignatureDescription
connectconnect(walletName: WalletName): voidConnects to the specified wallet by its name.
disconnectdisconnect(): voidDisconnects the currently connected wallet.
signTransactionsignTransaction(transactionOrPayload: AnyRawTransaction | Types.TransactionPayload, asFeePayer?: boolean, options?: InputGenerateTransactionOptions): Promise<AccountAuthenticator>Signs a transaction with optional parameters for fee payment.
submitTransactionsubmitTransaction(transaction: InputSubmitTransactionData): Promise<PendingTransactionResponse>Submits a transaction with the provided transaction data.
signAndSubmitTransactionsignAndSubmitTransaction(transaction: InputTransactionData): Promise<any>Signs and submits a transaction with the given input data.
signMessagesignMessage(message: SignMessagePayload): Promise<SignMessageResponse>Signs a message and returns the signature and other response info.
signMessageAndVerifysignMessageAndVerify(message: SignMessagePayload): Promise<boolean>Signs a message and verifies the signer.
changeNetworkchangeNetwork(network: Network): Promise<AptosChangeNetworkOutput>Requests a change in the connected network. This is not supported by all wallets.

Code Examples

See the next.js example dapp for a demonstration of how these components are used in practice:

connect() and disconnect()

connect() establishes a connection between the dapp and a Wallet. You can then use disconnect() to

WalletConnectDemo.tsx
import React from 'react';
import { WalletName, useWallet } from '@aptos-labs/wallet-adapter-react';
 
const WalletConnectDemo = () => {
  const { connect, disconnect, account, connected } = useWallet();
 
  const handleConnect = async () => {
    try {
      // Change below to the desired wallet name instead of "Petra"
      await connect("Petra" as WalletName<"Petra">); 
      console.log('Connected to wallet:', account);
    } catch (error) {
      console.error('Failed to connect to wallet:', error);
    }
  };
 
  const handleDisconnect = async () => {
    try {
      await disconnect();
      console.log('Disconnected from wallet');
    } catch (error) {
      console.error('Failed to disconnect from wallet:', error);
    }
  };
 
  return (
    <div>
      <h1>Aptos Wallet Connection</h1>
      <div>
        {connected ? (
          <div>
            <p>Connected to: {account?.address}</p>
            <button onClick={handleDisconnect}>Disconnect</button>
          </div>
        ) : (
          <button onClick={handleConnect}>Connect Wallet</button>
        )}
      </div>
    </div>
  );
};
 
export default WalletConnectDemo;

signAndSubmitTransaction

If you would like to separate out these steps, you can use signTransaction and submitTransaction separately instead.

SignAndSubmitDemo.tsx
import React from 'react';
import { useWallet } from '@aptos-labs/wallet-adapter-react'; 
import { Aptos, AptosConfig, Network } from '@aptos-labs/ts-sdk';
 
const config = new AptosConfig({ network: Network.MAINNET });
const aptos = new Aptos(config);
 
const SignAndSubmit = () => {
  const { account, signAndSubmitTransaction } = useWallet();
 
  const onSignAndSubmitTransaction = async () => {
    if(account == null) {
        throw new Error("Unable to find account to sign transaction")
    }
    const response = await signAndSubmitTransaction({
      sender: account.address,
      data: {
        function: "0x1::aptos_account::transfer",
        functionArguments: [account.address, 1],
      },
    });
    // if you want to wait for transaction
    try {
      await aptos.waitForTransaction({ transactionHash: response.hash });
    } catch (error) {
      console.error(error);
    }
  };
 
  return (
    <button onClick={onSignAndSubmitTransaction}>
      Sign and submit transaction
    </button>
  );
};
 
export default SignAndSubmit;

signMessage and verifyMessage

You can also use the shorthand signAndVerifyMessage to create a message which can be verifiably from the connected wallet.

SignMessageDemo.tsx
import React, { useState } from 'react';
import { useWallet } from '@aptos-labs/wallet-adapter-react';
 
const SignMessageDemo = () => {
  const { signMessage, signMessageAndVerify, connected, account } = useWallet();
  const [message, setMessage] = useState<string>('');
  const [nonce, setNonce] = useState<string>('');
  const [signedMessage, setSignedMessage] = useState<any>(null);
  const [verificationResult, setVerificationResult] = useState<boolean | null>(null);
  const [error, setError] = useState<string | null>(null);
 
  const handleSignMessage = async () => {
    setError(null);
    try {
      const response = await signMessage({ message, nonce });
      setSignedMessage(response);
    } catch (err: any) {
      setError(`Failed to sign message: ${err.message}`);
    }
  };
 
  const handleVerifyMessage = async () => {
    setError(null);
    try {
      const result = await signMessageAndVerify({ message, nonce });
      setVerificationResult(result);
    } catch (err: any) {
      setError(`Failed to verify message: ${err.message}`);
    }
  };
 
  return (
    <div>
      <h1>Aptos Sign and Verify Message</h1>
      <div>
        {connected ? (
          <div>
            <p>Connected to: {account?.address}</p>
            <div className="flex flex-col gap-4">
              <textarea
                value={message}
                onChange={(e) => setMessage(e.target.value)}
                placeholder="Enter your message here"
                className="border rounded p-2"
              />
              <input
                type="text"
                value={nonce}
                onChange={(e) => setNonce(e.target.value)}
                placeholder="Enter nonce (random string) here"
                className="border rounded p-2 mt-2"
              />
              <button onClick={handleSignMessage} className="bg-blue-500 text-white rounded p-2 mt-2">
                Sign Message
              </button>
              {signedMessage && (
                <div>
                  <h4>Signed Message</h4>
                  <pre>{JSON.stringify(signedMessage, null, 2)}</pre>
                  <button onClick={handleVerifyMessage} className="bg-green-500 text-white rounded p-2 mt-2">
                    Verify Message
                  </button>
                </div>
              )}
              {verificationResult !== null && (
                <div>
                  <h4>Verification Result</h4>
                  <p>{verificationResult ? 'Message is verified!' : 'Failed to verify message.'}</p>
                </div>
              )}
              {error && (
                <div className="text-red-600">
                  <p>{error}</p>
                </div>
              )}
            </div>
          </div>
        ) : (
          <p>Please connect your wallet to sign and verify messages.</p>
        )}
      </div>
    </div>
  );
};
 
export default SignMessageDemo;

changeNetwork (Not supported by all wallets)

Some wallets only support mainnet, so they will not support changeNetwork. If you are relying on this feature, ensure that you implement error handling for if a wallet that does not support changeNetwork. Nightly is an example of a wallet which does support changeNetwork.

ChangeNetworkDemo.tsx
import React from 'react';
import { useWallet } from '@aptos-labs/wallet-adapter-react';
import { Network } from '@aptos-labs/ts-sdk';
 
const ChangeNetworkDemo = () => {
  const { network, changeNetwork, wallet } = useWallet();
  const isNetworkChangeSupported = wallet?.name === "Nightly";
 
  const isValidNetworkName = () => {
    return network && Object.values<string>(Network).includes(network.name);
  };
 
  return (
    <div>
      <h4>Network Info</h4>
      <div>
        <div><strong>Network name</strong></div>
        <div>
          <span style={{ color: isValidNetworkName() ? 'green' : 'red' }}>
            {network?.name ?? 'Not Present'}
          </span>
          {` (Expected: ${Object.values<string>(Network).join(', ')})`}
        </div>
        <div><strong>URL</strong></div>
        <div>
          {network?.url ? (
            <a href={network.url} target="_blank" rel="noreferrer">
              {network.url}
            </a>
          ) : (
            'Not Present'
          )}
        </div>
        <div><strong>Chain ID</strong></div>
        <div>{network?.chainId ?? 'Not Present'}</div>
      </div>
      <div>
        <h4>Change Network</h4>
        <div>
          <label>
            <input
              type="radio"
              name="network"
              value={Network.DEVNET}
              checked={network?.name === Network.DEVNET}
              onChange={() => changeNetwork(Network.DEVNET)}
              disabled={!isNetworkChangeSupported}
            />
            Devnet
          </label>
          <label>
            <input
              type="radio"
              name="network"
              value={Network.TESTNET}
              checked={network?.name === Network.TESTNET}
              onChange={() => changeNetwork(Network.TESTNET)}
              disabled={!isNetworkChangeSupported}
            />
            Testnet
          </label>
          <label>
            <input
              type="radio"
              name="network"
              value={Network.MAINNET}
              checked={network?.name === Network.MAINNET}
              onChange={() => changeNetwork(Network.MAINNET)}
              disabled={!isNetworkChangeSupported}
            />
            Mainnet
          </label>
        </div>
        {!isNetworkChangeSupported && (
          <div>
            * {wallet?.name ?? 'This wallet'} does not support network change requests
          </div>
        )}
      </div>
    </div>
  );
};
 
export default ChangeNetworkDemo;

signAndSubmitBCSTransaction(payload) (Not supported by all wallets)

⚠️

This feature is not part of the AIP-62 standard, so it will not be supported by all Wallets. Verify with error handling before calling it.

This is similar to the signAndSubmit logic, but uses a BCS format for the transaction data.

SignAndSubmitBCSTransactionDemo.tsx
const onSignAndSubmitBCSTransaction = async () => {
  const response = await signAndSubmitTransaction({
    sender: account.address,
    data: {
      function: "0x1::aptos_account::transfer",
      functionArguments: [AccountAddress.from(account.address), new U64(1)],
    },
  });
  // if you want to wait for transaction
  try {
    await aptos.waitForTransaction({ transactionHash: response.hash });
  } catch (error) {
    console.error(error);
  }
};
 
<button onClick={onSignAndSubmitTransaction}>
  Sign and submit BCS transaction
</button>;