Skip to main content

Interacting with COAs from Cadence

Cadence Owned Accounts (COAs) are EVM accounts owned by a Cadence resource and are used to interact with Flow EVM from Cadence.

COAs expose two interfaces for interaction: one on the Cadence side and one on the EVM side. In this guide, we will focus on how to interact with COAs with Cadence.

In this guide we will walk through some basic examples creating and interacting with a COA in Cadence. Your specific usage of the COA resource will depend on your own application's requirements (e.g. the COA resource may not live directly in /storage/evm as in these examples, but may instead be a part of a more complex resource structure).

COA Interface

To begin, we can take a look at a simplified version of the EVM contract, highlighting parts specific to COAs.

You can learn more about the EVM contract here and the full contract code can be found on GitHub.

EVM.cdc

_56
access(all)
_56
contract EVM {
_56
//...
_56
access(all)
_56
resource CadenceOwnedAccount: Addressable {
_56
/// The EVM address of the cadence owned account
_56
/// -> could be used to query balance, code, nonce, etc.
_56
access(all)
_56
view fun address(): EVM.EVMAddress
_56
_56
/// Get balance of the cadence owned account
_56
/// This balance
_56
access(all)
_56
view fun balance(): EVM.Balance
_56
_56
/// Deposits the given vault into the cadence owned account's balance
_56
access(all)
_56
fun deposit(from: @FlowToken.Vault)
_56
_56
/// The EVM address of the cadence owned account behind an entitlement, acting as proof of access
_56
access(EVM.Owner | EVM.Validate)
_56
view fun protectedAddress(): EVM.EVMAddress
_56
_56
/// Withdraws the balance from the cadence owned account's balance
_56
/// Note that amounts smaller than 10nF (10e-8) can't be withdrawn
_56
/// given that Flow Token Vaults use UFix64s to store balances.
_56
/// If the given balance conversion to UFix64 results in
_56
/// rounding error, this function would fail.
_56
access(EVM.Owner | EVM.Withdraw)
_56
fun withdraw(balance: EVM.Balance): @FlowToken.Vault
_56
_56
/// Deploys a contract to the EVM environment.
_56
/// Returns the address of the newly deployed contract
_56
access(EVM.Owner | EVM.Deploy)
_56
fun deploy(
_56
code: [UInt8],
_56
gasLimit: UInt64,
_56
value: Balance
_56
): EVM.EVMAddress
_56
_56
/// Calls a function with the given data.
_56
/// The execution is limited by the given amount of gas
_56
access(EVM.Owner | EVM.Call)
_56
fun call(
_56
to: EVMAddress,
_56
data: [UInt8],
_56
gasLimit: UInt64,
_56
value: Balance
_56
): EVM.Result
_56
}
_56
_56
// Create a new CadenceOwnedAccount resource
_56
access(all)
_56
fun createCadenceOwnedAccount(): @EVM.CadenceOwnedAccount
_56
// ...
_56
}

Importing the EVM Contract

The CadenceOwnedAccount resource is a part of the EVM system contract, so to use any of these functions, you will need to begin by importing the EVM contract into your Cadence code.

To import the EVM contract into your Cadence code using the simple import syntax, you can use the following format (learn more about configuring contracts in flow.json here):


_10
// This assumes you are working in the in the Flow CLI, FCL, or another tool that supports this syntax
_10
// The contract address should be configured in your project's `flow.json` file
_10
import "EVM"
_10
// ...

However, if you wish to use manual address imports instead, you can use the following format:


_10
// Must use the correct address based on the network you are interacting with
_10
import EVM from 0x1234
_10
// ...

To find the deployment addresses of the EVM contract, you can refer to the EVM contract documentation.

Creating a COA

To create a COA, we can use the createCadenceOwnedAccount function from the EVM contract. This function takes no arguments and returns a new CadenceOwnedAccount resource which represents this newly created EVM account.

For example, we can create this COA in a transaction, saving it to the user's storage and publishing a public capability to its reference:

create_coa.cdc

