コンテンツへスキップ

Set Up Multi-Signing

This tutorial shows up how to set up multi-signing on your XRP Ledger account, which allows you to authorize transactions using signatures from a combination of keys. Various configurations are possible, but this tutorial shows a straightforward configuration requiring 2 of 3 signers to authorize a transaction.

Goals

By following this tutorial, you should learn how to:

  • Generate key pairs you can use for multi-signing.
  • Add or update a signer list on your account.
  • Look up the signer list associated with an account, including its configured weights and quorum.

Prerequisites

To complete this tutorial, you should:

Source Code

You can find the complete source code for this tutorial's examples in the code samples section of this website's repository.

Steps

1. Install dependencies

From the code sample folder, use npm to install dependencies:

npm i

2. Connect and get account(s)

To get started, import the client library and instantiate an API client. For this tutorial, you need one account, which the sample code funds using the Testnet faucet; you could also use an existing account.

import xrpl from 'xrpl'

const client = new xrpl.Client('wss://s.altnet.rippletest.net:51233')
await client.connect()

console.log('Funding new wallet from faucet...')
const { wallet } = await client.fundWallet()
console.log(`Funded. Master key pair:
  Address: ${wallet.address}
  Seed: ${wallet.seed}
`)

3. Prepare signer keys

Each signer on your list needs a key pair they can use to sign transactions. As the account owner, you only need to know the addresses, not the secret keys, of each signer. One party knowing all the secret keys might defeat the purpose of multi-signing, depending on your use case. These addresses can have funded accounts in the ledger, but they don't have to.

Each signer should securely generate and store their own key pair, as you would any time you generate keys for an XRP Ledger account.

// Generate key pairs to use as signers ----------------------------------------
// If each signer represents a separate person, they should generate their own
// key pairs and send you just the address. These key pairs don't need to be
// funded accounts in the ledger.
const algorithm = 'ed25519'
const signerAddresses = []
for (let i = 0; i < 3; i++) {
  const signer = xrpl.Wallet.generate(algorithm)
  console.log(`Generated key pair for signer ${i + 1}:
  Address: ${signer.address}
  Seed: ${signer.seed}
  Algorithm: ${algorithm}
`)
  signerAddresses.push(signer.address)
}

For purposes of this tutorial, the sample code generates three key pairs and saves their addresses into an array.

4. Send SignerListSet transaction

Use a SignerListSet transaction to assign a multi-signing list to your account. For this transaction, you set the total weight needed for a quorum in the SignerQuorum field, and the list of signers with their individual weights in the SignerEntries field. For 2-of-3 multi-signing, give each of the three signers a weight of 1 and set the quorum to 2. Note that each object in the SignerEntries array must be a wrapper object with a single SignerEntry field.

// Send SignerListSet transaction ----------------------------------------------
// This example sets up a 2-of-3 requirement with all signers weighted equally
const signerEntries = []
for (const signerAddress of signerAddresses) {
  signerEntries.push({
    SignerEntry: {
      Account: signerAddress,
      SignerWeight: 1
    }
  })
}
const signerListSetTx = {
  TransactionType: 'SignerListSet',
  Account: wallet.address,
  SignerQuorum: 2,
  SignerEntries: signerEntries
}
xrpl.validate(signerListSetTx)

console.log('Signing and submitting the SignerListSet transaction:',
  JSON.stringify(signerListSetTx, null, 2))
const response = await client.submitAndWait(signerListSetTx, { wallet, autofill: true })

// Check result of the SignerListSet transaction -------------------------------
console.log(JSON.stringify(response.result, null, 2))
const listSetResultCode = response.result.meta.TransactionResult
if (listSetResultCode === 'tesSUCCESS') {
  console.log('Signer list set successfully.')
} else {
  console.error(`SignerListSet failed with code ${listSetResultCode}.`)
  client.disconnect()
  process.exit(1)
}
Tip: Replacing Signer Lists

If you already have a multi-signing list configured for your account, you can use this same process to replace it with a new list. You can even use the old list to authorize the transaction.

5. Confirm that the signer list is assigned to your account

If the SignerListSet transaction succeeded, the list should now be associated with your account. For further confirmation, you can look up the list using the account_info method.

// Confirm signer list ---------------------------------------------------------
const accountInfoResp = await client.request({
  command: 'account_info',
  account: wallet.address,
  ledger_index: 'validated',
  signer_lists: true
})
if (accountInfoResp.error) {
  console.error('Error looking up account:', accountInfoResp.error)
  client.disconnect()
  process.exit(1)
}

if (accountInfoResp.result.signer_lists) {
  const lists = accountInfoResp.result.signer_lists
  console.log(`Account has ${lists.length} signer list(s):`)
  for (const l of lists) {
    console.log(`  List #${l.SignerListID} Quorum = ${l.SignerQuorum}`)
    for (const SEWrapper of l.SignerEntries) {
      const se = SEWrapper.SignerEntry
      console.log(`    Signer ${se.Account} Weight = ${se.SignerWeight}`)
    }
  }
} else {
  console.error(`No signer lists associated with ${wallet.address}`)
  client.disconnect()
  process.exit(1)
}

client.disconnect()
Note

There currently is no way to have more than one multi-signing list assigned to your account, but the protocol is built to be expandable; every signer list has an ID number of 0, so that a future amendment could allow lists with other IDs. This is why the signer_lists field is an array in the account_info response.

Next Steps

At this point, you can send a multi-signed transaction. You may also want to:

See Also