Skip to content

fastnear/near-connect

 
 

Repository files navigation

NEAR Connect

ezgif-26d74832f88c3c

This is a FastNear fork of the MIT licensed https://github.com/azbang/near-connect that makes modifications such that a function-call access key can reside in local storage and not prompt the end user to sign each time. Every transaction that contains a non-zero deposit still triggers the wallet confirmation.

Zero-dependency, robust, secure and lightweight wallet connector for the NEAR blockchain with easily updatable wallets code

yarn add @fastnear/near-connect

How it works

Unlike near-wallet-selector, this library provides a secure execution environment for integrating wallets. This eliminates the need for a single registry of code for all wallets.

Available wallets in manifest

  • HOT Wallet
  • Meteor Wallet
  • Intear Wallet
  • MyNearWallet
  • Nightly Wallet
  • Near Mobile Wallet
  • Unity Wallet
  • OKX Wallet
  • NEAR CLI (via near-cli-rs)
  • any wallet via WalletConnect

Dapp integration

import { NearConnector } from "@fastnear/near-connect";

const connector = new NearConnector();

connector.on("wallet:signOut", async () => {});

Listen for "sign in" events

// Listen for account sign in
connector.on("wallet:signIn", async (t) => {
  const source = t.source; // "signIn" or "signInAndSignMessage" (see below)
  const wallet = await connector.wallet();
  const address = t.accounts[0].accountId;
});

// Listen for account sign in (including signed message)
connector.on("wallet:signInAndSignMessage", async (t) => {
  const wallet = await connector.wallet();
  const address = t.accounts[0].accountId;
  const signedMessage = t.accounts[0].signedMessage;
});

Initialize connection to wallet and sign in

// Initiate connector and sign in (account only) and trigger "wallet:signIn"
await connector.connect();

// Initiate connector and sign in (account and a signed message)
// Triggers "wallet:signInAndSignMessage" (and "wallet:signIn" with "source" = "signInAndSignMessage")
await connector.connect({
  signMessageParams: {
    message: "Sign in to Example App",
    recipient: "Demo app",
    nonce
  }
});

WalletConnect support (optional)

Some wallets only work when you pass WalletConnect sign client to NearConnector, without it these wallets do not appear as an option to connect

// Or use Reown appKit
import SignClient from "@walletconnect/sign-client";
const walletConnect = SignClient.init({ projectId: "...", metadata: {} });

import { NearConnector } from "@fastnear/near-connect";
const connector = new NearConnector({ walletConnect });

SignIn with limited key

new NearConnector({ signIn: { contractId: "game.near", methods: ["action"] } });

Some wallets allow adding a limited-access key to a contract as soon as the user connects their wallet. This enables the app to sign non-payable transactions without requiring wallet approval each time. However, this approach requires the user to submit an on-chain transaction during the initial connection, which may negatively affect the user experience. A better practice is to add the limited-access key after the user has already begun actively interacting with your application — see addFunctionCallKey below.

Add function-call access key after sign-in (recommended)

Instead of adding a key during sign-in, use addFunctionCallKey after the user has started interacting with your app. This avoids the on-chain transaction at sign-in time and provides a better UX.

const connector = new NearConnector();
await connector.connect();

// When the user starts interacting, add a function-call access key:
const result = await connector.addFunctionCallKey({
  contractId: "game.near",
  methodNames: ["play_turn", "claim_reward"], // optional, empty = all methods
  allowance: "250000000000000000000000", // optional, 0.25 NEAR
});

// Now zero-deposit function calls are signed locally (no popup):
const wallet = await connector.wallet();
await wallet.signAndSendTransaction({
  receiverId: "game.near",
  actions: [
    {
      type: "FunctionCall",
      params: {
        methodName: "play_turn",
        args: {},
        gas: "30000000000000",
        deposit: "0",
      },
    },
  ],
});

The user approves one wallet popup (the AddKey transaction), and all subsequent zero-deposit function calls to the specified contract are signed locally with no popup.

Wallets that support this feature declare addFunctionCallKey: true in their manifest. You can filter for compatible wallets:

const connector = new NearConnector({
  features: { addFunctionCallKey: true },
});

SignAndSendTransaction format actions