_17
import "EVM"
_17
_17
// Note that this is a simplified example & will not handle cases where the COA already exists
_17
transaction() {
_17
prepare(signer: auth(SaveValue, IssueStorageCapabilityController, PublishCapability) &Account) {
_17
let storagePath = /storage/evm
_17
let publicPath = /public/evm
_17
_17
// Create account & save to storage
_17
let coa: @EVM.CadenceOwnedAccount <- EVM.createCadenceOwnedAccount()
_17
signer.storage.save(<-coa, to: storagePath)
_17
_17
// Publish a public capability to the COA
_17
let cap = signer.capabilities.storage.issue<&EVM.CadenceOwnedAccount>(storagePath)
_17
signer.capabilities.publish(cap, at: publicPath)
_17
}
_17
}

Getting the EVM Address of a COA

To get the EVM address of a COA, you can use the address function from the EVM contract. This function returns the EVM address of the COA as an EVM.Address struct. This struct is used to represent addresses within Flow EVM and can also be used to query the balance, code, nonce, etc. of an account.

For our example, we could query the address of the COA we just created with the following script:

get_coa_address.cdc

_15
import "EVM"
_15
_15
access(all)
_15
fun main(address: Address): EVM.EVMAddress {
_15
// Get the desired Flow account holding the COA in storage
_15
let account = getAuthAccount<auth(Storage) &Account>(address)
_15
_15
// Borrow a reference to the COA from the storage location we saved it to
_15
let coa = account.storage.borrow<&EVM.CadenceOwnedAccount>(
_15
from: /storage/evm
_15
) ?? panic("Could not borrow reference to the COA")
_15
_15
// Return the EVM address of the COA
_15
return coa.address()
_15
}

If you'd prefer the hex representation of the address, you instead return using the EVMAddress.toString() function:


_10
return coa.address().toString()

The above will return the EVM address as a string; however note that Cadence does not prefix hex strings with 0x.

Getting the Flow Balance of a COA

Like any other Flow EVM or Cadence account, COAs possess a balance of FLOW tokens. To get the current balance of our COA, we can use the COA's balance function. It will return a EVM.Balance struct for the account - these are used to represent balances within Flow EVM.

This script will query the current balance of our newly created COA:

get_coa_balance.cdc

_15
import "EVM"
_15
_15
access(all)
_15
fun main(address: Address): EVM.Balance {
_15
// Get the desired Flow account holding the COA in storage
_15
let account = getAuthAccount<auth(Storage) &Account>(address)
_15
_15
// Borrow a reference to the COA from the storage location we saved it to
_15
let coa = account.storage.borrow<&EVM.CadenceOwnedAccount>(
_15
from: /storage/evm
_15
) ?? panic("Could not borrow reference to the COA")
_15
_15
// Get the current balance of this COA
_15
return coa.balance()
_15
}

You can also easily get the UFix64 FLOW balance of any EVM address with this script:

get_coa_balance_as_ufix64.cdc

_10
import "EVM"
_10
_10
access(all)
_10
fun main(addressHex: String): UFix64 {
_10
let addr = EVM.addressFromString(addressHex)
_10
return addr.balance().inFLOW()
_10
}

The above script is helpful if you already know the COA address and can provide the hex representation directly.

Depositing and Withdrawing Flow Tokens

Tokens can be seamlessly transferred between the Flow EVM and Cadence environment using the deposit and withdraw functions provided by the COA resource. Anybody with a valid reference to a COA may deposit Flow tokens into a it, however only someone with the Owner or Withdraw entitlements can withdraw tokens.

Depositing Flow Tokens

The deposit function takes a FlowToken.Vault resource as an argument, representing the tokens to deposit. It will transfer the tokens from the vault into the COA's balance.

This transaction will withdraw Flow tokens from a user's Cadence vault and deposit them into their COA:

deposit_to_coa.cdc

