@ensnode/ensnode-sdk 1.3.0 → 1.3.1
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/index.cjs +51 -167
- package/dist/index.cjs.map +1 -1
- package/dist/index.d.cts +49 -115
- package/dist/index.d.ts +49 -115
- package/dist/index.js +51 -167
- package/dist/index.js.map +1 -1
- package/package.json +4 -4
package/dist/index.d.cts
CHANGED
|
@@ -655,61 +655,32 @@ declare class LruCache<KeyType extends string, ValueType> implements Cache<KeyTy
|
|
|
655
655
|
get capacity(): number;
|
|
656
656
|
}
|
|
657
657
|
|
|
658
|
-
/**
|
|
659
|
-
* Data structure for a single cached value.
|
|
660
|
-
*/
|
|
661
|
-
interface CachedValue<ValueType> {
|
|
662
|
-
/**
|
|
663
|
-
* The cached value of type ValueType.
|
|
664
|
-
*/
|
|
665
|
-
value: ValueType;
|
|
666
|
-
/**
|
|
667
|
-
* Unix timestamp indicating when the cached `value` was generated.
|
|
668
|
-
*/
|
|
669
|
-
updatedAt: UnixTimestamp;
|
|
670
|
-
}
|
|
671
658
|
interface SWRCacheOptions<ValueType> {
|
|
672
659
|
/**
|
|
673
|
-
* The async function generating a value of `ValueType` to wrap with SWR caching.
|
|
674
|
-
*
|
|
675
|
-
* On success:
|
|
676
|
-
* - This function returns a value of type `ValueType` to store in the `SWRCache`.
|
|
677
|
-
*
|
|
678
|
-
* On error:
|
|
679
|
-
* - This function throws an error and no changes will be made to the `SWRCache`.
|
|
660
|
+
* The async function generating a value of `ValueType` to wrap with SWR caching. It may throw an
|
|
661
|
+
* Error type.
|
|
680
662
|
*/
|
|
681
663
|
fn: () => Promise<ValueType>;
|
|
682
664
|
/**
|
|
683
|
-
* Time-to-live duration in seconds. After this duration
|
|
684
|
-
* considered stale but is still retained in the cache
|
|
665
|
+
* Time-to-live duration of a cached result in seconds. After this duration:
|
|
666
|
+
* - the currently cached result is considered "stale" but is still retained in the cache
|
|
667
|
+
* until successfully replaced.
|
|
668
|
+
* - Each time the cache is read, if the cached result is "stale" and no background
|
|
669
|
+
* revalidation attempt is already in progress, a new background revalidation
|
|
670
|
+
* attempt will be made.
|
|
685
671
|
*/
|
|
686
672
|
ttl: Duration;
|
|
687
673
|
/**
|
|
688
|
-
* Optional time-to-proactively-revalidate duration in seconds. After
|
|
689
|
-
*
|
|
690
|
-
*
|
|
691
|
-
* If defined:
|
|
692
|
-
* - Proactive asynchronous revalidation attempts will be automatically triggered in the background
|
|
693
|
-
* on this interval.
|
|
694
|
-
*
|
|
695
|
-
* If undefined:
|
|
696
|
-
* - Revalidation only occurs lazily when an explicit request for the cached value is
|
|
697
|
-
* made after the `ttl` duration of the latest successfully cached value expires.
|
|
674
|
+
* Optional time-to-proactively-revalidate duration in seconds. After a cached result is
|
|
675
|
+
* initialized, and this duration has passed, attempts to asynchronously revalidate
|
|
676
|
+
* the cached result will be proactively made in the background on this interval.
|
|
698
677
|
*/
|
|
699
|
-
|
|
678
|
+
proactiveRevalidationInterval?: Duration;
|
|
700
679
|
/**
|
|
701
|
-
*
|
|
702
|
-
*
|
|
703
|
-
* Optional. Defaults to `false`.
|
|
704
|
-
*
|
|
705
|
-
* If `true`:
|
|
706
|
-
* - The SWR cache will proactively work to initialize itself, even before any explicit request to
|
|
707
|
-
* access the cached value is made.
|
|
680
|
+
* Optional proactive initialization. Defaults to `false`.
|
|
708
681
|
*
|
|
709
|
-
* If `
|
|
710
|
-
*
|
|
711
|
-
* - Background revalidation occurred (if requested); or
|
|
712
|
-
* - An explicit attempt to access the cached value is made.
|
|
682
|
+
* If `true`: The SWR cache will proactively initialize itself.
|
|
683
|
+
* If `false`: The SWR cache will lazily wait to initialize itself until the first read.
|
|
713
684
|
*/
|
|
714
685
|
proactivelyInitialize?: boolean;
|
|
715
686
|
}
|
|
@@ -720,81 +691,43 @@ interface SWRCacheOptions<ValueType> {
|
|
|
720
691
|
* asynchronously revalidating the cache in the background. This provides:
|
|
721
692
|
* - Sub-millisecond response times (after first fetch)
|
|
722
693
|
* - Always available data (serves stale data during revalidation)
|
|
723
|
-
* - Automatic background updates
|
|
724
|
-
* are made for the cached data or when the `revalidationInterval` is reached)
|
|
694
|
+
* - Automatic background updates via configurable intervals
|
|
725
695
|
*
|
|
726
696
|
* @example
|
|
727
697
|
* ```typescript
|
|
728
|
-
* const
|
|
729
|
-
*
|
|
730
|
-
* return response.json();
|
|
731
|
-
* };
|
|
732
|
-
*
|
|
733
|
-
* const cache = await SWRCache.create({
|
|
734
|
-
* fn: fetchExpensiveData,
|
|
698
|
+
* const cache = new SWRCache({
|
|
699
|
+
* fn: async () => fetch('/api/data').then(r => r.json()),
|
|
735
700
|
* ttl: 60, // 1 minute TTL
|
|
736
|
-
*
|
|
701
|
+
* proactiveRevalidationInterval: 300 // proactively revalidate every 5 minutes
|
|
737
702
|
* });
|
|
738
703
|
*
|
|
739
|
-
* //
|
|
740
|
-
* const
|
|
741
|
-
*
|
|
742
|
-
* // [T1: T0 + 59s] Within TTL: returns data cache at T0 (fast)
|
|
743
|
-
* const secondRead = await cache.readCache();
|
|
704
|
+
* // Returns cached data or waits for initial fetch
|
|
705
|
+
* const data = await cache.read();
|
|
744
706
|
*
|
|
745
|
-
*
|
|
746
|
-
*
|
|
747
|
-
* const thirdRead = await cache.readCache(); // Still fast!
|
|
748
|
-
*
|
|
749
|
-
* // [T3: T2 + 90m] Background revalidation kicks in
|
|
750
|
-
*
|
|
751
|
-
* // [T4: T3 + 1m] Within TTL: returns data cache at T3 (fast)
|
|
752
|
-
* const fourthRead = await cache.readCache(); // Still fast!
|
|
753
|
-
*
|
|
754
|
-
* // Please note how using `SWRCache` enabled action at T3 to happen.
|
|
755
|
-
* // If no `revalidationInterval` value was set, the action at T3 would not happen.
|
|
756
|
-
* // Therefore, the `fourthRead` would return stale data cached at T2.
|
|
707
|
+
* if (data instanceof Error) { ... }
|
|
708
|
+
* ```
|
|
757
709
|
*
|
|
758
710
|
* @link https://web.dev/stale-while-revalidate/
|
|
759
711
|
* @link https://datatracker.ietf.org/doc/html/rfc5861
|
|
760
712
|
*/
|
|
761
713
|
declare class SWRCache<ValueType> {
|
|
762
|
-
readonly options
|
|
714
|
+
private readonly options;
|
|
763
715
|
private cache;
|
|
764
|
-
/**
|
|
765
|
-
* Optional promise of the current in-progress attempt to revalidate the `cache`.
|
|
766
|
-
*
|
|
767
|
-
* If null, no revalidation attempt is currently in progress.
|
|
768
|
-
* If not null, identifies the revalidation attempt that is currently in progress.
|
|
769
|
-
*
|
|
770
|
-
* Used to enforce no concurrent revalidation attempts.
|
|
771
|
-
*/
|
|
772
716
|
private inProgressRevalidate;
|
|
717
|
+
private backgroundInterval;
|
|
718
|
+
constructor(options: SWRCacheOptions<ValueType>);
|
|
719
|
+
private revalidate;
|
|
773
720
|
/**
|
|
774
|
-
*
|
|
775
|
-
*
|
|
776
|
-
* If null, no background revalidation is scheduled.
|
|
777
|
-
* If not null, identifies the background revalidation that is currently scheduled.
|
|
778
|
-
*
|
|
779
|
-
* Used to enforce no concurrent background revalidation attempts.
|
|
780
|
-
*/
|
|
781
|
-
private scheduledBackgroundRevalidate;
|
|
782
|
-
private constructor();
|
|
783
|
-
/**
|
|
784
|
-
* Asynchronously create a new `SWRCache` instance.
|
|
721
|
+
* Read the most recently cached result from the `SWRCache`.
|
|
785
722
|
*
|
|
786
|
-
* @
|
|
787
|
-
*
|
|
723
|
+
* @returns a `ValueType` that was most recently successfully returned by `fn` or `Error` if `fn`
|
|
724
|
+
* has never successfully returned.
|
|
788
725
|
*/
|
|
789
|
-
|
|
790
|
-
private revalidate;
|
|
726
|
+
read(): Promise<ValueType | Error>;
|
|
791
727
|
/**
|
|
792
|
-
*
|
|
793
|
-
*
|
|
794
|
-
* @returns a `CachedValue` holding a `value` of `ValueType` that was most recently successfully returned by `fn`
|
|
795
|
-
* or `null` if `fn` has never successfully returned and has always thrown an error,
|
|
728
|
+
* Destroys the background revalidation interval, if exists.
|
|
796
729
|
*/
|
|
797
|
-
|
|
730
|
+
destroy(): void;
|
|
798
731
|
}
|
|
799
732
|
|
|
800
733
|
/**
|
|
@@ -3878,6 +3811,10 @@ interface MultichainPrimaryNameResolutionArgs {
|
|
|
3878
3811
|
*/
|
|
3879
3812
|
type MultichainPrimaryNameResolutionResult = Record<ChainId, Name | null>;
|
|
3880
3813
|
|
|
3814
|
+
declare const PROTOCOL_ATTRIBUTE_PREFIX = "ens";
|
|
3815
|
+
declare const ATTR_PROTOCOL_NAME = "ens.protocol";
|
|
3816
|
+
declare const ATTR_PROTOCOL_STEP = "ens.protocol.step";
|
|
3817
|
+
declare const ATTR_PROTOCOL_STEP_RESULT = "ens.protocol.step.result";
|
|
3881
3818
|
/**
|
|
3882
3819
|
* Identifiers for each traceable ENS protocol.
|
|
3883
3820
|
*/
|
|
@@ -3908,19 +3845,16 @@ declare enum ReverseResolutionProtocolStep {
|
|
|
3908
3845
|
ForwardResolveAddressRecord = "forward-resolve-address-record",
|
|
3909
3846
|
VerifyResolvedAddressMatchesAddress = "verify-resolved-address-matches-address"
|
|
3910
3847
|
}
|
|
3911
|
-
|
|
3912
|
-
|
|
3913
|
-
declare const ATTR_PROTOCOL_STEP = "ens.protocol.step";
|
|
3914
|
-
declare const ATTR_PROTOCOL_STEP_RESULT = "ens.protocol.step.result";
|
|
3915
|
-
interface SpanAttributes {
|
|
3848
|
+
|
|
3849
|
+
interface TracingSpanAttributes {
|
|
3916
3850
|
[key: string]: unknown;
|
|
3917
3851
|
}
|
|
3918
|
-
interface
|
|
3852
|
+
interface TracingSpanEvent {
|
|
3919
3853
|
name: string;
|
|
3920
|
-
attributes:
|
|
3854
|
+
attributes: TracingSpanAttributes;
|
|
3921
3855
|
time: number;
|
|
3922
3856
|
}
|
|
3923
|
-
interface
|
|
3857
|
+
interface TracingSpan {
|
|
3924
3858
|
scope: string;
|
|
3925
3859
|
id: string;
|
|
3926
3860
|
traceId: string;
|
|
@@ -3931,23 +3865,23 @@ interface ProtocolSpan {
|
|
|
3931
3865
|
name: string;
|
|
3932
3866
|
timestamp: number;
|
|
3933
3867
|
duration: number;
|
|
3934
|
-
attributes:
|
|
3868
|
+
attributes: TracingSpanAttributes;
|
|
3935
3869
|
status: {
|
|
3936
3870
|
code: number;
|
|
3937
3871
|
message?: string;
|
|
3938
3872
|
};
|
|
3939
|
-
events:
|
|
3873
|
+
events: TracingSpanEvent[];
|
|
3940
3874
|
}
|
|
3941
|
-
type
|
|
3942
|
-
children:
|
|
3875
|
+
type TracingNode = TracingSpan & {
|
|
3876
|
+
children: TracingNode[];
|
|
3943
3877
|
};
|
|
3944
|
-
type
|
|
3878
|
+
type TracingTrace = TracingNode[];
|
|
3945
3879
|
|
|
3946
3880
|
interface TraceableRequest {
|
|
3947
3881
|
trace?: boolean;
|
|
3948
3882
|
}
|
|
3949
3883
|
interface TraceableResponse {
|
|
3950
|
-
trace?:
|
|
3884
|
+
trace?: TracingTrace;
|
|
3951
3885
|
}
|
|
3952
3886
|
interface AcceleratableRequest {
|
|
3953
3887
|
accelerate?: boolean;
|
|
@@ -4561,4 +4495,4 @@ declare class ClientError extends Error {
|
|
|
4561
4495
|
static fromErrorResponse({ message, details }: ErrorResponse): ClientError;
|
|
4562
4496
|
}
|
|
4563
4497
|
|
|
4564
|
-
export { ADDR_REVERSE_NODE, ATTR_PROTOCOL_NAME, ATTR_PROTOCOL_STEP, ATTR_PROTOCOL_STEP_RESULT, type AcceleratableRequest, type AcceleratableResponse, type AccountId, type AccountIdString, type AssetId, type AssetIdString, type AssetNamespace, AssetNamespaces, BASENAMES_NODE, type BlockNumber, type BlockRef, type Blockrange, type Cache, type CachedValue, type ChainId, type ChainIdString, type ChainIndexingConfig, type ChainIndexingConfigDefinite, type ChainIndexingConfigIndefinite, type ChainIndexingConfigTypeId, ChainIndexingConfigTypeIds, type ChainIndexingStatusId, ChainIndexingStatusIds, type ChainIndexingStatusSnapshot, type ChainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotCompleted, type ChainIndexingStatusSnapshotFollowing, type ChainIndexingStatusSnapshotForOmnichainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotQueued, ClientError, type ClientOptions, type ConfigResponse, type CrossChainIndexingStatusSnapshot, type CrossChainIndexingStatusSnapshotOmnichain, type CrossChainIndexingStrategyId, CrossChainIndexingStrategyIds, type CurrencyAmount, type CurrencyId, CurrencyIds, type CurrencyInfo, DEFAULT_EVM_CHAIN_ID, DEFAULT_EVM_COIN_TYPE, type DNSEncodedLiteralName, type DNSEncodedName, type DNSEncodedPartiallyInterpretedName, type Datetime, type DatetimeISO8601, type DeepPartial, type DefaultableChainId, type DomainAssetId, type Duration, type ENSApiPublicConfig, type ENSIndexerPublicConfig, type ENSIndexerVersionInfo, ENSNodeClient, ENS_ROOT, ETH_COIN_TYPE, ETH_NODE, type EncodedLabelHash, type EnsRainbowClientLabelSet, type EnsRainbowServerLabelSet, type ErrorResponse, type ForwardResolutionArgs, ForwardResolutionProtocolStep, type ForwardResolutionResult, type Identity, type IndexingStatusRequest, type IndexingStatusResponse, type IndexingStatusResponseCode, IndexingStatusResponseCodes, type IndexingStatusResponseError, type IndexingStatusResponseOk, type InterpretedLabel, type InterpretedName, LINEANAMES_NODE, type Label, type LabelHash, type LabelSetId, type LabelSetVersion, type LiteralLabel, type LiteralName, LruCache, type MultichainPrimaryNameResolutionArgs, type MultichainPrimaryNameResolutionResult, type NFTMintStatus, NFTMintStatuses, type NFTTransferEventMetadata, type NFTTransferType, NFTTransferTypes, type Name, type NameToken, type NameTokenOwnership, type NameTokenOwnershipBurned, type NameTokenOwnershipFullyOnchain, type NameTokenOwnershipNameWrapper, type NameTokenOwnershipType, NameTokenOwnershipTypes, type NameTokenOwnershipUnknown, type NameTokensRequest, type NameTokensRequestByDomainId, type NameTokensRequestByName, type NameTokensResponse, type NameTokensResponseCode, NameTokensResponseCodes, type NameTokensResponseError, type NameTokensResponseErrorCode, NameTokensResponseErrorCodes, type NameTokensResponseErrorEnsIndexerConfigUnsupported, type NameTokensResponseErrorIndexingStatusUnsupported, type NameTokensResponseErrorNameTokensNotIndexed, type NameTokensResponseOk, type NamedIdentity, type NamedRegistrarAction, type Node, type NormalizedName, type OmnichainIndexingStatusId, OmnichainIndexingStatusIds, type OmnichainIndexingStatusSnapshot, type OmnichainIndexingStatusSnapshotBackfill, type OmnichainIndexingStatusSnapshotCompleted, type OmnichainIndexingStatusSnapshotFollowing, type OmnichainIndexingStatusSnapshotUnstarted, PROTOCOL_ATTRIBUTE_PREFIX, PluginName, type Price, type PriceDai, type PriceEth, type PriceUsdc, type ProtocolSpan, type ProtocolSpanTreeNode, type ProtocolTrace, RECORDS_PER_PAGE_DEFAULT, RECORDS_PER_PAGE_MAX, ROOT_NODE, type RealtimeIndexingStatusProjection, type ReferrerDetailRequest, type ReferrerDetailResponse, type ReferrerDetailResponseCode, ReferrerDetailResponseCodes, type ReferrerDetailResponseError, type ReferrerDetailResponseOk, type ReferrerLeaderboardPageRequest, type ReferrerLeaderboardPageResponse, type ReferrerLeaderboardPageResponseCode, ReferrerLeaderboardPageResponseCodes, type ReferrerLeaderboardPageResponseError, type ReferrerLeaderboardPageResponseOk, type RegisteredNameTokens, type RegistrarAction, type RegistrarActionEventId, type RegistrarActionPricing, type RegistrarActionPricingAvailable, type RegistrarActionPricingUnknown, type RegistrarActionReferral, type RegistrarActionReferralAvailable, type RegistrarActionReferralNotApplicable, type RegistrarActionType, RegistrarActionTypes, type RegistrarActionsFilter, type RegistrarActionsFilterByDecodedReferrer, type RegistrarActionsFilterBySubregistryNode, type RegistrarActionsFilterType, RegistrarActionsFilterTypes, type RegistrarActionsFilterWithEncodedReferral, type RegistrarActionsOrder, RegistrarActionsOrders, type RegistrarActionsRequest, type RegistrarActionsResponse, type RegistrarActionsResponseCode, RegistrarActionsResponseCodes, type RegistrarActionsResponseError, type RegistrarActionsResponseOk, type RegistrationLifecycle, type RegistrationLifecycleStage, type RequestPageParams, type ResolutionStatusId, ResolutionStatusIds, type ResolvePrimaryNameRequest, type ResolvePrimaryNameResponse, type ResolvePrimaryNamesRequest, type ResolvePrimaryNamesResponse, type ResolveRecordsRequest, type ResolveRecordsResponse, type ResolvedIdentity, type ResolverRecordsResponse, type ResolverRecordsResponseBase, type ResolverRecordsSelection, type ResponsePageContext, type ResponsePageContextWithNoRecords, type ResponsePageContextWithRecords, type ReverseResolutionArgs, ReverseResolutionProtocolStep, type ReverseResolutionResult, type RpcUrl, SWRCache, type SWRCacheOptions, type SerializedAssetId, type SerializedChainIndexingStatusSnapshot, type SerializedChainIndexingStatusSnapshotBackfill, type SerializedChainIndexingStatusSnapshotCompleted, type SerializedChainIndexingStatusSnapshotFollowing, type SerializedChainIndexingStatusSnapshotQueued, type SerializedConfigResponse, type SerializedCrossChainIndexingStatusSnapshot, type SerializedCrossChainIndexingStatusSnapshotOmnichain, type SerializedCurrencyAmount, type SerializedCurrentIndexingProjectionOmnichain, type SerializedDomainAssetId, type SerializedENSApiPublicConfig, type SerializedENSIndexerPublicConfig, type SerializedENSIndexerVersionInfo, type SerializedIndexedChainIds, type SerializedIndexingStatusResponse, type SerializedIndexingStatusResponseError, type SerializedIndexingStatusResponseOk, type SerializedNameToken, type SerializedNameTokensResponse, type SerializedNameTokensResponseError, type SerializedNameTokensResponseOk, type SerializedNamedRegistrarAction, type SerializedOmnichainIndexingStatusSnapshot, type SerializedOmnichainIndexingStatusSnapshotBackfill, type SerializedOmnichainIndexingStatusSnapshotCompleted, type SerializedOmnichainIndexingStatusSnapshotFollowing, type SerializedOmnichainIndexingStatusSnapshotUnstarted, type SerializedPrice, type SerializedPriceDai, type SerializedPriceEth, type SerializedPriceUsdc, type SerializedRealtimeIndexingStatusProjection, type SerializedReferrerDetailResponse, type SerializedReferrerDetailResponseError, type SerializedReferrerDetailResponseOk, type SerializedReferrerLeaderboardPageResponse, type SerializedReferrerLeaderboardPageResponseError, type SerializedReferrerLeaderboardPageResponseOk, type SerializedRegisteredNameTokens, type SerializedRegistrarAction, type SerializedRegistrarActionPricing, type SerializedRegistrarActionPricingAvailable, type SerializedRegistrarActionPricingUnknown, type SerializedRegistrarActionsResponse, type SerializedRegistrarActionsResponseError, type SerializedRegistrarActionsResponseOk, type SerializedTokenId, type SubgraphInterpretedLabel, type SubgraphInterpretedName, type Subregistry, type TheGraphCannotFallbackReason, TheGraphCannotFallbackReasonSchema, type TheGraphFallback, TheGraphFallbackSchema, type TokenId, TraceableENSProtocol, type TraceableRequest, type TraceableResponse, TtlCache, type UnixTimestamp, type UnknownIdentity, type UnnamedIdentity, type UnresolvedIdentity, type UrlString, accountIdEqual, addDuration, addPrices, addrReverseLabel, asLowerCaseAddress, beautifyName, bigIntToNumber, bigintToCoinType, buildAssetId, buildEnsRainbowClientLabelSet, buildLabelSetId, buildLabelSetVersion, buildPageContext, buildUnresolvedIdentity, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotBackfill, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotCompleted, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotFollowing, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotUnstarted, coinTypeReverseLabel, coinTypeToEvmChainId, createIndexingConfig, createRealtimeIndexingStatusProjection, decodeDNSEncodedLiteralName, decodeDNSEncodedName, deserializeAssetId, deserializeBlockNumber, deserializeBlockRef, deserializeBlockrange, deserializeChainId, deserializeChainIndexingStatusSnapshot, deserializeConfigResponse, deserializeCrossChainIndexingStatusSnapshot, deserializeDatetime, deserializeDuration, deserializeENSApiPublicConfig, deserializeENSIndexerPublicConfig, deserializeErrorResponse, deserializeIndexingStatusResponse, deserializeOmnichainIndexingStatusSnapshot, deserializeRealtimeIndexingStatusProjection, deserializeReferrerDetailResponse, deserializeReferrerLeaderboardPageResponse, deserializeRegistrarActionsResponse, deserializeUnixTimestamp, deserializeUrl, deserializedNameTokensResponse, durationBetween, encodeLabelHash, evmChainIdToCoinType, formatAccountId, formatAssetId, formatNFTTransferEventMetadata, getBasenamesSubregistryId, getBasenamesSubregistryManagedName, getCurrencyInfo, getDatasourceContract, getEthnamesSubregistryId, getEthnamesSubregistryManagedName, getLatestIndexedBlockRef, getLineanamesSubregistryId, getLineanamesSubregistryManagedName, getNFTTransferType, getNameHierarchy, getNameTokenOwnership, getNameWrapperAccounts, getOmnichainIndexingCursor, getOmnichainIndexingStatus, getParentNameFQDN, getResolvePrimaryNameChainIdParam, getTimestampForHighestOmnichainKnownBlock, getTimestampForLowestOmnichainStartBlock, hasNullByte, interpretedLabelsToInterpretedName, isEncodedLabelHash, isHttpProtocol, isLabelHash, isNormalizedLabel, isNormalizedName, isPriceCurrencyEqual, isPriceEqual, isRegistrarActionPricingAvailable, isRegistrarActionReferralAvailable, isResolvedIdentity, isSelectionEmpty, isSubgraphCompatible, isWebSocketProtocol, labelHashToBytes, labelhashLiteralLabel, literalLabelToInterpretedLabel, literalLabelsToInterpretedName, literalLabelsToLiteralName, makeENSApiPublicConfigSchema, makeSubdomainNode, maybeGetDatasourceContract, nameTokensPrerequisites, parseAccountId, parseAssetId, parseNonNegativeInteger, parseReverseName, priceDai, priceEth, priceUsdc, registrarActionsFilter, registrarActionsPrerequisites, reverseName, serializeAssetId, serializeChainId, serializeChainIndexingSnapshots, serializeConfigResponse, serializeCrossChainIndexingStatusSnapshotOmnichain, serializeDatetime, serializeDomainAssetId, serializeENSApiPublicConfig, serializeENSIndexerPublicConfig, serializeIndexedChainIds, serializeIndexingStatusResponse, serializeNameToken, serializeNameTokensResponse, serializeNamedRegistrarAction, serializeOmnichainIndexingStatusSnapshot, serializePrice, serializePriceEth, serializeRealtimeIndexingStatusProjection, serializeReferrerDetailResponse, serializeReferrerLeaderboardPageResponse, serializeRegisteredNameTokens, serializeRegistrarAction, serializeRegistrarActionPricing, serializeRegistrarActionsResponse, serializeUrl, sortChainStatusesByStartBlockAsc, stripNullBytes, translateDefaultableChainIdToChainId, uint256ToHex32, uniq, validateSupportedLabelSetAndVersion };
|
|
4498
|
+
export { ADDR_REVERSE_NODE, ATTR_PROTOCOL_NAME, ATTR_PROTOCOL_STEP, ATTR_PROTOCOL_STEP_RESULT, type AcceleratableRequest, type AcceleratableResponse, type AccountId, type AccountIdString, type AssetId, type AssetIdString, type AssetNamespace, AssetNamespaces, BASENAMES_NODE, type BlockNumber, type BlockRef, type Blockrange, type Cache, type ChainId, type ChainIdString, type ChainIndexingConfig, type ChainIndexingConfigDefinite, type ChainIndexingConfigIndefinite, type ChainIndexingConfigTypeId, ChainIndexingConfigTypeIds, type ChainIndexingStatusId, ChainIndexingStatusIds, type ChainIndexingStatusSnapshot, type ChainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotCompleted, type ChainIndexingStatusSnapshotFollowing, type ChainIndexingStatusSnapshotForOmnichainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotQueued, ClientError, type ClientOptions, type ConfigResponse, type CrossChainIndexingStatusSnapshot, type CrossChainIndexingStatusSnapshotOmnichain, type CrossChainIndexingStrategyId, CrossChainIndexingStrategyIds, type CurrencyAmount, type CurrencyId, CurrencyIds, type CurrencyInfo, DEFAULT_EVM_CHAIN_ID, DEFAULT_EVM_COIN_TYPE, type DNSEncodedLiteralName, type DNSEncodedName, type DNSEncodedPartiallyInterpretedName, type Datetime, type DatetimeISO8601, type DeepPartial, type DefaultableChainId, type DomainAssetId, type Duration, type ENSApiPublicConfig, type ENSIndexerPublicConfig, type ENSIndexerVersionInfo, ENSNodeClient, ENS_ROOT, ETH_COIN_TYPE, ETH_NODE, type EncodedLabelHash, type EnsRainbowClientLabelSet, type EnsRainbowServerLabelSet, type ErrorResponse, type ForwardResolutionArgs, ForwardResolutionProtocolStep, type ForwardResolutionResult, type Identity, type IndexingStatusRequest, type IndexingStatusResponse, type IndexingStatusResponseCode, IndexingStatusResponseCodes, type IndexingStatusResponseError, type IndexingStatusResponseOk, type InterpretedLabel, type InterpretedName, LINEANAMES_NODE, type Label, type LabelHash, type LabelSetId, type LabelSetVersion, type LiteralLabel, type LiteralName, LruCache, type MultichainPrimaryNameResolutionArgs, type MultichainPrimaryNameResolutionResult, type NFTMintStatus, NFTMintStatuses, type NFTTransferEventMetadata, type NFTTransferType, NFTTransferTypes, type Name, type NameToken, type NameTokenOwnership, type NameTokenOwnershipBurned, type NameTokenOwnershipFullyOnchain, type NameTokenOwnershipNameWrapper, type NameTokenOwnershipType, NameTokenOwnershipTypes, type NameTokenOwnershipUnknown, type NameTokensRequest, type NameTokensRequestByDomainId, type NameTokensRequestByName, type NameTokensResponse, type NameTokensResponseCode, NameTokensResponseCodes, type NameTokensResponseError, type NameTokensResponseErrorCode, NameTokensResponseErrorCodes, type NameTokensResponseErrorEnsIndexerConfigUnsupported, type NameTokensResponseErrorIndexingStatusUnsupported, type NameTokensResponseErrorNameTokensNotIndexed, type NameTokensResponseOk, type NamedIdentity, type NamedRegistrarAction, type Node, type NormalizedName, type OmnichainIndexingStatusId, OmnichainIndexingStatusIds, type OmnichainIndexingStatusSnapshot, type OmnichainIndexingStatusSnapshotBackfill, type OmnichainIndexingStatusSnapshotCompleted, type OmnichainIndexingStatusSnapshotFollowing, type OmnichainIndexingStatusSnapshotUnstarted, PROTOCOL_ATTRIBUTE_PREFIX, PluginName, type Price, type PriceDai, type PriceEth, type PriceUsdc, RECORDS_PER_PAGE_DEFAULT, RECORDS_PER_PAGE_MAX, ROOT_NODE, type RealtimeIndexingStatusProjection, type ReferrerDetailRequest, type ReferrerDetailResponse, type ReferrerDetailResponseCode, ReferrerDetailResponseCodes, type ReferrerDetailResponseError, type ReferrerDetailResponseOk, type ReferrerLeaderboardPageRequest, type ReferrerLeaderboardPageResponse, type ReferrerLeaderboardPageResponseCode, ReferrerLeaderboardPageResponseCodes, type ReferrerLeaderboardPageResponseError, type ReferrerLeaderboardPageResponseOk, type RegisteredNameTokens, type RegistrarAction, type RegistrarActionEventId, type RegistrarActionPricing, type RegistrarActionPricingAvailable, type RegistrarActionPricingUnknown, type RegistrarActionReferral, type RegistrarActionReferralAvailable, type RegistrarActionReferralNotApplicable, type RegistrarActionType, RegistrarActionTypes, type RegistrarActionsFilter, type RegistrarActionsFilterByDecodedReferrer, type RegistrarActionsFilterBySubregistryNode, type RegistrarActionsFilterType, RegistrarActionsFilterTypes, type RegistrarActionsFilterWithEncodedReferral, type RegistrarActionsOrder, RegistrarActionsOrders, type RegistrarActionsRequest, type RegistrarActionsResponse, type RegistrarActionsResponseCode, RegistrarActionsResponseCodes, type RegistrarActionsResponseError, type RegistrarActionsResponseOk, type RegistrationLifecycle, type RegistrationLifecycleStage, type RequestPageParams, type ResolutionStatusId, ResolutionStatusIds, type ResolvePrimaryNameRequest, type ResolvePrimaryNameResponse, type ResolvePrimaryNamesRequest, type ResolvePrimaryNamesResponse, type ResolveRecordsRequest, type ResolveRecordsResponse, type ResolvedIdentity, type ResolverRecordsResponse, type ResolverRecordsResponseBase, type ResolverRecordsSelection, type ResponsePageContext, type ResponsePageContextWithNoRecords, type ResponsePageContextWithRecords, type ReverseResolutionArgs, ReverseResolutionProtocolStep, type ReverseResolutionResult, type RpcUrl, SWRCache, type SWRCacheOptions, type SerializedAssetId, type SerializedChainIndexingStatusSnapshot, type SerializedChainIndexingStatusSnapshotBackfill, type SerializedChainIndexingStatusSnapshotCompleted, type SerializedChainIndexingStatusSnapshotFollowing, type SerializedChainIndexingStatusSnapshotQueued, type SerializedConfigResponse, type SerializedCrossChainIndexingStatusSnapshot, type SerializedCrossChainIndexingStatusSnapshotOmnichain, type SerializedCurrencyAmount, type SerializedCurrentIndexingProjectionOmnichain, type SerializedDomainAssetId, type SerializedENSApiPublicConfig, type SerializedENSIndexerPublicConfig, type SerializedENSIndexerVersionInfo, type SerializedIndexedChainIds, type SerializedIndexingStatusResponse, type SerializedIndexingStatusResponseError, type SerializedIndexingStatusResponseOk, type SerializedNameToken, type SerializedNameTokensResponse, type SerializedNameTokensResponseError, type SerializedNameTokensResponseOk, type SerializedNamedRegistrarAction, type SerializedOmnichainIndexingStatusSnapshot, type SerializedOmnichainIndexingStatusSnapshotBackfill, type SerializedOmnichainIndexingStatusSnapshotCompleted, type SerializedOmnichainIndexingStatusSnapshotFollowing, type SerializedOmnichainIndexingStatusSnapshotUnstarted, type SerializedPrice, type SerializedPriceDai, type SerializedPriceEth, type SerializedPriceUsdc, type SerializedRealtimeIndexingStatusProjection, type SerializedReferrerDetailResponse, type SerializedReferrerDetailResponseError, type SerializedReferrerDetailResponseOk, type SerializedReferrerLeaderboardPageResponse, type SerializedReferrerLeaderboardPageResponseError, type SerializedReferrerLeaderboardPageResponseOk, type SerializedRegisteredNameTokens, type SerializedRegistrarAction, type SerializedRegistrarActionPricing, type SerializedRegistrarActionPricingAvailable, type SerializedRegistrarActionPricingUnknown, type SerializedRegistrarActionsResponse, type SerializedRegistrarActionsResponseError, type SerializedRegistrarActionsResponseOk, type SerializedTokenId, type SubgraphInterpretedLabel, type SubgraphInterpretedName, type Subregistry, type TheGraphCannotFallbackReason, TheGraphCannotFallbackReasonSchema, type TheGraphFallback, TheGraphFallbackSchema, type TokenId, TraceableENSProtocol, type TraceableRequest, type TraceableResponse, type TracingNode, type TracingSpan, type TracingTrace, TtlCache, type UnixTimestamp, type UnknownIdentity, type UnnamedIdentity, type UnresolvedIdentity, type UrlString, accountIdEqual, addDuration, addPrices, addrReverseLabel, asLowerCaseAddress, beautifyName, bigIntToNumber, bigintToCoinType, buildAssetId, buildEnsRainbowClientLabelSet, buildLabelSetId, buildLabelSetVersion, buildPageContext, buildUnresolvedIdentity, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotBackfill, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotCompleted, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotFollowing, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotUnstarted, coinTypeReverseLabel, coinTypeToEvmChainId, createIndexingConfig, createRealtimeIndexingStatusProjection, decodeDNSEncodedLiteralName, decodeDNSEncodedName, deserializeAssetId, deserializeBlockNumber, deserializeBlockRef, deserializeBlockrange, deserializeChainId, deserializeChainIndexingStatusSnapshot, deserializeConfigResponse, deserializeCrossChainIndexingStatusSnapshot, deserializeDatetime, deserializeDuration, deserializeENSApiPublicConfig, deserializeENSIndexerPublicConfig, deserializeErrorResponse, deserializeIndexingStatusResponse, deserializeOmnichainIndexingStatusSnapshot, deserializeRealtimeIndexingStatusProjection, deserializeReferrerDetailResponse, deserializeReferrerLeaderboardPageResponse, deserializeRegistrarActionsResponse, deserializeUnixTimestamp, deserializeUrl, deserializedNameTokensResponse, durationBetween, encodeLabelHash, evmChainIdToCoinType, formatAccountId, formatAssetId, formatNFTTransferEventMetadata, getBasenamesSubregistryId, getBasenamesSubregistryManagedName, getCurrencyInfo, getDatasourceContract, getEthnamesSubregistryId, getEthnamesSubregistryManagedName, getLatestIndexedBlockRef, getLineanamesSubregistryId, getLineanamesSubregistryManagedName, getNFTTransferType, getNameHierarchy, getNameTokenOwnership, getNameWrapperAccounts, getOmnichainIndexingCursor, getOmnichainIndexingStatus, getParentNameFQDN, getResolvePrimaryNameChainIdParam, getTimestampForHighestOmnichainKnownBlock, getTimestampForLowestOmnichainStartBlock, hasNullByte, interpretedLabelsToInterpretedName, isEncodedLabelHash, isHttpProtocol, isLabelHash, isNormalizedLabel, isNormalizedName, isPriceCurrencyEqual, isPriceEqual, isRegistrarActionPricingAvailable, isRegistrarActionReferralAvailable, isResolvedIdentity, isSelectionEmpty, isSubgraphCompatible, isWebSocketProtocol, labelHashToBytes, labelhashLiteralLabel, literalLabelToInterpretedLabel, literalLabelsToInterpretedName, literalLabelsToLiteralName, makeENSApiPublicConfigSchema, makeSubdomainNode, maybeGetDatasourceContract, nameTokensPrerequisites, parseAccountId, parseAssetId, parseNonNegativeInteger, parseReverseName, priceDai, priceEth, priceUsdc, registrarActionsFilter, registrarActionsPrerequisites, reverseName, serializeAssetId, serializeChainId, serializeChainIndexingSnapshots, serializeConfigResponse, serializeCrossChainIndexingStatusSnapshotOmnichain, serializeDatetime, serializeDomainAssetId, serializeENSApiPublicConfig, serializeENSIndexerPublicConfig, serializeIndexedChainIds, serializeIndexingStatusResponse, serializeNameToken, serializeNameTokensResponse, serializeNamedRegistrarAction, serializeOmnichainIndexingStatusSnapshot, serializePrice, serializePriceEth, serializeRealtimeIndexingStatusProjection, serializeReferrerDetailResponse, serializeReferrerLeaderboardPageResponse, serializeRegisteredNameTokens, serializeRegistrarAction, serializeRegistrarActionPricing, serializeRegistrarActionsResponse, serializeUrl, sortChainStatusesByStartBlockAsc, stripNullBytes, translateDefaultableChainIdToChainId, uint256ToHex32, uniq, validateSupportedLabelSetAndVersion };
|
package/dist/index.d.ts
CHANGED
|
@@ -655,61 +655,32 @@ declare class LruCache<KeyType extends string, ValueType> implements Cache<KeyTy
|
|
|
655
655
|
get capacity(): number;
|
|
656
656
|
}
|
|
657
657
|
|
|
658
|
-
/**
|
|
659
|
-
* Data structure for a single cached value.
|
|
660
|
-
*/
|
|
661
|
-
interface CachedValue<ValueType> {
|
|
662
|
-
/**
|
|
663
|
-
* The cached value of type ValueType.
|
|
664
|
-
*/
|
|
665
|
-
value: ValueType;
|
|
666
|
-
/**
|
|
667
|
-
* Unix timestamp indicating when the cached `value` was generated.
|
|
668
|
-
*/
|
|
669
|
-
updatedAt: UnixTimestamp;
|
|
670
|
-
}
|
|
671
658
|
interface SWRCacheOptions<ValueType> {
|
|
672
659
|
/**
|
|
673
|
-
* The async function generating a value of `ValueType` to wrap with SWR caching.
|
|
674
|
-
*
|
|
675
|
-
* On success:
|
|
676
|
-
* - This function returns a value of type `ValueType` to store in the `SWRCache`.
|
|
677
|
-
*
|
|
678
|
-
* On error:
|
|
679
|
-
* - This function throws an error and no changes will be made to the `SWRCache`.
|
|
660
|
+
* The async function generating a value of `ValueType` to wrap with SWR caching. It may throw an
|
|
661
|
+
* Error type.
|
|
680
662
|
*/
|
|
681
663
|
fn: () => Promise<ValueType>;
|
|
682
664
|
/**
|
|
683
|
-
* Time-to-live duration in seconds. After this duration
|
|
684
|
-
* considered stale but is still retained in the cache
|
|
665
|
+
* Time-to-live duration of a cached result in seconds. After this duration:
|
|
666
|
+
* - the currently cached result is considered "stale" but is still retained in the cache
|
|
667
|
+
* until successfully replaced.
|
|
668
|
+
* - Each time the cache is read, if the cached result is "stale" and no background
|
|
669
|
+
* revalidation attempt is already in progress, a new background revalidation
|
|
670
|
+
* attempt will be made.
|
|
685
671
|
*/
|
|
686
672
|
ttl: Duration;
|
|
687
673
|
/**
|
|
688
|
-
* Optional time-to-proactively-revalidate duration in seconds. After
|
|
689
|
-
*
|
|
690
|
-
*
|
|
691
|
-
* If defined:
|
|
692
|
-
* - Proactive asynchronous revalidation attempts will be automatically triggered in the background
|
|
693
|
-
* on this interval.
|
|
694
|
-
*
|
|
695
|
-
* If undefined:
|
|
696
|
-
* - Revalidation only occurs lazily when an explicit request for the cached value is
|
|
697
|
-
* made after the `ttl` duration of the latest successfully cached value expires.
|
|
674
|
+
* Optional time-to-proactively-revalidate duration in seconds. After a cached result is
|
|
675
|
+
* initialized, and this duration has passed, attempts to asynchronously revalidate
|
|
676
|
+
* the cached result will be proactively made in the background on this interval.
|
|
698
677
|
*/
|
|
699
|
-
|
|
678
|
+
proactiveRevalidationInterval?: Duration;
|
|
700
679
|
/**
|
|
701
|
-
*
|
|
702
|
-
*
|
|
703
|
-
* Optional. Defaults to `false`.
|
|
704
|
-
*
|
|
705
|
-
* If `true`:
|
|
706
|
-
* - The SWR cache will proactively work to initialize itself, even before any explicit request to
|
|
707
|
-
* access the cached value is made.
|
|
680
|
+
* Optional proactive initialization. Defaults to `false`.
|
|
708
681
|
*
|
|
709
|
-
* If `
|
|
710
|
-
*
|
|
711
|
-
* - Background revalidation occurred (if requested); or
|
|
712
|
-
* - An explicit attempt to access the cached value is made.
|
|
682
|
+
* If `true`: The SWR cache will proactively initialize itself.
|
|
683
|
+
* If `false`: The SWR cache will lazily wait to initialize itself until the first read.
|
|
713
684
|
*/
|
|
714
685
|
proactivelyInitialize?: boolean;
|
|
715
686
|
}
|
|
@@ -720,81 +691,43 @@ interface SWRCacheOptions<ValueType> {
|
|
|
720
691
|
* asynchronously revalidating the cache in the background. This provides:
|
|
721
692
|
* - Sub-millisecond response times (after first fetch)
|
|
722
693
|
* - Always available data (serves stale data during revalidation)
|
|
723
|
-
* - Automatic background updates
|
|
724
|
-
* are made for the cached data or when the `revalidationInterval` is reached)
|
|
694
|
+
* - Automatic background updates via configurable intervals
|
|
725
695
|
*
|
|
726
696
|
* @example
|
|
727
697
|
* ```typescript
|
|
728
|
-
* const
|
|
729
|
-
*
|
|
730
|
-
* return response.json();
|
|
731
|
-
* };
|
|
732
|
-
*
|
|
733
|
-
* const cache = await SWRCache.create({
|
|
734
|
-
* fn: fetchExpensiveData,
|
|
698
|
+
* const cache = new SWRCache({
|
|
699
|
+
* fn: async () => fetch('/api/data').then(r => r.json()),
|
|
735
700
|
* ttl: 60, // 1 minute TTL
|
|
736
|
-
*
|
|
701
|
+
* proactiveRevalidationInterval: 300 // proactively revalidate every 5 minutes
|
|
737
702
|
* });
|
|
738
703
|
*
|
|
739
|
-
* //
|
|
740
|
-
* const
|
|
741
|
-
*
|
|
742
|
-
* // [T1: T0 + 59s] Within TTL: returns data cache at T0 (fast)
|
|
743
|
-
* const secondRead = await cache.readCache();
|
|
704
|
+
* // Returns cached data or waits for initial fetch
|
|
705
|
+
* const data = await cache.read();
|
|
744
706
|
*
|
|
745
|
-
*
|
|
746
|
-
*
|
|
747
|
-
* const thirdRead = await cache.readCache(); // Still fast!
|
|
748
|
-
*
|
|
749
|
-
* // [T3: T2 + 90m] Background revalidation kicks in
|
|
750
|
-
*
|
|
751
|
-
* // [T4: T3 + 1m] Within TTL: returns data cache at T3 (fast)
|
|
752
|
-
* const fourthRead = await cache.readCache(); // Still fast!
|
|
753
|
-
*
|
|
754
|
-
* // Please note how using `SWRCache` enabled action at T3 to happen.
|
|
755
|
-
* // If no `revalidationInterval` value was set, the action at T3 would not happen.
|
|
756
|
-
* // Therefore, the `fourthRead` would return stale data cached at T2.
|
|
707
|
+
* if (data instanceof Error) { ... }
|
|
708
|
+
* ```
|
|
757
709
|
*
|
|
758
710
|
* @link https://web.dev/stale-while-revalidate/
|
|
759
711
|
* @link https://datatracker.ietf.org/doc/html/rfc5861
|
|
760
712
|
*/
|
|
761
713
|
declare class SWRCache<ValueType> {
|
|
762
|
-
readonly options
|
|
714
|
+
private readonly options;
|
|
763
715
|
private cache;
|
|
764
|
-
/**
|
|
765
|
-
* Optional promise of the current in-progress attempt to revalidate the `cache`.
|
|
766
|
-
*
|
|
767
|
-
* If null, no revalidation attempt is currently in progress.
|
|
768
|
-
* If not null, identifies the revalidation attempt that is currently in progress.
|
|
769
|
-
*
|
|
770
|
-
* Used to enforce no concurrent revalidation attempts.
|
|
771
|
-
*/
|
|
772
716
|
private inProgressRevalidate;
|
|
717
|
+
private backgroundInterval;
|
|
718
|
+
constructor(options: SWRCacheOptions<ValueType>);
|
|
719
|
+
private revalidate;
|
|
773
720
|
/**
|
|
774
|
-
*
|
|
775
|
-
*
|
|
776
|
-
* If null, no background revalidation is scheduled.
|
|
777
|
-
* If not null, identifies the background revalidation that is currently scheduled.
|
|
778
|
-
*
|
|
779
|
-
* Used to enforce no concurrent background revalidation attempts.
|
|
780
|
-
*/
|
|
781
|
-
private scheduledBackgroundRevalidate;
|
|
782
|
-
private constructor();
|
|
783
|
-
/**
|
|
784
|
-
* Asynchronously create a new `SWRCache` instance.
|
|
721
|
+
* Read the most recently cached result from the `SWRCache`.
|
|
785
722
|
*
|
|
786
|
-
* @
|
|
787
|
-
*
|
|
723
|
+
* @returns a `ValueType` that was most recently successfully returned by `fn` or `Error` if `fn`
|
|
724
|
+
* has never successfully returned.
|
|
788
725
|
*/
|
|
789
|
-
|
|
790
|
-
private revalidate;
|
|
726
|
+
read(): Promise<ValueType | Error>;
|
|
791
727
|
/**
|
|
792
|
-
*
|
|
793
|
-
*
|
|
794
|
-
* @returns a `CachedValue` holding a `value` of `ValueType` that was most recently successfully returned by `fn`
|
|
795
|
-
* or `null` if `fn` has never successfully returned and has always thrown an error,
|
|
728
|
+
* Destroys the background revalidation interval, if exists.
|
|
796
729
|
*/
|
|
797
|
-
|
|
730
|
+
destroy(): void;
|
|
798
731
|
}
|
|
799
732
|
|
|
800
733
|
/**
|
|
@@ -3878,6 +3811,10 @@ interface MultichainPrimaryNameResolutionArgs {
|
|
|
3878
3811
|
*/
|
|
3879
3812
|
type MultichainPrimaryNameResolutionResult = Record<ChainId, Name | null>;
|
|
3880
3813
|
|
|
3814
|
+
declare const PROTOCOL_ATTRIBUTE_PREFIX = "ens";
|
|
3815
|
+
declare const ATTR_PROTOCOL_NAME = "ens.protocol";
|
|
3816
|
+
declare const ATTR_PROTOCOL_STEP = "ens.protocol.step";
|
|
3817
|
+
declare const ATTR_PROTOCOL_STEP_RESULT = "ens.protocol.step.result";
|
|
3881
3818
|
/**
|
|
3882
3819
|
* Identifiers for each traceable ENS protocol.
|
|
3883
3820
|
*/
|
|
@@ -3908,19 +3845,16 @@ declare enum ReverseResolutionProtocolStep {
|
|
|
3908
3845
|
ForwardResolveAddressRecord = "forward-resolve-address-record",
|
|
3909
3846
|
VerifyResolvedAddressMatchesAddress = "verify-resolved-address-matches-address"
|
|
3910
3847
|
}
|
|
3911
|
-
|
|
3912
|
-
|
|
3913
|
-
declare const ATTR_PROTOCOL_STEP = "ens.protocol.step";
|
|
3914
|
-
declare const ATTR_PROTOCOL_STEP_RESULT = "ens.protocol.step.result";
|
|
3915
|
-
interface SpanAttributes {
|
|
3848
|
+
|
|
3849
|
+
interface TracingSpanAttributes {
|
|
3916
3850
|
[key: string]: unknown;
|
|
3917
3851
|
}
|
|
3918
|
-
interface
|
|
3852
|
+
interface TracingSpanEvent {
|
|
3919
3853
|
name: string;
|
|
3920
|
-
attributes:
|
|
3854
|
+
attributes: TracingSpanAttributes;
|
|
3921
3855
|
time: number;
|
|
3922
3856
|
}
|
|
3923
|
-
interface
|
|
3857
|
+
interface TracingSpan {
|
|
3924
3858
|
scope: string;
|
|
3925
3859
|
id: string;
|
|
3926
3860
|
traceId: string;
|
|
@@ -3931,23 +3865,23 @@ interface ProtocolSpan {
|
|
|
3931
3865
|
name: string;
|
|
3932
3866
|
timestamp: number;
|
|
3933
3867
|
duration: number;
|
|
3934
|
-
attributes:
|
|
3868
|
+
attributes: TracingSpanAttributes;
|
|
3935
3869
|
status: {
|
|
3936
3870
|
code: number;
|
|
3937
3871
|
message?: string;
|
|
3938
3872
|
};
|
|
3939
|
-
events:
|
|
3873
|
+
events: TracingSpanEvent[];
|
|
3940
3874
|
}
|
|
3941
|
-
type
|
|
3942
|
-
children:
|
|
3875
|
+
type TracingNode = TracingSpan & {
|
|
3876
|
+
children: TracingNode[];
|
|
3943
3877
|
};
|
|
3944
|
-
type
|
|
3878
|
+
type TracingTrace = TracingNode[];
|
|
3945
3879
|
|
|
3946
3880
|
interface TraceableRequest {
|
|
3947
3881
|
trace?: boolean;
|
|
3948
3882
|
}
|
|
3949
3883
|
interface TraceableResponse {
|
|
3950
|
-
trace?:
|
|
3884
|
+
trace?: TracingTrace;
|
|
3951
3885
|
}
|
|
3952
3886
|
interface AcceleratableRequest {
|
|
3953
3887
|
accelerate?: boolean;
|
|
@@ -4561,4 +4495,4 @@ declare class ClientError extends Error {
|
|
|
4561
4495
|
static fromErrorResponse({ message, details }: ErrorResponse): ClientError;
|
|
4562
4496
|
}
|
|
4563
4497
|
|
|
4564
|
-
export { ADDR_REVERSE_NODE, ATTR_PROTOCOL_NAME, ATTR_PROTOCOL_STEP, ATTR_PROTOCOL_STEP_RESULT, type AcceleratableRequest, type AcceleratableResponse, type AccountId, type AccountIdString, type AssetId, type AssetIdString, type AssetNamespace, AssetNamespaces, BASENAMES_NODE, type BlockNumber, type BlockRef, type Blockrange, type Cache, type CachedValue, type ChainId, type ChainIdString, type ChainIndexingConfig, type ChainIndexingConfigDefinite, type ChainIndexingConfigIndefinite, type ChainIndexingConfigTypeId, ChainIndexingConfigTypeIds, type ChainIndexingStatusId, ChainIndexingStatusIds, type ChainIndexingStatusSnapshot, type ChainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotCompleted, type ChainIndexingStatusSnapshotFollowing, type ChainIndexingStatusSnapshotForOmnichainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotQueued, ClientError, type ClientOptions, type ConfigResponse, type CrossChainIndexingStatusSnapshot, type CrossChainIndexingStatusSnapshotOmnichain, type CrossChainIndexingStrategyId, CrossChainIndexingStrategyIds, type CurrencyAmount, type CurrencyId, CurrencyIds, type CurrencyInfo, DEFAULT_EVM_CHAIN_ID, DEFAULT_EVM_COIN_TYPE, type DNSEncodedLiteralName, type DNSEncodedName, type DNSEncodedPartiallyInterpretedName, type Datetime, type DatetimeISO8601, type DeepPartial, type DefaultableChainId, type DomainAssetId, type Duration, type ENSApiPublicConfig, type ENSIndexerPublicConfig, type ENSIndexerVersionInfo, ENSNodeClient, ENS_ROOT, ETH_COIN_TYPE, ETH_NODE, type EncodedLabelHash, type EnsRainbowClientLabelSet, type EnsRainbowServerLabelSet, type ErrorResponse, type ForwardResolutionArgs, ForwardResolutionProtocolStep, type ForwardResolutionResult, type Identity, type IndexingStatusRequest, type IndexingStatusResponse, type IndexingStatusResponseCode, IndexingStatusResponseCodes, type IndexingStatusResponseError, type IndexingStatusResponseOk, type InterpretedLabel, type InterpretedName, LINEANAMES_NODE, type Label, type LabelHash, type LabelSetId, type LabelSetVersion, type LiteralLabel, type LiteralName, LruCache, type MultichainPrimaryNameResolutionArgs, type MultichainPrimaryNameResolutionResult, type NFTMintStatus, NFTMintStatuses, type NFTTransferEventMetadata, type NFTTransferType, NFTTransferTypes, type Name, type NameToken, type NameTokenOwnership, type NameTokenOwnershipBurned, type NameTokenOwnershipFullyOnchain, type NameTokenOwnershipNameWrapper, type NameTokenOwnershipType, NameTokenOwnershipTypes, type NameTokenOwnershipUnknown, type NameTokensRequest, type NameTokensRequestByDomainId, type NameTokensRequestByName, type NameTokensResponse, type NameTokensResponseCode, NameTokensResponseCodes, type NameTokensResponseError, type NameTokensResponseErrorCode, NameTokensResponseErrorCodes, type NameTokensResponseErrorEnsIndexerConfigUnsupported, type NameTokensResponseErrorIndexingStatusUnsupported, type NameTokensResponseErrorNameTokensNotIndexed, type NameTokensResponseOk, type NamedIdentity, type NamedRegistrarAction, type Node, type NormalizedName, type OmnichainIndexingStatusId, OmnichainIndexingStatusIds, type OmnichainIndexingStatusSnapshot, type OmnichainIndexingStatusSnapshotBackfill, type OmnichainIndexingStatusSnapshotCompleted, type OmnichainIndexingStatusSnapshotFollowing, type OmnichainIndexingStatusSnapshotUnstarted, PROTOCOL_ATTRIBUTE_PREFIX, PluginName, type Price, type PriceDai, type PriceEth, type PriceUsdc, type ProtocolSpan, type ProtocolSpanTreeNode, type ProtocolTrace, RECORDS_PER_PAGE_DEFAULT, RECORDS_PER_PAGE_MAX, ROOT_NODE, type RealtimeIndexingStatusProjection, type ReferrerDetailRequest, type ReferrerDetailResponse, type ReferrerDetailResponseCode, ReferrerDetailResponseCodes, type ReferrerDetailResponseError, type ReferrerDetailResponseOk, type ReferrerLeaderboardPageRequest, type ReferrerLeaderboardPageResponse, type ReferrerLeaderboardPageResponseCode, ReferrerLeaderboardPageResponseCodes, type ReferrerLeaderboardPageResponseError, type ReferrerLeaderboardPageResponseOk, type RegisteredNameTokens, type RegistrarAction, type RegistrarActionEventId, type RegistrarActionPricing, type RegistrarActionPricingAvailable, type RegistrarActionPricingUnknown, type RegistrarActionReferral, type RegistrarActionReferralAvailable, type RegistrarActionReferralNotApplicable, type RegistrarActionType, RegistrarActionTypes, type RegistrarActionsFilter, type RegistrarActionsFilterByDecodedReferrer, type RegistrarActionsFilterBySubregistryNode, type RegistrarActionsFilterType, RegistrarActionsFilterTypes, type RegistrarActionsFilterWithEncodedReferral, type RegistrarActionsOrder, RegistrarActionsOrders, type RegistrarActionsRequest, type RegistrarActionsResponse, type RegistrarActionsResponseCode, RegistrarActionsResponseCodes, type RegistrarActionsResponseError, type RegistrarActionsResponseOk, type RegistrationLifecycle, type RegistrationLifecycleStage, type RequestPageParams, type ResolutionStatusId, ResolutionStatusIds, type ResolvePrimaryNameRequest, type ResolvePrimaryNameResponse, type ResolvePrimaryNamesRequest, type ResolvePrimaryNamesResponse, type ResolveRecordsRequest, type ResolveRecordsResponse, type ResolvedIdentity, type ResolverRecordsResponse, type ResolverRecordsResponseBase, type ResolverRecordsSelection, type ResponsePageContext, type ResponsePageContextWithNoRecords, type ResponsePageContextWithRecords, type ReverseResolutionArgs, ReverseResolutionProtocolStep, type ReverseResolutionResult, type RpcUrl, SWRCache, type SWRCacheOptions, type SerializedAssetId, type SerializedChainIndexingStatusSnapshot, type SerializedChainIndexingStatusSnapshotBackfill, type SerializedChainIndexingStatusSnapshotCompleted, type SerializedChainIndexingStatusSnapshotFollowing, type SerializedChainIndexingStatusSnapshotQueued, type SerializedConfigResponse, type SerializedCrossChainIndexingStatusSnapshot, type SerializedCrossChainIndexingStatusSnapshotOmnichain, type SerializedCurrencyAmount, type SerializedCurrentIndexingProjectionOmnichain, type SerializedDomainAssetId, type SerializedENSApiPublicConfig, type SerializedENSIndexerPublicConfig, type SerializedENSIndexerVersionInfo, type SerializedIndexedChainIds, type SerializedIndexingStatusResponse, type SerializedIndexingStatusResponseError, type SerializedIndexingStatusResponseOk, type SerializedNameToken, type SerializedNameTokensResponse, type SerializedNameTokensResponseError, type SerializedNameTokensResponseOk, type SerializedNamedRegistrarAction, type SerializedOmnichainIndexingStatusSnapshot, type SerializedOmnichainIndexingStatusSnapshotBackfill, type SerializedOmnichainIndexingStatusSnapshotCompleted, type SerializedOmnichainIndexingStatusSnapshotFollowing, type SerializedOmnichainIndexingStatusSnapshotUnstarted, type SerializedPrice, type SerializedPriceDai, type SerializedPriceEth, type SerializedPriceUsdc, type SerializedRealtimeIndexingStatusProjection, type SerializedReferrerDetailResponse, type SerializedReferrerDetailResponseError, type SerializedReferrerDetailResponseOk, type SerializedReferrerLeaderboardPageResponse, type SerializedReferrerLeaderboardPageResponseError, type SerializedReferrerLeaderboardPageResponseOk, type SerializedRegisteredNameTokens, type SerializedRegistrarAction, type SerializedRegistrarActionPricing, type SerializedRegistrarActionPricingAvailable, type SerializedRegistrarActionPricingUnknown, type SerializedRegistrarActionsResponse, type SerializedRegistrarActionsResponseError, type SerializedRegistrarActionsResponseOk, type SerializedTokenId, type SubgraphInterpretedLabel, type SubgraphInterpretedName, type Subregistry, type TheGraphCannotFallbackReason, TheGraphCannotFallbackReasonSchema, type TheGraphFallback, TheGraphFallbackSchema, type TokenId, TraceableENSProtocol, type TraceableRequest, type TraceableResponse, TtlCache, type UnixTimestamp, type UnknownIdentity, type UnnamedIdentity, type UnresolvedIdentity, type UrlString, accountIdEqual, addDuration, addPrices, addrReverseLabel, asLowerCaseAddress, beautifyName, bigIntToNumber, bigintToCoinType, buildAssetId, buildEnsRainbowClientLabelSet, buildLabelSetId, buildLabelSetVersion, buildPageContext, buildUnresolvedIdentity, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotBackfill, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotCompleted, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotFollowing, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotUnstarted, coinTypeReverseLabel, coinTypeToEvmChainId, createIndexingConfig, createRealtimeIndexingStatusProjection, decodeDNSEncodedLiteralName, decodeDNSEncodedName, deserializeAssetId, deserializeBlockNumber, deserializeBlockRef, deserializeBlockrange, deserializeChainId, deserializeChainIndexingStatusSnapshot, deserializeConfigResponse, deserializeCrossChainIndexingStatusSnapshot, deserializeDatetime, deserializeDuration, deserializeENSApiPublicConfig, deserializeENSIndexerPublicConfig, deserializeErrorResponse, deserializeIndexingStatusResponse, deserializeOmnichainIndexingStatusSnapshot, deserializeRealtimeIndexingStatusProjection, deserializeReferrerDetailResponse, deserializeReferrerLeaderboardPageResponse, deserializeRegistrarActionsResponse, deserializeUnixTimestamp, deserializeUrl, deserializedNameTokensResponse, durationBetween, encodeLabelHash, evmChainIdToCoinType, formatAccountId, formatAssetId, formatNFTTransferEventMetadata, getBasenamesSubregistryId, getBasenamesSubregistryManagedName, getCurrencyInfo, getDatasourceContract, getEthnamesSubregistryId, getEthnamesSubregistryManagedName, getLatestIndexedBlockRef, getLineanamesSubregistryId, getLineanamesSubregistryManagedName, getNFTTransferType, getNameHierarchy, getNameTokenOwnership, getNameWrapperAccounts, getOmnichainIndexingCursor, getOmnichainIndexingStatus, getParentNameFQDN, getResolvePrimaryNameChainIdParam, getTimestampForHighestOmnichainKnownBlock, getTimestampForLowestOmnichainStartBlock, hasNullByte, interpretedLabelsToInterpretedName, isEncodedLabelHash, isHttpProtocol, isLabelHash, isNormalizedLabel, isNormalizedName, isPriceCurrencyEqual, isPriceEqual, isRegistrarActionPricingAvailable, isRegistrarActionReferralAvailable, isResolvedIdentity, isSelectionEmpty, isSubgraphCompatible, isWebSocketProtocol, labelHashToBytes, labelhashLiteralLabel, literalLabelToInterpretedLabel, literalLabelsToInterpretedName, literalLabelsToLiteralName, makeENSApiPublicConfigSchema, makeSubdomainNode, maybeGetDatasourceContract, nameTokensPrerequisites, parseAccountId, parseAssetId, parseNonNegativeInteger, parseReverseName, priceDai, priceEth, priceUsdc, registrarActionsFilter, registrarActionsPrerequisites, reverseName, serializeAssetId, serializeChainId, serializeChainIndexingSnapshots, serializeConfigResponse, serializeCrossChainIndexingStatusSnapshotOmnichain, serializeDatetime, serializeDomainAssetId, serializeENSApiPublicConfig, serializeENSIndexerPublicConfig, serializeIndexedChainIds, serializeIndexingStatusResponse, serializeNameToken, serializeNameTokensResponse, serializeNamedRegistrarAction, serializeOmnichainIndexingStatusSnapshot, serializePrice, serializePriceEth, serializeRealtimeIndexingStatusProjection, serializeReferrerDetailResponse, serializeReferrerLeaderboardPageResponse, serializeRegisteredNameTokens, serializeRegistrarAction, serializeRegistrarActionPricing, serializeRegistrarActionsResponse, serializeUrl, sortChainStatusesByStartBlockAsc, stripNullBytes, translateDefaultableChainIdToChainId, uint256ToHex32, uniq, validateSupportedLabelSetAndVersion };
|
|
4498
|
+
export { ADDR_REVERSE_NODE, ATTR_PROTOCOL_NAME, ATTR_PROTOCOL_STEP, ATTR_PROTOCOL_STEP_RESULT, type AcceleratableRequest, type AcceleratableResponse, type AccountId, type AccountIdString, type AssetId, type AssetIdString, type AssetNamespace, AssetNamespaces, BASENAMES_NODE, type BlockNumber, type BlockRef, type Blockrange, type Cache, type ChainId, type ChainIdString, type ChainIndexingConfig, type ChainIndexingConfigDefinite, type ChainIndexingConfigIndefinite, type ChainIndexingConfigTypeId, ChainIndexingConfigTypeIds, type ChainIndexingStatusId, ChainIndexingStatusIds, type ChainIndexingStatusSnapshot, type ChainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotCompleted, type ChainIndexingStatusSnapshotFollowing, type ChainIndexingStatusSnapshotForOmnichainIndexingStatusSnapshotBackfill, type ChainIndexingStatusSnapshotQueued, ClientError, type ClientOptions, type ConfigResponse, type CrossChainIndexingStatusSnapshot, type CrossChainIndexingStatusSnapshotOmnichain, type CrossChainIndexingStrategyId, CrossChainIndexingStrategyIds, type CurrencyAmount, type CurrencyId, CurrencyIds, type CurrencyInfo, DEFAULT_EVM_CHAIN_ID, DEFAULT_EVM_COIN_TYPE, type DNSEncodedLiteralName, type DNSEncodedName, type DNSEncodedPartiallyInterpretedName, type Datetime, type DatetimeISO8601, type DeepPartial, type DefaultableChainId, type DomainAssetId, type Duration, type ENSApiPublicConfig, type ENSIndexerPublicConfig, type ENSIndexerVersionInfo, ENSNodeClient, ENS_ROOT, ETH_COIN_TYPE, ETH_NODE, type EncodedLabelHash, type EnsRainbowClientLabelSet, type EnsRainbowServerLabelSet, type ErrorResponse, type ForwardResolutionArgs, ForwardResolutionProtocolStep, type ForwardResolutionResult, type Identity, type IndexingStatusRequest, type IndexingStatusResponse, type IndexingStatusResponseCode, IndexingStatusResponseCodes, type IndexingStatusResponseError, type IndexingStatusResponseOk, type InterpretedLabel, type InterpretedName, LINEANAMES_NODE, type Label, type LabelHash, type LabelSetId, type LabelSetVersion, type LiteralLabel, type LiteralName, LruCache, type MultichainPrimaryNameResolutionArgs, type MultichainPrimaryNameResolutionResult, type NFTMintStatus, NFTMintStatuses, type NFTTransferEventMetadata, type NFTTransferType, NFTTransferTypes, type Name, type NameToken, type NameTokenOwnership, type NameTokenOwnershipBurned, type NameTokenOwnershipFullyOnchain, type NameTokenOwnershipNameWrapper, type NameTokenOwnershipType, NameTokenOwnershipTypes, type NameTokenOwnershipUnknown, type NameTokensRequest, type NameTokensRequestByDomainId, type NameTokensRequestByName, type NameTokensResponse, type NameTokensResponseCode, NameTokensResponseCodes, type NameTokensResponseError, type NameTokensResponseErrorCode, NameTokensResponseErrorCodes, type NameTokensResponseErrorEnsIndexerConfigUnsupported, type NameTokensResponseErrorIndexingStatusUnsupported, type NameTokensResponseErrorNameTokensNotIndexed, type NameTokensResponseOk, type NamedIdentity, type NamedRegistrarAction, type Node, type NormalizedName, type OmnichainIndexingStatusId, OmnichainIndexingStatusIds, type OmnichainIndexingStatusSnapshot, type OmnichainIndexingStatusSnapshotBackfill, type OmnichainIndexingStatusSnapshotCompleted, type OmnichainIndexingStatusSnapshotFollowing, type OmnichainIndexingStatusSnapshotUnstarted, PROTOCOL_ATTRIBUTE_PREFIX, PluginName, type Price, type PriceDai, type PriceEth, type PriceUsdc, RECORDS_PER_PAGE_DEFAULT, RECORDS_PER_PAGE_MAX, ROOT_NODE, type RealtimeIndexingStatusProjection, type ReferrerDetailRequest, type ReferrerDetailResponse, type ReferrerDetailResponseCode, ReferrerDetailResponseCodes, type ReferrerDetailResponseError, type ReferrerDetailResponseOk, type ReferrerLeaderboardPageRequest, type ReferrerLeaderboardPageResponse, type ReferrerLeaderboardPageResponseCode, ReferrerLeaderboardPageResponseCodes, type ReferrerLeaderboardPageResponseError, type ReferrerLeaderboardPageResponseOk, type RegisteredNameTokens, type RegistrarAction, type RegistrarActionEventId, type RegistrarActionPricing, type RegistrarActionPricingAvailable, type RegistrarActionPricingUnknown, type RegistrarActionReferral, type RegistrarActionReferralAvailable, type RegistrarActionReferralNotApplicable, type RegistrarActionType, RegistrarActionTypes, type RegistrarActionsFilter, type RegistrarActionsFilterByDecodedReferrer, type RegistrarActionsFilterBySubregistryNode, type RegistrarActionsFilterType, RegistrarActionsFilterTypes, type RegistrarActionsFilterWithEncodedReferral, type RegistrarActionsOrder, RegistrarActionsOrders, type RegistrarActionsRequest, type RegistrarActionsResponse, type RegistrarActionsResponseCode, RegistrarActionsResponseCodes, type RegistrarActionsResponseError, type RegistrarActionsResponseOk, type RegistrationLifecycle, type RegistrationLifecycleStage, type RequestPageParams, type ResolutionStatusId, ResolutionStatusIds, type ResolvePrimaryNameRequest, type ResolvePrimaryNameResponse, type ResolvePrimaryNamesRequest, type ResolvePrimaryNamesResponse, type ResolveRecordsRequest, type ResolveRecordsResponse, type ResolvedIdentity, type ResolverRecordsResponse, type ResolverRecordsResponseBase, type ResolverRecordsSelection, type ResponsePageContext, type ResponsePageContextWithNoRecords, type ResponsePageContextWithRecords, type ReverseResolutionArgs, ReverseResolutionProtocolStep, type ReverseResolutionResult, type RpcUrl, SWRCache, type SWRCacheOptions, type SerializedAssetId, type SerializedChainIndexingStatusSnapshot, type SerializedChainIndexingStatusSnapshotBackfill, type SerializedChainIndexingStatusSnapshotCompleted, type SerializedChainIndexingStatusSnapshotFollowing, type SerializedChainIndexingStatusSnapshotQueued, type SerializedConfigResponse, type SerializedCrossChainIndexingStatusSnapshot, type SerializedCrossChainIndexingStatusSnapshotOmnichain, type SerializedCurrencyAmount, type SerializedCurrentIndexingProjectionOmnichain, type SerializedDomainAssetId, type SerializedENSApiPublicConfig, type SerializedENSIndexerPublicConfig, type SerializedENSIndexerVersionInfo, type SerializedIndexedChainIds, type SerializedIndexingStatusResponse, type SerializedIndexingStatusResponseError, type SerializedIndexingStatusResponseOk, type SerializedNameToken, type SerializedNameTokensResponse, type SerializedNameTokensResponseError, type SerializedNameTokensResponseOk, type SerializedNamedRegistrarAction, type SerializedOmnichainIndexingStatusSnapshot, type SerializedOmnichainIndexingStatusSnapshotBackfill, type SerializedOmnichainIndexingStatusSnapshotCompleted, type SerializedOmnichainIndexingStatusSnapshotFollowing, type SerializedOmnichainIndexingStatusSnapshotUnstarted, type SerializedPrice, type SerializedPriceDai, type SerializedPriceEth, type SerializedPriceUsdc, type SerializedRealtimeIndexingStatusProjection, type SerializedReferrerDetailResponse, type SerializedReferrerDetailResponseError, type SerializedReferrerDetailResponseOk, type SerializedReferrerLeaderboardPageResponse, type SerializedReferrerLeaderboardPageResponseError, type SerializedReferrerLeaderboardPageResponseOk, type SerializedRegisteredNameTokens, type SerializedRegistrarAction, type SerializedRegistrarActionPricing, type SerializedRegistrarActionPricingAvailable, type SerializedRegistrarActionPricingUnknown, type SerializedRegistrarActionsResponse, type SerializedRegistrarActionsResponseError, type SerializedRegistrarActionsResponseOk, type SerializedTokenId, type SubgraphInterpretedLabel, type SubgraphInterpretedName, type Subregistry, type TheGraphCannotFallbackReason, TheGraphCannotFallbackReasonSchema, type TheGraphFallback, TheGraphFallbackSchema, type TokenId, TraceableENSProtocol, type TraceableRequest, type TraceableResponse, type TracingNode, type TracingSpan, type TracingTrace, TtlCache, type UnixTimestamp, type UnknownIdentity, type UnnamedIdentity, type UnresolvedIdentity, type UrlString, accountIdEqual, addDuration, addPrices, addrReverseLabel, asLowerCaseAddress, beautifyName, bigIntToNumber, bigintToCoinType, buildAssetId, buildEnsRainbowClientLabelSet, buildLabelSetId, buildLabelSetVersion, buildPageContext, buildUnresolvedIdentity, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotBackfill, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotCompleted, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotFollowing, checkChainIndexingStatusSnapshotsForOmnichainStatusSnapshotUnstarted, coinTypeReverseLabel, coinTypeToEvmChainId, createIndexingConfig, createRealtimeIndexingStatusProjection, decodeDNSEncodedLiteralName, decodeDNSEncodedName, deserializeAssetId, deserializeBlockNumber, deserializeBlockRef, deserializeBlockrange, deserializeChainId, deserializeChainIndexingStatusSnapshot, deserializeConfigResponse, deserializeCrossChainIndexingStatusSnapshot, deserializeDatetime, deserializeDuration, deserializeENSApiPublicConfig, deserializeENSIndexerPublicConfig, deserializeErrorResponse, deserializeIndexingStatusResponse, deserializeOmnichainIndexingStatusSnapshot, deserializeRealtimeIndexingStatusProjection, deserializeReferrerDetailResponse, deserializeReferrerLeaderboardPageResponse, deserializeRegistrarActionsResponse, deserializeUnixTimestamp, deserializeUrl, deserializedNameTokensResponse, durationBetween, encodeLabelHash, evmChainIdToCoinType, formatAccountId, formatAssetId, formatNFTTransferEventMetadata, getBasenamesSubregistryId, getBasenamesSubregistryManagedName, getCurrencyInfo, getDatasourceContract, getEthnamesSubregistryId, getEthnamesSubregistryManagedName, getLatestIndexedBlockRef, getLineanamesSubregistryId, getLineanamesSubregistryManagedName, getNFTTransferType, getNameHierarchy, getNameTokenOwnership, getNameWrapperAccounts, getOmnichainIndexingCursor, getOmnichainIndexingStatus, getParentNameFQDN, getResolvePrimaryNameChainIdParam, getTimestampForHighestOmnichainKnownBlock, getTimestampForLowestOmnichainStartBlock, hasNullByte, interpretedLabelsToInterpretedName, isEncodedLabelHash, isHttpProtocol, isLabelHash, isNormalizedLabel, isNormalizedName, isPriceCurrencyEqual, isPriceEqual, isRegistrarActionPricingAvailable, isRegistrarActionReferralAvailable, isResolvedIdentity, isSelectionEmpty, isSubgraphCompatible, isWebSocketProtocol, labelHashToBytes, labelhashLiteralLabel, literalLabelToInterpretedLabel, literalLabelsToInterpretedName, literalLabelsToLiteralName, makeENSApiPublicConfigSchema, makeSubdomainNode, maybeGetDatasourceContract, nameTokensPrerequisites, parseAccountId, parseAssetId, parseNonNegativeInteger, parseReverseName, priceDai, priceEth, priceUsdc, registrarActionsFilter, registrarActionsPrerequisites, reverseName, serializeAssetId, serializeChainId, serializeChainIndexingSnapshots, serializeConfigResponse, serializeCrossChainIndexingStatusSnapshotOmnichain, serializeDatetime, serializeDomainAssetId, serializeENSApiPublicConfig, serializeENSIndexerPublicConfig, serializeIndexedChainIds, serializeIndexingStatusResponse, serializeNameToken, serializeNameTokensResponse, serializeNamedRegistrarAction, serializeOmnichainIndexingStatusSnapshot, serializePrice, serializePriceEth, serializeRealtimeIndexingStatusProjection, serializeReferrerDetailResponse, serializeReferrerLeaderboardPageResponse, serializeRegisteredNameTokens, serializeRegistrarAction, serializeRegistrarActionPricing, serializeRegistrarActionsResponse, serializeUrl, sortChainStatusesByStartBlockAsc, stripNullBytes, translateDefaultableChainIdToChainId, uint256ToHex32, uniq, validateSupportedLabelSetAndVersion };
|