programs: added staleness checks to feed parser examples

This commit is contained in:
Conner Gallagher 2022-07-14 14:40:44 -06:00
parent 3f3d201f90
commit bbc246ba01
23 changed files with 332 additions and 89 deletions

View File

@ -2,7 +2,7 @@
members = [
"programs/anchor-feed-parser",
"programs/anchor-vrf-parser",
"programs/spl-feed-parser"
"programs/native-feed-parser"
]
[provider]
@ -19,7 +19,7 @@ anchor_vrf_parser = "HjjRFjCyQH3ne6Gg8Yn3TQafrrYecRrphwLwnh2A26vM"
url = "https://anchor.projectserum.com"
[scripts]
test = "yarn run ts-mocha -p ./tsconfig.testing.json -t 1000000 ./programs/anchor-vrf-parser/tests/*.test.ts"
test = "yarn run ts-mocha -p ./tsconfig.testing.json -t 1000000 ./programs/*/tests/*.test.ts"
[test.validator]

View File

@ -21,7 +21,7 @@ A monorepo containing APIs, Utils, and examples for Switchboard V2.
| Package | Description |
| --------------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------- |
| [anchor-feed-parser](./programs/anchor-feed-parser) | Anchor example program demonstrating how to deserialize and read an onchain aggregator. |
| [spl-feed-parser](./programs/spl-feed-parser) | Solana Program Library example demonstrating how to deserialize and read an onchain aggregator. |
| [native-feed-parser](./programs/native-feed-parser) | Solana Program Library example demonstrating how to deserialize and read an onchain aggregator. |
| [anchor-vrf-parser](./programs/anchor-vrf-parser) | Anchor example program demonstrating how to deserialize and read an onchain verifiable randomness function (VRF) account. |
### Client Examples

View File

@ -0,0 +1,70 @@
import { PublicKey } from "@solana/web3.js";
import { getOrCreateSwitchboardTokenAccount } from "@switchboard-xyz/sbv2-utils";
import {
CrankAccount,
OracleQueueAccount,
} from "@switchboard-xyz/switchboard-v2";
import chalk from "chalk";
import BaseCommand from "../../BaseCommand";
import { CHECK_ICON, verifyProgramHasPayer } from "../../utils";
export default class CrankPop extends BaseCommand {
static description = "pop the crank";
static flags = {
...BaseCommand.flags,
};
static args = [
{
name: "crankKey",
description: "public key of the crank",
},
];
async run() {
const { args } = await this.parse(CrankPop);
verifyProgramHasPayer(this.program);
const crankAccount = new CrankAccount({
program: this.program,
publicKey: new PublicKey(args.crankKey),
});
const crank = await crankAccount.loadData();
const oracleQueueAccount = new OracleQueueAccount({
program: this.program,
publicKey: crank.queuePubkey,
});
const queue = await oracleQueueAccount.loadData();
const mint = await oracleQueueAccount.loadMint();
const payoutWallet = await getOrCreateSwitchboardTokenAccount(
this.program,
mint
);
const txn = await crankAccount.pop({
payoutWallet,
queuePubkey: oracleQueueAccount.publicKey,
queueAuthority: queue.authority,
crank,
queue,
tokenMint: mint.address,
});
if (this.silent) {
console.log(txn);
} else {
this.logger.log(`${chalk.green(`${CHECK_ICON}Crank pop successful`)}`);
this.logger.log(
`https://explorer.solana.com/tx/${txn}?cluster=${this.cluster}`
);
}
}
async catch(error) {
super.catch(error, "failed to pop the crank");
}
}

View File

