near-runner-test
v0.6.2
Published
Write tests in TypeScript/JavaScript to run in a controlled NEAR Sandbox local environment.
Downloads
3
Readme
near-runner for TypeScript/JavaScript
Write tests once, run them both on NEAR TestNet and a controlled NEAR Sandbox local environment
This software is in early beta and feedback is appreciated.
Quick Start with Jest
near-runner works with any JS testing library/framework. Feel free to bring your own, or follow the instructions below to get started quickly with Jest.
Install.
npm install --save-dev near-runner jest
or if using Yarn
yarn add --dev near-runner jest
Configure.
near-runner doesn't require any configuration, but Jest does.
Add a new section to your
package.json
:"jest": { "testEnvironment": "node", "testMatch": [ "**/__tests__/*.spec.js" ], "testPathIgnorePatterns": [ "/assembly/", "/node_modules/" ] }
This tells Jest to look in a folder called
__tests__
in the root of your project for files with names that end withspec.js
.You can also add a new line to the
scripts
section of yourpackage.json
:"scripts": { + "test": "jest --verbose", }
If your project has a
build
script, you might also want to add apretest
script:"scripts": { + "pretest": "npm run build", }
or if using Yarn:
"scripts": { + "pretest": "yarn build", }
If you want to see an example, with the addition of TypeScript and Jest's TypeScript variant ts-jest, see the
package.json
in this project.Bootstrap.
Make a
__tests__
folder, make your first test file. Call itmain.spec.js
for now if you're not sure what else to call it.Set up a
runner
with NEAR accounts, contracts, and state that will be used in all of your tests.import path from 'path'; import {Runner} from 'near-runner'; jest.setTimeout(60_000); const runner = Runner.create(async ({root}) => { const alice = await root.createAccount('alice'); const contract = await root.createAndDeploy( 'contract-account-name', path.join(__dirname, '..', 'path', 'to', 'compiled.wasm'), ); // make other contract calls that you want as a starting point for all tests return {alice, contract}; }); describe('my contract', () => { // tests go here });
describe
is from Jest and is optional.Write tests.
The
runner
you bootstrapped optimizes for parallelism. To speed up tests, we recommend using Jest'stest.concurrent
, or an equivalent from your test runner of choice.describe('my contract', () => { test.concurrent('does something', async () => { await runner.run(async ({alice, contract}) => { await alice.call( contract, 'some_update_function', {some_string_argument: 'cool', some_number_argument: 42} ); const result = await contract.view( 'some_view_function', {account_id: alice} ); expect(result).toBe('whatever'); }); }); test.concurrent('does something else', async () => { await runner.run(async ({alice, contract}) => { const result = await contract.view( 'some_view_function', {account_id: alice} ); expect(result).toBe('some default'); }); }); });
See the __tests__ directory in this project for more examples.
How It Works
Let's look at a modified version of the above that uses vanilla/plain JS without any Jest.
Bootstrapping a
Runner
.const runner = Runner.create(async ({root}) => { const alice = await root.createAccount('alice'); const contract = await root.createAndDeploy( 'contract-account-name', path.join(__dirname, '..', 'path', 'to', 'compiled.wasm'), ); return {alice, contract}; });
Let's step through this.
Runner.create
initializes a new NEAR Sandbox node/instance. This is essentially a mini-NEAR blockchain created just for this test. Each of these Sandbox instances gets its own data directory and port, so that tests can run in parallel.root.createAccount
creates a new account with the given name.root.createAndDeploy
creates a new account with the given name, then deploys the specified Wasm file to it.path.join
is a safe cross-platform way to specify file paths- After
Runner.create
finishes running the function passed into it, it gracefully shuts down the Sandbox instance it ran in the background. However, it keeps the data directory around. That's what stores the state of the two accounts that were created (alice
andcontract-account-name
with its deployed contract). runner
contains a reference to this data directory, so that multiple tests can use it as a starting point.- The object returned,
{alice, contract}
, will be passed along to subsequent tests.
Writing tests.
As mentioned, Jest will run all
test.concurrent
functions concurrently. Here's a simple way that could work in plain JS (for a working example, see near-examples/rust-status-message).await Promise.all([ runner.run(async ({alice, contract}) => { await alice.call( contract, 'some_update_function', {some_string_argument: 'cool', some_number_argument: 42} ); const result = await contract.view( 'some_view_function', {account_id: alice} ); assert.equal(result, 'whatever'); }), runner.run(async ({alice, contract}) => { const result = await contract.view( 'some_view_function', {account_id: alice} ); assert.equal(result, 'some default'); }); ]);
Let's step through this.
- Like the earlier call to
Runner.create
, each call torunner.run
sets up its own Sandbox instance. Each will copy the data directory set up earlier as the starting point for its tests. Each will use a unique port so that tests can be safely run in parallel. call
syntax mirrors near-cli and either returns the successful return value of the given function or throws the encountered error. If you want to inspect a full transaction and/or avoid thethrow
behavior, you can usecall_raw
instead.- While
call
is invoked on the account doing the call (alice.call(contract, …)
),view
is invoked on the account being viewed (contract.view(…)
). This is because the caller of a view is irrelevant and ignored. - Gotcha: the full account names may or may not match the strings passed to
createAccount
andcreateAndDeploy
, which is why you must writealice.call(contract, …)
rather thanalice.call('contract-account-name', …)
. But! TheAccount
class overridestoJSON
so that you can pass{account_id: alice}
in arguments rather than{account_id: alice.accountId}
. If you need the generated account ID in some other circumstance, remember to usealice.accountId
.
- Like the earlier call to
Running on Testnet
near-runner is set up so that you can write tests once and run them against a local Sandbox node (the default behavior) or against NEAR TestNet. Some reasons this might be helpful:
- Gives higher confidence that your contracts work as expected
- You can test against deployed testnet contracts
- If something seems off in Sandbox mode, you can compare it to testnet
- Until we have a full-featured dev environment that includes Explorer, Wallet, etc, you can write full end-to-end tests using a tool like Cypress
You can run in testnet mode in two ways.
When creating your Runner, pass a config object as the first argument:
const runner = Runner.create( {network: 'testnet'}, async ({root}) => { … } )
Set the
NEAR_RUNNER_NETWORK
environment variable when running your tests:NEAR_RUNNER_NETWORK=testnet node test.js
If you set both, the config object takes precedence.
Stepping through a testnet example
Let's revisit a shortened version of the example from How It Works above, describing what will happen in Testnet.
Create a
Runner
.const runner = Runner.create(async ({root}) => { await root.createAccount('alice'); await root.createAndDeploy( 'contract-account-name', path.join(__dirname, '..', 'path', 'to', 'compiled.wasm'), ); });
Let's step through this.
Runner.create
does not interact with Testnet at all yet. Instead, the function runs at the beginning of each subsequent call torunner.run
. This matches the semantics of the sandbox that all subsequent calls torun
have the same starting point, however, testnet requires that each call have its own account. In factRunner.create
creates a unique testnet account and each test is a unique sub-account.
Write tests.
await Promise.all([ runner.run(async ({alice, contract}) => { await alice.call( contract, 'some_update_function', {some_string_argument: 'cool', some_number_argument: 42} ); const result = await contract.view( 'some_view_function', {account_id: alice} ); assert.equal(result, 'whatever'); }), runner.run(async ({alice, contract}) => { const result = await contract.view( 'some_view_function', {account_id: alice} ); assert.equal(result, 'some default'); }); ]);
Each call to
runner.run
will:- Get or create its own sub-account on testnet account, e.g.
t.rdsq0289478
. If creating the account the keys will be stored at$PWD/.near-credentials/runner/testnet/t.rdsq0289478.json
. - Run the
initFn
passed toRunner.create
- Create sub-accounts for each
createAccount
andcreateAndDeploy
, such asalice.t.rdsq0289478
- If the test account runs out of funds to create accounts it will request a transfer from the root account.
- After the test is finished each account created is deleted and the funds sent back to the test account.
- Get or create its own sub-account on testnet account, e.g.
Note: Since the testnet accounts are cached, if account creation rate limits are reached simply wait a little while and try again.
Skipping Sandbox-specific tests
If some of your tests take advantage of Sandbox-specific features, you can skip these on testnet runs in a couple ways:
runSandbox
: Instead ofrunner.run
, you can userunner.runSandbox
:await Promise.all([ runner.run(async ({…}) => { // runs on any network, sandbox or testnet }), runner.runSandbox(async ({…}) => { // only runs on sandbox network }); ]);
Runner.getNetworkFromEnv
: Given that the above approach can result in empty test definitions, you can instead skip entire sections of your test files by checking theRunner.getNetworkFromConfig
. Using Jest syntax:describe(`Running on ${Runner.getNetworkFromEnv()}`, () => { let runner = Runner.create(async ({root}) => ({ // note the implicit return contract: await root.createAndDeploy( 'contract-account-name', path.join(__dirname, '..', 'path', 'to', 'compiled.wasm'), ) })); test.concurrent('thing that makes sense on any network', async () => { // test basic contract & account interactions }); if ('sandbox' === Runner.getNetworkFromEnv()) { test.concurrent('thing that only makes sense with sandbox', async () => { // test with patch-state, fast-forwarding, etc }); } });
Patch State on the Fly
In Sandbox-mode tests, you can add or modify any contract state, contract code, account or access key with patchState
.
You cannot perform arbitrary mutation on contract state with transactions since transactions can only include contract calls that mutate state in a contract-programmed way. For example, with an NFT contract, you can perform some operation with NFTs you have ownership of, but you cannot manipulate NFTs that are owned by other accounts since the smart contract is coded with checks to reject that. This is the expected behavior of the NFT contract. However, you may want to change another person's NFT for a test setup. This is called "arbitrary mutation on contract state" and can be done with patchState
. Alternatively you can stop the node, dump state at genesis, edit genesis, and restart the node. The later approach is more complicated to do and also cannot be performed without restarting the node.
It is true that you can alter contract code, accounts, and access keys using normal transactions via the DeployContract
, CreateAccount
, and AddKey
actions. But this limits you to altering your own account or sub-account. patchState
allows you to perform these operations on any account.
To see an example of how to do this, see the patch-state test.
near-runner will support expanded patchState-based functionality in the future:
- Allow bootstrapping sandbox environment from testnet/mainnet contracts & state
- Allow replaying all transactions from testnet/mainnet
- Support time-travel / fast-forwarding
Pro Tips
NEAR_RUNNER_DEBUG=true
– run tests with this environment variable set to get copious debug output and a full log file for each Sandbox instance.Runner.create
config – you can pass a config object as the first argument toRunner.create
. This lets you do things like:skip initialization if specified data directory already exists
Runner.create( { init: false, homeDir: './test-data/alice-owns-an-nft' }, async ({root}) => { … } )
always recreate such data directory instead (the default behavior)
specify which port to run on
and more!