blog

How to Send and Receive HBAR Using Smart Contracts – Part 1: Using the SDK

July 20, 2022
Ed Marquez
Ed Marquez
Head of Developer Relations

Smart contracts on Hedera can hold and exchange value in the form of HBAR, Hedera Token Service (HTS) tokens, and even ERC tokens. This is fundamental for building decentralized applications that rely on contracts in areas like DeFi, ESG, NFT marketplaces, DAOs, and more.

In this tutorial, you will learn how to send and receive HBAR to and from Hedera contracts. At a high level, there are two ways to transfer HBAR to and from a contract on Hedera: the SDKs and Solidity. 

Part 1 focuses on using the Hedera SDKs. Read Part 2 for transferring HBAR to and from contracts using Solidity.

Try It Yourself

Transfer HBAR Using the SDKs

Here are a few key points about transferring HBAR to and from contracts using the SDKs:

  • For most, this is the simplest method as it only involves doing a TransferTransaction()
  • Transferring HBAR to a contract:
    • Does not require having:
      • payable contracts or functions
      • receive() or fallback() functions
    • Keep in mind that if your contract has a fallback()
      function, this approach does not invoke it (so that code won’t execute)
  • Transferring HBAR from a contract:

Example

This example has three entities: the operator, Alice, and the contract. Your testnet credentials should be used for the operator variables, which are used to initialize the Hedera client that submits transactions to the network and gets confirmations. Create Alice’s account with an initial balance of 100 HBAR, and then Alice will transfer 10 HBAR to the smart contract using the TransferTransaction()
module in the SDK.

Below is the Solidity code for the contract. You can get the bytecode from Codesandbox, the GitHub repository, or by compiling the code.


code window background

// SPDX-License-Identifier: GPL-3.0
pragma solidity >=0.7.0 <0.9.0;
 
 contract hbar2Contract{

    function getBalance() public view returns (uint) {
        return address(this).balance;
    }
}

1. Create Accounts

Generate a private key for Alice. Hedera supports ED25519
and ECDSA
keys.


code window background

const aliceKey = PrivateKey.generateECDSA();

Create Alice’s account with a balance of 100 HBAR. The function accountCreatorFcn
simplifies the account creation process and is reusable in case you need to create more accounts in the future. This function uses the AccountCreateTransaction()
module. We’ll use this modular approach throughout the article.


code window background

// Create additional accounts needed
const initialBalance = 100;
const [accStatus, aliceId] = await accountCreatorFcn(aliceKey, initialBalance);
console.log(
	`n- Created Alice's account with initial balance of ${initialBalance} hbar: ${accStatus}`
);


code window background

async function accountCreatorFcn(pvKey, iBal) {
	const response = await new AccountCreateTransaction()
		.setInitialBalance(new Hbar(iBal))
		.setKey(pvKey.publicKey)
		.setAlias(pvKey.publicKey.toEvmAddress())
		.execute(client);
	const receipt = await response.getReceipt(client);
	return [receipt.status, receipt.accountId];
}

Console Output:

- Created Alice's account with initial balance of 100 hbar: SUCCESS

2. Deploy the Contract on Hedera

The compiled contract bytecode is a binary contained in the variable contractBytecode. The function contractCreatorFcn uses the ContractCreateFlow()
module and returns the contract ID and corresponding Solidity address for the contract.


code window background

// Import the compiled contract bytecode
const contractBytecode = fs.readFileSync("transferHbar2Contract_sdk_sol_hbar2Contract.bin");

// Deploy the contract on Hedera
const [contractId, contractAddress] = await contractCreatorFcn(contractBytecode);
console.log(`n- The smart contract ID is: ${contractId}`);
console.log(`- The smart contract ID in Solidity format is: ${contractAddress}`);

ContractCreateFlow()
stores the bytecode and deploys the contract on Hedera. This single call handles for you the operations FileCreateTransaction(), FileAppendTransaction(), and ContractCreateTransaction().

Set a gas value that is enough to execute the transaction; otherwise, you'll get the error CONTRACT_REVERT_EXECUTED.


code window background