_26
import "EVM"
_26
import "FungibleToken"
_26
import "FlowToken"
_26
_26
transaction(amount: UFix64) {
_26
let coa: &EVM.CadenceOwnedAccount
_26
let sentVault: @FlowToken.Vault
_26
_26
prepare(signer: auth(BorrowValue) &Account) {
_26
// Borrow the public capability to the COA from the desired account
_26
// This script could be modified to deposit into any account with a `EVM.CadenceOwnedAccount` capability
_26
self.coa = signer.capabilities.borrow<&EVM.CadenceOwnedAccount>(/public/evm)
_26
?? panic("Could not borrow reference to the COA")
_26
_26
// Withdraw the balance from the COA, we will use this later to deposit into the receiving account
_26
let vaultRef = signer.storage.borrow<auth(FungibleToken.Withdraw) &FlowToken.Vault>(
_26
from: /storage/flowTokenVault
_26
) ?? panic("Could not borrow reference to the owner's Vault")
_26
self.sentVault <- vaultRef.withdraw(amount: amount) as! @FlowToken.Vault
_26
}
_26
_26
execute {
_26
// Deposit the withdrawn tokens into the COA
_26
self.coa.deposit(from: <-self.sentVault)
_26
}
_26
}

info

This is a basic example which only transfers tokens between a single user's COA & Flow account. It can be easily modified to transfer these tokens between any arbitrary accounts.

You can also deposit tokens directly into other types of EVM accounts using the EVM.EVMAddress.deposit function. See the EVM contract documentation for more information.

Withdrawing Flow Tokens

The withdraw function takes a EVM.Balance struct as an argument, representing the amount of Flow tokens to withdraw, and returns a FlowToken.Vault resource with the withdrawn tokens.

We can run the following transaction to withdraw Flow tokens from a user's COA and deposit them into their Flow vault:

withdraw_from_coa.cdc

_31
import "EVM"
_31
import "FungibleToken"
_31
import "FlowToken"
_31
_31
transaction(amount: UFix64) {
_31
let sentVault: @FlowToken.Vault
_31
let receiver: &{FungibleToken.Receiver}
_31
_31
prepare(signer: auth(BorrowValue) &Account) {
_31
// Borrow a reference to the COA from the storage location we saved it to with the `EVM.Withdraw` entitlement
_31
let coa = signer.storage.borrow<auth(EVM.Withdraw) &EVM.CadenceOwnedAccount>(
_31
from: /storage/evm
_31
) ?? panic("Could not borrow reference to the COA")
_31
_31
// We must create a `EVM.Balance` struct to represent the amount of Flow tokens to withdraw
_31
let withdrawBalance = EVM.Balance(attoflow: 0)
_31
withdrawBalance.setFLOW(flow: amount)
_31
_31
// Withdraw the balance from the COA, we will use this later to deposit into the receiving account
_31
self.sentVault <- coa.withdraw(balance: withdrawBalance) as! @FlowToken.Vault
_31
_31
// Borrow the public capability to the receiving account (in this case the signer's own Vault)
_31
// This script could be modified to deposit into any account with a `FungibleToken.Receiver` capability
_31
self.receiver = signer.capabilities.borrow<&{FungibleToken.Receiver}>(/public/flowTokenReceiver)!
_31
}
_31
_31
execute {
_31
// Deposit the withdrawn tokens into the receiving vault
_31
self.receiver.deposit(from: <-self.sentVault)
_31
}
_31
}

info

This is a basic example which only transfers tokens between a single user's COA & Flow account. It can be easily modified to transfer these tokens between any arbitrary accounts.

Direct Calls to Flow EVM

To interact with smart contracts on the EVM, you can use the call function provided by the COA resource. This function takes the EVM address of the contract you want to call, the data you want to send, the gas limit, and the value you want to send. It will return a EVM.Result struct with the result of the call - you will need to handle this result in your Cadence code.

This transaction will use the signer's COA to call a contract method with the defined signature and args at a given EVM address, executing with the provided gas limit and value:

call.cdc