This library supports two types of actions when using methods like signAndSendTransaction:

  1. near-wallet-selector Action format
    For backward compatibility, you can use actions in the same format as [near-wallet-selector], with all action types defined in ./src/actions/types (such as FunctionCall, Transfer, AddKey, etc.).

  2. near-api-js actionsCreator format
    You can also use actions created via the actionsCreator functions from near-api-js (for example, transactions.functionCall(...) and other actions from the package).

You can use the old action format or the near-api-js format (recommended).

Wallet integration

The developer writes a self-hosted script that implements the integration of their wallet and adds a description to the common manifest:

{
  "id": "hot-wallet",
  "version": "1.0.0",
  "name": "HOT Wallet",
  "description": "Secure Multichain wallet. Manage assets, refuel gas, and mine $HOT on any device with HOT Wallet",
  "icon": "https://app.hot-labs.org/images/hot/hot-icon.png",
  "website": "https://hot-labs.org/wallet",

  "executor": "https://raw.githubusercontent.com/hot-dao/near-selector/refs/heads/main/repository/hotwallet.js",
  "type": "sandbox",

  "platform": {
    "android": "https://play.google.com/store/apps/details?id=app.herewallet.hot&hl=en",
    "ios": "https://apps.apple.com/us/app/hot-wallet/id6740916148",
    "chrome": "https://chromewebstore.google.com/detail/hot-wallet/mpeengabcnhhjjgleiodimegnkpcenbk",
    "firefox": "https://addons.mozilla.org/en-US/firefox/addon/hot-wallet",
    "tga": "https://t.me/hot_wallet"
  },

  "features": {
    "signMessage": true,
    "signTransaction": true,
    "signAndSendTransaction": true,
    "signAndSendTransactions": true,
    "signInWithoutAddKey": true,
    "verifyOwner": false,
    "testnet": false
  },

  "permissions": {
    "storage": true,
    "allowsOpen": ["https://hot-labs.org", "https://t.me/hot_wallet", "hotwallet://"]
  }
}

The executor endpoint called in a standalone iframe if the user decides to use this wallet on the site. The script implements the NearWallet wallet class and registers it in a special object window.selector.ready(yourNearWallet)

After that, the library delegates user requests directly to yourNearWallet via iframe.postMessage communication. In addition, the script has the ability to draw any UI in the area allocated for the iframe that is necessary for interaction with the wallet.

Sandbox limitations

For security, the wallet script runs in a sandboxed iframe, which has many limitations. It cannot call modals or access an external page or use localStorage. The window.selector implements some features for this:

interface NearSelector {
  location: string; // initial dapp location href
  ready: (wallet: any) => void; // must call executor script for register wallet
  open: (url: string, newTab = false) => void; // used for my-near-wallet

  // use instead of localStorage
  storage: {
    set: (key: string, value: string) => Promise<void>;
    get: (key: string) => Promise<string>;
    remove: (key: string) => Promise<void>;
    keys: () => Promise<string[]>;
  };
}

Manifest permissions

  • { "storage": true }: Use window.selector.storage in execution script
  • { "allowsOpen": ["https://wallet.app"] } Use window.selector.open for allow domains
  • { "location": true }: Use window.selector.location for initial url from dapp
  • { "walletConnect": true }: Use window.selector.walletConnect for use client

Manifest features

Each wallet must specify in the manifest a list of features that are supported. This will help dApps filter wallets by the required features. As soon as the wallet starts supporting the required feature -- it simply adds it to the manifest and updates its execution script, all dapps automatically download the updates without the need to update the frontend.

const selector = new NearConnector({
  // Show wallets that support signMessage and testnet env
  features: { signMessage: true, testnet: true },
});

Branding UI

Currently, the library is branded as NEAR Connector in the footer of modal windows. You can set your own brand or completely disable the footer using this method:

const selector = new NearConnector({
  // or { icon: "url", heading: "", link: "", linkText: "" }
  footerBranding: null,
});

How to add my wallet?

When you develop a connector for your wallet, you can immediately test your code on real applications that use NEAR Connect. Super easy! Once you have written your executor script and tested it - you only need to send a PR to update repository/manifest.json. After review, your wallet will automatically become available to all dApps that use the NEAR Connect.

Preview

Injected wallets

Like Ethereum Multi Injected Provider Standart this library supports injected wallets for extenstions and in-app browsers. Your injection script can dispatch custom event with your wallet:

