viem
viem TypeScript Ethereum Library
Introduction
viem is a modular TypeScript library that allows developers to interact with abstractions over the JSON-RPC API, making it easy to interact with Ethereum nodes. Since Phron has an Ethereum-like API available that is fully compatible with Ethereum-style JSON RPC invocations, developers can leverage this compatibility to interact with Phron nodes. For more information on viem, check out their documentation site.
In this guide, you'll learn how to use viem to send a transaction and deploy a contract on the Phron TestNet.
Checking Prerequisites
For the examples in this guide, you will need to have the following:
An account with funds. You can get DEV tokens for testing on Phron once every 24 hours from the Phron Faucet
To test out the examples in this guide on Phron, you will need to have your own endpoint and API key, which you can get from one of the supported Endpoint Providers
NoteThe examples in this guide assume you have a MacOS or Ubuntu 22.04-based environment and will need to be adapted accordingly for Windows.
Installing viem
To get started, you'll need to create a basic TypeScript project. First, create a directory to store all of the files you'll be creating throughout this guide, and initialize the project with the following command:
mkdir viem-examples && cd viem-examples && npm init --y
For this guide, you'll need to install the viem library and the Solidity compiler. To install both packages, you can run the following command:
npm install typescript ts-node viem [email protected]
You can create a TypeScript configuration file by running:
npx tsc --init
NoteThis tutorial was created using Node.js v18.18.0.
Set Up a viem Client (Provider)
Throughout this guide, you'll be creating a bunch of scripts that provide different functionality, such as sending a transaction, deploying a contract, and interacting with a deployed contract. In most of these scripts, you'll need to create a viem client to interact with the network.
You can create a viem client for reading chain data, like balances or contract data, using the createPublicClient
function, or you can create a viem client for writing chain data, like sending transactions, using the createWalletClient
function.
For Reading Chain Data
To create a client for reading chain data, you can take the following steps:
Import the
createPublicClient
andhttp
functions fromviem
and the network you want to interact with fromviem/chains
. The chain can be any of the following:phron
Create the
client
using thecreatePublicClient
function and pass in the network and the HTTP RPC endpoint
import { createPublicClient, http } from 'viem';
import { phron } from 'viem/chains';
const rpcUrl = 'INSERT_RPC_API_ENDPOINT'
const publicClient = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
For Writing Chain Data
To create a client for writing chain data, you can take the following steps:
Import the
createWalletClient
andhttp
functions fromviem
, theprivateKeyToAccount
function for loading your accounts via their private keys, and the network you want to interact with fromviem/chains
. The chain can be any of the following:phron
Create your account using the
privateKeyToAccount
functionCreate the
client
using thecreateWalletClient
function and pass in the account, network, and the HTTP RPC endpoint
import { createWalletClient, http } from 'viem';
import { privateKeyToAccount } from 'viem/accounts';
import { phron } from 'viem/chains';
const account = privateKeyToAccount('INSERT_PRIVATE_KEY');
const rpcUrl = 'INSERT_RPC_API_ENDPOINT'
const walletClient = createWalletClient({
account,
chain: phron,
transport: http(rpcUrl),
});
NoteTo interact with browser-based wallets, you can use the following code to create an account:
const [account] = await window.ethereum.request({ method: 'eth_requestAccounts', }); const walletClient = createWalletClient({ account, chain: phron, transport: custom(window.ethereum), });
const [account] = await window.ethereum.request({
method: 'eth_requestAccounts',
});
const walletClient = createWalletClient({
account,
chain: phron,
transport: custom(window.ethereum),
});
Send a Transaction
During this section, you'll be creating a couple of scripts. The first one will be to check the balances of your accounts before trying to send a transaction. The second script will actually send the transaction.
You can also use the balance script to check the account balances after the transaction has been sent.
Check Balances Script
You'll only need one file to check the balances of both addresses before and after the transaction is sent. To get started, you can create a balances.ts
file by running:
touch balances.ts
Next, you will create the script for this file and complete the following steps:
Update your imports to include the
createPublicClient
,http
, andformatEther
functions fromviem
and the network you want to interact with fromviem/chains
Set up a public viem client, which can be used for reading chain data, such as account balances
Define the
addressFrom
andaddressTo
variablesCreate the asynchronous
balances
function that wraps thepublicClient.getBalance
methodUse the
publicClient.getBalance
function to fetch the balances for theaddressFrom
andaddressTo
addresses. You can also leverage theformatEther
function to transform the balance into a more readable number (in GLMR, MOVR, or DEV)Lastly, run the
balances
function
// 1. Imports
import { createPublicClient, http, formatEther } from 'viem';
import { phron } from 'viem/chains';
// 2. Create a public client for reading chain data
const rpcUrl = 'https://testnet.phron.ai';
const publicClient = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
// 3. Create address variables
const addressFrom = 'INSERT_FROM_ADDRESS';
const addressTo = 'INSERT_TO_ADDRESS';
// 4. Create balances function
const balances = async () => {
// 5. Fetch balances
const balanceFrom = formatEther(
await publicClient.getBalance({ address: addressFrom })
);
const balanceTo = formatEther(
await publicClient.getBalance({ address: addressTo })
);
console.log(`The balance of ${addressFrom} is: ${balanceFrom} DEV`);
console.log(`The balance of ${addressTo} is: ${balanceTo} DEV`);
};
// 6. Call the balances function
balances();
To run the script and fetch the account balances, you can run the following command:
npx ts-node balances.ts
If successful, the balances for the origin and receiving address will be displayed in your terminal in DEV.
npx ts-node balances.tsThe balance of 0x3B939FeaD1557C741Ff06492FD0127bd287A421e is: 3601.72 DEVThe balance of 0x78F34038c82638E0563b974246D421154C26b004 is: 0 DEV
Send Transaction Script
You'll only need one file to execute a transaction between accounts. For this example, you'll be transferring 1 DEV token from an origin address (from which you hold the private key) to another address. To get started, you can create a transaction.ts
file by running:
touch transaction.ts
Next, you will create the script for this file and complete the following steps:
Update your imports to include the
createWalletClient
,http
, andparseEther
functions fromviem
, theprivateKeyToAccount
function fromviem/accounts
, and the network you want to interact with fromviem/chains
Set up a viem wallet client for writing chain data, which can be used along with your private key to send transactions. Note: This is for example purposes only. Never store your private keys in a TypeScript file
Set up a public viem client for reading chain data, which will be used to wait for the transaction receipt
Define the
addressTo
variableCreate the asynchronous
send
function, which wraps the transaction object and thewalletClient.sendTransaction
methodUse the
walletClient.sendTransaction
function to sign and send the transaction. You'll need to pass in the transaction object, which only requires the recipient's address and the amount to send. Note thatparseEther
can be used, which handles the necessary unit conversions from Ether to Wei, similar to usingparseUnits(value, decimals)
. Useawait
to wait until the transaction is processed and the transaction hash is returnedUse the
publicClient.waitForTransactionReceipt
function to wait for the transaction receipt, signaling that the transaction has been completed. This is particularly helpful if you need the transaction receipt or if you're running thebalances.ts
script directly after this one to check if the balances have been updated as expectedLastly, run the
send
function
// 1. Imports
import { createPublicClient, createWalletClient, http, parseEther } from 'viem';
import { privateKeyToAccount } from 'viem/accounts';
import { phron } from 'viem/chains';
// 2. Create a wallet client for writing chain data
const account = privateKeyToAccount('INSERT_PRIVATE_KEY');
const rpcUrl = 'https://testnet.phron.ai';
const walletClient = createWalletClient({
account,
chain: phron,
transport: http(rpcUrl),
});
// 3. Create a public client for reading chain data
const publicClient = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
// 4. Create to address variable
const addressTo = 'INSERT_ADDRESS';
// 5. Create send function
const send = async () => {
console.log(
`Attempting to send transaction from ${account.address} to ${addressTo}`
);
// 6. Sign and send tx
const hash = await walletClient.sendTransaction({
to: addressTo,
value: parseEther('1'),
});
// 7. Wait for the transaction receipt
await publicClient.waitForTransactionReceipt({
hash,
});
console.log(`Transaction successful with hash: ${hash}`);
};
// 8. Call the send function
send();
To run the script, you can run the following command in your terminal:
npx ts-node transaction.ts
If the transaction was successful, in your terminal you'll see the transaction hash has been printed out.
NoteViem requires that you prepend your private key with
0x
. Many wallets omit this0x
, so verify you've included it as you replaceINSERT_PRIVATE_KEY
.
You can also use the balances.ts
script to check that the balances for the origin and receiving accounts have changed. The entire workflow would look like this:
npx ts-node balances.tsThe balance of 0x3B939FeaD1557C741Ff06492FD0127bd287A421e is: 3601.72 DEVThe balance of 0x78F34038c82638E0563b974246D421154C26b004 is: 0 DEV
npx ts-node transaction.ts Attempting to send transaction from 0x3B939FeaD1557C741Ff06492FD0127bd287A421e to 0x78F34038c82638E0563b974246D421154C26b004 Transaction successful with hash: 0xc482d907b2ae4ca1202c6cc5b486694b8439a9853caad9c2cdafec39defa1968 npx ts-node balances.ts The balance of 0x3B939FeaD1557C741Ff06492FD0127bd287A421e is: 3600.72 DEV The balance of 0x78F34038c82638E0563b974246D421154C26b004 is: 1 DEV
Deploy a Contract
The contract you'll be compiling and deploying in the next couple of sections is a simple incrementer contract, arbitrarily named Incrementer.sol
. You can get started by creating a file for the contract:
touch Incrementer.sol
Next, you can add the Solidity code to the file:
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;
contract Incrementer {
uint256 public number;
constructor(uint256 _initialNumber) {
number = _initialNumber;
}
function increment(uint256 _value) public {
number = number + _value;
}
function reset() public {
number = 0;
}
}
The constructor
function, which runs when the contract is deployed, sets the initial value of the number variable stored on-chain (the default is 0
). The increment
function adds the _value
provided to the current number, but a transaction needs to be sent, which modifies the stored data. Lastly, the reset
function resets the stored value to zero.
NoteThis contract is a simple example for illustration purposes only and does not handle values wrapping around.
Compile Contract Script
In this section, you'll create a script that uses the Solidity compiler to output the bytecode and interface (ABI) for the Incrementer.sol
contract. To get started, you can create a compile.ts
file by running:
touch compile.ts
Next, you will create the script for this file and complete the following steps:
Import the
fs
andsolc
packagesUsing the
fs.readFileSync
function, you'll read and save the file contents ofIncrementer.sol
tosource
Build the
input
object for the Solidity compiler by specifying thelanguage
,sources
, andsettings
to be usedUsing the
input
object, you can compile the contract usingsolc.compile
Extract the compiled contract file and export it to be used in the deployment script
// 1. Import packages
const fs = require('fs');
const solc = require('solc');
// 2. Get path and load contract
const source = fs.readFileSync('Incrementer.sol', 'utf8');
// 3. Create input object
const input = {
language: 'Solidity',
sources: {
'Incrementer.sol': {
content: source,
},
},
settings: {
outputSelection: {
'*': {
'*': ['*'],
},
},
},
};
// 4. Compile the contract
const tempFile = JSON.parse(solc.compile(JSON.stringify(input)));
const contractFile = tempFile.contracts['Incrementer.sol']['Incrementer'];
// 5. Export contract data
export default contractFile;
Deploy Contract Script
With the script for compiling the Incrementer.sol
contract in place, you can then use the results to send a signed transaction that deploys it. To do so, you can create a file for the deployment script called deploy.ts
:
touch deploy.ts
Next, you will create the script for this file and complete the following steps:
Update your imports to include the
createPublicClient
,createWalletClient
, andhttp
functions fromviem
, theprivateKeyToAccount
function fromviem/accounts
, the network you want to interact with fromviem/chains
, and thecontractFile
from thecompile.ts
file you created in the Compile Contract Script sectionSet up a viem wallet client for writing chain data, which will be used along with your private key to deploy the
Incrementer
contract. Note: This is for example purposes only. Never store your private keys in a TypeScript fileSet up a public viem client for reading chain data, which will be used to read the transaction receipt for the deployment
Load the contract
bytecode
andabi
for the compiled contractCreate the asynchronous
deploy
function that will be used to deploy the contract via thewalletClient.deployContract
methodUse the
walletClient.deployContract
function to sign and send the transaction. You'll need to pass in the contract's ABI and bytecode, the account to deploy the transaction from, and the initial value for the incrementer. Useawait
to wait until the transaction is processed and the transaction hash is returnedUse the
publicClient.readContract
function to get the transaction receipt for the deployment. Useawait
to wait until the transaction is processed and the contract address is returnedLastly, run the
deploy
function
// 1. Update imports
import { createPublicClient, createWalletClient, http } from 'viem';
import { privateKeyToAccount } from 'viem/accounts';
import { phron } from 'viem/chains';
import contractFile from './compile';
// 2. Create a wallet client for writing chain data
// The private key must be prepended with `0x` to avoid errors
const account = privateKeyToAccount('INSERT_PRIVATE_KEY');
const rpcUrl = 'https://testnet.phron.ai';
const walletClient = createWalletClient({
account,
chain: phron,
transport: http(rpcUrl),
});
// 3. Create a public client for reading chain data
const publicClient = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
// 4. Load contract information
const bytecode = contractFile.evm.bytecode.object;
const abi = contractFile.abi;
const _initialNumber = 5;
// 5. Create deploy function
const deploy = async () => {
console.log(`Attempting to deploy from account: ${account.address}`);
// 6. Send tx (initial value set to 5)
const contract = await walletClient.deployContract({
abi,
account,
bytecode,
args: [_initialNumber],
});
// 7. Get the transaction receipt for the deployment
const transaction = await publicClient.waitForTransactionReceipt({
hash: contract,
});
console.log(`Contract deployed at address: ${transaction.contractAddress}`);
};
// 8. Call the deploy function
deploy();
To run the script, you can enter the following command into your terminal:
npx ts-node deploy.ts
If successful, the contract's address will be displayed in the terminal.
npx ts-node deploy.tsAttempting to deploy from account: 0x3B939FeaD1557C741Ff06492FD0127bd287A421eContract deployed at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9
Read Contract Data (Call Methods)
Call methods are the type of interaction that doesn't modify the contract's storage (change variables), meaning no transaction needs to be sent. They simply read various storage variables of the deployed contract.
To get started, you can create a file and name it get.ts
:
touch get.ts
Then you can take the following steps to create the script:
Update your imports to include the
createPublicClient
andhttp
functions fromviem
, the network you want to interact with fromviem/chains
, and thecontractFile
from thecompile.ts
file you created in the Compile Contract Script sectionSet up a public viem client for reading chain data, which will be used to read the current number of the
Incrementer
contractCreate the
contractAddress
variable using the address of the deployed contract and theabi
variable using thecontractFile
from thecompile.ts
fileCreate the asynchronous
get
functionCall the contract using the
publicClient.readContract
function, passing in theabi
, the name of the function, thecontractAddress
, and any arguments (if needed). You can useawait
, which will return the value requested once the request promise resolvesLastly, call the
get
function
// 1. Update imports
import { createPublicClient, http } from 'viem';
import { phron } from 'viem/chains';
import contractFile from './compile';
// 2. Create a public client for reading chain data
const rpcUrl = 'https://testnet.phron.ai';
const client = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
// 3. Create contract variables
const contractAddress = 'INSERT_CONTRACT_ADDRESS';
const abi = contractFile.abi;
// 4. Create get function
const get = async () => {
console.log(`Making a call to contract at address: ${contractAddress}`);
// 5. Call contract
const data = await client.readContract({
abi,
functionName: 'number',
address: contractAddress,
args: [],
});
console.log(`The current number stored is: ${data}`);
};
// 6. Call get function
get();
To run the script, you can enter the following command in your terminal:
npx ts-node get.ts
If successful, the value will be displayed in the terminal.
npx ts-node get.tsMaking a call to contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9The current number stored is: 5
Interact with Contract (Send Methods)
Send methods are the type of interactions that modify the contract's storage (change variables), meaning a transaction needs to be signed and sent. In this section, you'll create two scripts: one to increment and one to reset the incrementer. To get started, you can create a file for each script and name them increment.ts
and reset.ts
:
touch increment.ts reset.ts
Open the increment.ts
file and take the following steps to create the script:
Update your imports to include the
createWalletClient
andhttp
functions fromviem
, the network you want to interact with fromviem/chains
, and thecontractFile
from thecompile.ts
file you created in the Compile Contract Script sectionSet up a viem wallet client for writing chain data, which will be used along with your private key to send a transaction. Note: This is for example purposes only. Never store your private keys in a TypeScript file
Set up a public viem client for reading chain data, which will be used to wait for the transaction receipt
Create the
contractAddress
variable using the address of the deployed contract, theabi
variable using thecontractFile
from thecompile.ts
file, and the_value
to increment the contract byCreate the asynchronous
increment
functionCall the contract using the
walletClient.writeContract
function, passing in theabi
, the name of the function, thecontractAddress
, and the_value
. You can useawait
, which will return the transaction hash once the request promise resolvesUse the
publicClient.waitForTransactionReceipt
function to wait for the transaction receipt, signaling that the transaction has been completed. This is particularly helpful if you need the transaction receipt or if you're running theget.ts
script directly after this one to check that the current number has been updated as expectedLastly, call the
increment
function
// 1. Update imports
import { createPublicClient, createWalletClient, http } from 'viem';
import { privateKeyToAccount } from 'viem/accounts';
import { phron } from 'viem/chains';
import contractFile from './compile';
// 2. Create a wallet client for writing chain data
const account = privateKeyToAccount('INSERT_PRIVATE_KEY');
const rpcUrl = 'https://testnet.phron.ai';
const walletClient = createWalletClient({
account,
chain: phron,
transport: http(rpcUrl),
});
// 3. Create a public client for reading chain data
const publicClient = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
// 4. Create contract variables
const contractAddress = 'INSERT_CONTRACT_ADDRESS';
const abi = contractFile.abi;
const _value = 3;
// 5. Create increment function
const increment = async () => {
console.log(
`Calling the increment by ${_value} function in contract at address: ${contractAddress}`
);
// 6. Call contract
const hash = await walletClient.writeContract({
abi,
functionName: 'increment',
address: contractAddress,
args: [_value],
});
// 7. Wait for the transaction receipt
await publicClient.waitForTransactionReceipt({
hash,
});
console.log(`Tx successful with hash: ${hash}`);
};
// 8. Call increment function
increment();
To run the script, you can enter the following command in your terminal:
npx ts-node increment.ts
If successful, the transaction hash will be displayed in the terminal. You can use the get.ts
script alongside the increment.ts
script to make sure that value is changing as expected.
npx ts-node get.tsMaking a call to contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9The current number stored is: 5npx ts-node increment.tsCalling the increment by 3 function in contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9Tx successful with hash: 0x041c9767e7a96f60f372341647430560569fd6ff64a27b4b9c6241e55dde57e1npx ts-node get.tsMaking a call to contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9The current number stored is: 8
Next, you can open the reset.ts
file and take the following steps to create the script:
Update your imports to include the
createWalletClient
andhttp
functions fromviem
, the network you want to interact with fromviem/chains
, and thecontractFile
from thecompile.ts
file you created in the Compile Contract Script sectionSet up a viem wallet client for writing chain data, which will be used along with your private key to send a transaction. Note: This is for example purposes only. Never store your private keys in a TypeScript file
Set up a public viem client for reading chain data, which will be used to wait for the transaction receipt
Create the
contractAddress
variable using the address of the deployed contract and theabi
variable using thecontractFile
from thecompile.ts
file to increment the contract byCreate the asynchronous
reset
functionCall the contract using the
walletClient.writeContract
function, passing in theabi
, the name of the function, thecontractAddress
, and an empty array for the arguments. You can useawait
, which will return the transaction hash once the request promise resolvesUse the
publicClient.waitForTransactionReceipt
function to wait for the transaction receipt, signaling that the transaction has been completed. This is particularly helpful if you need the transaction receipt or if you're running theget.ts
script directly after this one to check that the current number has been reset to0
Lastly, call the
reset
function
// 1. Update imports
import { createPublicClient, createWalletClient, http } from 'viem';
import { privateKeyToAccount } from 'viem/accounts';
import { phron } from 'viem/chains';
import contractFile from './compile';
// 2. Create a wallet client for writing chain data
const account = privateKeyToAccount('INSERT_PRIVATE_KEY');
const rpcUrl = 'https://testnet.phron.ai';
const walletClient = createWalletClient({
account,
chain: phron,
transport: http(rpcUrl),
});
// 3. Create a public client for reading chain data
const publicClient = createPublicClient({
chain: phron,
transport: http(rpcUrl),
});
// 4. Create contract variables
const contractAddress = 'INSERT_CONTRACT_ADDRESS';
const abi = contractFile.abi;
// 5. Create reset function
const reset = async () => {
console.log(
`Calling the reset function in contract at address: ${contractAddress}`
);
// 6. Call contract
const hash = await walletClient.writeContract({
abi,
functionName: 'reset',
address: contractAddress,
args: [],
});
// 7. Wait for the transaction receipt
await publicClient.waitForTransactionReceipt({
hash,
});
console.log(`Tx successful with hash: ${hash}`);
};
// 8. Call reset function
reset();
To run the script, you can enter the following command in your terminal:
npx ts-node reset.ts
If successful, the transaction hash will be displayed in the terminal. You can use the get.ts
script alongside the reset.ts
script to make sure that value is changing as expected.
npx ts-node get.tsMaking a call to contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9The current number stored is: 8npx ts-node reset.tsCalling the reset function in contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9Tx successful with hash: 0xc1a772131ccf6a03675ff3e88798a6e70a99e145eeb0e98170ff2e3345ee14a7npx ts-node get.tsMaking a call to contract at address: 0x4503b1086c6780e888194fd9caebca5f65b210c9The current number stored is: 0
This tutorial is for educational purposes only. As such, any contracts or code created in this tutorial should not be used in production.The information presented herein has been provided by third parties and is made available solely for general information purposes. Phron does not endorse any project listed and described on the Phron Doc Website (https://docs.Phron.ai/). Phron does not warrant the accuracy, completeness or usefulness of this information. Any reliance you place on such information is strictly at your own risk. Phron disclaims all liability and responsibility arising from any reliance placed on this information by you or by anyone who may be informed of any of its contents. All statements and/or opinions expressed in these materials are solely the responsibility of the person or entity providing those materials and do not necessarily represent the opinion of Phron. The information should not be construed as professional or financial advice of any kind. Advice from a suitably qualified professional should always be sought in relation to any particular matter or circumstance. The information herein may link to or integrate with other websites operated or content provided by third parties, and such other websites may link to this website. Phron has no control over any such other websites or their content and will have no liability arising out of or related to such websites or their content. The existence of any such link does not constitute an endorsement of such websites, the content of the websites, or the operators of the websites. These links are being provided to you only as a convenience and you release and hold Phron harmless from any and all liability arising from your use of this information or the information provided by any third-party website or service.
Last updated