| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104 | #!/usr/bin/env nodeimport fs from "fs";import { spawn, spawnSync } from "child_process";import path from "path";import { arch, platform } from "os";import { version } from "./package.json";const PACKAGE_VERSION = `bolt-cli ${version}`;function getBinaryVersion(location: string): [string | null, string | null] {  const result = spawnSync(location, ["--version"]);  const error: string | null =    (result.error && result.error.toString()) ||    (result.stderr.length > 0 && result.stderr.toString().trim()) ||    null;  return [error, result.stdout && result.stdout.toString().trim()];}function getExePath(): string {  let os: string = platform();  let extension = "";  if (["win32", "cygwin"].includes(os)) {    os = "windows";    extension = ".exe";  }  const binaryName = `@magicblock-labs/bolt-cli-${os}-${arch()}/bin/bolt${extension}`;  try {    return require.resolve(binaryName);  } catch (e) {    throw new Error(      `Couldn't find application binary inside node_modules for ${os}-${arch()}`    );  }}function runBolt(location: string): void {  const args = process.argv.slice(2);  const bolt = spawn(location, args, { stdio: "inherit" });  bolt.on("exit", (code: number | null, signal: NodeJS.Signals | null) => {    process.on("exit", () => {      if (signal) {        process.kill(process.pid, signal);      } else if (code !== null) {        process.exit(code);      }    });  });  process.on("SIGINT", () => {    bolt.kill("SIGINT");    bolt.kill("SIGTERM");  });}function tryPackageBolt(): boolean {  try {    const path = getExePath();    runBolt(path);    return true;  } catch (e) {    console.error(      "Failed to run bolt from package:",      e instanceof Error ? e.message : e    );    return false;  }}function trySystemBolt(): void {  const absolutePath = process.env.PATH?.split(path.delimiter)    .filter((dir) => dir !== path.dirname(process.argv[1]))    .find((dir) => {      try {        fs.accessSync(`${dir}/bolt`, fs.constants.X_OK);        return true;      } catch {        return false;      }    });  if (!absolutePath) {    console.error(      `Could not find globally installed bolt, please install with cargo.`    );    process.exit(1);  }  const absoluteBinaryPath = `${absolutePath}/bolt`;  const [error, binaryVersion] = getBinaryVersion(absoluteBinaryPath);  if (error !== null) {    console.error(`Failed to get version of global binary: ${error}`);    return;  }  if (binaryVersion !== PACKAGE_VERSION) {    console.error(      `Globally installed bolt version is not correct. Expected "${PACKAGE_VERSION}", found "${binaryVersion}".`    );    return;  }  runBolt(absoluteBinaryPath);}tryPackageBolt() || trySystemBolt();
 |