Extending Chain
When writing an advanced Hive blockchain application in JavaScript, you may want to add more APIs to the standard set of Wax methods. There is a feature in Wax called extend
allowing you to extend Wax Chain with fully-typed requests (with or without validators).
Regular Usage
For these examples, you will require class-validator
package for requests and responses validation.
Virtually extend chain
If you do not want to implement your own validators, here is a simple interface to do so:
import { createHiveChain, TWaxApiRequest, TWaxExtended } from '@hiveio/wax';
const chain = await createHiveChain();
interface IFindTransactionRequest {
transaction_id: string;
expiration: string;
}
interface IFindTransactionResponse {
status: 'unknown' | string;
}
type TExtendedApi = {
transaction_status_api: {
find_transaction: TWaxApiRequest<IFindTransactionRequest, IFindTransactionResponse>
}
};
const extended = chain.extend<TExtendedApi>();
const result = await extended.api.transaction_status_api.find_transaction({
transaction_id: "0000000000000000000000000000000000000000",
expiration: "2016-03-24T18:00:21"
});
console.info(result);
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
As you can see in the example, there is a type called: TWaxApiRequest
which as a first template argument takes a user input type (that the user will have to pass to the API request function). It may be an interface
, but it can also be a standard type, like: boolean
, number
, Array
and so on. The second argument should be the response type (type of result
in the snippet above).
Extending Chain with validators
In order to create validators, you have to create a separate class for: request and response and create a proper API structure, like in the example (for transaction_status_api.find_transaction
):
import { IsHexadecimal, IsDateString, IsString } from 'class-validator';
import { createHiveChain, TWaxExtended } from '@hiveio/wax';
const chain = await createHiveChain();
class FindTransactionRequest {
@IsHexadecimal()
public transaction_id!: string;
@IsDateString()
public expiration!: string;
}
class FindTransactionResponse {
@IsString()
public status!: 'unknown' | string;
}
const ExtendedApi = {
transaction_status_api: {
find_transaction: {
params: FindTransactionRequest,
result: FindTransactionResponse
}
}
};
const extended: TWaxExtended<typeof ExtendedApi> = chain.extend(ExtendedApi);
const result = await extended.api.transaction_status_api.find_transaction({
transaction_id: "0000000000000000000000000000000000000000",
expiration: "2016-03-24T18:00:21"
});
console.info(result);
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
FindTransactionResponse { status: 'too_old' }