Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add /siblings endpoint #113

Merged
merged 2 commits into from
Dec 21, 2022
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 2 additions & 1 deletion .prettierignore
Original file line number Diff line number Diff line change
Expand Up @@ -24,4 +24,5 @@ zp-relayer/poolTxs.db
*.md
*.yml
**/lib/
**/build/
**/build/
**/*.json
7 changes: 7 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -71,6 +71,13 @@ For a detailed description of each method's payload you can refer to [`zp-relaye

- `/merkle/root/:index?` - get Merkle Tree root at specified index.

- `/siblings?index=${index}` - get left siblings starting from a leaf node at `index` up to the tree root.

**Response**
```
"${height}${sibling_index}${sibling_value}"[]
```

- `/job/:id` - information about user's job state.

**Response**
Expand Down
7 changes: 7 additions & 0 deletions yarn.lock
Original file line number Diff line number Diff line change
Expand Up @@ -3479,6 +3479,13 @@ libzkbob-rs-node@0.1.27:
dependencies:
cargo-cp-artifact "^0.1"

libzkbob-rs-node@0.2.1:
version "0.2.1"
resolved "https://registry.yarnpkg.com/libzkbob-rs-node/-/libzkbob-rs-node-0.2.1.tgz#58340fce40c5ba06641f3b3afb131ccfe5fef634"
integrity sha512-Qh2EXpXTVOi1CZ6bvbKjXRw9dkoXgq7ss/YX+fxpJGYRAa6UIyt+Lrv4jZrSddNOGMrlItkDFtNOsXZVfdFSRw==
dependencies:
cargo-cp-artifact "^0.1"

libzkbob-rs-wasm-web@^0.7.0:
version "0.7.0"
resolved "https://registry.yarnpkg.com/libzkbob-rs-wasm-web/-/libzkbob-rs-wasm-web-0.7.0.tgz#2bd54bb0687a0194ce7c3e43ceecb55a378dba06"
Expand Down
21 changes: 21 additions & 0 deletions zp-relayer/endpoints.ts
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ import { poolTxQueue } from './queue/poolTxQueue'
import config from './config'
import {
checkGetLimits,
checkGetSiblings,
checkGetTransactions,
checkGetTransactionsV2,
checkMerkleRootErrors,
Expand Down Expand Up @@ -241,6 +242,25 @@ async function getLimits(req: Request, res: Response) {
res.json(limitsFetch)
}

function getSiblings(req: Request, res: Response) {
const errors = checkGetSiblings(req.query)
if (errors) {
logger.info('Request errors: %o', errors)
res.status(400).json({ errors })
return
}

const index = req.query.index as unknown as number

if (index >= pool.state.getNextIndex()) {
k1rill-fedoseev marked this conversation as resolved.
Show resolved Hide resolved
res.status(400).json({ errors: ['Index out of range'] })
return
}

const siblings = pool.state.getSiblings(index)
res.json(siblings)
}

function getParamsHash(type: 'tree' | 'transfer') {
const hash = type === 'tree' ? pool.treeParamsHash : pool.transferParamsHash
return (req: Request, res: Response) => {
Expand All @@ -262,6 +282,7 @@ export default {
relayerInfo,
getFee,
getLimits,
getSiblings,
getParamsHash,
root,
}
2 changes: 1 addition & 1 deletion zp-relayer/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -26,7 +26,7 @@
"express-winston": "4.2.0",
"gas-price-oracle": "0.5.1",
"ioredis": "5.2.4",
"libzkbob-rs-node": "0.1.27",
"libzkbob-rs-node": "0.2.1",
"node-fetch": "^2.6.1",
"promise-retry": "^2.0.1",
"web3": "1.7.4",
Expand Down
4 changes: 3 additions & 1 deletion zp-relayer/router.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import express, { NextFunction, Request, Response } from 'express'
import cors from 'cors'
import endpoints from './endpoints'
import { logger } from './services/appLogger'

function wrapErr(f: (_req: Request, _res: Response, _next: NextFunction) => Promise<void> | void) {
return async (req: Request, res: Response, next: NextFunction) => {
Expand All @@ -21,7 +22,7 @@ router.use(express.text())

router.use((err: any, req: Request, res: Response, next: NextFunction) => {
if (err) {
console.error('Request error:', err)
logger.error('Request error:', err)
return res.sendStatus(500)
}
next()
Expand All @@ -37,6 +38,7 @@ router.get('/job/:id', wrapErr(endpoints.getJob))
router.get('/info', wrapErr(endpoints.relayerInfo))
router.get('/fee', wrapErr(endpoints.getFee))
router.get('/limits', wrapErr(endpoints.getLimits))
router.get('/siblings', wrapErr(endpoints.getSiblings))
akolotov marked this conversation as resolved.
Show resolved Hide resolved
router.get('/params/hash/tree', wrapErr(endpoints.getParamsHash('tree')))
router.get('/params/hash/tx', wrapErr(endpoints.getParamsHash('transfer')))

Expand Down
4 changes: 4 additions & 0 deletions zp-relayer/state/PoolState.ts
Original file line number Diff line number Diff line change
Expand Up @@ -100,6 +100,10 @@ export class PoolState {
return this.tree.getNextIndex()
}

getSiblings(index: number) {
return this.tree.getLeftSiblings(index)
}

addTx(i: number, tx: Buffer) {
this.txs.add(i, tx)
}
Expand Down
13 changes: 3 additions & 10 deletions zp-relayer/test/worker-tests/poolWorker.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -16,14 +16,7 @@ import { GasPrice } from '../../services/gas-price'
import { redis } from '../../services/redisClient'
import { initializeDomain } from '../../utils/EIP712SaltedPermit'
import { FlowOutputItem } from '../../../test-flow-generator/src/types'
import {
disableMining,
enableMining,
evmRevert,
evmSnapshot,
mintTokens,
newConnection,
} from './utils'
import { disableMining, enableMining, evmRevert, evmSnapshot, mintTokens, newConnection } from './utils'
import { validateTx } from '../../validateTx'
import flow from '../flows/flow_independent_deposits_5.json'
import flowDependentDeposits from '../flows/flow_dependent_deposits_2.json'
Expand Down Expand Up @@ -151,7 +144,7 @@ describe('poolWorker', () => {
await mintTokens(deposit.txTypeData.from as string, parseInt(deposit.txTypeData.amount))
await sentWorker.pause()

const mockPoolWorker = await createPoolTxWorker(gasPriceService, async () => { }, workerMutex, newConnection())
const mockPoolWorker = await createPoolTxWorker(gasPriceService, async () => {}, workerMutex, newConnection())
mockPoolWorker.run()
await mockPoolWorker.waitUntilReady()

Expand Down Expand Up @@ -242,7 +235,7 @@ describe('poolWorker', () => {
})

const sentJob = (await sentTxQueue.getJob(sentId)) as Job
const [status, sentHash,] = await sentJob.waitUntilFinished(sentQueueEvents)
const [status, sentHash] = await sentJob.waitUntilFinished(sentQueueEvents)
expect(status).eq(SentTxState.MINED)
expect(txHash).not.eq(sentHash)

Expand Down
23 changes: 23 additions & 0 deletions zp-relayer/validation/validation.ts
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,14 @@ ajv.addKeyword({
errors: true,
})

ajv.addKeyword({
keyword: 'isDivBy128',
validate: (schema: any, n: number) => {
return n % 128 === 0
},
errors: true,
})

const AjvString: JSONSchemaType<string> = { type: 'string' }

const AjvNullableAddress: JSONSchemaType<string> = {
Expand Down Expand Up @@ -146,6 +154,20 @@ const AjvMerkleRootSchema: JSONSchemaType<{
required: ['index'],
}

const AjvGetSiblingsSchema: JSONSchemaType<{
index: string | number
}> = {
type: 'object',
properties: {
index: {
type: 'integer',
minimum: 1,
isDivBy128: true,
},
},
required: ['index'],
}

function checkErrors<T>(schema: JSONSchemaType<T>) {
const validate = ajv.compile(schema)
return (data: any) => {
Expand All @@ -165,3 +187,4 @@ export const checkSendTransactionsErrors = checkErrors(AjvSendTransactionsSchema
export const checkGetTransactions = checkErrors(AjvGetTransactionsSchema)
export const checkGetTransactionsV2 = checkErrors(AjvGetTransactionsV2Schema)
export const checkGetLimits = checkErrors(AjvGetLimitsSchema)
export const checkGetSiblings = checkErrors(AjvGetSiblingsSchema)