async function contractCreatorFcn(contractBytecode) {
	const contractDeployTx = await new ContractCreateFlow()
		.setBytecode(contractBytecode)
		.setGas(100000)
		.execute(client);
	const contractDeployRx = await contractDeployTx.getReceipt(client);
	const contractId = contractDeployRx.contractId;
	const contractAddress = contractId.toSolidityAddress();
	return [contractId, contractAddress];
}

Console Output:

- The smart contract ID is: 0.0.47716894

- The smart contract ID in Solidity format is: 0000000000000000000000000000000002d81a1e

3. Transfer HBAR to the Contract

Transfer 10 HBAR to the contract from Alice’s account using the function hbarTransferFcn.


code window background

// Transfer HBAR to smart contract using TransferTransaction()
const hbarAmount = 10;
const transferRx = await hbarTransferFcn(aliceId, contractId, hbarAmount);
console.log(`n- Transfer ${hbarAmount} HBAR from Alice to contract: ${transferRx.status}`);

Use the TransferTransaction()
module to transfer the HBAR. Remember that the account for which the balance is deducted must sign the transfer transaction (Alice in this case).


code window background

async function hbarTransferFcn(sender, receiver, amount) {
	const transferTx = new TransferTransaction()
		.addHbarTransfer(sender, -amount)
		.addHbarTransfer(receiver, amount)
		.freezeWith(client);
	const transferSign = await transferTx.sign(aliceKey);
	const transferSubmit = await transferSign.execute(client);
	const transferRx = await transferSubmit.getReceipt(client);
	return transferRx;
}

Console Output:

- Transfer 10 HBAR from Alice to contract: SUCCESS

4. Check the Balance of the Contract

Finally, use the function contractBalanceCheckerFcn
to check the HBAR balance of the contract. This function checks the balance in two ways: 1) calling the getBalance function in the contract via a ContractCallQuery(), and 2) using the ContractInfoQuery()
module of the SDK.


code window background

// Query the contract balance
const [fromCallQuery, fromInfoQuery] = await contractBalanceCheckerFcn(contractId);
console.log(`n- Contract balance (from getBalance fcn): ${fromCallQuery} tinybars`);
console.log(`- Contract balance (from ContractInfoQuery): ${fromInfoQuery.balance.toString()}`);


code window background

async function contractBalanceCheckerFcn(contractId) {
	const contractQueryTx = new ContractCallQuery()
		.setContractId(contractId)
		.setGas(100000)
		.setFunction("getBalance");
	const contractQuerySubmit = await contractQueryTx.execute(client);
	const contractQueryResult = contractQuerySubmit.getUint256(0);

	const cCheck = await new ContractInfoQuery().setContractId(contractId).execute(client);
	return [contractQueryResult, cCheck];
}

Console Output:

- Contract balance (from getBalance fcn): 1000000000 tinybars

- Contract balance (from ContractInfoQuery): 10 ℏ

Summary

Now you know how to send HBAR to a contract on Hedera using the TransferTransaction()
module of the SDK.

You can also send HBAR from a contract using the SDK. However, the contract sending the HBAR must have an admin key to sign the TransferTransaction().

For contracts without admin keys, be sure to read Part 2. There you’ll learn how to transfer HBAR to/from contracts using Solidity.

Continue Learning

Back to Blog

discover

See more articles

January 22, 2026

McLaren Racing and Hedera Partner to Expand Digital Fan Engagement

McLaren Racing today announced a multi-year partnership with Hedera Foundation to leverage Hedera, the trusted public network for building fast, secure, and compliant decentralised applications. Hedera will become an Official
Read More
January 20, 2026

Real-world applications of protocol-level smart contract automation on Hedera

Smart contracts have always been described as “self-executing code,” but until now, they’ve relied on external triggers to run. Every time-based action – whether processing payments, rebalancing portfolios, or executing
Read More
January 14, 2026

HIP-1249: Enhanced smart contracts on Hedera with precise throttling

HIP-1249 introduces a fundamental shift in how Hedera throttles smart contract execution, replacing the conservative 15 million gas-per-second limit with a precise operations-per-second model that unlocks significantly more throughput. This
Read More