@ -1,13 +1,17 @@
import { Flags } from "@oclif/core";
import { PublicKey } from "@solana/web3.js";
import {
buffer2string,
chalkString,
jsonReplacers,
prettyPrintAggregator,
} from "@switchboard-xyz/sbv2-utils";
import { AggregatorAccount } from "@switchboard-xyz/switchboard-v2";
import BaseCommand from "../../BaseCommand";
export default class AggregatorPrint extends BaseCommand {
static enableJsonFlag = true;
static description = "Print the deserialized Switchboard aggregator account";
static aliases = ["aggregator:print"];
@ -44,6 +48,71 @@ export default class AggregatorPrint extends BaseCommand {
});
const aggregator = await aggregatorAccount.loadData();
if (flags.json) {
const parsedAggregator = {
...aggregator,
name: buffer2string(aggregator.name),
metadata: buffer2string(aggregator.metadata),
reserved1: undefined,
jobPubkeysData: aggregator.jobPubkeysData.slice(
0,
aggregator.jobPubkeysSize
),
jobWeights: aggregator.jobWeights.slice(0, aggregator.jobPubkeysSize),
// jobHashes: aggregator.jobHashes.slice(0, aggregator.jobPubkeysSize),
jobHashes: undefined,
jobsChecksum: undefined,
currentRound: {
...aggregator.currentRound,
mediansData: aggregator.currentRound.mediansData.slice(
0,
aggregator.oracleRequestBatchSize
),
currentPayout: aggregator.currentRound.currentPayout.slice(
0,
aggregator.oracleRequestBatchSize
),
mediansFulfilled: aggregator.currentRound.mediansFulfilled.slice(
0,
aggregator.oracleRequestBatchSize
),
errorsFulfilled: aggregator.currentRound.errorsFulfilled.slice(
0,
aggregator.oracleRequestBatchSize
),
oraclePubkeysData: aggregator.currentRound.oraclePubkeysData.filter(
(pubkey) => !PublicKey.default.equals(pubkey)
),
},
latestConfirmedRound: {
...aggregator.latestConfirmedRound,
mediansData: aggregator.latestConfirmedRound.mediansData.slice(
0,
aggregator.oracleRequestBatchSize
),
currentPayout: aggregator.latestConfirmedRound.currentPayout.slice(
0,
aggregator.oracleRequestBatchSize
),
mediansFulfilled:
aggregator.latestConfirmedRound.mediansFulfilled.slice(
0,
aggregator.oracleRequestBatchSize
),
errorsFulfilled:
aggregator.latestConfirmedRound.errorsFulfilled.slice(
0,
aggregator.oracleRequestBatchSize
),
oraclePubkeysData:
aggregator.latestConfirmedRound.oraclePubkeysData.filter(
(pubkey) => !PublicKey.default.equals(pubkey)
),
},
};
return JSON.parse(JSON.stringify(parsedAggregator, jsonReplacers));
}
this.logger.log(
await prettyPrintAggregator(
aggregatorAccount,

View File

@ -40,6 +40,7 @@
"@solana/web3.js": "^1.42.0",
"@switchboard-xyz/switchboard-v2": "^0.0.116",
"big.js": "^6.1.1",
"bn.js": "^5.2.1",
"chalk": "4",
"decimal.js": "^10.3.1",
"dotenv": "^16.0.1",

View File

@ -5,6 +5,7 @@ export * from "./const.js";
export * from "./date.js";
export * from "./errors.js";
export * from "./feed.js";
export * from "./json.js";
export * from "./nonce.js";
export * from "./print.js";
export * from "./state.js";

View File

@ -0,0 +1,51 @@
import { PublicKey } from "@solana/web3.js";
import { SwitchboardDecimal } from "@switchboard-xyz/switchboard-v2";
import Big from "big.js";
import BN from "bn.js";
function big2NumberOrString(big: Big): number | string {
const oldStrict = Big.strict;
Big.strict = true;
try {
const num = big.toNumber();
Big.strict = oldStrict;
return num;
} catch {}
Big.strict = oldStrict;
return big.toString();
}
export function jsonReplacers(key: any, value: any): any {
if (typeof value === "string" || typeof value === "number") {
return value;
}
// BN
if (BN.isBN(value)) {
return value.toNumber();
}
if (
value instanceof SwitchboardDecimal ||
(value &&
typeof value === "object" &&
"mantissa" in value &&
"scale" in value)
) {
const swbDecimal = new SwitchboardDecimal(value.mantissa, value.scale);
return big2NumberOrString(swbDecimal.toBig());
}
// big.js
if (value instanceof Big) {
return big2NumberOrString(value);
}
// pubkey
if (value instanceof PublicKey) {
return value.toBase58();
}
// bigint
if (typeof value === "bigint") {
return value.toString();
}
// Fall through for nested objects
return value;
}

View File

@ -672,6 +672,19 @@ export async function prettyPrintCrank(
)} - ${(row.pubkey as PublicKey).toString()}`;
});
outputString = outputString.concat(...rowStrings.join("\n"));
// const feedNames: string[] = [];
// for await (const row of data.pqData) {
// const agg = new AggregatorAccount({
// program: crankAccount.program,
// publicKey: row.pubkey,
// });
// const aggData = await agg.loadData();
// const aggName = buffer2string(aggData.name as any);
// feedNames.push(`${(row.pubkey as PublicKey).toString()} # ${aggName}`);
// }
// outputString = outputString.concat("\n", ...feedNames.join("\n"));
}
return outputString;
}

