data:image/s3,"s3://crabby-images/7e228/7e2287ba60e21dee87416ea9983ec241b5307ec2" alt="vlt Launches "reproduce": A New Tool Challenging the Limits of Package Provenance"
Security News
vlt Launches "reproduce": A New Tool Challenging the Limits of Package Provenance
vlt's new "reproduce" tool verifies npm packages against their source code, outperforming traditional provenance adoption in the JavaScript ecosystem.
@gelatonetwork/js-resolver-sdk
Advanced tools
Playground repo to prototype JsResolvers
yarn install
.env_example
to init your own .env
filecp .env_example .env
.env
file with your private settingssrc/resolvers
JsResolverSdk.onChecker
import { JsResolverSdk, JsResolverContext } from "../lib";
import { Contract, ethers } from "ethers";
import ky from "ky"; // we recommend using ky as axios doesn't support fetch by default
const ORACLE_ABI = [
"function lastUpdated() external view returns(uint256)",
"function updatePrice(uint256)",
];
JsResolverSdk.onChecker(async (context: JsResolverContext) => {
const { userArgs, gelatoArgs, provider } = context;
// Retrieve Last oracle update time
const oracleAddress = "0x6a3c82330164822A8a39C7C0224D20DB35DD030a";
const oracle = new Contract(oracleAddress, ORACLE_ABI, provider);
const lastUpdated = parseInt(await oracle.lastUpdated());
console.log(`Last oracle update: ${lastUpdated}`);
// Check if it's ready for a new update
const nextUpdateTime = lastUpdated + 300; // 5 min
const timestamp = gelatoArgs.blockTime;
console.log(`Next oracle update: ${nextUpdateTime}`);
if (timestamp < nextUpdateTime) {
return { canExec: false, message: `Time not elapsed` };
}
// Get current price on coingecko
const currency = "ethereum";
const priceData: any = await ky
.get(
`https://api.coingecko.com/api/v3/simple/price?ids=${currency}&vs_currencies=usd`,
{ timeout: 5_000, retry: 0 }
)
.json();
price = Math.floor(priceData[currency].usd);
console.log(`Updating price: ${price}`);
// Return execution call data
return {
canExec: true,
callData: oracle.interface.encodeFunctionData("updatePrice", [price]),
};
});
schema.json
to specify your runtime configuration:{
"jsResolverVersion": "1.0.0",
"runtime": "js-1.0",
"memory": 128,
"timeout": 60,
"userArgs": {}
}
Use yarn test FILENAME
command to test your resolver
Options:
--show-logs
Show internal Resolver logs--runtime=thread|docker
Use thread
if you don't have docker
set up locally (default: docker
)--debug
Show Runtime debug messages--chain-id=[number]
Specify the chainId to be used for your Resolver (default: 5
)--user-args=[key]:[value]
Set your Resolver user argsExample: yarn test src/resolvers/index.ts --show-logs --runtime=thread
Output:
JsResolver Build result:
✓ File: ./.tmp/resolver.cjs
✓ File size: 1.70mb
✓ Build time: 109.93ms
JsResolver running logs:
> ChainId: 5
> Last oracle update: 1665512172
> Next oracle update: 1665512472
> Updating price: 1586
JsResolver Result:
✓ Return value: {
canExec: true,
callData: '0x8d6cc56d0000000000000000000000000000000000000000000000000000000000000632'
}
JsResolver Runtime stats:
✓ Duration: 5.41s
✓ Memory: 57.77mb
Use yarn upload FILENAME
command to upload your resolver.
> yarn upload ./src/resolvers/index.ts
userArgs
in you schema, accepted types are 'string', 'string[]', 'number', 'number[]', 'boolean', 'boolean[]':{
"jsResolverVersion": "1.0.0",
"runtime": "js-1.0",
"memory": 128,
"timeout": 60,
"userArgs": {
"currency": "string",
"oracle": "string"
}
}
userArgs
from the JsResolver context:JsResolverSdk.onChecker(async (context: JsResolverContext) => {
const { userArgs, gelatoArgs, secrets } = context;
// User args:
console.log('Currency:', userArgs.currency)
console.log('Oracle:', userArgs.oracle)
});
user-args
to the CLI to test your resolver:yarn test src/resolvers/oracle/index.ts --show-logs --user-args=currency:ethereum --user-args=oracle:0x6a3c82330164822A8a39C7C0224D20DB35DD030a
To pass array argument (eg string[]
), you can use:
--user-args=arr:\[\"a\"\,\"b\"\]
JsResolvers are stateless scripts, that will run in a new & empty memory context on every execution.
If you need to manage some state variable, we provide a simple key/value store that you can access from your resolver context
.
See the above example to read & update values from your storage:
import {
JsResolverSdk,
JsResolverContext,
} from "@gelatonetwork/js-resolver-sdk";
JsResolverSdk.onChecker(async (context: JsResolverContext) => {
const { storage, provider } = context;
// Use storage to retrieve previous state (stored values are always string)
const lastBlockStr = (await storage.get("lastBlockNumber")) ?? "0";
const lastBlock = parseInt(lastBlockStr);
console.log(`Last block: ${lastBlock}`);
const newBlock = await provider.getBlockNumber();
console.log(`New block: ${newBlock}`);
if (newBlock > lastBlock) {
// Update storage to persist your current state (values must be cast to string)
await storage.set("lastBlockNumber", newBlock.toString());
}
return {
canExec: false,
message: `Updated block number: ${newBlock.toString()}`,
};
});
Test storage execution:
yarn test src/resolvers/storage/index.ts --show-logs
You will see your updated key/values:
JsResolver Storage updated:
✓ lastBlockNumber: '8321923'
Use yarn benchmark FILENAME
command to run a test load
Options:
test
command options--load=100
configure the number of resolver you want to run for your load test (default: 10
)--pool=10
configure the pool size, ie max number of concurrent worker (default: 10
)Example: yarn benchmark src/resolvers/index.ts --load=100 --pool=10
Output:
Benchmark result:
- nb success: 100/100
- duration: 64s
Some example failing file to test error handling
Syntax error in the resolver:
yarn test src/resolvers/fails/syntax-error.js
JsResolver building...
✘ [ERROR] Could not resolve "nothing"
src/resolvers/fails/syntax-error.js:1:30:
1 │ import { JsResolverSdk } from "nothing";
╵ ~~~~~~~~~
You can mark the path "nothing" as external to exclude it from the bundle, which will remove this
error.
JsResolver Build result:
✗ Error: Build failed with 1 error:
src/resolvers/fails/syntax-error.js:1:30: ERROR: Could not resolve "nothing"
No checker function registered in the resolver:
yarn test src/resolvers/fails/not-registered.ts
JsResolver Result:
✗ Error: JsResolver start-up timeout (5s)
Make sure you registered your checker function correctly in your script.
Resolver run out of memory:
yarn test src/resolvers/fails/escape-memory.ts
JsResolver Result:
✗ Error: JsResolver sandbox exited with code=137
JsResolver Runtime stats:
✓ Duration: 1.91s
✗ Memory: 31.97mb
Resolver exceed timeout:
yarn test src/resolvers/fails/escape-timeout.ts
JsResolver Result:
✗ Error: JsResolver exceed execution timeout (10s)
JsResolver Runtime stats:
✗ Duration: 10.97s
✓ Memory: 25.34mb
Resolver ends without returning result:
yarn test src/resolvers/fails/no-result.ts
JsResolver Result:
✗ Error: JsResolver exited without returning result
Resolver try to access env:
yarn test src/resolvers/fails/escape-env.ts
JsResolver Result:
✗ Error: PermissionDenied: Requires env access to all, run again with the --allow-env flag
Resolver try to access file system:
yarn test src/resolvers/fails/escape-file.ts
JsResolver Result:
✗ Error: PermissionDenied: Requires read access to "./.env", run again with the --allow-read flag
Resolver try to access os:
yarn test src/resolvers/fails/escape-os.ts
JsResolver Result:
✗ Error: PermissionDenied: Requires sys access to "osRelease", run again with the --allow-sys flag
Resolver try to access cpu:
yarn test src/resolvers/fails/escape-cpu.ts
JsResolver Result:
✗ Error: PermissionDenied: Requires run access to "whoami", run again with the --allow-run flag
FAQs
Gelato Automate JS resolvers sdk
The npm package @gelatonetwork/js-resolver-sdk receives a total of 0 weekly downloads. As such, @gelatonetwork/js-resolver-sdk popularity was classified as not popular.
We found that @gelatonetwork/js-resolver-sdk demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 15 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
vlt's new "reproduce" tool verifies npm packages against their source code, outperforming traditional provenance adoption in the JavaScript ecosystem.
Research
Security News
Socket researchers uncovered a malicious PyPI package exploiting Deezer’s API to enable coordinated music piracy through API abuse and C2 server control.
Research
The Socket Research Team discovered a malicious npm package, '@ton-wallet/create', stealing cryptocurrency wallet keys from developers and users in the TON ecosystem.