_43
import "EVM"
_43
_43
/// Calls the function with the provided signature and args at the target contract address using
_43
/// the defined gas limit and transmitting the provided value.
_43
transaction(evmContractHex: String, signature: String, args: [AnyStruct], gasLimit: UInt64, flowValue: UInt) {
_43
let coa: auth(EVM.Call) &EVM.CadenceOwnedAccount
_43
_43
prepare(signer: auth(BorrowValue) &Account) {
_43
// Borrow an entitled reference to the COA from the storage location we saved it to
_43
self.coa = signer.storage.borrow<auth(EVM.Call) &EVM.CadenceOwnedAccount>(
_43
from: /storage/evm
_43
) ?? panic("Could not borrow reference to the COA")
_43
}
_43
_43
execute {
_43
// Deserialize the EVM address from the hex string
_43
let contractAddress = EVM.addressFromString(evmContractHex)
_43
// Construct the calldata from the signature and arguments
_43
let calldata = EVM.encodeABIWithSignature(
_43
signature,
_43
args
_43
)
_43
// Define the value as EVM.Balance struct
_43
let value = EVM.Balance(attoflow: flowValue)
_43
// Call the contract at the given EVM address with the given data, gas limit, and value
_43
// These values could be configured through the transaction arguments or other means
_43
// however, for simplicity, we will hardcode them here
_43
let result: EVM.Result = self.coa.call(
_43
to: contractAddress,
_43
data: calldata,
_43
gasLimit: gasLimit,
_43
value: value
_43
)
_43
_43
// Revert the transaction if the call was not successful
_43
// Note: a failing EVM call will not automatically revert the Cadence transaction
_43
// and it is up to the developer to use this result however it suits their application
_43
assert(
_43
result.status == EVM.Status.successful,
_43
message: "EVM call failed"
_43
)
_43
}
_43
}

info

Notice that the calldata is encoded in the scope of the transaction. While developers can encode the calldata outside the scope of the transaction and pass the encoded data as an argument, doing so compromises the human-readability of Cadence transactions.

It's encouraged to either define transactions for each COA call and encoded the hardcoded EVM signature and arguments, or to pass in the human-readable arguments and signature and encode the calldata within the transaction. This ensures a more interpretable and therefore transparent transaction.

Transferring FLOW in EVM

Similar to transferring ETH and other native value in other EVMs, you'll want to call to the target EVM address with empty calldata and providing the transfer value.

transfer_evm_flow.cdc

_35
import "EVM"
_35
_35
/// Transfers FLOW to another EVM address from the signer's COA
_35
///
_35
/// @param to: the serialized EVM address of the recipient
_35
/// @param amount: the amount of FLOW to send
_35
transaction(to: String, amount: UInt) {
_35
_35
let recipient: EVM.EVMAddress
_35
let recipientPreBalance: UInt
_35
let coa: auth(EVM.Call) &EVM.CadenceOwnedAccount
_35
_35
prepare(signer: auth(BorrowValue) &Account) {
_35
self.recipient = EVM.addressFromString(to)
_35
self.recipientPreBalance = self.recipient.balance().attoflow
_35
self.coa = signer.storage.borrow<auth(EVM.Call) &EVM.CadenceOwnedAccount>(from: /storage/evm)
_35
?? panic("No COA found in signer's account")
_35
}
_35
_35
execute {
_35
let res = self.coa.call(
_35
to: self.recipient,
_35
data: [],
_35
gasLimit: 100_000,
_35
value: EVM.Balance(attoflow: amount)
_35
)
_35
_35
assert(res.status == EVM.Status.successful, message: "Failed to transfer FLOW to EVM address")
_35
}
_35
_35
post {
_35
self.recipient.balance().attoflow == self.recipientPreBalance + amount:
_35
"Problem transferring value to EVM address"
_35
}
_35
}

Transfer ERC20

Below is an example transaction demonstrating the common ERC20 transfer. A similar pattern can be used for other arbitrary EVM calls.

erc20_transfer_from.cdc

