npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@oraichain/cosmwasm-vm-js

v0.2.87

Published

This package contains an implementation of the CosmWasm VM that is runnable on Node.js and web browsers that support WebAssembly (currently only tested on V8 browsers like Google Chrome). This allows you to run `.wasm` binaries intended for CosmWasm witho

Downloads

482

Readme

CosmWasm VM in JavaScript

This package contains an implementation of the CosmWasm VM that is runnable on Node.js and web browsers that support WebAssembly (currently only tested on V8 browsers like Google Chrome). This allows you to run .wasm binaries intended for CosmWasm without the need for a backend blockchain or Rust toolchain, enabling new ways to instrument and test CosmWasm smart contracts.

NOTE: This package is intended to work with contracts built for CosmWasm v1.0.

NOTE: Although great care has been taken to match the behavior of the original CosmWasm VM (powered by Wasmer), this implementation may not provide identical results and should not be used as a drop-in replacement. Results obtained should be verified against the original implementation for critical use-cases.

Setup

Add the cosmwasm-vm-js package as a dependency in your package.json.

npm install -S @oraichain/cosmwasm-vm-js

or

yarn add @oraichain/cosmwasm-vm-js

Usage

import { readFileSync } from 'fs';
import { VMInstance } from '@oraichain/cosmwasm-vm-js';
import {
  BasicBackendApi,
  BasicKVIterStorage,
  BasicQuerier,
  IBackend,
} from 'cosmwasm-vm-js/backend';

const wasmBytecode = readFileSync('testdata/cosmwasm_vm_test.wasm');
const backend: IBackend = {
  backend_api: new BasicBackendApi('terra'),
  storage: new BasicKVIterStorage(),
  querier: new BasicQuerier(),
};

const vm = new VMInstance(backend);
const mockEnv = {
  block: {
    height: 1337,
    time: '2000000000',
    chain_id: 'columbus-5',
  },
  contract: {
    address: 'terra14z56l0fp2lsf86zy3hty2z47ezkhnthtr9yq76',
  },
};

const mockInfo = {
  sender: 'terra1337xewwfv3jdjuz8e0nea9vd8dpugc0k2dcyt3',
  funds: [],
};

describe('CosmWasmVM', () => {
  it('instantiates', async () => {
    await vm.build(wasmBytecode);

    const region = vm.instantiate(mockEnv, mockInfo, { count: 20 });
    console.log(region.json);
    console.log(vm.backend);
    const actual = {
      ok: {
        attributes: [
          { key: 'method', value: 'instantiate' },
          {
            key: 'owner',
            value: 'terra1337xewwfv3jdjuz8e0nea9vd8dpugc0k2dcyt3',
          },
          { key: 'count', value: '20' },
        ],
        data: null,
        events: [],
        messages: [],
      },
    };
    expect(region.json).toEqual(actual);
  });

  it('execute', async () => {
    await vm.build(wasmBytecode);

    let region = vm.instantiate(mockEnv, mockInfo, { count: 20 });
    region = vm.execute(mockEnv, mockInfo, { increment: {} });
    console.log(region.json);
    console.log(vm.backend);
    const actual = {
      ok: {
        attributes: [{ key: 'method', value: 'try_increment' }],
        data: null,
        events: [],
        messages: [],
      },
    };
    expect(region.json).toEqual(actual);
  });
});

How it works

CosmWasm smart contracts are WebAssembly binaries that export certain function symbols called "entrypoints", such as the following:

  • instantiate
  • execute
  • query
  • migrate

Users interact and invoke operations on the smart contract by calling the desired entrypoint with arguments. As these are exposed as WebAssembly functions, we should normally be able to call them directly. However, CosmWasm contracts carry some implicit requirements that must be met before we can interact with the contract's functions naturally.

  1. Contracts expect certain symbols to be provided by the VM host (WASM imports).
  2. Contracts need an environment with storage to which it can read and write data.
  3. Contract entrypoints expect to be called with input arguments prepared and allocated into memory in a certain way.
  4. The response of contract entrypoint invocations should be parsed.

cosmwasm-vm-js provides a VM implementation that addresses all of these requirements and exposes a simulated execution environment that can be further customized to enable possibilities such as instrumentation, visualization, debugging, and more.

WASM Imports

The following WASM imports have been implemented according to imports.rs in cosmwasm-vm.

| Import Name | Implemented? | Tested? | Notes | | -------------------------- | ------------------ | ------------------ | ------------------------------------------------------------ | | db_read | :white_check_mark: | :white_check_mark: | | | db_write | :white_check_mark: | :white_check_mark: | | | db_remove | :white_check_mark: | :white_check_mark: | | | db_scan | :white_check_mark: | :white_check_mark: | | | db_next | :white_check_mark: | :white_check_mark: | | | addr_humanize | :white_check_mark: | :white_check_mark: | | | addr_canonicalize | :white_check_mark: | :white_check_mark: | | | addr_validate | :white_check_mark: | :white_check_mark: | | | secp256k1_verify | :white_check_mark: | :white_check_mark: | | | secp256k1_recover_pubkey | :white_check_mark: | :white_check_mark: | | | ed25519_verify | :white_check_mark: | :white_check_mark: | | | ed25519_batch_verify | :white_check_mark: | :white_check_mark: | | | debug | :white_check_mark: | :white_check_mark: | Appends to a list of strings instead of printing to console. | | query_chain | :white_check_mark: | :white_check_mark: | | | abort | :white_check_mark: | :white_check_mark: | |

Environment & Storage

We provide a simple key-value store with bytes keys and bytes values in BasicKVIterStorage.

WebAssembly Linear Memory

A loaded CosmWasm contract module's linear memory is accessible as WebAssembly.Memory, which can be read as a bytearray through JavaScript's Uint8Array data type.

Passing data from JavaScript to WASM

To invoke entrypoint functions, we need to pass in arguments from JavaScript and load them into WebAssembly linear memory accessible by the contract. Although we can write directly to WebAssembly.Memory, doing this is considered unsafe as we don't know what we might be touching. Instead, we must use the contract's allocate entrypoint which gives us a pointer to a writeable region of linear memory which is recognized by the WASM code.

cosmwasm-vm-js also provides the Region class, which is an analog of the Region type found in cosmwasm-vm.

CosmWasm's Region type

/// Describes some data allocated in Wasm's linear memory.
/// A pointer to an instance of this can be returned over FFI boundaries.
///
/// This is the same as `cosmwasm_std::memory::Region`
/// but defined here to allow Wasmer specific implementation.
#[repr(C)]
#[derive(Default, Clone, Copy, Debug)]
struct Region {
    /// The beginning of the region expressed as bytes from the beginning of the linear memory
    pub offset: u32,
    /// The number of bytes available in this region
    pub capacity: u32,
    /// The number of bytes used in this region
    pub length: u32,
}

CosmWasm contract entrypoints expect their parameters to be pointers to Region structs, which point to the actual data via offset.

arg ---> Region ---> argument data

License

This software is licensed under the MIT License.

Copyright © 2022 Terran One LLC