Vault queries
Overview
The vault contains data extracted from the ledger that is considered relevant to the node’s owner, stored in a relational model that you can query easily. The vault keeps track of both unconsumed and consumed states.
You can use several flexible query mechanisms to access the vault, including:
- The vault query API.
- A JDBC session (see State Persistence).
- Custom JPA/JPQL queries.
- Custom third-party data access frameworks such as Spring Data.
You can satisfy the majority of query requirements using the vault query API, which is exposed via the
VaultService
for use directly by flows:
/**
* Generic vault query function which takes a [QueryCriteria] object to define filters,
* optional [PageSpecification] and optional [Sort] modification criteria (default unsorted),
* and returns a [Vault.Page] object containing the following:
* 1. states as a List of <StateAndRef> (page number and size defined by [PageSpecification])
* 2. states metadata as a List of [Vault.StateMetadata] held in the Vault States table.
* 3. total number of results available if [PageSpecification] supplied (otherwise returns -1).
* 4. status types used in this query: [StateStatus.UNCONSUMED], [StateStatus.CONSUMED], [StateStatus.ALL].
* 5. other results (aggregate functions with/without using value groups).
*
* @throws VaultQueryException if the query cannot be executed for any reason
* (missing criteria or parsing error, paging errors, unsupported query, underlying database error).
*
* Notes
* If no [PageSpecification] is provided, a maximum of [DEFAULT_PAGE_SIZE] results will be returned.
* API users must specify a [PageSpecification] if they are expecting more than [DEFAULT_PAGE_SIZE] results,
* otherwise a [VaultQueryException] will be thrown alerting to this condition.
* It is the responsibility of the API user to request further pages and/or specify a more suitable [PageSpecification].
*/
@Throws(VaultQueryException::class)
fun <T : ContractState> _queryBy(criteria: QueryCriteria,
paging: PageSpecification,
sorting: Sort,
contractStateType: Class<out T>): Vault.Page<T>
/**
* Generic vault query function which takes a [QueryCriteria] object to define filters,
* optional [PageSpecification] and optional [Sort] modification criteria (default unsorted),
* and returns a [DataFeed] object containing:
* 1) a snapshot as a [Vault.Page] (described previously in [queryBy]).
* 2) an [Observable] of [Vault.Update].
*
* @throws VaultQueryException if the query cannot be executed for any reason.
*
* Notes:
* - The snapshot part of the query adheres to the same behaviour as the [queryBy] function.
* - The update part of the query currently only supports query criteria filtering by contract
* type(s) and state status(es). CID-731 <https://r3-cev.atlassian.net/browse/CID-731> proposes
* adding the complete set of [QueryCriteria] filtering.
*/
@Throws(VaultQueryException::class)
fun <T : ContractState> _trackBy(criteria: QueryCriteria,
paging: PageSpecification,
sorting: Sort,
contractStateType: Class<out T>): DataFeed<Vault.Page<T>, Vault.Update<T>>
And via CordaRPCOps
for use by RPC client applications:
@RPCReturnsObservables
fun <T : ContractState> vaultQueryBy(criteria: QueryCriteria,
paging: PageSpecification,
sorting: Sort,
contractStateType: Class<out T>): Vault.Page<T>
@RPCReturnsObservables
fun <T : ContractState> vaultTrackBy(criteria: QueryCriteria,
paging: PageSpecification,
sorting: Sort,
contractStateType: Class<out T>): DataFeed<Vault.Page<T>, Vault.Update<T>>
Helper methods are also provided with default values for arguments:
fun <T : ContractState> vaultQuery(contractStateType: Class<out T>): Vault.Page<T>
fun <T : ContractState> vaultQueryByCriteria(criteria: QueryCriteria, contractStateType: Class<out T>): Vault.Page<T>
fun <T : ContractState> vaultQueryByWithPagingSpec(contractStateType: Class<out T>, criteria: QueryCriteria, paging: PageSpecification): Vault.Page<T>
fun <T : ContractState> vaultQueryByWithSorting(contractStateType: Class<out T>, criteria: QueryCriteria, sorting: Sort): Vault.Page<T>
fun <T : ContractState> vaultTrack(contractStateType: Class<out T>): DataFeed<Vault.Page<T>, Vault.Update<T>>
fun <T : ContractState> vaultTrackByCriteria(contractStateType: Class<out T>, criteria: QueryCriteria): DataFeed<Vault.Page<T>, Vault.Update<T>>
fun <T : ContractState> vaultTrackByWithPagingSpec(contractStateType: Class<out T>, criteria: QueryCriteria, paging: PageSpecification): DataFeed<Vault.Page<T>, Vault.Update<T>>
fun <T : ContractState> vaultTrackByWithSorting(contractStateType: Class<out T>, criteria: QueryCriteria, sorting: Sort): DataFeed<Vault.Page<T>, Vault.Update<T>>
The API provides both static (snapshot) and dynamic (snapshot with streaming updates) methods for a defined set of filter criteria:
- Use
queryBy
to obtain a current snapshot of data (for a givenQueryCriteria
). - Use
trackBy
to obtain both a current snapshot and a future stream of updates (for a givenQueryCriteria
).
UNCONSUMED
, CONSUMED
, ALL
).
They will not respect any other criteria that the initial query has been filtered by.pageNumber
= 1, pageSize
= 200) and sorting (direction
= ASC).QueryCriteria
interface
The QueryCriteria
interface provides a flexible mechanism for specifying different filtering criteria, including
and/or composition and a rich set of operators, including:
- Binary logical (
AND
,OR
). - Comparison (
LESS_THAN
,LESS_THAN_OR_EQUAL
,GREATER_THAN
,GREATER_THAN_OR_EQUAL
). - Equality (
EQUAL
,NOT_EQUAL
). - Likeness (
LIKE
,NOT_LIKE
). - Nullability (
IS_NULL
,NOT_NULL
). - Collection based (
IN
,NOT_IN
). - Standard SQL-92 aggregate functions (
SUM
,AVG
,MIN
,MAX
,COUNT
).
There are four implementations of this interface. You can chain them together to define advanced filters.
VaultQueryCriteria
provides filterable criteria on attributes within the VAULT_STATES table. Filterable attributes include one or more of the following: status (UNCONSUMED
,CONSUMED
), state reference, contract state type, notary name, soft locked states, timestamps (RECORDED
,CONSUMED
), state constraints (see Constraint Types, relevancy (ALL
,RELEVANT
,NON_RELEVANT
), and participants (exact or any match).Sensible defaults are defined for frequently used attributes (status
=UNCONSUMED
, always include soft locked states).FungibleAssetQueryCriteria
provides filterable criteria on attributes defined in the Corda CoreFungibleAsset
contract state interface, used to represent assets that are fungible, countable and issued by a specific party (for example,Cash.State
andCommodityContract.State
in the Corda finance module). Filterable attributes include one or more of the following: participants (exact or any match), owner, quantity, issuer name, and issuer reference.All contract states that extend theFungibleAsset
now automatically persist that interface’s common state attributes to the VAULT_FUNGIBLE_STATES table.LinearStateQueryCriteria
provides filterable criteria on attributes defined in the Corda CoreLinearState
andDealState
contract state interfaces, used to represent entities that continuously supersede themselves, all of which share the samelinearId
(for example, trade entity states such as theIRSState
defined in the SIMM valuation demo). Filterable attributes include one or more of the following: participants, linear ID, UUID, and external ID.All contract states that extendLinearState
orDealState
now automatically persist those interfaces’ common state attributes to the VAULT_LINEAR_STATES table.VaultCustomQueryCriteria
provides the means to specify one or many arbitrary expressions on attributes defined by a custom contract state that implements its own schema as described in the State Persistence documentation. You can express custom criteria using one of these type-safe forms ofCriteriaExpression
:BinaryLogical
,Not
,ColumnPredicateExpression
, andAggregateFunctionExpression
. TheColumnPredicateExpression
allows for the specification of arbitrary criteria using the previously enumerated operator types. TheAggregateFunctionExpression
allows for the specification of an aggregate function type (SUM
,AVG
,MAX
,MIN
,COUNT
) with optional grouping and sorting.
The COUNT
function is not compatible with the group by
grouping clause. To use grouping with COUNT
you must implement the max()
source method for count:
{{private fun <O, R> KProperty1<O, R?>.count( groupByColumns: List<KProperty1<O, R>>?, orderBy: Sort.Direction? = null): CriteriaExpression.AggregateFunctionExpression<O, R> = functionPredicate( ColumnPredicate.AggregateFunction(AggregateFunctionType.COUNT), groupByColumns?.map
{ Column(it) }
, orderBy )}}
You can also use the rich DSL provided to enable the simple
construction of custom criteria using any combination of ColumnPredicate
. See the Builder
object in
QueryCriteriaUtils
for a complete specification of the DSL.
You can compose all QueryCriteria
implementations using AND
and OR
operators. All QueryCriteria
implementations provide an explicitly specifiable set of common attributes:
- A state status attribute (
Vault.StateStatus
), which defaults to filtering onUNCONSUMED
states. When chaining several criteria usingAND
orOR
, the last value of this attribute overrides any previous value. - Contract state types (
<Set<Class<out ContractState>>
), which contain at minimum one type (the default isContractState
, which resolves to all state types). When chaining several criteria usingAND
andOR
operators, all specified contract state types are combined into a single set.
Custom queries in Kotlin
An example of a custom query in Kotlin is provided below:
val generalCriteria = VaultQueryCriteria(Vault.StateStatus.ALL)
val results = builder {
val currencyIndex = PersistentCashState::currency.equal(USD.currencyCode)
val quantityIndex = PersistentCashState::pennies.greaterThanOrEqual(10L)
val customCriteria1 = VaultCustomQueryCriteria(currencyIndex)
val customCriteria2 = VaultCustomQueryCriteria(quantityIndex)
val criteria = generalCriteria.and(customCriteria1.and(customCriteria2))
vaultService.queryBy<Cash.State>(criteria)
}
Queryable
interface may now extend the common schema types FungiblePersistentState
or, LinearPersistentState
. Previously, all custom contracts extended the root PersistentState
class and defined repeated mappings of FungibleAsset
and LinearState
attributes. See SampleCashSchemaV2
and DummyLinearStateSchemaV2
as examples.ContractType
as a parameterised type to the QueryCriteria
in Kotlin, queries now include all concrete implementations of that type if this is an interface. Previously, it was only possible to query on concrete types (or the universe of all ContractState
).The Vault Query API leverages the rich semantics of the underlying JPA Hibernate-based State Persistence framework adopted by Corda.
Custom queries in Java
An example of a custom query in Java is provided below:
QueryCriteria generalCriteria = new VaultQueryCriteria(Vault.StateStatus.UNCONSUMED);
FieldInfo attributeCurrency = getField("currency", CashSchemaV1.PersistentCashState.class);
FieldInfo attributeQuantity = getField("pennies", CashSchemaV1.PersistentCashState.class);
CriteriaExpression currencyIndex = Builder.equal(attributeCurrency, "USD");
CriteriaExpression quantityIndex = Builder.greaterThanOrEqual(attributeQuantity, 10L);
QueryCriteria customCriteria2 = new VaultCustomQueryCriteria(quantityIndex);
QueryCriteria customCriteria1 = new VaultCustomQueryCriteria(currencyIndex);
QueryCriteria criteria = generalCriteria.and(customCriteria1).and(customCriteria2);
Vault.Page<ContractState> results = vaultService.queryBy(Cash.State.class, criteria);
Party
specify the AbstractParty
which may be concrete or anonymous. Note, however, that if an anonymous party does not resolve to an X500 name via the IdentityService
, no query results will ever be produced. For performance reasons, queries do not use PublicKey
as search criteria.Custom queries and case sensitivity
Custom queries can be either case sensitive or case insensitive. They are defined via a Boolean
as one of the function parameters of each operator function. By default, each operator is case sensitive.
Case-sensitive custom query operators in Kotlin
An example of a case-sensitive custom query operator in Kotlin:
val currencyIndex = PersistentCashState::currency.equal(USD.currencyCode, true)
Boolean
input of true
in this example could be removed since the function will default to true
when not provided.Case-insensitive custom query operators in Kotlin
An example of a case-insensitive custom query operator in Kotlin:
val currencyIndex = PersistentCashState::currency.equal(USD.currencyCode, false)
Case-sensitive custom query operators in Java
An example of a case-sensitive custom query operator in Java:
FieldInfo attributeCurrency = getField("currency", CashSchemaV1.PersistentCashState.class);
CriteriaExpression currencyIndex = Builder.equal(attributeCurrency, "USD", true);
Case-insensitive custom query operators in Java
An example of a case-insensitive custom query operator in Java:
FieldInfo attributeCurrency = getField("currency", CashSchemaV1.PersistentCashState.class);
CriteriaExpression currencyIndex = Builder.equal(attributeCurrency, "USD", false);
Pagination
The API supports paging if you expect many results. The default page size shows 200
results. This enables efficient checkpointing within flows, and means you don’t have to worry about pagination if you expect fewer than 200 results. If you expect more than 200 results (for example, if you are using the RPC API for reporting and/or UI display),
define a PageSpecification
to process results correctly with efficient memory utilisation. A fail-fast mode alerts you to the need for pagination if a single query returns more than 200 results and no
PageSpecification
has been supplied.
Here’s a query that extracts every unconsumed ContractState
from the vault in pages of size 200, starting from the
default page number (page one):
val vaultSnapshot = proxy.vaultQueryBy<ContractState>(
QueryCriteria.VaultQueryCriteria(Vault.StateStatus.UNCONSUMED),
PageSpecification(DEFAULT_PAGE_NUM, 200))
MAX_PAGE_SIZE
is defined as Int.MAX_VALUE
. Use this with extreme
caution - results returned may exceed your JVM’s memory footprint.Example usage - Kotlin
Some examples of how to write vault queries in Kotlin are provided below.
General snapshot queries using VaultQueryCriteria
:
Query for all unconsumed states (simplest query possible):
val result = vaultService.queryBy<ContractState>()
/**
* Query result returns a [Vault.Page] which contains:
* 1) actual states as a list of [StateAndRef]
* 2) state reference and associated vault metadata as a list of [Vault.StateMetadata]
* 3) [PageSpecification] used to delimit the size of items returned in the result set (defaults to [DEFAULT_PAGE_SIZE])
* 4) Total number of items available (to aid further pagination if required)
*/
val states = result.states
val metadata = result.statesMetadata
Query for unconsumed states for some state references:
val sortAttribute = SortAttribute.Standard(Sort.CommonStateAttribute.STATE_REF_TXN_ID)
val criteria = VaultQueryCriteria(stateRefs = listOf(stateRefs.first(), stateRefs.last()))
val results = vaultService.queryBy<DummyLinearContract.State>(criteria, Sort(setOf(Sort.SortColumn(sortAttribute, Sort.Direction.ASC))))
Query for unconsumed states for several contract state types:
val criteria = VaultQueryCriteria(contractStateTypes = setOf(Cash.State::class.java, DealState::class.java))
val results = vaultService.queryBy<ContractState>(criteria)
Query for unconsumed states for specified contract state constraint types and sorted in ascending alphabetical order:
val constraintTypeCriteria = VaultQueryCriteria(constraintTypes = setOf(HASH, CZ_WHITELISTED))
val sortAttribute = SortAttribute.Standard(Sort.VaultStateAttribute.CONSTRAINT_TYPE)
val sorter = Sort(setOf(Sort.SortColumn(sortAttribute, Sort.Direction.ASC)))
val constraintResults = vaultService.queryBy<LinearState>(constraintTypeCriteria, sorter)
Query for unconsumed states for specified contract state constraints (type and data):
val constraintCriteria = VaultQueryCriteria(constraints = setOf(Vault.ConstraintInfo(constraintSignature),
Vault.ConstraintInfo(constraintSignatureCompositeKey), Vault.ConstraintInfo(constraintHash)))
val constraintResults = vaultService.queryBy<LinearState>(constraintCriteria)
Query for unconsumed states for a given notary:
val criteria = VaultQueryCriteria(notary = listOf(CASH_NOTARY))
val results = vaultService.queryBy<ContractState>(criteria)
Query for unconsumed states for a given set of participants (matches any state that contains at least one of the specified participants):
val criteria = LinearStateQueryCriteria(participants = listOf(BIG_CORP, MINI_CORP))
val results = vaultService.queryBy<ContractState>(criteria)
Query for unconsumed states for a given set of participants (exactly matches only states that contain all specified participants):
val strictCriteria = LinearStateQueryCriteria(exactParticipants = listOf(MEGA_CORP, BIG_CORP))
val strictResults = vaultService.queryBy<ContractState>(strictCriteria)
Query for unconsumed states recorded between two time intervals:
val start = TODAY
val end = TODAY.plus(30, ChronoUnit.DAYS)
val recordedBetweenExpression = TimeCondition(
QueryCriteria.TimeInstantType.RECORDED,
ColumnPredicate.Between(start, end))
val criteria = VaultQueryCriteria(timeCondition = recordedBetweenExpression)
val results = vaultService.queryBy<ContractState>(criteria)
Between
ColumnPredicate
.Query for all states with pagination specification (10 results per page):
val pagingSpec = PageSpecification(DEFAULT_PAGE_NUM, 10)
val criteria = VaultQueryCriteria(status = Vault.StateStatus.ALL)
val results = vaultService.queryBy<ContractState>(criteria, paging = pagingSpec)
Query for all states using a pagination specification and iterate using the totalStatesAvailable field until no further pages available:
The following code will also detect, using previousPageAnchor
, if the vault has concurrently changed whilst querying and will try to get the latest up-to-date version.
retry@
while (true) {
var pageNumber = DEFAULT_PAGE_NUM
val states = mutableListOf<StateAndRef<ContractState>>()
do {
val pageSpec = PageSpecification(pageNumber = pageNumber, pageSize = pageSize)
val results = vaultService.queryBy<ContractState>(VaultQueryCriteria(), pageSpec)
if (results.previousPageAnchor != states.lastOrNull()?.ref) {
// Start querying from the 1st page again if we find the vault has changed from underneath us.
continue@retry
}
states.addAll(results.states)
pageNumber++
} while ((pageSpec.pageSize * (pageNumber - 1)) <= results.totalStatesAvailable)
return states
}
Query for only relevant states in the vault:
val relevancyAllCriteria = VaultQueryCriteria(relevancyStatus = Vault.RelevancyStatus.RELEVANT)
val allDealStateCount = vaultService.queryBy<DummyDealContract.State>(relevancyAllCriteria).states
LinearState and DealState queries using LinearStateQueryCriteria
:
Query for unconsumed linear states for given linear IDs:
val linearIds = issuedStates.states.map { it.state.data.linearId }.toList()
val criteria = LinearStateQueryCriteria(linearId = listOf(linearIds.first(), linearIds.last()))
val results = vaultService.queryBy<LinearState>(criteria)
Query for all linear states associated with a linear ID:
val linearStateCriteria = LinearStateQueryCriteria(linearId = listOf(linearId), status = Vault.StateStatus.ALL)
val vaultCriteria = VaultQueryCriteria(status = Vault.StateStatus.ALL)
val results = vaultService.queryBy<LinearState>(linearStateCriteria and vaultCriteria)
Query for unconsumed deal states with deal references:
val criteria = LinearStateQueryCriteria(externalId = listOf("456", "789"))
val results = vaultService.queryBy<DealState>(criteria)
Query for unconsumed deal states with deal parties (any match):
val criteria = LinearStateQueryCriteria(participants = parties)
val results = vaultService.queryBy<DealState>(criteria)
Query for unconsumed deal states with deal parties (exact match):
val strictCriteria = LinearStateQueryCriteria().withExactParticipants(parties)
val strictResults = vaultService.queryBy<ContractState>(strictCriteria)
Query for only relevant linear states in the vault:
val allLinearStateCriteria = LinearStateQueryCriteria(relevancyStatus = Vault.RelevancyStatus.RELEVANT)
val allLinearStates = vaultService.queryBy<DummyLinearContract.State>(allLinearStateCriteria).states
FungibleAsset and DealState queries using FungibleAssetQueryCriteria
:
Query for fungible assets for a given currency:
val ccyIndex = builder { CashSchemaV1.PersistentCashState::currency.equal(USD.currencyCode) }
val criteria = VaultCustomQueryCriteria(ccyIndex)
val results = vaultService.queryBy<FungibleAsset<*>>(criteria)
Query for fungible assets for a minimum quantity:
val fungibleAssetCriteria = FungibleAssetQueryCriteria(quantity = builder { greaterThan(2500L) })
val results = vaultService.queryBy<Cash.State>(fungibleAssetCriteria)
Query for fungible assets for a specific issuer party:
val criteria = FungibleAssetQueryCriteria(issuer = listOf(BOC))
val results = vaultService.queryBy<FungibleAsset<*>>(criteria)
Query for only relevant fungible states in the vault:
val allCashCriteria = FungibleStateQueryCriteria(relevancyStatus = Vault.RelevancyStatus.RELEVANT)
val allCashStates = vaultService.queryBy<Cash.State>(allCashCriteria).states
Aggregate Function queries using VaultCustomQueryCriteria
:
otherResults
attribute of a results page.Aggregations on cash using various functions:
val sum = builder { CashSchemaV1.PersistentCashState::pennies.sum() }
val sumCriteria = VaultCustomQueryCriteria(sum)
val count = builder { CashSchemaV1.PersistentCashState::pennies.count() }
val countCriteria = VaultCustomQueryCriteria(count)
val max = builder { CashSchemaV1.PersistentCashState::pennies.max() }
val maxCriteria = VaultCustomQueryCriteria(max)
val min = builder { CashSchemaV1.PersistentCashState::pennies.min() }
val minCriteria = VaultCustomQueryCriteria(min)
val avg = builder { CashSchemaV1.PersistentCashState::pennies.avg() }
val avgCriteria = VaultCustomQueryCriteria(avg)
val results = vaultService.queryBy<FungibleAsset<*>>(sumCriteria
.and(countCriteria)
.and(maxCriteria)
.and(minCriteria)
.and(avgCriteria))
otherResults
will contain 5 items, one per calculated aggregate function.Aggregations on cash grouped by currency for various functions:
val sum = builder { CashSchemaV1.PersistentCashState::pennies.sum(groupByColumns = listOf(CashSchemaV1.PersistentCashState::currency)) }
val sumCriteria = VaultCustomQueryCriteria(sum)
val max = builder { CashSchemaV1.PersistentCashState::pennies.max(groupByColumns = listOf(CashSchemaV1.PersistentCashState::currency)) }
val maxCriteria = VaultCustomQueryCriteria(max)
val min = builder { CashSchemaV1.PersistentCashState::pennies.min(groupByColumns = listOf(CashSchemaV1.PersistentCashState::currency)) }
val minCriteria = VaultCustomQueryCriteria(min)
val avg = builder { CashSchemaV1.PersistentCashState::pennies.avg(groupByColumns = listOf(CashSchemaV1.PersistentCashState::currency)) }
val avgCriteria = VaultCustomQueryCriteria(avg)
val results = vaultService.queryBy<FungibleAsset<*>>(sumCriteria
.and(maxCriteria)
.and(minCriteria)
.and(avgCriteria))
otherResults
will contain 24 items, one result per calculated aggregate function per currency (the grouping attribute - currency in this case - is returned per aggregate result).Sum aggregation on cash grouped by issuer party and currency and sorted by sum:
val sum = builder {
CashSchemaV1.PersistentCashState::pennies.sum(groupByColumns = listOf(CashSchemaV1.PersistentCashState::issuerPartyHash,
CashSchemaV1.PersistentCashState::currency),
orderBy = Sort.Direction.DESC)
}
val results = vaultService.queryBy<FungibleAsset<*>>(VaultCustomQueryCriteria(sum))
otherResults
contains 12 items sorted from largest summed cash amount to smallest. It contains one result per calculated aggregate function for each issuer party and currency. Grouping attributes are returned per aggregate result.Dynamic queries (also using VaultQueryCriteria
) are an extension to the snapshot queries by returning an additional QueryResults
return type in the form of an Observable<Vault.Update>
. Refer to
ReactiveX Observable for a detailed understanding and usage of this type.
Track unconsumed cash states:
vaultService.trackBy<Cash.State>().updates // UNCONSUMED default
Track unconsumed linear states:
val (snapshot, updates) = vaultService.trackBy<LinearState>()
DealState
and LinearState
states.Track unconsumed deal states:
val (snapshot, updates) = vaultService.trackBy<DealState>()
DealState
states.Example usage - Java
Some examples of how to write vault queries in Java are provided below.
Query for all unconsumed linear states:
Vault.Page<LinearState> results = vaultService.queryBy(LinearState.class);
Query for all consumed cash states:
VaultQueryCriteria criteria = new VaultQueryCriteria(Vault.StateStatus.CONSUMED);
Vault.Page<Cash.State> results = vaultService.queryBy(Cash.State.class, criteria);
Query for consumed deal states or linear IDs, specify a paging specification and sort by unique identifier:
Vault.StateStatus status = Vault.StateStatus.CONSUMED;
@SuppressWarnings("unchecked")
Set<Class<LinearState>> contractStateTypes = new HashSet(singletonList(LinearState.class));
QueryCriteria vaultCriteria = new VaultQueryCriteria(status, contractStateTypes);
List<UniqueIdentifier> linearIds = singletonList(ids.getSecond());
QueryCriteria linearCriteriaAll = new LinearStateQueryCriteria(null, linearIds, Vault.StateStatus.UNCONSUMED, null);
QueryCriteria dealCriteriaAll = new LinearStateQueryCriteria(null, null, dealIds);
QueryCriteria compositeCriteria1 = dealCriteriaAll.or(linearCriteriaAll);
QueryCriteria compositeCriteria2 = compositeCriteria1.and(vaultCriteria);
PageSpecification pageSpec = new PageSpecification(DEFAULT_PAGE_NUM, MAX_PAGE_SIZE);
Sort.SortColumn sortByUid = new Sort.SortColumn(new SortAttribute.Standard(Sort.LinearStateAttribute.UUID), Sort.Direction.DESC);
Sort sorting = new Sort(ImmutableSet.of(sortByUid));
Vault.Page<LinearState> results = vaultService.queryBy(LinearState.class, compositeCriteria2, pageSpec, sorting);
Query for all states using a pagination specification and iterate using the totalStatesAvailable field until no further pages available:
The following code will also detect, using previousPageAnchor
, if the vault has concurrently changed whilst querying and will try to get the latest up-to-date version.
retry:
while (true) {
int pageNumber = DEFAULT_PAGE_NUM;
List<StateAndRef<Cash.State>> states = new ArrayList<>();
long totalResults;
do {
PageSpecification pageSpec = new PageSpecification(pageNumber, pageSize);
Vault.Page<Cash.State> results = vaultService.queryBy(Cash.State.class, new VaultQueryCriteria(), pageSpec);
if (!states.isEmpty() && !states.get(states.size() - 1).getRef().equals(results.getPreviousPageAnchor())) {
// Start querying from the 1st page again if we find the vault has changed from underneath us.
continue retry;
}
totalResults = results.getTotalStatesAvailable();
states.addAll(results.getStates());
pageNumber++;
} while ((pageSize * (pageNumber - 1L) <= totalResults));
return states;
}
Aggregate Function queries using VaultCustomQueryCriteria
:
Aggregations on cash using various functions:
FieldInfo pennies = getField("pennies", CashSchemaV1.PersistentCashState.class);
QueryCriteria sumCriteria = new VaultCustomQueryCriteria(sum(pennies));
QueryCriteria countCriteria = new VaultCustomQueryCriteria(Builder.count(pennies));
QueryCriteria maxCriteria = new VaultCustomQueryCriteria(Builder.max(pennies));
QueryCriteria minCriteria = new VaultCustomQueryCriteria(Builder.min(pennies));
QueryCriteria avgCriteria = new VaultCustomQueryCriteria(Builder.avg(pennies));
QueryCriteria criteria = sumCriteria.and(countCriteria).and(maxCriteria).and(minCriteria).and(avgCriteria);
Vault.Page<Cash.State> results = vaultService.queryBy(Cash.State.class, criteria);
Aggregations on cash grouped by currency for various functions:
FieldInfo pennies = getField("pennies", CashSchemaV1.PersistentCashState.class);
FieldInfo currency = getField("currency", CashSchemaV1.PersistentCashState.class);
QueryCriteria sumCriteria = new VaultCustomQueryCriteria(sum(pennies, singletonList(currency)));
QueryCriteria countCriteria = new VaultCustomQueryCriteria(Builder.count(pennies));
QueryCriteria maxCriteria = new VaultCustomQueryCriteria(Builder.max(pennies, singletonList(currency)));
QueryCriteria minCriteria = new VaultCustomQueryCriteria(Builder.min(pennies, singletonList(currency)));
QueryCriteria avgCriteria = new VaultCustomQueryCriteria(Builder.avg(pennies, singletonList(currency)));
QueryCriteria criteria = sumCriteria.and(countCriteria).and(maxCriteria).and(minCriteria).and(avgCriteria);
Vault.Page<Cash.State> results = vaultService.queryBy(Cash.State.class, criteria);
Sum aggregation on cash grouped by issuer party and currency and sorted by sum:
FieldInfo pennies = getField("pennies", CashSchemaV1.PersistentCashState.class);
FieldInfo currency = getField("currency", CashSchemaV1.PersistentCashState.class);
FieldInfo issuerPartyHash = getField("issuerPartyHash", CashSchemaV1.PersistentCashState.class);
QueryCriteria sumCriteria = new VaultCustomQueryCriteria(sum(pennies, asList(issuerPartyHash, currency), Sort.Direction.DESC));
Vault.Page<Cash.State> results = vaultService.queryBy(Cash.State.class, sumCriteria);
Track unconsumed cash states:
@SuppressWarnings("unchecked")
Set<Class<ContractState>> contractStateTypes = new HashSet(singletonList(Cash.State.class));
VaultQueryCriteria criteria = new VaultQueryCriteria(Vault.StateStatus.UNCONSUMED, contractStateTypes);
DataFeed<Vault.Page<ContractState>, Vault.Update<ContractState>> results = vaultService.trackBy(ContractState.class, criteria);
Vault.Page<ContractState> snapshot = results.getSnapshot();
Track unconsumed deal states or linear states (with snapshot including specification of paging and sorting by unique identifier):
@SuppressWarnings("unchecked")
Set<Class<ContractState>> contractStateTypes = new HashSet(asList(DealState.class, LinearState.class));
QueryCriteria vaultCriteria = new VaultQueryCriteria(Vault.StateStatus.UNCONSUMED, contractStateTypes);
List<UniqueIdentifier> linearIds = singletonList(uid);
List<AbstractParty> dealParty = singletonList(MEGA_CORP.getParty());
QueryCriteria dealCriteria = new LinearStateQueryCriteria(dealParty, null, dealIds);
QueryCriteria linearCriteria = new LinearStateQueryCriteria(dealParty, linearIds, Vault.StateStatus.UNCONSUMED, null);
QueryCriteria dealOrLinearIdCriteria = dealCriteria.or(linearCriteria);
QueryCriteria compositeCriteria = dealOrLinearIdCriteria.and(vaultCriteria);
PageSpecification pageSpec = new PageSpecification(DEFAULT_PAGE_NUM, MAX_PAGE_SIZE);
Sort.SortColumn sortByUid = new Sort.SortColumn(new SortAttribute.Standard(Sort.LinearStateAttribute.UUID), Sort.Direction.DESC);
Sort sorting = new Sort(ImmutableSet.of(sortByUid));
DataFeed<Vault.Page<ContractState>, Vault.Update<ContractState>> results = vaultService.trackBy(ContractState.class, compositeCriteria, pageSpec, sorting);
Vault.Page<ContractState> snapshot = results.getSnapshot();
Troubleshooting
If the results you were expecting do not match actual returned query results, R3 recommends you add an entry to your log4j2.xml
configuration file to enable display of executed SQL statements:
<Logger name="org.hibernate.SQL" level="debug" additivity="false">
<AppenderRef ref="Console-Appender"/>
</Logger>
Behavioural notes
TrackBy
updates do not take into account the full criteria specification due to different and more restrictive syntax in observables filtering (vs full SQL-92 JDBC filtering as used in snapshot views). Specifically, dynamic updates are filtered bycontractStateType
andstateType
(UNCONSUMED
,CONSUMED
,ALL
) only.QueryBy
andTrackBy
snapshot views using pagination may return different result sets, as each paging request is a separate SQL query on the underlying database, and it is entirely conceivable that state modifications are taking place in between and/or in parallel to paging requests. When using pagination, always check the value of thetotalStatesAvailable
(from theVault.Page
result) and adjust further paging requests appropriately.
Other use-case scenarios
For advanced use cases that require sophisticated pagination, sorting, grouping, and aggregation functions, R3 recommends that the CorDapp developer utilise one of the many proven frameworks that ship with this capability out of the box, namely, implementations of JPQL (JPA Query Language) such as Hibernate for advanced SQL access, and Spring Data for advanced pagination and ordering constructs.
Mapping owning keys to external IDs
When creating new public keys via the KeyManagementService
, it is possible to create an association between the newly created public key and an external ID. This, in effect, allows CorDapp developers to group state ownership/participation keys by an account ID.
PersistentKeyManagementService.freshKeyAndCert
instead of freshKey
.
Currently, the generation of keys for other identities is not supported.public AnonymousParty freshKeyForExternalId(UUID externalId, ServiceHub services) {
// Create a fresh key pair and return the public key.
AnonymousParty anonymousParty = freshKey();
// Associate the fresh key to an external ID.
services.withEntityManager(entityManager -> {
PersistentKeyManagementService.PublicKeyHashToExternalId mapping = PersistentKeyManagementService.PublicKeyHashToExternalId(externalId, anonymousParty.owningKey);
entityManager.persist(mapping);
return null;
});
return anonymousParty;
}
fun freshKeyForExternalId(externalId: UUID, services: ServiceHub): AnonymousParty {
// Create a fresh key pair and return the public key.
val anonymousParty = freshKey()
// Associate the fresh key to an external ID.
services.withEntityManager {
val mapping = PersistentKeyManagementService.PublicKeyHashToExternalId(externalId, anonymousParty.owningKey)
persist(mapping)
}
return anonymousParty
}
In the code snippet above, the PublicKeyHashToExternalId
entity has been added to PersistentKeyManagementService
, which allows you to associate your public keys with external IDs.
LinearState
is owned by two public keys generated by the same node.When these public keys are used to own or participate in a state object, it is trivial to then associate those states with a particular external ID. When states are persisted to the vault, the owning keys for each state are persisted to a PersistentParty
table. You can join the PersistentParty
table with the PublicKeyHashToExternalId
table to create a view that maps each state to one or more external IDs. The entity relationship diagram illustrates how this works.
You can query the vault for states by external ID using the externalIds
parameter in VaultQueryCriteria
.
Was this page helpful?
Thanks for your feedback!
Chat with us
Chat with us on our #docs channel on slack. You can also join a lot of other slack channels there and have access to 1-on-1 communication with members of the R3 team and the online community.
Propose documentation improvements directly
Help us to improve the docs by contributing directly. It's simple - just fork this repository and raise a PR of your own - R3's Technical Writers will review it and apply the relevant suggestions.
We're sorry this page wasn't helpful. Let us know how we can make it better!
Chat with us
Chat with us on our #docs channel on slack. You can also join a lot of other slack channels there and have access to 1-on-1 communication with members of the R3 team and the online community.
Create an issue
Create a new GitHub issue in this repository - submit technical feedback, draw attention to a potential documentation bug, or share ideas for improvement and general feedback.
Propose documentation improvements directly
Help us to improve the docs by contributing directly. It's simple - just fork this repository and raise a PR of your own - R3's Technical Writers will review it and apply the relevant suggestions.