_36
import "EVM"
_36
_36
/// Transfers ERC20 tokens from the signer's COA to the named recipient in the amount provided
_36
///
_36
/// @param erc20AddressHex: the serialized EVM address of the ERC20 contract
_36
/// @param to: the serialized EVM address of the recipient
_36
/// @param amount: the amount of tokens to send
_36
transaction(erc20AddressHex: String, to: String, amount: UInt256) {
_36
let coa: auth(EVM.Call) &EVM.CadenceOwnedAccount
_36
_36
prepare(signer: auth(BorrowValue) &Account) {
_36
// Borrow an entitled reference to the COA from the canonical storage location
_36
self.coa = signer.storage.borrow<auth(EVM.Call) &EVM.CadenceOwnedAccount>(
_36
from: /storage/evm
_36
) ?? panic("Could not borrow reference to the COA")
_36
}
_36
_36
execute {
_36
// Call the contract at the given ERC20 address with encoded calldata and 0 value
_36
let result: EVM.Result = self.coa.call(
_36
to: EVM.addressFromString(erc20AddressHex), // deserialized address
_36
data: EVM.encodeABIWithSignature("transfer(address,uint256)", []), // encoded calldata
_36
gasLimit: 100_000, // 100k gas should cover most erc20 transfers
_36
value: EVM.Balance(attoflow: UInt(0)) // no value required in most cases
_36
)
_36
_36
// Revert the transaction if the call was not successful
_36
// Note: a failing EVM call will not automatically revert the Cadence transaction
_36
// and it is up to the developer to use this result however it suits their application
_36
assert(
_36
result.status == EVM.Status.successful,
_36
message: "ERC20.transfer call failed with error code: ".concat(result.errorCode.toString())
_36
.concat(": ").concat(result.errorMessage)
_36
)
_36
}
_36
}

Transfer ERC721

Following on from above, the example transaction below demonstrates a common ERC721 transfer.

erc721_transfer.cdc

_40
import "EVM"
_40
_40
/// Transfers an ERC721 token from the signer's COA to the named recipient
_40
///
_40
/// @param erc721AddressHex: the serialized EVM address of the ERC721 contract
_40
/// @param to: the serialized EVM address of the recipient
_40
/// @param id: the token ID to send from the signer's COA to the recipient
_40
transaction(erc721AddressHex: String, to: String, id: UInt256) {
_40
let coa: auth(EVM.Call) &EVM.CadenceOwnedAccount
_40
_40
prepare(signer: auth(BorrowValue) &Account) {
_40
// Borrow an entitled reference to the COA from the canonical storage location
_40
self.coa = signer.storage.borrow<auth(EVM.Call) &EVM.CadenceOwnedAccount>(
_40
from: /storage/evm
_40
) ?? panic("Could not borrow reference to the COA")
_40
}
_40
_40
execute {
_40
let calldata = EVM.encodeABIWithSignature(
_40
"safeTransferFrom(address,address,uint256)",
_40
[self.coa.address(), EVM.addressFromString(to), id]
_40
)
_40
// Call the contract at the given ERC721 address with encoded calldata and 0 value
_40
let result: EVM.Result = self.coa.call(
_40
to: EVM.addressFromString(erc721AddressHex), // deserialized address
_40
data: calldata // previously encoded calldata
_40
gasLimit: 100_000, // 100k gas should cover most erc721 transfers
_40
value: EVM.Balance(attoflow: UInt(0)) // no value required in most cases
_40
)
_40
_40
// Revert the transaction if the call was not successful
_40
// Note: a failing EVM call will not automatically revert the Cadence transaction
_40
// and it is up to the developer to use this result however it suits their application
_40
assert(
_40
result.status == EVM.Status.successful,
_40
message: "ERC721.safeTransferFrom call failed with error code: ".concat(result.errorCode.toString())
_40
.concat(": ").concat(result.errorMessage)
_40
)
_40
}
_40
}

Bulk Transfer ERC721

As covered in the Batched EVM transactions walkthrough, you can script multiple EVM calls in a single Cadence transaction. Compared to the single ERC721 transfer, bulk sending multiple tokens isn't much more code and allows for greater utility out of a single transaction. Below is an example of a bulk ERC721 token transfer.