View File

@ -19,7 +19,7 @@
"build:cli": "yarn workspace @switchboard-xyz/switchboardv2-cli build",
"start": "echo \"Error: no start script specified\" && exit 1",
"anchor:setup": "anchor build && node ./tools/scripts/setup-example-programs.js",
"test:anchor": "yarn workspace anchor-feed-parser anchor:test && yarn workspace spl-feed-parser anchor:test && yarn workspace anchor-vrf-parser anchor:test",
"test:anchor": "yarn workspace anchor-feed-parser anchor:test && yarn workspace native-feed-parser anchor:test && yarn workspace anchor-vrf-parser anchor:test",
"test:libraries:ts": "yarn workspace @switchboard-xyz/sbv2-lite test && yarn workspace @switchboard-xyz/switchboard-v2 test",
"test:libraries:py": "cd libraries/py && poetry run pytest",
"test:libraries:rs": "cd libraries/rs && cargo test",

View File

@ -3,5 +3,5 @@
| Package | Description |
| ------------------------------------------ | ------------------------------------------------------------------------------------------------------------------------- |
| [anchor-feed-parser](./anchor-feed-parser) | Anchor example program demonstrating how to deserialize and read an onchain aggregator. |
| [spl-feed-parser](./spl-feed-parser) | Solana Program Library example demonstrating how to deserialize and read an onchain aggregator. |
| [native-feed-parser](./native-feed-parser) | Solana Program Library example demonstrating how to deserialize and read an onchain aggregator. |
| [anchor-vrf-parser](./anchor-vrf-parser) | Anchor example program demonstrating how to deserialize and read an onchain verifiable randomness function (VRF) account. |

View File

@ -1,10 +1,15 @@
#[allow(unaligned_references)]
use anchor_lang::prelude::*;
use anchor_lang::solana_program::clock;
use std::convert::TryInto;
pub use switchboard_v2::AggregatorAccountData;
pub use switchboard_v2::{AggregatorAccountData, SWITCHBOARD_V2_DEVNET, SWITCHBOARD_V2_MAINNET};
declare_id!("FnsPs665aBSwJRu2A8wGv6ZT76ipR41kHm4hoA3B1QGh");
#[account(zero_copy)]
#[derive(AnchorDeserialize, Debug)]
pub struct FeedClient {}
#[derive(Accounts)]
pub struct ReadResult<'info> {
/// CHECK:
@ -17,11 +22,37 @@ pub mod anchor_feed_parser {
pub fn read_result(ctx: Context<ReadResult>) -> anchor_lang::Result<()> {
let aggregator = &ctx.accounts.aggregator;
let val: f64 = AggregatorAccountData::new(aggregator)?
.get_result()?
.try_into()?;
// check feed owner
let owner = *aggregator.owner;
if owner != SWITCHBOARD_V2_DEVNET && owner != SWITCHBOARD_V2_MAINNET {
return Err(error!(FeedErrorCode::InvalidSwitchboardVrfAccount));
}
// load and deserialize feed
let feed = AggregatorAccountData::new(aggregator)?;
// check if feed has updated in the last 5 minutes
let staleness = clock::Clock::get().unwrap().unix_timestamp
- feed.latest_confirmed_round.round_open_timestamp;
if staleness > 300 {
msg!("Feed has not been updated in {} seconds!", staleness);
return Err(error!(FeedErrorCode::StaleFeed));
}
// get result
let val: f64 = feed.get_result()?.try_into()?;
msg!("Current feed result is {}!", val);
Ok(())
}
}
#[error_code]
#[derive(Eq, PartialEq)]
pub enum FeedErrorCode {
#[msg("Not a valid Switchboard VRF account")]
InvalidSwitchboardVrfAccount,
#[msg("Switchboard feed has not been updated in 5 minutes")]
StaleFeed,
}

