SDK
Protocol Kit

Protocol Kit

The Protocol Kit (opens in a new tab) enables developers to interact with Safe Smart Accounts (opens in a new tab) using a TypeScript interface. This Kit can be used to create new Safe accounts, update the configuration of existing Safes, propose and execute transactions, among other features.

Quickstart

In this quickstart guide, you will create a 2 of 3 multi-sig Safe and propose and execute a transaction to send some ETH out of this Safe.

To find more details and configuration options for available methods, see the Protocol Kit reference.

Prerequisites

  1. Node.js and npm (opens in a new tab)
  2. Three externally-owned accounts with Testnet ETH in at least one account

Install dependencies

First, we need to install some dependencies.


_10
yarn add @safe-global/protocol-kit \
_10
@safe-global/api-kit \
_10
@safe-global/safe-core-sdk-types

Initialize Signers and Providers

The signers trigger transactions to the Ethereum blockchain or off-chain transactions. The provider connects to the Ethereum blockchain.

You can get a public RPC URL from Chainlist (opens in a new tab), however, public RPC URLs can be unreliable so you can also try a dedicated provider like Infura or Alchemy.

For this guide, we will be creating a Safe on the Sepolia Testnet.


_14
// https://chainlist.org/?search=sepolia&testnets=true
_14
const RPC_URL = 'https://eth-sepolia.public.blastapi.io'
_14
_14
// Initialize signers
_14
const OWNER_1_ADDRESS = // ...
_14
const OWNER_1_PRIVATE_KEY = // ...
_14
_14
const OWNER_2_ADDRESS = // ...
_14
const OWNER_2_PRIVATE_KEY = // ...
_14
_14
const OWNER_3_ADDRESS = // ...
_14
_14
const provider = new ethers.JsonRpcProvider(RPC_URL)
_14
const owner1Signer = new ethers.Wallet(OWNER_1_PRIVATE_KEY, provider)

Initialize the API Kit

The API Kit (opens in a new tab) consumes the Safe Transaction Service API (opens in a new tab). To use this library, create a new instance of the SafeApiKit class, imported from @safe-global/api-kit. In chains where Safe provides a Transaction Service, it's enough to specify the chainId. You can specify your own service using the optional txServiceUrl parameter.

You will be using Sepolia for this tutorial, however, you can also get service URLs for different networks.


_12
import SafeApiKit from '@safe-global/api-kit'
_12
_12
const apiKit = new SafeApiKit({
_12
chainId: 1n
_12
})
_12
_12
_12
// Or using a custom service
_12
const apiKit = new SafeApiKit({
_12
chainId: 1n, // set the correct chainId
_12
txServiceUrl: 'https://url-to-your-custom-service'
_12
})

Initialize the Protocol Kit

The SafeFactory class allows the deployment of new Safe accounts while the Safe class represents an instance of a specific one.


_10
import { SafeFactory } from '@safe-global/protocol-kit'
_10
_10
const safeFactory = await SafeFactory.init({
_10
provider: RPC_URL,
_10
signer: OWNER_1_PRIVATE_KEY
_10
})

Deploy a Safe

Calling the deploySafe method will deploy the desired Safe and return a Protocol Kit initialized instance ready to be used. Check the method reference for more details on additional configuration parameters and callbacks.


_20
import { SafeAccountConfig } from '@safe-global/protocol-kit'
_20
_20
const safeAccountConfig: SafeAccountConfig = {
_20
owners: [
_20
await OWNER_1_ADDRESS,
_20
await OWNER_2_ADDRESS,
_20
await OWNER_3_ADDRESS
_20
],
_20
threshold: 2,
_20
// Optional params
_20
}
_20
_20
/* This Safe is tied to owner 1 because the factory was initialized with the owner 1 as the signer. */
_20
const protocolKitOwner1 = await safeFactory.deploySafe({ safeAccountConfig })
_20
_20
const safeAddress = await protocolKitOwner1.getAddress()
_20
_20
console.log('Your Safe has been deployed:')
_20
console.log(`https://sepolia.etherscan.io/address/${safeAddress}`)
_20
console.log(`https://app.safe.global/sep:${safeAddress}`)

Send ETH to the Safe

You will send some ETH to this Safe.


_13
const safeAddress = protocolKit.getAddress()
_13
_13
const safeAmount = ethers.parseUnits('0.01', 'ether').toHexString()
_13
_13
const transactionParameters = {
_13
to: safeAddress,
_13
value: safeAmount
_13
}
_13
_13
const tx = await owner1Signer.sendTransaction(transactionParameters)
_13
_13
console.log('Fundraising.')
_13
console.log(`Deposit Transaction: https://sepolia.etherscan.io/tx/${tx.hash}`)