class NearWallet {
  manifest: { ... };
  signIn() {}
  // all implementation
}

window.addEventListener("near-selector-ready", () => {
  window.dispatchEvent(new CustomEvent("near-wallet-injected", { detail: new NearWallet() }));
});

Executor timeout and error reporting

Wallet executors run in sandboxed about:srcdoc iframes. When an executor is loaded, the library awaits a readyPromise that resolves when the executor calls window.selector.ready(wallet). If the executor crashes before calling ready() (e.g., a SecurityError from localStorage access under SES lockdown), the promise would hang indefinitely, blocking restore() and leaving the UI stuck.

Three layers of defense prevent this:

  1. In-iframe error reporter (SandboxedWallet/code.ts): A <script> block injected before all other scripts installs error and unhandledrejection listeners that post a wallet-error message to the parent with the error details. This gives fast failure with a diagnostic message instead of a silent wait.

  2. readyPromise rejection (SandboxedWallet/iframe.ts): The IframeExecutor handles wallet-error messages by rejecting readyPromise with the crash reason, so the caller gets an immediate, descriptive error.

  3. Timeout fallback (SandboxedWallet/executor.ts): A 5-second Promise.race catches cases where even the error reporter fails (e.g., the script never loads). The timeout is cleaned up via clearTimeout in a finally block to prevent dangling timers and unhandled rejections on the happy path.

Why this design?

  • No browser API can replace the postMessage handshake: the iframe load event fires before <script type="module"> executes, and the error event only fires for network failures, not JS exceptions.
  • The parent cannot detect errors in a sandboxed iframe (opaque origin, no contentWindow access), so the iframe must self-report via postMessage.
  • Promise.race + setTimeout is the standard pattern for timing out postMessage handshakes. WalletConnect's verify iframe lacks this and has a known bug where their iframe hangs connections indefinitely.
  • The dangling timer from Promise.race must be cleared in a finally block — otherwise the setTimeout stays scheduled on the happy path, eventually calling reject() on a settled promise and producing an unhandled rejection.

References

Background and future audit scope

Maintaining the current near-wallet-selector takes a lot of time and effort, wallet developers wait a long time to get an update to their connector inside a monolithic code base. After which they can wait months for applications to integrate their wallet into their site or update their frontend to update the wallet connector. This requires a lot of work on the review side of the near-wallet-selector team and STILL does not ensure the security of internal packages that will be installed in applications (for example, RHEA Finance or Near Intents). All these problems prompted us to write a new solution that will:

  1. safely and isolatedly execute the code for connecting to wallets
  2. quickly and conveniently update wallets on all sites
  3. Save the internal near-wallet-selector team from endlessly maintaining a huge code base, because now only the wallet itself is responsible for the connection of each wallet and hosts its script wherever it wants.

The auditor does not need to look for vulnerabilities in the connection code of each wallet, this is the responsibility of the wallet team and their own audits. The selector audit should be aimed at investigating the risks of interaction with the isolated code that is launched at the moment of connection to the wallet. The auditor should assess the reliability of the permissions that are described in the manifest and API for interaction of the isolated code with the host. In fact, main target for audit is src/wallets/near-wallets/SandboxedWallet/*.

Additional: Auditing src/helpers will help assess the correctness of the coding algorithms. Auditing src/popups will help assess the correctness of interaction with the DOM, the presence of potential XSS attacks.

Publishing

To publish a new version of @fastnear/near-connect:

  1. Build the library:

    yarn build
  2. Bump the version in the root package.json.

  3. Publish to npm:

    yarn npm publish --access public --otp 

Note: Only @fastnear/near-connect is published to npm. The near-wallets/ package is not published separately — it builds executor scripts into ./repository/ and CDN bundles into ./cdn/, which are referenced by the manifest.

Contributions

Main contributor:

Andrei Zhevlakov (CTO at HOT Labs)

andrey@herewallet.app

About

An easily upgradable, secure and lightweight wallet connector for the NEAR blockchain

Resources

Stars

Watchers

Forks

Releases

No releases published

Packages

 
 
 

Contributors

Languages

  • TypeScript 56.8%
  • JavaScript 40.4%
  • HTML 2.1%
  • CSS 0.7%