View File

@ -1,8 +1,12 @@
import type { Program } from "@project-serum/anchor";
import * as anchor from "@project-serum/anchor";
import { PublicKey } from "@solana/web3.js";
import { SwitchboardTestContext } from "@switchboard-xyz/sbv2-utils";
import type { AnchorFeedParser } from "../../../target/types/anchor_feed_parser";
import type { AnchorWallet } from "@switchboard-xyz/switchboard-v2";
import {
AnchorFeedParser,
IDL,
} from "../../../target/types/anchor_feed_parser";
import { PROGRAM_ID } from "../client/programId";
const sleep = (ms: number): Promise<any> =>
new Promise((s) => setTimeout(s, ms));
@ -16,8 +20,17 @@ describe("anchor-feed-parser test", () => {
const provider = anchor.AnchorProvider.env();
anchor.setProvider(provider);
const feedParserProgram = anchor.workspace
.AnchorFeedParser as Program<AnchorFeedParser>;
// const feedParserProgram = anchor.workspace
// .AnchorFeedParser as Program<AnchorFeedParser>;
const feedParserProgram = new anchor.Program(
IDL,
PROGRAM_ID,
provider,
new anchor.BorshCoder(IDL)
) as anchor.Program<AnchorFeedParser>;
const payer = (provider.wallet as AnchorWallet).payer;
let switchboard: SwitchboardTestContext;
let aggregatorKey: PublicKey;

View File

@ -2,8 +2,6 @@ import * as anchor from "@project-serum/anchor";
import { AnchorProvider, Program } from "@project-serum/anchor";
import * as spl from "@solana/spl-token";
import {
Keypair,
PublicKey,
SystemProgram,
SYSVAR_RECENT_BLOCKHASHES_PUBKEY,
} from "@solana/web3.js";
@ -19,39 +17,10 @@ import {
SwitchboardPermission,
VrfAccount,
} from "@switchboard-xyz/switchboard-v2";
import fs from "fs";
import "mocha";
import path from "path";
import { AnchorVrfParser, IDL } from "../../../target/types/anchor_vrf_parser";
import { VrfClient } from "../client/accounts";
// const expect = chai.expect;
interface VrfClientState {
bump: number;
maxResult: anchor.BN;
resultBuffer: number[];
result: anchor.BN;
lastTimestamp: anchor.BN;
authority: PublicKey;
vrf: PublicKey;
}
function getProgramId(): PublicKey {
const programKeypairPath = path.join(
__dirname,
"..",
"..",
"..",
"target",
"deploy",
"anchor_vrf_parser-keypair.json"
);
const PROGRAM_ID = Keypair.fromSecretKey(
new Uint8Array(JSON.parse(fs.readFileSync(programKeypairPath, "utf8")))
).publicKey;
return PROGRAM_ID;
}
import { PROGRAM_ID } from "../client/programId";
describe("anchor-vrf-parser test", () => {
const provider = AnchorProvider.env();
@ -62,7 +31,7 @@ describe("anchor-vrf-parser test", () => {
const vrfClientProgram = new Program(
IDL,
getProgramId(),
PROGRAM_ID,
provider,
new anchor.BorshCoder(IDL)
) as anchor.Program<AnchorVrfParser>;

View File

@ -1,11 +1,11 @@
[package]
name = "spl-feed-parser"
name = "native-feed-parser"
version = "0.1.0"
edition = "2018"
[lib]
crate-type = ["cdylib", "lib"]
name = "spl_feed_parser"
name = "native_feed_parser"
[features]
no-entrypoint = []
@ -13,5 +13,5 @@ no-entrypoint = []
[dependencies]
switchboard-v2 = { path = "../../libraries/rs" }
# switchboard-v2 = "^0.1.10"
solana-program = "~1.9.13"
solana-program = "1.9.29"

View File

@ -4,5 +4,5 @@
```bash
cargo build-bpf --manifest-path=Cargo.toml
solana program deploy target/deploy/spl_feed_parser.so
solana program deploy target/deploy/native_feed_parser.so
```

View File

@ -1,17 +1,17 @@
{
"name": "spl-feed-parser",
"name": "native-feed-parser",
"version": "1.0.0",
"private": true,
"repository": {
"type": "git",
"url": "https://github.com/switchboard-xyz/switchboard-v2",
"directory": "programs/spl-feed-parser"
"directory": "programs/native-feed-parser"
},
"scripts": {
"build": "echo \"For workspace spl-feed-parser, run 'anchor build' from the project root\" && exit 0",
"build": "echo \"For workspace native-feed-parser, run 'anchor build' from the project root\" && exit 0",
"build:bpf": "cargo build-bpf --manifest-path=Cargo.toml",
"deploy": "solana program deploy target/deploy/spl_feed_parser.so",
"test": "echo \"For workspace spl-feed-parser, use the anchor:test script\" && exit 0"
"deploy": "solana program deploy target/deploy/native_feed_parser.so",
"test": "echo \"For workspace native-feed-parser, use the anchor:test script\" && exit 0"
},
"dependencies": {
"@project-serum/anchor": "^0.24.2",

View File

@ -0,0 +1,47 @@
pub use solana_program::{
account_info::{next_account_info, AccountInfo},
clock::Clock,
entrypoint,
entrypoint::ProgramResult,
msg,
program_error::ProgramError,
pubkey::Pubkey,
sysvar::Sysvar,
};
use std::convert::TryInto;
pub use switchboard_v2::{AggregatorAccountData, SWITCHBOARD_V2_DEVNET, SWITCHBOARD_V2_MAINNET};
entrypoint!(process_instruction);
fn process_instruction<'a>(
_program_id: &'a Pubkey,
accounts: &'a [AccountInfo],
_instruction_data: &'a [u8],
) -> ProgramResult {
let accounts_iter = &mut accounts.iter();
let aggregator = next_account_info(accounts_iter)?;
let clock = Clock::get()?;
// check feed owner
let owner = *aggregator.owner;
if owner != SWITCHBOARD_V2_DEVNET && owner != SWITCHBOARD_V2_MAINNET {
return Err(ProgramError::IncorrectProgramId);
}
// load and deserialize feed
let feed = AggregatorAccountData::new(aggregator)?;
// check if feed has updated in the last 5 minutes
let staleness = clock.unix_timestamp - feed.latest_confirmed_round.round_open_timestamp;
if staleness > 300 {
msg!("Feed has not been updated in {} seconds!", staleness);
return Err(ProgramError::InvalidAccountData);
}
// get result
let val: f64 = feed.get_result()?.try_into()?;
msg!("Current feed result is {}!", val);
Ok(())
}

View File

@ -17,7 +17,7 @@ function getProgramId(): PublicKey {
"..",
"target",
"deploy",
"spl_feed_parser-keypair.json"
"native_feed_parser-keypair.json"
);
const PROGRAM_ID = Keypair.fromSecretKey(
new Uint8Array(JSON.parse(fs.readFileSync(programKeypairPath, "utf8")))
@ -34,7 +34,7 @@ const DEFAULT_SOL_USD_FEED = new PublicKey(
"GvDMxPzN1sCj7L26YDK2HnMRXEQmQ2aemov8YBtPS7vR"
);
describe("spl-feed-parser test", () => {
describe("native-feed-parser test", () => {
const provider = anchor.AnchorProvider.env();
anchor.setProvider(provider);

View File

@ -1,27 +0,0 @@
pub use solana_program::{
account_info::{next_account_info, AccountInfo},
entrypoint,
entrypoint::ProgramResult,
msg,
pubkey::Pubkey,
};
use std::convert::TryInto;
pub use switchboard_v2::AggregatorAccountData;
entrypoint!(process_instruction);
fn process_instruction<'a>(
_program_id: &'a Pubkey,
accounts: &'a [AccountInfo],
_instruction_data: &'a [u8],
) -> ProgramResult {
let accounts_iter = &mut accounts.iter();
let aggregator = next_account_info(accounts_iter)?;
let val: f64 = AggregatorAccountData::new(aggregator)?
.get_result()?
.try_into()?;
msg!("Current feed result is {}!", val);
Ok(())
}

View File

@ -43,7 +43,7 @@ const anchorFeedKeypairPath = path.join(
const splFeedKeypairPath = path.join(
targetDir,
"deploy",
"spl_feed_parser-keypair.json"
"native_feed_parser-keypair.json"
);
async function main() {
@ -118,12 +118,12 @@ async function main() {
"-i",
/declare_id!(.*);/,
`declare_id!("${splFeedParserPid.toString()}");`,
path.join(projectRoot, "programs", "spl-feed-parser", "src", "lib.rs")
path.join(projectRoot, "programs", "native-feed-parser", "src", "lib.rs")
);
shell.sed(
"-i",
/spl_feed_parser = "(.*)"/,
`spl_feed_parser = "${splFeedParserPid.toString()}"`,
/native_feed_parser = "(.*)"/,
`native_feed_parser = "${splFeedParserPid.toString()}"`,
anchorToml
);

View File

@ -3569,7 +3569,7 @@
"@project-serum/borsh@^0.2.2", "@project-serum/borsh@^0.2.5":
version "0.2.5"
resolved "https://registry.yarnpkg.com/@project-serum/borsh/-/borsh-0.2.5.tgz#6059287aa624ecebbfc0edd35e4c28ff987d8663"
resolved "https://registry.npmjs.org/@project-serum/borsh/-/borsh-0.2.5.tgz#6059287aa624ecebbfc0edd35e4c28ff987d8663"
integrity sha512-UmeUkUoKdQ7rhx6Leve1SssMR/Ghv8qrEiyywyxSWg7ooV7StdpPBhciiy5eB3T0qU1BXvdRNC8TdrkxK7WC5Q==
dependencies:
bn.js "^5.1.2"
@ -5695,6 +5695,11 @@ bn.js@^5.0.0, bn.js@^5.1.0, bn.js@^5.1.2, bn.js@^5.1.3, bn.js@^5.2.0:
resolved "https://registry.npmjs.org/bn.js/-/bn.js-5.2.1.tgz"
integrity sha512-eXRvHzWyYPBuB4NBy0cmYQjGitUrtqwbvlzP3G6VFnNRbsZQIxQ10PbKKHt8gZ/HW/D/747aDl+QkDqg3KQLMQ==
bn.js@^5.2.1:
version "5.2.1"
resolved "https://registry.npmjs.org/bn.js/-/bn.js-5.2.1.tgz#0bc527a6a0d18d0aa8d5b0538ce4a77dccfa7b70"
integrity sha512-eXRvHzWyYPBuB4NBy0cmYQjGitUrtqwbvlzP3G6VFnNRbsZQIxQ10PbKKHt8gZ/HW/D/747aDl+QkDqg3KQLMQ==
body-parser@1.20.0:
version "1.20.0"
resolved "https://registry.yarnpkg.com/body-parser/-/body-parser-1.20.0.tgz#3de69bd89011c11573d7bfee6a64f11b6bd27cc5"