Contract Instantiation
Before interacting with smart contracts on the Nexa network, the NexScript SDK needs to instantiate a Contract
object. This is done by providing the contract's information and constructor arguments. After this instantiation, the NexScript SDK can interact with Nexa contracts.
Contract class
The Contract
class is used to represent a NexScript contract in a JavaScript object. These objects can be used to retrieve information such as the contract's address and balance. They can be used to interact with the contract by calling the contract's functions.
Constructor
new Contract(
artifact: Artifact,
constructorArgs: Argument[],
provider?: NetworkProvider,
)
A NexScript contract can be instantiated by providing an Artifact
object, a list of constructor arguments, and optionally a NetworkProvider
.
An Artifact
object is the result of compiling a NexScript contract. See the Language Documentation for more information on Artifacts. Compilation can be done using the standalone nexc
CLI or programmatically with the nexc
NPM package (see NexScript Compiler).
A NetworkProvider
is used to manage network operations for the NexScript contract. By default, a mainnet ElectrumNetworkProvider
is used, but alternative network providers can be used. See the section on NetworkProvider below.
Example
import { Contract, ElectrumNetworkProvider } from '@nexscript/nexscript';
import { compileFile } from 'nexc';
// Import the artifact JSON
import P2PKH from './p2pkh.json';
// Or compile a contract file
const P2PKH = compileFile(new URL('p2pkh.nex', import.meta.url));
const provider = new ElectrumNetworkProvider('testnet4');
const contract = new Contract(P2PKH, [alicePkh], { provider });
address
contract.address: string
A contract's address can be retrieved through the address
member field.
Example
console.log(contract.address)
opcount
contract.opcount: number
The number of opcodes in the contract's bytecode can be retrieved through the opcount
member field. This is useful to ensure that the contract is not too big, since Nexa smart contracts can contain a maximum of 201 opcodes.
Example
assert(contract.opcount <= 201)
bytesize
contract.bytesize: number
The size of the contract's bytecode in bytes can be retrieved through the bytesize
member field. This is useful to ensure that the contract is not too big, since Nexa smart contracts can be 10,000 bytes at most.
Example
console.log(contract.bytesize)
bytecode
contract.bytecode: string
Returns the contract's redeem script encoded as a hex string.
Example
console.log(contract.bytecode)
getBalance()
async contract.getBalance(): Promise<bigint>
Returns the total balance of the contract in satoshis. Both confirmed and unconfirmed balance is included in this figure.
Example
const contractBalance = await contract.getBalance()
getUtxos()
async contract.getUtxos(): Promise<Utxo[]>
Returns all UTXOs that can be spent by the contract. Both confirmed and unconfirmed UTXOs are included.
interface Utxo {
txid: string;
vout: number;
satoshis: bigint;
token?: TokenDetails;
}
Example
const utxos = await contract.getUtxos()
Contract functions
contract.functions.<functionName>(...args: Argument[]): Transaction
The main way to use smart contracts once they have been instantiated is through the functions defined in the NexScript source code. These functions can be found by their name under functions
member field of a contract object. To call these functions, the parameters need to match ones defined in the NexScript code.
These contract functions return an incomplete Transaction
object, which needs to be completed by providing outputs of the transaction. More information about sending transactions is found on the Sending Transactions page.
Example
import { alice } from './somewhere';
const tx = await contract.functions
.transfer(new SignatureTemplate(alice))
.to('nexa:nqtsq5g537fcf6z85pgwk4my5e5ddmypa2sm47mkzavt6zky', 10000n)
.send()
SignatureTemplate
new SignatureTemplate(signer: Keypair | Uint8Array | string, hashtype?: HashType)
You may notice the SignatureTemplate
object in the example above. When a contract function has a sig
parameter, it requires a cryptographic signature over the spending transaction. But to generate this signature, the transaction needs to be built first, which is not yet the case when a contract function is first called.
So in the place of a signature, a SignatureTemplate
can be passed, which will automatically generate the correct signature using the signer
parameter. This signer can be any representation of a private key, including NexCore PrivateKey
, WIF strings, or raw private key buffers. This ensures that any Nexa library can be used.
Example
const wif = 'L4vmKsStbQaCvaKPnCzdRArZgdAxTqVx8vjMGLW5nHtWdRguiRi1';
const sig = new SignatureTemplate(wif, HashType.SIGHASH_ALL);
NetworkProvider
The NexScript SDK needs to connect to the Nexa network to perform certain operations, like retrieving the contract's balance, or sending transactions. All network functionality that the NexScript SDK needs is encapsulated in a network provider. This allows different network providers to be used and makes it easy to swap out dependencies.
ElectrumNetworkProvider
new ElectrumNetworkProvider(network?: Network, electrum?: ElectrumCluster)
The ElectrumNetworkProvider uses electrum-cash to connect to the Nexa network. This is the recommended provider for most use cases and is used as the default when no other provider is provided. Both network
and electrum
parameters are optional, and they default to mainnet and a 2-of-3 ElectrumCluster with a number of reliable electrum servers.
Example
const provider = new ElectrumProvider('testnet');
Custom NetworkProviders
A big strength of the NetworkProvider setup is that it allows you to implement custom providers. So if new Nexa libraries are created in the future, it is simple to use them with NexScript. This also potentially enables the NexScript SDK to be used with other (partially) compatible networks, such as BTC or BCH.
NetworkProvider interface
interface NetworkProvider {
/**
* Variable indicating the network that this provider connects to.
*/
network: Network;
/**
* Retrieve all UTXOs (confirmed and unconfirmed) for a given address.
* @param address The CashAddress for which we wish to retrieve UTXOs.
* @returns List of UTXOs spendable by the provided address.
*/
getUtxos(address: string): Promise<Utxo[]>;
/**
* @returns The current block height.
*/
getBlockHeight(): Promise<number>;
/**
* Retrieve the Hex transaction details for a given transaction ID.
* @param txid Hex transaction ID.
* @throws {Error} If the transaction does not exist
* @returns The full hex transaction for the provided transaction ID.
*/
getRawTransaction(txid: string): Promise<string>;
/**
* Broadcast a raw hex transaction to the network.
* @param txHex The raw transaction hex to be broadcast.
* @throws {Error} If the transaction was not accepted by the network.
* @returns The transaction ID corresponding to the broadcast transaction.
*/
sendRawTransaction(txHex: string): Promise<string>;
}
type Network = 'mainnet' | 'testnet3' | 'testnet4' | 'chipnet' | 'regtest';
interface Utxo {
txid: string;
vout: number;
satoshis: bigint;
token?: TokenDetails;
}
export interface TokenDetails {
amount: bigint;
groupId: string;
}
NexScript Compiler
Generally NexScript contracts are compiled to an Artifact JSON file using the CLI compiler. As an alternative to this, NexScript contracts can be compiled from within JavaScript apps using the nexc
package. This package needs to be installed separately and exports two compilation functions.
npm install @nexscript/nexc
compileFile()
compileFile(sourceFile: PathLike): Artifact
Compiles a NexScript contract from a source file. This is the recommended compile method if you're using Node.js and you have a source file available.
Example
const P2PKH = compileFile(new URL('p2pkh.nex', import.meta.url));
compileString()
compileString(sourceCode: string): Artifact
Compiles a NexScript contract from a source code string. This is the recommended compile method if you're building a webapp, because compileFile()
only works from a Node.js context. This is also the recommended method if no source file is locally available (e.g. the source code is retrieved with a REST API).
const baseUrl = 'https://raw.githubusercontent.com/Bitcoin-com/nexscript'
const result = await fetch(`${baseUrl}/master/examples/p2pkh.nex`);
const source = await result.text();
const P2PKH = compileString(source);