-
Notifications
You must be signed in to change notification settings - Fork 61
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
feat!: partial BaseWallet tx history
BaseWallet will load only last n transactions on initial load BREAKING CHANGE: remove BaseWallet stake pool and drep provider dependency - add RewardAccountInfoProvider as a new BaseWallet dependency
- Loading branch information
1 parent
037258e
commit 76460df
Showing
56 changed files
with
1,235 additions
and
2,382 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
191 changes: 191 additions & 0 deletions
191
packages/cardano-services-client/src/RewardAccountInfoProvider/RewardAccountInfoProvider.ts
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,191 @@ | ||
import { Cardano, DRepProvider, RewardAccountInfoProvider, Serialization, StakePoolProvider } from '@cardano-sdk/core'; | ||
|
||
import { BlockfrostClient, BlockfrostProvider, fetchSequentially, isBlockfrostNotFoundError } from '../blockfrost'; | ||
import { HexBlob, isNotNil } from '@cardano-sdk/util'; | ||
import { Logger } from 'ts-log'; | ||
import uniq from 'lodash/uniq.js'; | ||
import type { Responses } from '@blockfrost/blockfrost-js'; | ||
|
||
export type BlockfrostRewardAccountInfoProviderDependencies = { | ||
client: BlockfrostClient; | ||
logger: Logger; | ||
stakePoolProvider: StakePoolProvider; | ||
dRepProvider: DRepProvider; | ||
}; | ||
|
||
const emptyArrayIfNotFound = (error: unknown) => { | ||
if (isBlockfrostNotFoundError(error)) { | ||
return []; | ||
} | ||
throw error; | ||
}; | ||
|
||
export class BlockfrostRewardAccountInfoProvider extends BlockfrostProvider implements RewardAccountInfoProvider { | ||
#dRepProvider: DRepProvider; | ||
#stakePoolProvider: StakePoolProvider; | ||
|
||
constructor({ client, logger, stakePoolProvider, dRepProvider }: BlockfrostRewardAccountInfoProviderDependencies) { | ||
super(client, logger); | ||
this.#dRepProvider = dRepProvider; | ||
this.#stakePoolProvider = stakePoolProvider; | ||
} | ||
|
||
async rewardAccountInfo(address: Cardano.RewardAccount): Promise<Cardano.RewardAccountInfo> { | ||
const [account, [lastRegistrationActivity], latestEpoch] = await Promise.all([ | ||
await this.request<Responses['account_content']>(`accounts/${address}`).catch( | ||
(error): Responses['account_content'] => { | ||
if (isBlockfrostNotFoundError(error)) { | ||
return { | ||
active: false, | ||
active_epoch: null, | ||
controlled_amount: '0', | ||
drep_id: null, | ||
pool_id: null, | ||
reserves_sum: '0', | ||
rewards_sum: '0', | ||
stake_address: address, | ||
treasury_sum: '0', | ||
withdrawable_amount: '0', | ||
withdrawals_sum: '0' | ||
}; | ||
} | ||
throw error; | ||
} | ||
), | ||
this.request<Responses['account_registration_content']>( | ||
`accounts/${address}/registrations?order=desc&count=1` | ||
).catch(emptyArrayIfNotFound), | ||
this.request<Responses['epoch_content']>('epochs/latest') | ||
]); | ||
|
||
const currentEpoch = Cardano.EpochNo(latestEpoch.epoch); | ||
const isUnregisteringAtEpoch = await this.#getUnregisteringAtEpoch(lastRegistrationActivity); | ||
|
||
const credentialStatus = account.active | ||
? Cardano.StakeCredentialStatus.Registered | ||
: lastRegistrationActivity?.action === 'registered' | ||
? Cardano.StakeCredentialStatus.Registering | ||
: isUnregisteringAtEpoch! >= currentEpoch | ||
? Cardano.StakeCredentialStatus.Unregistered | ||
: Cardano.StakeCredentialStatus.Unregistering; | ||
const rewardBalance = BigInt(account.withdrawable_amount || '0'); | ||
|
||
const [delegatee, dRepDelegatee, deposit] = await Promise.all([ | ||
this.#getDelegatee(address, currentEpoch), | ||
this.#getDrepDelegatee(account), | ||
// This provider currently does not find other deposits (pool/drep/govaction) | ||
this.#getKeyDeposit(lastRegistrationActivity) | ||
]); | ||
|
||
return { | ||
address, | ||
credentialStatus, | ||
dRepDelegatee, | ||
delegatee, | ||
deposit, | ||
rewardBalance | ||
}; | ||
} | ||
|
||
async delegationPortfolio(rewardAccount: Cardano.RewardAccount): Promise<Cardano.Cip17DelegationPortfolio | null> { | ||
const portfolios = await fetchSequentially({ | ||
haveEnoughItems: (items: Array<null | Cardano.Cip17DelegationPortfolio>) => items.some(isNotNil), | ||
paginationOptions: { order: 'desc' }, | ||
request: async (paginationQueryString) => { | ||
const txs = await this.request<Responses['account_delegation_content']>( | ||
`accounts/${rewardAccount}/delegations?${paginationQueryString}` | ||
).catch(emptyArrayIfNotFound); | ||
const result: Array<null | Cardano.Cip17DelegationPortfolio> = []; | ||
for (const { tx_hash } of txs) { | ||
const metadata = await this.request<Responses['tx_content_metadata_cbor']>( | ||
`txs/${tx_hash}/metadata/cbor` | ||
).catch(emptyArrayIfNotFound); | ||
const cbor = metadata.find(({ label }) => label === '6862')?.metadata; | ||
if (!cbor) { | ||
result.push(null); | ||
continue; | ||
} | ||
const metadatum = Serialization.TransactionMetadatum.fromCbor(HexBlob(cbor)); | ||
try { | ||
result.push(Cardano.cip17FromMetadatum(metadatum.toCore())); | ||
break; | ||
} catch { | ||
result.push(null); | ||
} | ||
} | ||
return result; | ||
} | ||
}); | ||
return portfolios.find(isNotNil) || null; | ||
} | ||
|
||
async #getUnregisteringAtEpoch( | ||
lastRegistrationActivity: Responses['account_registration_content'][0] | ||
): Promise<Cardano.EpochNo | undefined> { | ||
if (lastRegistrationActivity.action === 'registered') { | ||
return; | ||
} | ||
const tx = await this.request<Responses['tx_content']>(`txs/${lastRegistrationActivity.tx_hash}`); | ||
const block = await this.request<Responses['block_content']>(`blocks/${tx.block}`); | ||
return Cardano.EpochNo(block.epoch!); | ||
} | ||
|
||
async #getDrepDelegatee(account: Responses['account_content']): Promise<Cardano.DRepDelegatee | undefined> { | ||
if (!account.drep_id) return; | ||
if (account.drep_id === 'drep_always_abstain') { | ||
return { delegateRepresentative: { __typename: 'AlwaysAbstain' } }; | ||
} | ||
if (account.drep_id === 'drep_always_no_confidence') { | ||
return { delegateRepresentative: { __typename: 'AlwaysNoConfidence' } }; | ||
} | ||
const dRepInfo = await this.#dRepProvider.getDRepInfo({ id: Cardano.DRepID(account.drep_id) }); | ||
return { | ||
// TODO: always abstain or always no confidence | ||
delegateRepresentative: dRepInfo | ||
}; | ||
} | ||
|
||
async #getKeyDeposit(lastRegistrationActivity: Responses['account_registration_content'][0] | undefined) { | ||
if (!lastRegistrationActivity || lastRegistrationActivity.action === 'deregistered') { | ||
return 0n; | ||
} | ||
const tx = await this.request<Responses['tx_content']>(`txs/${lastRegistrationActivity.tx_hash}`); | ||
const block = await this.request<Responses['block_content']>(`blocks/${tx.block}`); | ||
const epochParameters = await this.request<Responses['epoch_param_content']>(`epochs/${block.epoch}/parameters`); | ||
return BigInt(epochParameters.key_deposit); | ||
} | ||
|
||
async #getDelegatee( | ||
address: Cardano.RewardAccount, | ||
currentEpoch: Cardano.EpochNo | ||
): Promise<Cardano.Delegatee | undefined> { | ||
const delegationHistory = await fetchSequentially<Responses['account_delegation_content'][0]>({ | ||
haveEnoughItems: (items) => items[items.length - 1]?.active_epoch <= currentEpoch, | ||
paginationOptions: { order: 'desc' }, | ||
request: (paginationQueryString) => this.request(`accounts/${address}/delegations?${paginationQueryString}`) | ||
}); | ||
|
||
const poolIds = [ | ||
delegationHistory.find(({ active_epoch }) => active_epoch <= currentEpoch)?.pool_id, | ||
delegationHistory.find(({ active_epoch }) => active_epoch <= currentEpoch + 1)?.pool_id, | ||
delegationHistory.find(({ active_epoch }) => active_epoch <= currentEpoch + 2)?.pool_id | ||
] as Array<Cardano.PoolId | undefined>; | ||
|
||
const poolIdsToFetch = uniq(poolIds.filter(isNotNil)); | ||
if (poolIdsToFetch.length === 0) { | ||
return undefined; | ||
} | ||
|
||
const stakePools = await this.#stakePoolProvider.queryStakePools({ | ||
filters: { identifier: { values: poolIdsToFetch.map((id) => ({ id })) } }, | ||
pagination: { limit: 3, startAt: 0 } | ||
}); | ||
|
||
const stakePoolMathingPoolId = (index: number) => stakePools.pageResults.find((pool) => pool.id === poolIds[index]); | ||
return { | ||
currentEpoch: stakePoolMathingPoolId(0), | ||
nextEpoch: stakePoolMathingPoolId(1), | ||
nextNextEpoch: stakePoolMathingPoolId(2) | ||
}; | ||
} | ||
} |
1 change: 1 addition & 0 deletions
1
packages/cardano-services-client/src/RewardAccountInfoProvider/index.ts
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1 @@ | ||
export * from './RewardAccountInfoProvider'; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1 @@ | ||
export * from './types'; |
6 changes: 6 additions & 0 deletions
6
packages/core/src/Provider/RewardAccountInfoProvider/types.ts
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,6 @@ | ||
import { Cardano, Provider } from '../..'; | ||
|
||
export interface RewardAccountInfoProvider extends Provider { | ||
rewardAccountInfo(rewardAccount: Cardano.RewardAccount): Promise<Cardano.RewardAccountInfo>; | ||
delegationPortfolio(rewardAccounts: Cardano.RewardAccount): Promise<Cardano.Cip17DelegationPortfolio | null>; | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.