@moonwall/cli
Version:
Testing framework for the Moon family of projects
1,583 lines (1,565 loc) • 132 kB
JavaScript
var __defProp = Object.defineProperty;
var __getOwnPropNames = Object.getOwnPropertyNames;
var __esm = (fn, res) => function __init() {
return fn && (res = (0, fn[__getOwnPropNames(fn)[0]])(fn = 0)), res;
};
var __export = (target, all) => {
for (var name in all)
__defProp(target, name, { get: all[name], enumerable: true });
};
// src/lib/configReader.ts
var configReader_exports = {};
__export(configReader_exports, {
cacheConfig: () => cacheConfig,
configExists: () => configExists,
configSetup: () => configSetup,
getEnvironmentFromConfig: () => getEnvironmentFromConfig,
importAsyncConfig: () => importAsyncConfig,
importConfig: () => importConfig,
importJsonConfig: () => importJsonConfig,
isEthereumDevConfig: () => isEthereumDevConfig,
isEthereumZombieConfig: () => isEthereumZombieConfig,
isOptionSet: () => isOptionSet,
loadEnvVars: () => loadEnvVars,
parseZombieConfigForBins: () => parseZombieConfigForBins
});
import "@moonbeam-network/api-augment";
import { readFile, access } from "fs/promises";
import { readFileSync, existsSync, constants } from "fs";
import JSONC from "jsonc-parser";
import path2, { extname } from "path";
async function configExists() {
try {
await access(process.env.MOON_CONFIG_PATH || "", constants.R_OK);
return true;
} catch {
return false;
}
}
function configSetup(args) {
if (args.includes("--configFile") || process.argv.includes("-c")) {
const index = process.argv.indexOf("--configFile") !== -1 ? process.argv.indexOf("--configFile") : process.argv.indexOf("-c") !== -1 ? process.argv.indexOf("-c") : 0;
if (index === 0) {
throw new Error("Invalid configFile argument");
}
const configFile = process.argv[index + 1];
if (!existsSync(configFile)) {
throw new Error(`Config file not found at "${configFile}"`);
}
process.env.MOON_CONFIG_PATH = configFile;
}
if (!process.env.MOON_CONFIG_PATH) {
process.env.MOON_CONFIG_PATH = "moonwall.config.json";
}
}
async function parseConfig(filePath) {
let result;
const file = await readFile(filePath, "utf8");
switch (extname(filePath)) {
case ".json":
result = JSON.parse(file);
break;
case ".config":
result = JSONC.parse(file);
break;
default:
result = void 0;
break;
}
return result;
}
function parseConfigSync(filePath) {
let result;
const file = readFileSync(filePath, "utf8");
switch (extname(filePath)) {
case ".json":
result = JSON.parse(file);
break;
case ".config":
result = JSONC.parse(file);
break;
default:
result = void 0;
break;
}
return result;
}
async function importConfig(configPath) {
return await import(configPath);
}
function isOptionSet(option) {
const env = getEnvironmentFromConfig();
const optionValue = traverseConfig(env, option);
return optionValue !== void 0;
}
function isEthereumZombieConfig() {
const config = importJsonConfig();
const env = getEnvironmentFromConfig();
return env.foundation.type === "zombie" && !env.foundation.zombieSpec.disableDefaultEthProviders;
}
function isEthereumDevConfig() {
const config = importJsonConfig();
const env = getEnvironmentFromConfig();
return env.foundation.type === "dev" && !env.foundation.launchSpec[0].disableDefaultEthProviders;
}
async function cacheConfig() {
const configPath = process.env.MOON_CONFIG_PATH;
if (!configPath) {
throw new Error(`Environment ${process.env.MOON_TEST_ENV} not found in config`);
}
const filePath = path2.isAbsolute(configPath) ? configPath : path2.join(process.cwd(), configPath);
try {
const config = parseConfigSync(filePath);
const replacedConfig = replaceEnvVars(config);
cachedConfig = replacedConfig;
} catch (e) {
console.error(e);
throw new Error(`Error import config at ${filePath}`);
}
}
function getEnvironmentFromConfig() {
const globalConfig = importJsonConfig();
const config = globalConfig.environments.find(({ name }) => name === process.env.MOON_TEST_ENV);
if (!config) {
throw new Error(`Environment ${process.env.MOON_TEST_ENV} not found in config`);
}
return config;
}
function importJsonConfig() {
if (cachedConfig) {
return cachedConfig;
}
const configPath = process.env.MOON_CONFIG_PATH;
if (!configPath) {
throw new Error("No moonwall config path set. This is a defect, please raise it.");
}
const filePath = path2.isAbsolute(configPath) ? configPath : path2.join(process.cwd(), configPath);
try {
const config = parseConfigSync(filePath);
const replacedConfig = replaceEnvVars(config);
cachedConfig = replacedConfig;
return cachedConfig;
} catch (e) {
console.error(e);
throw new Error(`Error import config at ${filePath}`);
}
}
async function importAsyncConfig() {
if (cachedConfig) {
return cachedConfig;
}
const configPath = process.env.MOON_CONFIG_PATH;
if (!configPath) {
throw new Error("No moonwall config path set. This is a defect, please raise it.");
}
const filePath = path2.isAbsolute(configPath) ? configPath : path2.join(process.cwd(), configPath);
try {
const config = await parseConfig(filePath);
const replacedConfig = replaceEnvVars(config);
cachedConfig = replacedConfig;
return cachedConfig;
} catch (e) {
console.error(e);
throw new Error(`Error import config at ${filePath}`);
}
}
function loadEnvVars() {
const env = getEnvironmentFromConfig();
for (const envVar of env.envVars || []) {
const [key, value] = envVar.split("=");
process.env[key] = value;
}
}
function replaceEnvVars(value) {
if (typeof value === "string") {
return value.replace(/\$\{([^}]+)\}/g, (match, group) => {
const envVarValue = process.env[group];
return envVarValue || match;
});
}
if (Array.isArray(value)) {
return value.map(replaceEnvVars);
}
if (typeof value === "object" && value !== null) {
return Object.fromEntries(Object.entries(value).map(([k, v]) => [k, replaceEnvVars(v)]));
}
return value;
}
function traverseConfig(configObj, option) {
if (typeof configObj !== "object" || !configObj) return void 0;
if (Object.prototype.hasOwnProperty.call(configObj, option)) {
return configObj[option];
}
for (const key in configObj) {
const result = traverseConfig(configObj[key], option);
if (result !== void 0) {
return result;
}
}
return void 0;
}
function parseZombieConfigForBins(zombieConfigPath) {
const config = JSON.parse(readFileSync(zombieConfigPath, "utf8"));
const commands = [];
if (config.relaychain?.default_command) {
commands.push(path2.basename(config.relaychain.default_command));
}
if (config.parachains) {
for (const parachain of config.parachains) {
if (parachain.collator?.command) {
commands.push(path2.basename(parachain.collator.command));
}
}
}
return [...new Set(commands)].sort();
}
var cachedConfig;
var init_configReader = __esm({
"src/lib/configReader.ts"() {
"use strict";
}
});
// src/index.ts
import "@moonbeam-network/api-augment";
export * from "@moonwall/types";
import { afterAll as afterAll2, afterEach, beforeAll as beforeAll2, beforeEach, expect } from "vitest";
// src/lib/binariesHelpers.ts
import "@moonbeam-network/api-augment";
import path from "path";
import fs from "fs";
import child_process from "child_process";
import { OVERRIDE_RUNTIME_PATH } from "@moonwall/util";
var BINARY_DIRECTORY = process.env.BINARY_DIRECTORY || "binaries";
var RUNTIME_DIRECTORY = process.env.RUNTIME_DIRECTORY || "runtimes";
var SPECS_DIRECTORY = process.env.SPECS_DIRECTORY || "specs";
async function getGithubReleaseBinary(url, binaryPath) {
if (!fs.existsSync(binaryPath)) {
console.log(` Missing ${binaryPath} locally, downloading it...`);
child_process.execSync(
`mkdir -p ${path.dirname(binaryPath)} && wget -q ${url} -O ${binaryPath} && chmod u+x ${binaryPath}`
);
console.log(`${binaryPath} downloaded !`);
}
return binaryPath;
}
async function getMoonbeamReleaseBinary(binaryTag) {
const binaryPath = path.join(BINARY_DIRECTORY, `moonbeam-${binaryTag}`);
return getGithubReleaseBinary(
`https://github.com/PureStake/moonbeam/releases/download/${binaryTag}/moonbeam`,
binaryPath
);
}
async function getPolkadotReleaseBinary(binaryTag) {
const binaryPath = path.join(BINARY_DIRECTORY, `polkadot-${binaryTag}`);
return getGithubReleaseBinary(
`https://github.com/paritytech/polkadot-sdk/releases/download/${binaryTag}/polkadot`,
binaryPath
);
}
async function getTanssiReleaseBinary(binaryTag) {
const binaryPath = path.join(BINARY_DIRECTORY, `polkadot-${binaryTag}`);
return getGithubReleaseBinary(
`https://github.com/moondance-labs/tanssi/releases/download/${binaryTag}/polkadot`,
binaryPath
);
}
async function getTagSha8(binaryTag) {
const sha = child_process.execSync(`git rev-list -1 ${binaryTag}`).toString();
if (!sha) {
throw new Error(`Invalid runtime tag ${binaryTag}`);
}
return sha.slice(0, 8);
}
async function getMoonbeamDockerBinary(binaryTag) {
const sha8 = await getTagSha8(binaryTag);
const binaryPath = path.join(BINARY_DIRECTORY, `moonbeam-${sha8}`);
if (!fs.existsSync(binaryPath)) {
if (process.platform !== "linux") {
console.error("docker binaries are only supported on linux.");
throw new Error("docker binaries are only supported on linux.");
}
const dockerImage = `purestake/moonbeam:sha-${sha8}`;
console.log(` Missing ${binaryPath} locally, downloading it...`);
child_process.execSync(`mkdir -p ${path.dirname(binaryPath)} && docker create --pull always --name moonbeam-tmp ${dockerImage} && docker cp moonbeam-tmp:/moonbeam/moonbeam ${binaryPath} && docker rm moonbeam-tmp`);
console.log(`${binaryPath} downloaded !`);
}
return binaryPath;
}
async function getRuntimeWasm(runtimeName, runtimeTag, localPath) {
const runtimePath = path.join(RUNTIME_DIRECTORY, `${runtimeName}-${runtimeTag}.wasm`);
if (!fs.existsSync(RUNTIME_DIRECTORY)) {
fs.mkdirSync(RUNTIME_DIRECTORY, { recursive: true });
}
if (runtimeTag === "local") {
const builtRuntimePath = localPath ? localPath : path.join(
OVERRIDE_RUNTIME_PATH || `../target/release/wbuild/${runtimeName}-runtime/`,
`${runtimeName}_runtime.compact.compressed.wasm`
);
const code = fs.readFileSync(builtRuntimePath);
fs.writeFileSync(runtimePath, `0x${code.toString("hex")}`);
} else if (!fs.existsSync(runtimePath)) {
console.log(` Missing ${runtimePath} locally, downloading it...`);
child_process.execSync(
`mkdir -p ${path.dirname(
runtimePath
)} && wget -q https://github.com/PureStake/moonbeam/releases/download/${runtimeTag}/${runtimeName}-${runtimeTag}.wasm -O ${runtimePath}.bin`
);
const code = fs.readFileSync(`${runtimePath}.bin`);
fs.writeFileSync(runtimePath, `0x${code.toString("hex")}`);
console.log(`${runtimePath} downloaded !`);
}
return runtimePath;
}
async function getPlainSpecsFromTag(runtimeName, tag) {
const binaryPath = await getMoonbeamDockerBinary(tag);
return generateSpecs(binaryPath, runtimeName, false);
}
async function getRawSpecsFromTag(runtimeName, tag) {
const binaryPath = await getMoonbeamDockerBinary(tag);
return generateSpecs(binaryPath, runtimeName, true);
}
async function generateSpecs(binaryPath, runtimeName, raw) {
const specPath = path.join(SPECS_DIRECTORY, `${runtimeName}-${raw ? "raw" : "plain"}-specs.json`);
child_process.execSync(
`mkdir -p ${path.dirname(specPath)} && ${binaryPath} build-spec --chain ${runtimeName} ${raw ? "--raw" : ""} --disable-default-bootnode > ${specPath}`
);
return specPath;
}
async function generatePlainSpecs(binaryPath, runtimeName) {
return generateSpecs(binaryPath, runtimeName, false);
}
async function generateRawSpecs(binaryPath, runtimeName) {
return generateSpecs(binaryPath, runtimeName, true);
}
// src/index.ts
init_configReader();
// src/lib/contextHelpers.ts
import "@moonbeam-network/api-augment";
function filterAndApply(events, section, methods, onFound) {
return events.filter(({ event }) => section === event.section && methods.includes(event.method)).map((record) => onFound(record));
}
function getDispatchError({
event: {
data: [dispatchError]
}
}) {
return dispatchError;
}
function getDispatchInfo({ event: { data, method } }) {
return method === "ExtrinsicSuccess" ? data[0] : data[1];
}
function extractError(events = []) {
return filterAndApply(events, "system", ["ExtrinsicFailed"], getDispatchError)[0];
}
function isExtrinsicSuccessful(events = []) {
return filterAndApply(events, "system", ["ExtrinsicSuccess"], () => true).length > 0;
}
function extractInfo(events = []) {
return filterAndApply(
events,
"system",
["ExtrinsicFailed", "ExtrinsicSuccess"],
getDispatchInfo
)[0];
}
// src/lib/contractFunctions.ts
init_configReader();
import {
ALITH_PRIVATE_KEY,
PRECOMPILES,
createEthersTransaction,
createViemTransaction,
deployViemContract
} from "@moonwall/util";
import chalk from "chalk";
import { Interface, Wallet } from "ethers";
import fs2, { readFileSync as readFileSync2 } from "fs";
import path3 from "path";
import { decodeFunctionResult, encodeFunctionData, toHex } from "viem";
import { privateKeyToAccount } from "viem/accounts";
function getCompiledPath(contractName) {
const config = importJsonConfig();
const contractsDir = config.environments.find(
(env) => env.name === process.env.MOON_TEST_ENV
)?.contracts;
if (!contractsDir) {
throw new Error(
`Contracts directory not found for environment config ${process.env.MOON_TEST_ENV}
Please specify path to Foundry directory at: ${chalk.bgWhiteBright.blackBright(
"moonwall.config.json > environments > contracts"
)}`
);
}
const compiledJsonPath = recursiveSearch(contractsDir, `${contractName}.json`);
const solidityFilePath = recursiveSearch(contractsDir, `${contractName}.sol`);
if (!compiledJsonPath && !solidityFilePath) {
throw new Error(
`Neither solidity contract ${contractName}.sol nor its compiled json exists in ${contractsDir}`
);
}
if (!compiledJsonPath) {
throw new Error(
`Compiled contract ${contractName}.json doesn't exist
Please ${chalk.bgWhiteBright.blackBright("recompile contract")} ${contractName}.sol`
);
}
return compiledJsonPath;
}
function fetchCompiledContract(contractName) {
const compiledPath = getCompiledPath(contractName);
const json = readFileSync2(compiledPath, "utf8");
const parsed = JSON.parse(json);
return {
abi: parsed.contract.abi,
bytecode: parsed.byteCode,
methods: parsed.contract.evm.methodIdentifiers,
deployedBytecode: `0x${parsed.contract.evm.deployedBytecode.object}`
};
}
function recursiveSearch(dir, filename) {
const files = fs2.readdirSync(dir);
for (const file of files) {
const filepath = path3.join(dir, file);
const stats = fs2.statSync(filepath);
if (stats.isDirectory()) {
const searchResult = recursiveSearch(filepath, filename);
if (searchResult) {
return searchResult;
}
} else if (stats.isFile() && file === filename) {
return filepath;
}
}
return null;
}
async function interactWithPrecompileContract(context, callOptions) {
const { precompileName, ...rest } = callOptions;
const precompileInfo = PRECOMPILES[precompileName];
if (!precompileInfo) {
throw new Error(`No precompile found with the name: ${precompileName}`);
}
const [contractAddress, contractName] = Array.isArray(precompileInfo) ? precompileInfo : [precompileInfo, precompileName];
return await interactWithContract(context, {
...rest,
contractName,
contractAddress
});
}
async function interactWithContract(context, callOptions) {
const {
contractName,
contractAddress,
functionName,
args = [],
web3Library = "viem",
gas = "estimate",
value = 0n,
privateKey = ALITH_PRIVATE_KEY,
rawTxOnly = false,
call = false
} = callOptions;
const { abi } = fetchCompiledContract(contractName);
const data = encodeFunctionData({
abi,
functionName,
args
});
const account = privateKeyToAccount(privateKey);
const gasParam = gas === "estimate" ? await context.viem().estimateGas({
account: account.address,
to: contractAddress,
value: 0n,
data
}) : gas > 0n ? gas : 200000n;
if (!call && rawTxOnly) {
return web3Library === "viem" ? createViemTransaction(context, {
to: contractAddress,
data,
gas: gasParam,
privateKey,
value
}) : createEthersTransaction(context, {
to: contractAddress,
data,
gas: gasParam,
value: toHex(value),
privateKey
});
}
if (call) {
if (web3Library === "viem") {
const result2 = await context.viem().call({
account: account.address,
to: contractAddress,
value: 0n,
data,
gas: gasParam
});
if (!result2.data) {
throw new Error("No data field returned from call");
}
return decodeFunctionResult({ abi, functionName, data: result2.data });
}
const result = await context.ethers().call({
from: account.address,
to: contractAddress,
value: toHex(value),
data,
gasLimit: toHex(gasParam)
});
return new Interface(abi).decodeFunctionResult(functionName, result);
}
if (!rawTxOnly) {
if (web3Library === "viem") {
const hash2 = await context.viem().sendTransaction({
account,
to: contractAddress,
value,
data,
gas: gasParam
});
return hash2;
}
const signer = new Wallet(privateKey, context.ethers().provider);
const { hash } = await signer.sendTransaction({
from: account.address,
to: contractAddress,
value: toHex(value),
data,
gasLimit: toHex(gasParam)
});
return hash;
}
throw new Error("This should never happen, if it does there's a logic error in the code");
}
async function deployCreateCompiledContract(context, contractName, options) {
const { abi, bytecode, methods } = fetchCompiledContract(contractName);
const { privateKey = ALITH_PRIVATE_KEY, args = [], ...rest } = options || {};
const blob = {
...rest,
privateKey,
args
};
const { contractAddress, logs, status, hash } = await deployViemContract(
context,
abi,
bytecode,
blob
);
return {
contractAddress,
logs,
hash,
status,
abi,
bytecode,
methods
};
}
// src/lib/globalContext.ts
import "@moonbeam-network/api-augment";
import zombie from "@zombienet/orchestrator";
import { createLogger as createLogger5 } from "@moonwall/util";
import fs12 from "fs";
import net2 from "net";
import readline from "readline";
import { setTimeout as timer3 } from "timers/promises";
import path11 from "path";
// src/internal/commandParsers.ts
import chalk2 from "chalk";
import path4 from "path";
// src/lib/repoDefinitions/moonbeam.ts
var repo = {
name: "moonbeam",
binaries: [
{
name: "moonbeam",
defaultArgs: [
"--no-hardware-benchmarks",
"--no-telemetry",
"--reserved-only",
"--rpc-cors=all",
"--unsafe-rpc-external",
"--unsafe-force-node-key-generation",
"--no-grandpa",
"--sealing=manual",
"--force-authoring",
"--no-prometheus",
"--alice",
"--chain=moonbase-dev",
"--tmp"
]
},
{ name: "moonbase-runtime" },
{ name: "moonbeam-runtime" },
{ name: "moonriver-runtime" }
],
ghAuthor: "moonbeam-foundation",
ghRepo: "moonbeam"
};
var moonbeam_default = repo;
// src/lib/repoDefinitions/polkadot.ts
var repo2 = {
name: "polkadot",
binaries: [
{ name: "polkadot" },
{ name: "polkadot-prepare-worker" },
{ name: "polkadot-execute-worker" }
],
ghAuthor: "paritytech",
ghRepo: "polkadot-sdk"
};
var polkadot_default = repo2;
// src/lib/repoDefinitions/tanssi.ts
var repo3 = {
name: "tanssi",
binaries: [
{
name: "tanssi-node",
defaultArgs: ["--dev", "--sealing=manual", "--no-hardware-benchmarks"]
},
{ name: "container-chain-template-simple-node" },
{ name: "container-chain-template-frontier-node" }
],
ghAuthor: "moondance-labs",
ghRepo: "tanssi"
};
var tanssi_default = repo3;
// src/lib/repoDefinitions/index.ts
init_configReader();
function standardRepos() {
const defaultRepos = [moonbeam_default, polkadot_default, tanssi_default];
return [...defaultRepos];
}
// src/internal/commandParsers.ts
import invariant from "tiny-invariant";
function parseZombieCmd(launchSpec) {
if (launchSpec) {
return { cmd: launchSpec.configPath };
}
throw new Error(
`No ZombieSpec found in config.
Are you sure your ${chalk2.bgWhiteBright.blackBright(
"moonwall.config.json"
)} file has the correct "configPath" in zombieSpec?`
);
}
function fetchDefaultArgs(binName, additionalRepos = []) {
let defaultArgs;
const repos = [...standardRepos(), ...additionalRepos];
for (const repo4 of repos) {
const foundBin = repo4.binaries.find((bin) => bin.name === binName);
if (foundBin) {
defaultArgs = foundBin.defaultArgs;
break;
}
}
if (!defaultArgs) {
defaultArgs = ["--dev"];
}
return defaultArgs;
}
var LaunchCommandParser = class _LaunchCommandParser {
args;
cmd;
launch;
launchSpec;
additionalRepos;
launchOverrides;
constructor(options) {
const { launchSpec, additionalRepos, launchOverrides } = options;
this.launchSpec = launchSpec;
this.additionalRepos = additionalRepos;
this.launchOverrides = launchOverrides;
this.launch = !launchSpec.running ? true : launchSpec.running;
this.cmd = launchSpec.binPath;
this.args = launchSpec.options ? [...launchSpec.options] : fetchDefaultArgs(path4.basename(launchSpec.binPath), additionalRepos);
}
overrideArg(newArg) {
const newArgKey = newArg.split("=")[0];
const existingIndex = this.args.findIndex((arg) => arg.startsWith(`${newArgKey}=`));
if (existingIndex !== -1) {
this.args[existingIndex] = newArg;
} else {
this.args.push(newArg);
}
}
withPorts() {
if (this.launchSpec.ports) {
const ports = this.launchSpec.ports;
if (ports.p2pPort) {
this.overrideArg(`--port=${ports.p2pPort}`);
}
if (ports.wsPort) {
this.overrideArg(`--ws-port=${ports.wsPort}`);
}
if (ports.rpcPort) {
this.overrideArg(`--rpc-port=${ports.rpcPort}`);
}
} else {
const freePort = getFreePort().toString();
process.env.MOONWALL_RPC_PORT = freePort;
if (this.launchSpec.newRpcBehaviour) {
this.overrideArg(`--rpc-port=${freePort}`);
} else {
this.overrideArg(`--ws-port=${freePort}`);
}
}
return this;
}
withDefaultForkConfig() {
const forkOptions = this.launchSpec.defaultForkConfig;
if (forkOptions) {
this.applyForkOptions(forkOptions);
}
return this;
}
withLaunchOverrides() {
if (this.launchOverrides?.forkConfig) {
this.applyForkOptions(this.launchOverrides.forkConfig);
}
return this;
}
print() {
console.log(chalk2.cyan(`Command to run is: ${chalk2.bold(this.cmd)}`));
console.log(chalk2.cyan(`Arguments are: ${chalk2.bold(this.args.join(" "))}`));
return this;
}
applyForkOptions(forkOptions) {
if (forkOptions.url) {
invariant(forkOptions.url.startsWith("http"), "Fork URL must start with http:// or https://");
this.overrideArg(`--fork-chain-from-rpc=${forkOptions.url}`);
}
if (forkOptions.blockHash) {
this.overrideArg(`--block=${forkOptions.blockHash}`);
}
if (forkOptions.stateOverridePath) {
this.overrideArg(`--fork-state-overrides=${forkOptions.stateOverridePath}`);
}
if (forkOptions.verbose) {
this.overrideArg("-llazy-loading=trace");
}
}
build() {
return {
cmd: this.cmd,
args: this.args,
launch: this.launch
};
}
static create(options) {
const parser = new _LaunchCommandParser(options);
const parsed = parser.withPorts().withDefaultForkConfig().withLaunchOverrides();
if (options.verbose) {
parsed.print();
}
return parsed.build();
}
};
function parseChopsticksRunCmd(launchSpecs) {
const launch = !launchSpecs[0].running ? true : launchSpecs[0].running;
if (launchSpecs.length === 1) {
const chopsticksCmd2 = "node";
const chopsticksArgs2 = [
"node_modules/@acala-network/chopsticks/chopsticks.cjs",
`--config=${launchSpecs[0].configPath}`,
`--addr=${launchSpecs[0].address ?? "127.0.0.1"}`
// use old behaviour by default
];
const mode = launchSpecs[0].buildBlockMode ? launchSpecs[0].buildBlockMode : "manual";
const num = mode === "batch" ? "Batch" : mode === "instant" ? "Instant" : "Manual";
chopsticksArgs2.push(`--build-block-mode=${num}`);
if (launchSpecs[0].wsPort) {
chopsticksArgs2.push(`--port=${launchSpecs[0].wsPort}`);
}
if (launchSpecs[0].wasmOverride) {
chopsticksArgs2.push(`--wasm-override=${launchSpecs[0].wasmOverride}`);
}
if (launchSpecs[0].allowUnresolvedImports) {
chopsticksArgs2.push("--allow-unresolved-imports");
}
return {
cmd: chopsticksCmd2,
args: chopsticksArgs2,
launch
};
}
const chopsticksCmd = "node";
const chopsticksArgs = ["node_modules/@acala-network/chopsticks/chopsticks.cjs", "xcm"];
for (const spec of launchSpecs) {
const type = spec.type ? spec.type : "parachain";
switch (type) {
case "parachain":
chopsticksArgs.push(`--parachain=${spec.configPath}`);
break;
case "relaychain":
chopsticksArgs.push(`--relaychain=${spec.configPath}`);
}
}
return {
cmd: chopsticksCmd,
args: chopsticksArgs,
launch
};
}
var getFreePort = () => {
const notionalPort = 1e4 + Number(process.env.VITEST_POOL_ID || 1) * 100;
return notionalPort;
};
// src/internal/foundations/zombieHelpers.ts
import chalk4 from "chalk";
import fs4 from "fs";
import invariant2 from "tiny-invariant";
// src/internal/fileCheckers.ts
import fs3 from "fs";
import { execSync } from "child_process";
import chalk3 from "chalk";
import os from "os";
import path5 from "path";
import { select } from "@inquirer/prompts";
async function checkExists(path12) {
const binPath = path12.split(" ")[0];
const fsResult = fs3.existsSync(binPath);
if (!fsResult) {
throw new Error(
`No binary file found at location: ${binPath}
Are you sure your ${chalk3.bgWhiteBright.blackBright(
"moonwall.config.json"
)} file has the correct "binPath" in launchSpec?`
);
}
const binArch = await getBinaryArchitecture(binPath);
const currentArch = os.arch();
if (binArch !== currentArch && binArch !== "unknown") {
throw new Error(
`The binary architecture ${chalk3.bgWhiteBright.blackBright(
binArch
)} does not match this system's architecture ${chalk3.bgWhiteBright.blackBright(
currentArch
)}
Download or compile a new binary executable for ${chalk3.bgWhiteBright.blackBright(
currentArch
)} `
);
}
return true;
}
function checkAccess(path12) {
const binPath = path12.split(" ")[0];
try {
fs3.accessSync(binPath, fs3.constants.X_OK);
} catch (err) {
console.error(`The file ${binPath} is not executable`);
throw new Error(`The file at ${binPath} , lacks execute permissions.`);
}
}
async function getBinaryArchitecture(filePath) {
return new Promise((resolve, reject) => {
const architectureMap = {
0: "unknown",
3: "x86",
62: "x64",
183: "arm64"
};
fs3.open(filePath, "r", (err, fd) => {
if (err) {
reject(err);
return;
}
const buffer = Buffer.alloc(20);
fs3.read(fd, buffer, 0, 20, 0, (err2, bytesRead, buffer2) => {
if (err2) {
reject(err2);
return;
}
const e_machine = buffer2.readUInt16LE(18);
const architecture = architectureMap[e_machine] || "unknown";
resolve(architecture);
});
});
});
}
// src/internal/foundations/zombieHelpers.ts
import { setTimeout as timer } from "timers/promises";
import net from "net";
async function checkZombieBins(config) {
const relayBinPath = config.relaychain.default_command;
if (!relayBinPath) {
throw new Error("No relayBinPath '[relaychain.default_command]' specified in zombie config");
}
await checkExists(relayBinPath);
checkAccess(relayBinPath);
if (config.parachains) {
const promises = config.parachains.map((para) => {
if (para.collator) {
if (!para.collator.command) {
throw new Error(
"No command found for collator, please check your zombienet config file for collator command"
);
}
checkExists(para.collator.command);
checkAccess(para.collator.command);
}
if (para.collators) {
for (const coll of para.collators) {
if (!coll.command) {
throw new Error(
"No command found for collators, please check your zombienet config file for collators command"
);
}
checkExists(coll.command);
checkAccess(coll.command);
}
}
});
await Promise.all(promises);
}
}
function getZombieConfig(path12) {
const fsResult = fs4.existsSync(path12);
if (!fsResult) {
throw new Error(
`No ZombieConfig file found at location: ${path12}
Are you sure your ${chalk4.bgWhiteBright.blackBright(
"moonwall.config.json"
)} file has the correct "configPath" in zombieSpec?`
);
}
const buffer = fs4.readFileSync(path12, "utf-8");
return JSON.parse(buffer);
}
async function sendIpcMessage(message) {
return new Promise(async (resolve, reject) => {
let response;
const ipcPath = process.env.MOON_IPC_SOCKET;
invariant2(ipcPath, "No IPC path found. This is a bug, please report it.");
const client = net.createConnection({ path: ipcPath }, () => {
console.log("\u{1F4E8} Successfully connected to IPC server");
});
client.on("error", (err) => {
console.error("\u{1F4E8} IPC client connection error:", err);
});
client.on("data", async (data) => {
response = JSON.parse(data.toString());
if (response.status === "success") {
client.end();
for (let i = 0; ; i++) {
if (client.closed) {
break;
}
if (i > 100) {
reject(new Error("Closing IPC connection failed"));
}
await timer(200);
}
resolve(response);
}
if (response.status === "failure") {
reject(new Error(JSON.stringify(response)));
}
});
for (let i = 0; ; i++) {
if (!client.connecting) {
break;
}
if (i > 100) {
reject(new Error(`Connection to ${ipcPath} failed`));
}
await timer(200);
}
await new Promise((resolve2) => {
client.write(JSON.stringify(message), () => resolve2("Sent!"));
});
});
}
// src/internal/localNode.ts
import { exec, spawn, spawnSync } from "child_process";
import fs5 from "fs";
import path6 from "path";
import WebSocket from "ws";
import { createLogger } from "@moonwall/util";
import { setTimeout as timer2 } from "timers/promises";
import util from "util";
import Docker from "dockerode";
import invariant3 from "tiny-invariant";
var execAsync = util.promisify(exec);
var logger = createLogger({ name: "localNode" });
var debug = logger.debug.bind(logger);
async function launchDockerContainer(imageName, args, name, dockerConfig) {
const docker = new Docker();
const port = args.find((a) => a.includes("port"))?.split("=")[1];
debug(`\x1B[36mStarting Docker container ${imageName} on port ${port}...\x1B[0m`);
const dirPath = path6.join(process.cwd(), "tmp", "node_logs");
const logLocation = path6.join(dirPath, `${name}_docker_${Date.now()}.log`);
const fsStream = fs5.createWriteStream(logLocation);
process.env.MOON_LOG_LOCATION = logLocation;
const portBindings = dockerConfig?.exposePorts?.reduce(
(acc, { hostPort, internalPort }) => {
acc[`${internalPort}/tcp`] = [{ HostPort: hostPort.toString() }];
return acc;
},
{}
);
const rpcPort = args.find((a) => a.includes("rpc-port"))?.split("=")[1];
invariant3(rpcPort, "RPC port not found, this is a bug");
const containerOptions = {
Image: imageName,
platform: "linux/amd64",
Cmd: args,
name: dockerConfig?.containerName || `moonwall_${name}_${Date.now()}`,
ExposedPorts: {
...Object.fromEntries(
dockerConfig?.exposePorts?.map(({ internalPort }) => [`${internalPort}/tcp`, {}]) || []
),
[`${rpcPort}/tcp`]: {}
},
HostConfig: {
PortBindings: {
...portBindings,
[`${rpcPort}/tcp`]: [{ HostPort: rpcPort }]
}
},
Env: dockerConfig?.runArgs?.filter((arg) => arg.startsWith("env:")).map((arg) => arg.slice(4))
};
try {
await pullImage(imageName, docker);
const container = await docker.createContainer(containerOptions);
await container.start();
const containerInfo = await container.inspect();
if (!containerInfo.State.Running) {
const errorMessage = `Container failed to start: ${containerInfo.State.Error}`;
console.error(errorMessage);
fs5.appendFileSync(logLocation, `${errorMessage}
`);
throw new Error(errorMessage);
}
for (let i = 0; i < 300; i++) {
if (await checkWebSocketJSONRPC(Number.parseInt(rpcPort))) {
break;
}
await timer2(100);
}
return { runningNode: container, fsStream };
} catch (error) {
if (error instanceof Error) {
console.error(`Docker container launch failed: ${error.message}`);
fs5.appendFileSync(logLocation, `Docker launch error: ${error.message}
`);
}
throw error;
}
}
async function launchNode(options) {
const { command: cmd, args, name, launchSpec: config } = options;
if (config?.useDocker) {
return launchDockerContainer(cmd, args, name, config.dockerConfig);
}
if (cmd.includes("moonbeam")) {
await checkExists(cmd);
checkAccess(cmd);
}
const port = args.find((a) => a.includes("port"))?.split("=")[1];
debug(`\x1B[36mStarting ${name} node on port ${port}...\x1B[0m`);
const dirPath = path6.join(process.cwd(), "tmp", "node_logs");
const runningNode = spawn(cmd, args);
const logLocation = path6.join(
dirPath,
`${path6.basename(cmd)}_node_${args.find((a) => a.includes("port"))?.split("=")[1]}_${runningNode.pid}.log`
).replaceAll("node_node_undefined", "chopsticks");
process.env.MOON_LOG_LOCATION = logLocation;
const fsStream = fs5.createWriteStream(logLocation);
runningNode.on("error", (err) => {
if (err.errno === "ENOENT") {
console.error(`\x1B[31mMissing Local binary at(${cmd}).
Please compile the project\x1B[0m`);
}
throw new Error(err.message);
});
const logHandler = (chunk) => {
if (fsStream.writable) {
fsStream.write(chunk, (err) => {
if (err) console.error(err);
else fsStream.emit("drain");
});
}
};
runningNode.stderr?.on("data", logHandler);
runningNode.stdout?.on("data", logHandler);
runningNode.once("exit", (code, signal) => {
const timestamp = (/* @__PURE__ */ new Date()).toISOString();
let message;
const moonwallNode = runningNode;
if (moonwallNode.isMoonwallTerminating) {
message = `${timestamp} [moonwall] process killed. reason: ${moonwallNode.moonwallTerminationReason || "unknown"}`;
} else if (code !== null) {
message = `${timestamp} [moonwall] process exited with status code ${code}`;
} else if (signal !== null) {
message = `${timestamp} [moonwall] process terminated by signal ${signal}`;
} else {
message = `${timestamp} [moonwall] process terminated unexpectedly`;
}
if (fsStream.writable) {
fsStream.write(`${message}
`, (err) => {
if (err) console.error(`Failed to write exit message to log: ${err}`);
fsStream.end();
});
} else {
try {
fs5.appendFileSync(logLocation, `${message}
`);
} catch (err) {
console.error(`Failed to append exit message to log file: ${err}`);
}
fsStream.end();
}
runningNode.stderr?.removeListener("data", logHandler);
runningNode.stdout?.removeListener("data", logHandler);
});
if (!runningNode.pid) {
const errorMessage = "Failed to start child process";
console.error(errorMessage);
fs5.appendFileSync(logLocation, `${errorMessage}
`);
throw new Error(errorMessage);
}
if (runningNode.exitCode !== null) {
const errorMessage = `Child process exited immediately with code ${runningNode.exitCode}`;
console.error(errorMessage);
fs5.appendFileSync(logLocation, `${errorMessage}
`);
throw new Error(errorMessage);
}
const isRunning = await isPidRunning(runningNode.pid);
if (!isRunning) {
const errorMessage = `Process with PID ${runningNode.pid} is not running`;
spawnSync(cmd, args, { stdio: "inherit" });
throw new Error(errorMessage);
}
probe: for (let i = 0; ; i++) {
try {
const ports = await findPortsByPid(runningNode.pid);
if (ports) {
for (const port2 of ports) {
try {
await checkWebSocketJSONRPC(port2);
break probe;
} catch {
}
}
}
} catch {
if (i === 300) {
throw new Error("Could not find ports for node after 30 seconds");
}
await timer2(100);
continue;
}
await timer2(100);
}
return { runningNode, fsStream };
}
function isPidRunning(pid) {
return new Promise((resolve) => {
exec(`ps -p ${pid} -o pid=`, (error, stdout, stderr) => {
if (error) {
resolve(false);
} else {
resolve(stdout.trim() !== "");
}
});
});
}
async function checkWebSocketJSONRPC(port) {
try {
const ws = new WebSocket(`ws://localhost:${port}`);
const result = await new Promise((resolve) => {
ws.on("open", () => {
ws.send(
JSON.stringify({
jsonrpc: "2.0",
id: 1,
method: "system_chain",
params: []
})
);
});
ws.on("message", (data) => {
try {
const response = JSON.parse(data.toString());
if (response.jsonrpc === "2.0" && response.id === 1) {
resolve(true);
} else {
resolve(false);
}
} catch (e) {
resolve(false);
}
});
ws.on("error", () => {
resolve(false);
});
});
ws?.close();
return result;
} catch {
return false;
}
}
async function findPortsByPid(pid, retryCount = 600, retryDelay = 100) {
for (let i = 0; i < retryCount; i++) {
try {
const { stdout } = await execAsync(`lsof -p ${pid} -n -P | grep LISTEN`);
const ports = [];
const lines = stdout.split("\n");
for (const line of lines) {
const regex = /(?:.+):(\d+)/;
const match = line.match(regex);
if (match) {
ports.push(Number(match[1]));
}
}
if (ports.length) {
return ports;
}
throw new Error("Could not find any ports");
} catch (error) {
if (i === retryCount - 1) {
throw error;
}
}
await new Promise((resolve) => setTimeout(resolve, retryDelay));
}
return [];
}
async function pullImage(imageName, docker) {
console.log(`Pulling Docker image: ${imageName}`);
const pullStream = await docker.pull(imageName);
await new Promise((resolve, reject) => {
docker.modem.followProgress(pullStream, (err, output) => {
if (err) {
reject(err);
} else {
resolve(output);
}
});
});
}
// src/internal/providerFactories.ts
import { ALITH_PRIVATE_KEY as ALITH_PRIVATE_KEY2, deriveViemChain } from "@moonwall/util";
import { ApiPromise, WsProvider } from "@polkadot/api";
import { Wallet as Wallet2, ethers } from "ethers";
import { createWalletClient, http, publicActions } from "viem";
import { privateKeyToAccount as privateKeyToAccount2 } from "viem/accounts";
import { Web3 } from "web3";
import { WebSocketProvider } from "web3-providers-ws";
import { createClient } from "polkadot-api";
import { getWsProvider, WsEvent } from "polkadot-api/ws-provider/web";
import { createLogger as createLogger2 } from "@moonwall/util";
var logger2 = createLogger2({ name: "providers" });
var debug2 = logger2.debug.bind(logger2);
var ProviderFactory = class _ProviderFactory {
constructor(providerConfig) {
this.providerConfig = providerConfig;
this.url = providerConfig.endpoints.includes("ENV_VAR") ? process.env.WSS_URL || "error_missing_WSS_URL_env_var" : providerConfig.endpoints[0];
this.privateKey = process.env.MOON_PRIV_KEY || ALITH_PRIVATE_KEY2;
}
url;
privateKey;
create() {
switch (this.providerConfig.type) {
case "polkadotJs":
return this.createPolkadotJs();
case "web3":
return this.createWeb3();
case "ethers":
return this.createEthers();
case "viem":
return this.createViem();
case "papi":
return this.createPapi();
default:
return this.createDefault();
}
}
createPolkadotJs() {
debug2(`\u{1F7E2} PolkadotJs provider ${this.providerConfig.name} details prepared`);
return {
name: this.providerConfig.name,
type: this.providerConfig.type,
connect: async () => {
process.env.DEFAULT_TIMEOUT_MS = "30000";
const options = {
provider: new WsProvider(this.url),
initWasm: false,
noInitWarn: true,
isPedantic: false,
rpc: this.providerConfig.rpc ? this.providerConfig.rpc : void 0,
typesBundle: this.providerConfig.additionalTypes ? this.providerConfig.additionalTypes : void 0
};
const api = await ApiPromise.create(options);
await api.isReady;
return api;
},
ws: () => new WsProvider(this.url)
};
}
createWeb3() {
debug2(`\u{1F7E2} Web3 provider ${this.providerConfig.name} details prepared`);
return {
name: this.providerConfig.name,
type: this.providerConfig.type,
connect: () => {
const provider = new WebSocketProvider(
this.url,
{},
{ delay: 50, autoReconnect: false, maxAttempts: 10 }
);
return new Web3(provider);
}
};
}
createEthers() {
debug2(`\u{1F7E2} Ethers provider ${this.providerConfig.name} details prepared`);
return {
name: this.providerConfig.name,
type: this.providerConfig.type,
connect: () => {
const provider = this.url.startsWith("ws") ? new ethers.WebSocketProvider(this.url) : new ethers.JsonRpcProvider(this.url);
return new Wallet2(this.privateKey, provider);
}
};
}
createViem() {
debug2(`\u{1F7E2} Viem omni provider ${this.providerConfig.name} details prepared`);
return {
name: this.providerConfig.name,
type: this.providerConfig.type,
connect: async () => {
const client = createWalletClient({
chain: await deriveViemChain(this.url),
account: privateKeyToAccount2(this.privateKey),
transport: http(this.url.replace("ws", "http"))
}).extend(publicActions);
return client;
}
};
}
createPapi() {
debug2(`\u{1F7E2} Papi provider ${this.providerConfig.name} details prepared`);
return {
name: this.providerConfig.name,
type: this.providerConfig.type,
connect: () => {
const provider = getWsProvider(this.url, (status) => {
switch (status.type) {
case WsEvent.CONNECTING:
console.log("Connecting... \u{1F50C}");
break;
case WsEvent.CONNECTED:
console.log("Connected! \u26A1");
break;
case WsEvent.ERROR:
console.log("Errored... \u{1F622}");
break;
case WsEvent.CLOSE:
console.log("Closed \u{1F6AA}");
break;
}
});
return createClient(provider);
}
};
}
createDefault() {
debug2(`\u{1F7E2} Default provider ${this.providerConfig.name} details prepared`);
return {
name: this.providerConfig.name,
type: this.providerConfig.type,
connect: () => {
console.log(`\u{1F6A7} provider ${this.providerConfig.name} not yet implemented`);
return null;
}
};
}
static prepare(providerConfigs) {
return providerConfigs.map((providerConfig) => new _ProviderFactory(providerConfig).create());
}
static prepareDefaultDev() {
return _ProviderFactory.prepare([
{
name: "dev",
type: "polkadotJs",
endpoints: [vitestAutoUrl()]
},
{
name: "w3",
type: "web3",
endpoints: [vitestAutoUrl()]
},
{
name: "eth",
type: "ethers",
endpoints: [vitestAutoUrl()]
},
{
name: "public",
type: "viem",
endpoints: [vitestAutoUrl()]
}
]);
}
static prepareDefaultZombie() {
const MOON_PARA_WSS = process.env.MOON_PARA_WSS || "error";
const MOON_RELAY_WSS = process.env.MOON_RELAY_WSS || "error";
const providers = [
{
name: "w3",
type: "web3",
endpoints: [MOON_PARA_WSS]
},
{
name: "eth",
type: "ethers",
endpoints: [MOON_PARA_WSS]
},
{
name: "viem",
type: "viem",
endpoints: [MOON_PARA_WSS]
},
{
name: "relaychain",
type: "polkadotJs",
endpoints: [MOON_RELAY_WSS]
}
];
if (MOON_PARA_WSS !== "error") {
providers.push({
name: "parachain",
type: "polkadotJs",
endpoints: [MOON_PARA_WSS]
});
}
return _ProviderFactory.prepare(providers);
}
static prepareNoEthDefaultZombie() {
const MOON_PARA_WSS = process.env.MOON_PARA_WSS || "error";
const MOON_RELAY_WSS = process.env.MOON_RELAY_WSS || "error";
const providers = [
{
name: "relaychain",
type: "polkadotJs",
endpoints: [MOON_RELAY_WSS]
}
];
if (MOON_PARA_WSS !== "error") {
providers.push({
name: "parachain",
type: "polkadotJs",
endpoints: [MOON_PARA_WSS]
});
}
return _ProviderFactory.prepare(providers);
}
};
var ProviderInterfaceFactory = class _ProviderInterfaceFactory {
constructor(name, type, connect) {
this.name = name;
this.type = type;
this.connect = connect;
}
async create() {
switch (this.type) {
case "polkadotJs":
return this.createPolkadotJs();
case "web3":
return this.createWeb3();
case "ethers":
return this.createEthers();
case "viem":
return this.createViem();
case "papi":
return this.createPapi();
default:
throw new Error("UNKNOWN TYPE");
}
}
async createPolkadotJs() {
debug2(`\u{1F50C} Connecting PolkadotJs provider: ${this.name}`);
const api = await this.connect();
debug2(`\u2705 PolkadotJs provider ${this.name} connected`);
1;
return {
name: this.name,
api,
type: "polkadotJs",
greet: async () => {
debug2(
`\u{1F44B} Provider ${this.name} is connected to chain ${api.consts.system.version.specName.toString()} RT${api.consts.system.version.specVersion.toNumber()}`
);
return {
rtVersion: api.consts.system.version.specVersion.toNumber(),
rtName: api.consts.system.version.specName.toString()
};
},
disconnect: async () => api.disconnect()
};
}
async createWeb3() {
const api = await this.connect();
return {
name: this.name,
api,
type: "web3",
greet: async () => console.log(`\u{1F44B} Provider ${this.name} is connected to chain ${await api.eth.getChainId()}`),
disconnect: async () => {
if (!api.eth.net.currentProvider) {
throw new Error("No connected web3 provider to disconnect from");
}
api.eth.net.currentProvider.disconnect();
}
};
}
async createEthers() {
const api = await this.connect();
return {
name: this.name,
api,
type: "ethers",
greet: async () => {
if (!api.provider) {
throw new Error("No connected ethers provider to greet with");
}
debug2(
`\u{1F44B} Provider ${this.name} is connected to chain ${(await api.provider.getNetwork()).chainId}`
);
},
disconnect: () => {
if (!api.provider) {
throw new Error("No connected ethers provider to disconnect from");
}
api.provider.destroy();
}
};
}
async createViem() {
const api = await this.connect();
return {
name: this.name,
api,
type: "viem",
greet: async () => console.log(`\u{1F44B} Provider ${this.name} is connected to chain ${await api.getChainId()}`),
disconnect: async () => {
}
};
}
async createPapi() {
const api = await this.connect();
return {
name: this.name,
api,
type: "papi",
greet: async () => {
const unsafeApi = await api.getUnsafeApi();
const { spec_version, spec_name } = await unsafeApi.