erc721_bulk_transfer.cdc

_47
import "EVM"
_47
_47
/// Bulk transfers ERC721 tokens from the signer's COA to the named recipient. All tokens must be from
_47
/// the same collection and sent to the same recipient.
_47
///
_47
/// @param erc721AddressHex: the serialized EVM address of the ERC721 contract
_47
/// @param to: the serialized EVM address of the recipient
_47
/// @param ids: an array of IDs to send from the signer's COA to the recipient
_47
transaction(erc721AddressHex: String, to: String, ids: [UInt256]) {
_47
let coa: auth(EVM.Call) &EVM.CadenceOwnedAccount
_47
_47
prepare(signer: auth(BorrowValue) &Account) {
_47
// Borrow an entitled reference to the COA from the canonical storage location
_47
self.coa = signer.storage.borrow<auth(EVM.Call) &EVM.CadenceOwnedAccount>(
_47
from: /storage/evm
_47
) ?? panic("Could not borrow reference to the COA")
_47
}
_47
_47
execute {
_47
// Iterate over provided IDs. Note the whole transaction fails if a single transfer fails,
_47
// so ownership validation is recommended before executing. Alternatively, you could remove
_47
// the assertion on success below and continue iteration on call failure.
_47
for id in ids {
_47
let calldata = EVM.encodeABIWithSignature(
_47
"safeTransferFrom(address,address,uint256)",
_47
[self.coa.address(), EVM.addressFromString(to), id]
_47
)
_47
// Call the contract at the given ERC721 address with encoded calldata and 0 value
_47
let result: EVM.Result = self.coa.call(
_47
to: EVM.addressFromString(erc721AddressHex), // deserialized address
_47
data: calldata // previously encoded calldata
_47
gasLimit: 100_000, // 100k gas should cover most erc721 transfers
_47
value: EVM.Balance(attoflow: UInt(0)) // no value required in most cases
_47
)
_47
_47
// Revert the transaction if the transfer was not successful
_47
// Note: a failing EVM call will not automatically revert the Cadence transaction
_47
// and it is up to the developer to use this result however it suits their application
_47
assert(
_47
result.status == EVM.Status.successful,
_47
message: "ERC721.safeTransferFrom call failed on id ".concat(id.toString())
_47
.concat(" with error code: ").concat(result.errorCode.toString())
_47
.concat(": ").concat(result.errorMessage)
_47
)
_47
}
_47
}
_47
}

Deploying a Contract to Flow EVM

To deploy a contract to the EVM, you can use the deploy function provided by the COA resource. This function takes the contract code, gas limit, and value you want to send. It will return the EVM address of the newly deployed contract.

This transaction will deploy a contract with the given code using the signer's COA:

deploy_evm_contract.cdc

_21
import "EVM"
_21
_21
transaction(bytecode: String) {
_21
let coa: auth(EVM.Deploy) &EVM.CadenceOwnedAccount
_21
_21
prepare(signer: auth(BorrowValue) &Account) {
_21
// Borrow an entitled reference to the COA from the storage location we saved it to
_21
self.coa = signer.storage.borrow<auth(EVM.Deploy) &EVM.CadenceOwnedAccount>(
_21
from: /storage/evm
_21
) ?? panic("Could not borrow reference to the COA")
_21
}
_21
_21
execute {
_21
// Deploy the contract with the given compiled bytecode, gas limit, and value
_21
self.coa.deploy(
_21
code: bytecode.decodeHex(),
_21
gasLimit: 15_000_000, // can be adjusted as needed, hard coded here for simplicity
_21
value: EVM.Balance(attoflow: 0)
_21
)
_21
}
_21
}

More Information

For more information about Cadence Owned Accounts, see Flow EVM Accounts.

Other useful snippets for interacting with COAs can be found here.

Check out the Batched EVM Transactions walkthrough for details on transaction batching using Cadence.