Making a transaction from a Safe

The first signer will sign and propose a transaction to send 0.005 ETH out of the Safe. Then, the second signer will add their own proposal and execute the transaction since it meets the 2 of 3 thresholds.

At a high level, making a transaction from the Safe requires the following steps:

Overview

The high-level overview of a multi-sig transaction is PCE: Propose. Confirm. Execute.

  1. First signer proposes a transaction
    1. Create transaction: define the amount, destination, and any additional data
    2. Perform an off-chain signature of the transaction before proposing
    3. Submit the transaction and signature to the Safe Transaction Service
  2. Second signer confirms the transaction
    1. Get pending transactions from the Safe service
    2. Perform an off-chain signature of the transaction
    3. Submit the signature to the service
  3. Anyone executes the transaction
    1. In this example, the first signer executes the transaction
    2. Anyone can get the pending transaction from the Safe service
    3. Account executing the transaction pays the gas fee

Create a transaction

For more details on what to include in a transaction see createTransaction method.


_13
import { MetaTransactionData } from '@safe-global/safe-core-sdk-types'
_13
_13
// Any address can be used. In this example you will use vitalik.eth
_13
const destination = '0xd8dA6BF26964aF9D7eEd9e03E53415D37aA96045'
_13
const amount = ethers.parseUnits('0.005', 'ether').toString()
_13
_13
const safeTransactionData: MetaTransactionData = {
_13
to: destination,
_13
data: '0x',
_13
value: amount
_13
}
_13
// Create a Safe transaction with the provided parameters
_13
const safeTransaction = await protocolKitOwner1.createTransaction({ transactions: [safeTransactionData] })

Propose the transaction

To propose a transaction to the Safe Transaction Service we need to call the proposeTransaction method from the API Kit instance.

For a full list and description of the properties see proposeTransaction in the API Kit reference.


_13
// Deterministic hash based on transaction parameters
_13
const safeTxHash = await protocolKitOwner1.getTransactionHash(safeTransaction)
_13
_13
// Sign transaction to verify that the transaction is coming from owner 1
_13
const senderSignature = await protocolKitOwner1.signHash(safeTxHash)
_13
_13
await apiKit.proposeTransaction({
_13
safeAddress,
_13
safeTransactionData: safeTransaction.data,
_13
safeTxHash,
_13
senderAddress: OWNER_1_ADDRESS,
_13
senderSignature: senderSignature.data,
_13
})

Get pending transactions

Recall that you created the apiKit in Initialize the API Kit.


_10
const pendingTransactions = (await apiKit.getPendingTransactions(safeAddress)).results

Confirm the transaction: Second confirmation

When owner 2 is connected to the application, the Protocol Kit should be initialized again with the existing Safe address the address of the owner 2 instead of the owner 1.


_12
// Assumes that the first pending transaction is the transaction you want to confirm
_12
const transaction = pendingTransactions[0]
_12
const safeTxHash = transaction.safeTxHash
_12
_12
const protocolKitOwner2 = await Safe.init({
_12
provider: RPC_URL,
_12
signer: OWNER_2_PRIVATE_KEY,
_12
safeAddress
_12
})
_12
_12
const signature = await protocolKitOwner2.signHash(safeTxHash)
_12
const response = await apiKit.confirmTransaction(safeTxHash, signature.data)

Execute the transaction

Anyone can execute the Safe transaction once it has the required number of signatures. In this example, owner 1 will execute the transaction and pay for the gas fees.


_10
const safeTransaction = await apiKit.getTransaction(safeTxHash)
_10
const executeTxResponse = await protocolKit.executeTransaction(safeTransaction)
_10
const receipt = await executeTxResponse.transactionResponse?.wait()
_10
_10
console.log('Transaction executed:')
_10
console.log(`https://sepolia.etherscan.io/tx/${receipt.transactionHash}`)

Confirm that the transaction was executed

You know that the transaction was executed if the balance in your Safe changes.


_10
const afterBalance = await protocolKit.getBalance()
_10
_10
console.log(`The final balance of the Safe: ${ethers.formatUnits(afterBalance, 'ether')} ETH`)


_10
$ node index.js
_10
_10
Fundraising.
_10
_10
Initial balance of Safe: 0.01 ETH
_10
Buying a car.
_10
The final balance of the Safe: 0.005 ETH

Conclusion

In this quickstart, you learned how to create and deploy a new Safe account and to propose and then execute a transaction from it.

Was this page helpful?