@ecency/sdk 1.3.6 → 1.3.8
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/browser/index.d.ts +1930 -25
- package/dist/browser/index.js +2966 -836
- package/dist/browser/index.js.map +1 -1
- package/dist/node/index.cjs +3046 -833
- package/dist/node/index.cjs.map +1 -1
- package/dist/node/index.mjs +2966 -836
- package/dist/node/index.mjs.map +1 -1
- package/package.json +1 -1
package/dist/browser/index.js
CHANGED
|
@@ -1,5 +1,5 @@
|
|
|
1
|
-
import { QueryClient, useQuery, useInfiniteQuery, useMutation, queryOptions,
|
|
2
|
-
import { Client, PrivateKey, cryptoUtils, RCAPI } from '@hiveio/dhive';
|
|
1
|
+
import { QueryClient, useQuery, useInfiniteQuery, useMutation, queryOptions, infiniteQueryOptions, useQueryClient } from '@tanstack/react-query';
|
|
2
|
+
import { Client, utils, PrivateKey, cryptoUtils, RCAPI } from '@hiveio/dhive';
|
|
3
3
|
import hs from 'hivesigner';
|
|
4
4
|
import * as R4 from 'remeda';
|
|
5
5
|
|
|
@@ -59,7 +59,16 @@ var CONFIG = {
|
|
|
59
59
|
heliusApiKey: process.env.VITE_HELIUS_API_KEY,
|
|
60
60
|
queryClient: new QueryClient(),
|
|
61
61
|
plausibleHost: "https://pl.ecency.com",
|
|
62
|
-
spkNode: "https://spk.good-karma.xyz"
|
|
62
|
+
spkNode: "https://spk.good-karma.xyz",
|
|
63
|
+
// DMCA filtering - can be configured by the app
|
|
64
|
+
dmcaAccounts: [],
|
|
65
|
+
dmcaTags: [],
|
|
66
|
+
dmcaPatterns: [],
|
|
67
|
+
// Pre-compiled regex patterns for performance and security
|
|
68
|
+
dmcaTagRegexes: [],
|
|
69
|
+
dmcaPatternRegexes: [],
|
|
70
|
+
// Track if DMCA has been initialized to avoid duplicate logs
|
|
71
|
+
_dmcaInitialized: false
|
|
63
72
|
};
|
|
64
73
|
var ConfigManager;
|
|
65
74
|
((ConfigManager2) => {
|
|
@@ -67,6 +76,111 @@ var ConfigManager;
|
|
|
67
76
|
CONFIG.queryClient = client;
|
|
68
77
|
}
|
|
69
78
|
ConfigManager2.setQueryClient = setQueryClient;
|
|
79
|
+
function analyzeRedosRisk(pattern) {
|
|
80
|
+
if (/(\([^)]*[*+{][^)]*\))[*+{]/.test(pattern)) {
|
|
81
|
+
return { safe: false, reason: "nested quantifiers detected" };
|
|
82
|
+
}
|
|
83
|
+
if (/\([^|)]*\|[^)]*\)[*+{]/.test(pattern)) {
|
|
84
|
+
return { safe: false, reason: "alternation with quantifier (potential overlap)" };
|
|
85
|
+
}
|
|
86
|
+
if (/\([^)]*[*+][^)]*\)[*+]/.test(pattern)) {
|
|
87
|
+
return { safe: false, reason: "repeated quantifiers (catastrophic backtracking risk)" };
|
|
88
|
+
}
|
|
89
|
+
if (/\.\*\.\*/.test(pattern) || /\.\+\.\+/.test(pattern)) {
|
|
90
|
+
return { safe: false, reason: "multiple greedy quantifiers on wildcards" };
|
|
91
|
+
}
|
|
92
|
+
const unboundedRange = /\.?\{(\d+),(\d+)\}/g;
|
|
93
|
+
let match;
|
|
94
|
+
while ((match = unboundedRange.exec(pattern)) !== null) {
|
|
95
|
+
const [, min, max] = match;
|
|
96
|
+
const range = parseInt(max, 10) - parseInt(min, 10);
|
|
97
|
+
if (range > 1e3) {
|
|
98
|
+
return { safe: false, reason: `excessive range: {${min},${max}}` };
|
|
99
|
+
}
|
|
100
|
+
}
|
|
101
|
+
return { safe: true };
|
|
102
|
+
}
|
|
103
|
+
function testRegexPerformance(regex) {
|
|
104
|
+
const adversarialInputs = [
|
|
105
|
+
// Nested quantifier attack
|
|
106
|
+
"a".repeat(50) + "x",
|
|
107
|
+
// Alternation attack
|
|
108
|
+
"ab".repeat(50) + "x",
|
|
109
|
+
// Wildcard attack
|
|
110
|
+
"x".repeat(100),
|
|
111
|
+
// Mixed attack
|
|
112
|
+
"aaa".repeat(30) + "bbb".repeat(30) + "x"
|
|
113
|
+
];
|
|
114
|
+
const maxExecutionTime = 5;
|
|
115
|
+
for (const input of adversarialInputs) {
|
|
116
|
+
const start = Date.now();
|
|
117
|
+
try {
|
|
118
|
+
regex.test(input);
|
|
119
|
+
const duration = Date.now() - start;
|
|
120
|
+
if (duration > maxExecutionTime) {
|
|
121
|
+
return {
|
|
122
|
+
safe: false,
|
|
123
|
+
reason: `runtime test exceeded ${maxExecutionTime}ms (took ${duration}ms on input length ${input.length})`
|
|
124
|
+
};
|
|
125
|
+
}
|
|
126
|
+
} catch (err) {
|
|
127
|
+
return { safe: false, reason: `runtime test threw error: ${err}` };
|
|
128
|
+
}
|
|
129
|
+
}
|
|
130
|
+
return { safe: true };
|
|
131
|
+
}
|
|
132
|
+
function safeCompileRegex(pattern, maxLength = 200) {
|
|
133
|
+
try {
|
|
134
|
+
if (!pattern) {
|
|
135
|
+
console.warn(`[SDK] DMCA pattern rejected: empty pattern`);
|
|
136
|
+
return null;
|
|
137
|
+
}
|
|
138
|
+
if (pattern.length > maxLength) {
|
|
139
|
+
console.warn(`[SDK] DMCA pattern rejected: length ${pattern.length} exceeds max ${maxLength} - pattern: ${pattern.substring(0, 50)}...`);
|
|
140
|
+
return null;
|
|
141
|
+
}
|
|
142
|
+
const staticAnalysis = analyzeRedosRisk(pattern);
|
|
143
|
+
if (!staticAnalysis.safe) {
|
|
144
|
+
console.warn(`[SDK] DMCA pattern rejected: static analysis failed (${staticAnalysis.reason}) - pattern: ${pattern.substring(0, 50)}...`);
|
|
145
|
+
return null;
|
|
146
|
+
}
|
|
147
|
+
let regex;
|
|
148
|
+
try {
|
|
149
|
+
regex = new RegExp(pattern);
|
|
150
|
+
} catch (compileErr) {
|
|
151
|
+
console.warn(`[SDK] DMCA pattern rejected: compilation failed - pattern: ${pattern.substring(0, 50)}...`, compileErr);
|
|
152
|
+
return null;
|
|
153
|
+
}
|
|
154
|
+
const runtimeTest = testRegexPerformance(regex);
|
|
155
|
+
if (!runtimeTest.safe) {
|
|
156
|
+
console.warn(`[SDK] DMCA pattern rejected: runtime test failed (${runtimeTest.reason}) - pattern: ${pattern.substring(0, 50)}...`);
|
|
157
|
+
return null;
|
|
158
|
+
}
|
|
159
|
+
return regex;
|
|
160
|
+
} catch (err) {
|
|
161
|
+
console.warn(`[SDK] DMCA pattern rejected: unexpected error - pattern: ${pattern.substring(0, 50)}...`, err);
|
|
162
|
+
return null;
|
|
163
|
+
}
|
|
164
|
+
}
|
|
165
|
+
function setDmcaLists(accounts = [], tags = [], patterns = []) {
|
|
166
|
+
CONFIG.dmcaAccounts = accounts;
|
|
167
|
+
CONFIG.dmcaTags = tags;
|
|
168
|
+
CONFIG.dmcaPatterns = patterns;
|
|
169
|
+
CONFIG.dmcaTagRegexes = tags.map((pattern) => safeCompileRegex(pattern)).filter((r) => r !== null);
|
|
170
|
+
CONFIG.dmcaPatternRegexes = [];
|
|
171
|
+
const rejectedTagCount = tags.length - CONFIG.dmcaTagRegexes.length;
|
|
172
|
+
if (!CONFIG._dmcaInitialized) {
|
|
173
|
+
console.log(`[SDK] DMCA configuration loaded:`);
|
|
174
|
+
console.log(` - Accounts: ${accounts.length}`);
|
|
175
|
+
console.log(` - Tag patterns: ${CONFIG.dmcaTagRegexes.length}/${tags.length} compiled (${rejectedTagCount} rejected)`);
|
|
176
|
+
console.log(` - Post patterns: ${patterns.length} (using exact string matching)`);
|
|
177
|
+
if (rejectedTagCount > 0) {
|
|
178
|
+
console.warn(`[SDK] ${rejectedTagCount} DMCA tag patterns were rejected due to security validation. Check warnings above for details.`);
|
|
179
|
+
}
|
|
180
|
+
CONFIG._dmcaInitialized = true;
|
|
181
|
+
}
|
|
182
|
+
}
|
|
183
|
+
ConfigManager2.setDmcaLists = setDmcaLists;
|
|
70
184
|
})(ConfigManager || (ConfigManager = {}));
|
|
71
185
|
|
|
72
186
|
// src/modules/core/utils/decoder-encoder.ts
|
|
@@ -472,6 +586,176 @@ function getAccountFullQueryOptions(username) {
|
|
|
472
586
|
staleTime: 6e4
|
|
473
587
|
});
|
|
474
588
|
}
|
|
589
|
+
function sanitizeTokens(tokens) {
|
|
590
|
+
return tokens?.map(({ meta, ...rest }) => {
|
|
591
|
+
if (!meta || typeof meta !== "object") {
|
|
592
|
+
return { ...rest, meta };
|
|
593
|
+
}
|
|
594
|
+
const { privateKey, username, ...safeMeta } = meta;
|
|
595
|
+
return { ...rest, meta: safeMeta };
|
|
596
|
+
});
|
|
597
|
+
}
|
|
598
|
+
function parseProfileMetadata(postingJsonMetadata) {
|
|
599
|
+
if (!postingJsonMetadata) {
|
|
600
|
+
return {};
|
|
601
|
+
}
|
|
602
|
+
try {
|
|
603
|
+
const parsed = JSON.parse(postingJsonMetadata);
|
|
604
|
+
if (parsed && typeof parsed === "object" && parsed.profile && typeof parsed.profile === "object") {
|
|
605
|
+
return parsed.profile;
|
|
606
|
+
}
|
|
607
|
+
} catch (err) {
|
|
608
|
+
}
|
|
609
|
+
return {};
|
|
610
|
+
}
|
|
611
|
+
function extractAccountProfile(data) {
|
|
612
|
+
return parseProfileMetadata(data?.posting_json_metadata);
|
|
613
|
+
}
|
|
614
|
+
function buildProfileMetadata({
|
|
615
|
+
existingProfile,
|
|
616
|
+
profile,
|
|
617
|
+
tokens
|
|
618
|
+
}) {
|
|
619
|
+
const { tokens: profileTokens, version: _ignoredVersion, ...profileRest } = profile ?? {};
|
|
620
|
+
const metadata = R4.mergeDeep(
|
|
621
|
+
existingProfile ?? {},
|
|
622
|
+
profileRest
|
|
623
|
+
);
|
|
624
|
+
const nextTokens = tokens ?? profileTokens;
|
|
625
|
+
if (nextTokens && nextTokens.length > 0) {
|
|
626
|
+
metadata.tokens = nextTokens;
|
|
627
|
+
}
|
|
628
|
+
metadata.tokens = sanitizeTokens(metadata.tokens);
|
|
629
|
+
metadata.version = 2;
|
|
630
|
+
return metadata;
|
|
631
|
+
}
|
|
632
|
+
|
|
633
|
+
// src/modules/accounts/utils/parse-accounts.ts
|
|
634
|
+
function parseAccounts(rawAccounts) {
|
|
635
|
+
return rawAccounts.map((x) => {
|
|
636
|
+
const account = {
|
|
637
|
+
name: x.name,
|
|
638
|
+
owner: x.owner,
|
|
639
|
+
active: x.active,
|
|
640
|
+
posting: x.posting,
|
|
641
|
+
memo_key: x.memo_key,
|
|
642
|
+
post_count: x.post_count,
|
|
643
|
+
created: x.created,
|
|
644
|
+
reputation: x.reputation,
|
|
645
|
+
posting_json_metadata: x.posting_json_metadata,
|
|
646
|
+
last_vote_time: x.last_vote_time,
|
|
647
|
+
last_post: x.last_post,
|
|
648
|
+
json_metadata: x.json_metadata,
|
|
649
|
+
reward_hive_balance: x.reward_hive_balance,
|
|
650
|
+
reward_hbd_balance: x.reward_hbd_balance,
|
|
651
|
+
reward_vesting_hive: x.reward_vesting_hive,
|
|
652
|
+
reward_vesting_balance: x.reward_vesting_balance,
|
|
653
|
+
balance: x.balance,
|
|
654
|
+
hbd_balance: x.hbd_balance,
|
|
655
|
+
savings_balance: x.savings_balance,
|
|
656
|
+
savings_hbd_balance: x.savings_hbd_balance,
|
|
657
|
+
savings_hbd_last_interest_payment: x.savings_hbd_last_interest_payment,
|
|
658
|
+
savings_hbd_seconds_last_update: x.savings_hbd_seconds_last_update,
|
|
659
|
+
savings_hbd_seconds: x.savings_hbd_seconds,
|
|
660
|
+
next_vesting_withdrawal: x.next_vesting_withdrawal,
|
|
661
|
+
pending_claimed_accounts: x.pending_claimed_accounts,
|
|
662
|
+
vesting_shares: x.vesting_shares,
|
|
663
|
+
delegated_vesting_shares: x.delegated_vesting_shares,
|
|
664
|
+
received_vesting_shares: x.received_vesting_shares,
|
|
665
|
+
vesting_withdraw_rate: x.vesting_withdraw_rate,
|
|
666
|
+
to_withdraw: x.to_withdraw,
|
|
667
|
+
withdrawn: x.withdrawn,
|
|
668
|
+
witness_votes: x.witness_votes,
|
|
669
|
+
proxy: x.proxy,
|
|
670
|
+
recovery_account: x.recovery_account,
|
|
671
|
+
proxied_vsf_votes: x.proxied_vsf_votes,
|
|
672
|
+
voting_manabar: x.voting_manabar,
|
|
673
|
+
voting_power: x.voting_power,
|
|
674
|
+
downvote_manabar: x.downvote_manabar
|
|
675
|
+
};
|
|
676
|
+
let profile = parseProfileMetadata(
|
|
677
|
+
x.posting_json_metadata
|
|
678
|
+
);
|
|
679
|
+
if (!profile || Object.keys(profile).length === 0) {
|
|
680
|
+
try {
|
|
681
|
+
const jsonMetadata = JSON.parse(x.json_metadata || "{}");
|
|
682
|
+
if (jsonMetadata.profile) {
|
|
683
|
+
profile = jsonMetadata.profile;
|
|
684
|
+
}
|
|
685
|
+
} catch (e) {
|
|
686
|
+
}
|
|
687
|
+
}
|
|
688
|
+
if (!profile || Object.keys(profile).length === 0) {
|
|
689
|
+
profile = {
|
|
690
|
+
about: "",
|
|
691
|
+
cover_image: "",
|
|
692
|
+
location: "",
|
|
693
|
+
name: "",
|
|
694
|
+
profile_image: "",
|
|
695
|
+
website: ""
|
|
696
|
+
};
|
|
697
|
+
}
|
|
698
|
+
return { ...account, profile };
|
|
699
|
+
});
|
|
700
|
+
}
|
|
701
|
+
|
|
702
|
+
// src/modules/accounts/queries/get-accounts-query-options.ts
|
|
703
|
+
function getAccountsQueryOptions(usernames) {
|
|
704
|
+
return queryOptions({
|
|
705
|
+
queryKey: ["accounts", "get-accounts", usernames],
|
|
706
|
+
queryFn: async () => {
|
|
707
|
+
const response = await CONFIG.hiveClient.database.getAccounts(usernames);
|
|
708
|
+
return parseAccounts(response);
|
|
709
|
+
},
|
|
710
|
+
enabled: usernames.length > 0
|
|
711
|
+
});
|
|
712
|
+
}
|
|
713
|
+
function getFollowCountQueryOptions(username) {
|
|
714
|
+
return queryOptions({
|
|
715
|
+
queryKey: ["accounts", "follow-count", username],
|
|
716
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_follow_count", [
|
|
717
|
+
username
|
|
718
|
+
])
|
|
719
|
+
});
|
|
720
|
+
}
|
|
721
|
+
function getFollowingQueryOptions(follower, startFollowing, followType = "blog", limit = 100) {
|
|
722
|
+
return queryOptions({
|
|
723
|
+
queryKey: ["accounts", "following", follower, startFollowing, followType, limit],
|
|
724
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_following", [
|
|
725
|
+
follower,
|
|
726
|
+
startFollowing,
|
|
727
|
+
followType,
|
|
728
|
+
limit
|
|
729
|
+
]),
|
|
730
|
+
enabled: !!follower
|
|
731
|
+
});
|
|
732
|
+
}
|
|
733
|
+
function getMutedUsersQueryOptions(username, limit = 100) {
|
|
734
|
+
return queryOptions({
|
|
735
|
+
queryKey: ["accounts", "muted-users", username],
|
|
736
|
+
queryFn: async () => {
|
|
737
|
+
const response = await CONFIG.hiveClient.database.call("get_following", [
|
|
738
|
+
username,
|
|
739
|
+
"",
|
|
740
|
+
"ignore",
|
|
741
|
+
limit
|
|
742
|
+
]);
|
|
743
|
+
return response.map((user) => user.following);
|
|
744
|
+
},
|
|
745
|
+
enabled: !!username
|
|
746
|
+
});
|
|
747
|
+
}
|
|
748
|
+
function lookupAccountsQueryOptions(query, limit = 50) {
|
|
749
|
+
return queryOptions({
|
|
750
|
+
queryKey: ["accounts", "lookup", query, limit],
|
|
751
|
+
queryFn: () => CONFIG.hiveClient.database.call("lookup_accounts", [
|
|
752
|
+
query,
|
|
753
|
+
limit
|
|
754
|
+
]),
|
|
755
|
+
enabled: !!query,
|
|
756
|
+
staleTime: Infinity
|
|
757
|
+
});
|
|
758
|
+
}
|
|
475
759
|
function getSearchAccountsByUsernameQueryOptions(query, limit = 5, excludeList = []) {
|
|
476
760
|
return queryOptions({
|
|
477
761
|
queryKey: ["accounts", "search", query, excludeList],
|
|
@@ -691,315 +975,1321 @@ function getAccountPendingRecoveryQueryOptions(username) {
|
|
|
691
975
|
)
|
|
692
976
|
});
|
|
693
977
|
}
|
|
694
|
-
|
|
695
|
-
|
|
696
|
-
|
|
697
|
-
|
|
698
|
-
|
|
699
|
-
|
|
700
|
-
|
|
978
|
+
var ops = utils.operationOrders;
|
|
979
|
+
var ACCOUNT_OPERATION_GROUPS = {
|
|
980
|
+
transfers: [
|
|
981
|
+
ops.transfer,
|
|
982
|
+
ops.transfer_to_savings,
|
|
983
|
+
ops.transfer_from_savings,
|
|
984
|
+
ops.cancel_transfer_from_savings,
|
|
985
|
+
ops.recurrent_transfer,
|
|
986
|
+
ops.fill_recurrent_transfer,
|
|
987
|
+
ops.escrow_transfer,
|
|
988
|
+
ops.fill_recurrent_transfer
|
|
989
|
+
],
|
|
990
|
+
"market-orders": [
|
|
991
|
+
ops.fill_convert_request,
|
|
992
|
+
ops.fill_order,
|
|
993
|
+
ops.fill_collateralized_convert_request,
|
|
994
|
+
ops.limit_order_create2,
|
|
995
|
+
ops.limit_order_create,
|
|
996
|
+
ops.limit_order_cancel
|
|
997
|
+
],
|
|
998
|
+
interests: [ops.interest],
|
|
999
|
+
"stake-operations": [
|
|
1000
|
+
ops.return_vesting_delegation,
|
|
1001
|
+
ops.withdraw_vesting,
|
|
1002
|
+
ops.transfer_to_vesting,
|
|
1003
|
+
ops.set_withdraw_vesting_route,
|
|
1004
|
+
ops.update_proposal_votes,
|
|
1005
|
+
ops.fill_vesting_withdraw,
|
|
1006
|
+
ops.account_witness_proxy,
|
|
1007
|
+
ops.delegate_vesting_shares
|
|
1008
|
+
],
|
|
1009
|
+
rewards: [
|
|
1010
|
+
ops.author_reward,
|
|
1011
|
+
ops.curation_reward,
|
|
1012
|
+
ops.producer_reward,
|
|
1013
|
+
ops.claim_reward_balance,
|
|
1014
|
+
ops.comment_benefactor_reward,
|
|
1015
|
+
ops.liquidity_reward,
|
|
1016
|
+
ops.proposal_pay
|
|
1017
|
+
]
|
|
1018
|
+
};
|
|
1019
|
+
var ALL_ACCOUNT_OPERATIONS = [...Object.values(ACCOUNT_OPERATION_GROUPS)].reduce(
|
|
1020
|
+
(acc, val) => acc.concat(val),
|
|
1021
|
+
[]
|
|
1022
|
+
);
|
|
1023
|
+
function getTransactionsInfiniteQueryOptions(username, limit = 20, group = "") {
|
|
1024
|
+
return infiniteQueryOptions({
|
|
1025
|
+
queryKey: ["accounts", "transactions", username ?? "", group, limit],
|
|
1026
|
+
initialPageParam: -1,
|
|
1027
|
+
queryFn: async ({ pageParam }) => {
|
|
1028
|
+
if (!username) {
|
|
1029
|
+
return [];
|
|
1030
|
+
}
|
|
1031
|
+
let filters;
|
|
1032
|
+
switch (group) {
|
|
1033
|
+
case "transfers":
|
|
1034
|
+
filters = utils.makeBitMaskFilter(ACCOUNT_OPERATION_GROUPS["transfers"]);
|
|
1035
|
+
break;
|
|
1036
|
+
case "market-orders":
|
|
1037
|
+
filters = utils.makeBitMaskFilter(ACCOUNT_OPERATION_GROUPS["market-orders"]);
|
|
1038
|
+
break;
|
|
1039
|
+
case "interests":
|
|
1040
|
+
filters = utils.makeBitMaskFilter(ACCOUNT_OPERATION_GROUPS["interests"]);
|
|
1041
|
+
break;
|
|
1042
|
+
case "stake-operations":
|
|
1043
|
+
filters = utils.makeBitMaskFilter(ACCOUNT_OPERATION_GROUPS["stake-operations"]);
|
|
1044
|
+
break;
|
|
1045
|
+
case "rewards":
|
|
1046
|
+
filters = utils.makeBitMaskFilter(ACCOUNT_OPERATION_GROUPS["rewards"]);
|
|
1047
|
+
break;
|
|
1048
|
+
default:
|
|
1049
|
+
filters = utils.makeBitMaskFilter(ALL_ACCOUNT_OPERATIONS);
|
|
1050
|
+
}
|
|
1051
|
+
const response = await (filters ? CONFIG.hiveClient.call("condenser_api", "get_account_history", [
|
|
1052
|
+
username,
|
|
1053
|
+
pageParam,
|
|
1054
|
+
limit,
|
|
1055
|
+
...filters
|
|
1056
|
+
]) : CONFIG.hiveClient.call("condenser_api", "get_account_history", [
|
|
1057
|
+
username,
|
|
1058
|
+
pageParam,
|
|
1059
|
+
limit
|
|
1060
|
+
]));
|
|
1061
|
+
const mapped = response.map(([num, operation]) => {
|
|
1062
|
+
const base = {
|
|
1063
|
+
num,
|
|
1064
|
+
type: operation.op[0],
|
|
1065
|
+
timestamp: operation.timestamp,
|
|
1066
|
+
trx_id: operation.trx_id
|
|
1067
|
+
};
|
|
1068
|
+
const payload = operation.op[1];
|
|
1069
|
+
return { ...base, ...payload };
|
|
1070
|
+
}).filter(Boolean).sort((a, b) => b.num - a.num);
|
|
1071
|
+
return mapped;
|
|
1072
|
+
},
|
|
1073
|
+
getNextPageParam: (lastPage) => lastPage?.length ? (lastPage[lastPage.length - 1]?.num ?? 0) - 1 : -1
|
|
701
1074
|
});
|
|
702
1075
|
}
|
|
703
|
-
function
|
|
704
|
-
|
|
705
|
-
|
|
706
|
-
|
|
707
|
-
|
|
708
|
-
|
|
709
|
-
|
|
710
|
-
|
|
711
|
-
|
|
712
|
-
} catch (err) {
|
|
713
|
-
}
|
|
714
|
-
return {};
|
|
715
|
-
}
|
|
716
|
-
function extractAccountProfile(data) {
|
|
717
|
-
return parseProfileMetadata(data?.posting_json_metadata);
|
|
718
|
-
}
|
|
719
|
-
function buildProfileMetadata({
|
|
720
|
-
existingProfile,
|
|
721
|
-
profile,
|
|
722
|
-
tokens
|
|
723
|
-
}) {
|
|
724
|
-
const { tokens: profileTokens, version: _ignoredVersion, ...profileRest } = profile ?? {};
|
|
725
|
-
const metadata = R4.mergeDeep(
|
|
726
|
-
existingProfile ?? {},
|
|
727
|
-
profileRest
|
|
728
|
-
);
|
|
729
|
-
const nextTokens = tokens ?? profileTokens;
|
|
730
|
-
if (nextTokens && nextTokens.length > 0) {
|
|
731
|
-
metadata.tokens = nextTokens;
|
|
732
|
-
}
|
|
733
|
-
metadata.tokens = sanitizeTokens(metadata.tokens);
|
|
734
|
-
metadata.version = 2;
|
|
735
|
-
return metadata;
|
|
736
|
-
}
|
|
737
|
-
|
|
738
|
-
// src/modules/accounts/mutations/use-account-update.ts
|
|
739
|
-
function useAccountUpdate(username) {
|
|
740
|
-
const queryClient = useQueryClient();
|
|
741
|
-
const { data } = useQuery(getAccountFullQueryOptions(username));
|
|
742
|
-
return useBroadcastMutation(
|
|
743
|
-
["accounts", "update"],
|
|
744
|
-
username,
|
|
745
|
-
(payload) => {
|
|
746
|
-
if (!data) {
|
|
747
|
-
throw new Error("[SDK][Accounts] \u2013 cannot update not existing account");
|
|
748
|
-
}
|
|
749
|
-
const profile = buildProfileMetadata({
|
|
750
|
-
existingProfile: extractAccountProfile(data),
|
|
751
|
-
profile: payload.profile,
|
|
752
|
-
tokens: payload.tokens
|
|
1076
|
+
function getBotsQueryOptions() {
|
|
1077
|
+
return queryOptions({
|
|
1078
|
+
queryKey: ["accounts", "bots"],
|
|
1079
|
+
queryFn: async () => {
|
|
1080
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/public/bots", {
|
|
1081
|
+
method: "GET",
|
|
1082
|
+
headers: {
|
|
1083
|
+
"Content-Type": "application/json"
|
|
1084
|
+
}
|
|
753
1085
|
});
|
|
754
|
-
|
|
755
|
-
|
|
756
|
-
|
|
757
|
-
|
|
758
|
-
account: username,
|
|
759
|
-
json_metadata: "",
|
|
760
|
-
extensions: [],
|
|
761
|
-
posting_json_metadata: JSON.stringify({
|
|
762
|
-
profile
|
|
763
|
-
})
|
|
764
|
-
}
|
|
765
|
-
]
|
|
766
|
-
];
|
|
1086
|
+
if (!response.ok) {
|
|
1087
|
+
throw new Error(`Failed to fetch bots: ${response.status}`);
|
|
1088
|
+
}
|
|
1089
|
+
return response.json();
|
|
767
1090
|
},
|
|
768
|
-
|
|
769
|
-
|
|
770
|
-
|
|
771
|
-
|
|
772
|
-
|
|
1091
|
+
refetchOnMount: true,
|
|
1092
|
+
staleTime: Infinity
|
|
1093
|
+
});
|
|
1094
|
+
}
|
|
1095
|
+
function getReferralsInfiniteQueryOptions(username) {
|
|
1096
|
+
return infiniteQueryOptions({
|
|
1097
|
+
queryKey: ["accounts", "referrals", username],
|
|
1098
|
+
initialPageParam: { maxId: void 0 },
|
|
1099
|
+
queryFn: async ({ pageParam }) => {
|
|
1100
|
+
const { maxId } = pageParam ?? {};
|
|
1101
|
+
const url = new URL(CONFIG.privateApiHost + `/private-api/referrals/${username}`);
|
|
1102
|
+
if (maxId !== void 0) {
|
|
1103
|
+
url.searchParams.set("max_id", maxId.toString());
|
|
1104
|
+
}
|
|
1105
|
+
const response = await fetch(url.toString(), {
|
|
1106
|
+
method: "GET",
|
|
1107
|
+
headers: {
|
|
1108
|
+
"Content-Type": "application/json"
|
|
773
1109
|
}
|
|
774
|
-
|
|
775
|
-
|
|
776
|
-
|
|
777
|
-
profile: variables.profile,
|
|
778
|
-
tokens: variables.tokens
|
|
779
|
-
});
|
|
780
|
-
return obj;
|
|
1110
|
+
});
|
|
1111
|
+
if (!response.ok) {
|
|
1112
|
+
throw new Error(`Failed to fetch referrals: ${response.status}`);
|
|
781
1113
|
}
|
|
782
|
-
|
|
783
|
-
|
|
1114
|
+
return response.json();
|
|
1115
|
+
},
|
|
1116
|
+
getNextPageParam: (lastPage) => {
|
|
1117
|
+
const nextMaxId = lastPage?.[lastPage.length - 1]?.id;
|
|
1118
|
+
return typeof nextMaxId === "number" ? { maxId: nextMaxId } : void 0;
|
|
1119
|
+
}
|
|
1120
|
+
});
|
|
784
1121
|
}
|
|
785
|
-
function
|
|
786
|
-
return
|
|
787
|
-
|
|
788
|
-
|
|
789
|
-
const
|
|
790
|
-
|
|
791
|
-
target
|
|
792
|
-
);
|
|
793
|
-
await getQueryClient().prefetchQuery(relationsQuery);
|
|
794
|
-
const actualRelation = getQueryClient().getQueryData(
|
|
795
|
-
relationsQuery.queryKey
|
|
796
|
-
);
|
|
797
|
-
await broadcastJson(reference, "follow", [
|
|
798
|
-
"follow",
|
|
1122
|
+
function getReferralsStatsQueryOptions(username) {
|
|
1123
|
+
return queryOptions({
|
|
1124
|
+
queryKey: ["accounts", "referrals-stats", username],
|
|
1125
|
+
queryFn: async () => {
|
|
1126
|
+
const response = await fetch(
|
|
1127
|
+
CONFIG.privateApiHost + `/private-api/referrals/${username}/stats`,
|
|
799
1128
|
{
|
|
800
|
-
|
|
801
|
-
|
|
802
|
-
|
|
803
|
-
|
|
804
|
-
...kind === "toggle-follow" && !actualRelation?.follows ? ["blog"] : []
|
|
805
|
-
]
|
|
1129
|
+
method: "GET",
|
|
1130
|
+
headers: {
|
|
1131
|
+
"Content-Type": "application/json"
|
|
1132
|
+
}
|
|
806
1133
|
}
|
|
807
|
-
|
|
1134
|
+
);
|
|
1135
|
+
if (!response.ok) {
|
|
1136
|
+
throw new Error(`Failed to fetch referral stats: ${response.status}`);
|
|
1137
|
+
}
|
|
1138
|
+
const data = await response.json();
|
|
1139
|
+
if (!data) {
|
|
1140
|
+
throw new Error("No Referrals for this user!");
|
|
1141
|
+
}
|
|
808
1142
|
return {
|
|
809
|
-
|
|
810
|
-
|
|
811
|
-
follows: kind === "toggle-follow" ? !actualRelation?.follows : actualRelation?.follows
|
|
1143
|
+
total: data.total ?? 0,
|
|
1144
|
+
rewarded: data.rewarded ?? 0
|
|
812
1145
|
};
|
|
1146
|
+
}
|
|
1147
|
+
});
|
|
1148
|
+
}
|
|
1149
|
+
function getFriendsInfiniteQueryOptions(following, mode, options) {
|
|
1150
|
+
const { followType = "blog", limit = 100, enabled = true } = options ?? {};
|
|
1151
|
+
return infiniteQueryOptions({
|
|
1152
|
+
queryKey: ["accounts", "friends", following, mode, followType, limit],
|
|
1153
|
+
initialPageParam: { startFollowing: "" },
|
|
1154
|
+
enabled,
|
|
1155
|
+
refetchOnMount: true,
|
|
1156
|
+
queryFn: async ({ pageParam }) => {
|
|
1157
|
+
const { startFollowing } = pageParam;
|
|
1158
|
+
const response = await CONFIG.hiveClient.database.call(
|
|
1159
|
+
mode === "following" ? "get_following" : "get_followers",
|
|
1160
|
+
[following, startFollowing === "" ? null : startFollowing, followType, limit]
|
|
1161
|
+
);
|
|
1162
|
+
const accountNames = response.map(
|
|
1163
|
+
(e) => mode === "following" ? e.following : e.follower
|
|
1164
|
+
);
|
|
1165
|
+
const accounts = await CONFIG.hiveClient.call("bridge", "get_profiles", {
|
|
1166
|
+
accounts: accountNames,
|
|
1167
|
+
observer: void 0
|
|
1168
|
+
});
|
|
1169
|
+
const rows = (accounts ?? []).map((a) => ({
|
|
1170
|
+
name: a.name,
|
|
1171
|
+
reputation: a.reputation,
|
|
1172
|
+
active: a.active
|
|
1173
|
+
// Return raw timestamp
|
|
1174
|
+
}));
|
|
1175
|
+
return rows;
|
|
813
1176
|
},
|
|
814
|
-
|
|
815
|
-
|
|
816
|
-
|
|
817
|
-
|
|
818
|
-
|
|
819
|
-
|
|
1177
|
+
getNextPageParam: (lastPage) => lastPage && lastPage.length === limit ? { startFollowing: lastPage[lastPage.length - 1].name } : void 0
|
|
1178
|
+
});
|
|
1179
|
+
}
|
|
1180
|
+
var SEARCH_LIMIT = 30;
|
|
1181
|
+
function getSearchFriendsQueryOptions(username, mode, query) {
|
|
1182
|
+
return queryOptions({
|
|
1183
|
+
queryKey: ["accounts", "friends", "search", username, mode, query],
|
|
1184
|
+
refetchOnMount: false,
|
|
1185
|
+
enabled: false,
|
|
1186
|
+
// Manual query via refetch
|
|
1187
|
+
queryFn: async () => {
|
|
1188
|
+
if (!query) return [];
|
|
1189
|
+
const start = query.slice(0, -1);
|
|
1190
|
+
const response = await CONFIG.hiveClient.database.call(
|
|
1191
|
+
mode === "following" ? "get_following" : "get_followers",
|
|
1192
|
+
[username, start, "blog", 1e3]
|
|
820
1193
|
);
|
|
1194
|
+
const accountNames = response.map((e) => mode === "following" ? e.following : e.follower).filter((name) => name.toLowerCase().includes(query.toLowerCase())).slice(0, SEARCH_LIMIT);
|
|
1195
|
+
const accounts = await CONFIG.hiveClient.call("bridge", "get_profiles", {
|
|
1196
|
+
accounts: accountNames,
|
|
1197
|
+
observer: void 0
|
|
1198
|
+
});
|
|
1199
|
+
return accounts?.map((a) => ({
|
|
1200
|
+
name: a.name,
|
|
1201
|
+
full_name: a.metadata.profile?.name || "",
|
|
1202
|
+
reputation: a.reputation,
|
|
1203
|
+
active: a.active
|
|
1204
|
+
// Return raw timestamp
|
|
1205
|
+
})) ?? [];
|
|
821
1206
|
}
|
|
822
1207
|
});
|
|
823
1208
|
}
|
|
824
|
-
function
|
|
825
|
-
return
|
|
826
|
-
|
|
827
|
-
|
|
828
|
-
|
|
829
|
-
|
|
830
|
-
|
|
1209
|
+
function getTrendingTagsQueryOptions(limit = 20) {
|
|
1210
|
+
return infiniteQueryOptions({
|
|
1211
|
+
queryKey: ["posts", "trending-tags"],
|
|
1212
|
+
queryFn: async ({ pageParam: { afterTag } }) => CONFIG.hiveClient.database.call("get_trending_tags", [afterTag, limit]).then(
|
|
1213
|
+
(tags) => tags.filter((x) => x.name !== "").filter((x) => !x.name.startsWith("hive-")).map((x) => x.name)
|
|
1214
|
+
),
|
|
1215
|
+
initialPageParam: { afterTag: "" },
|
|
1216
|
+
getNextPageParam: (lastPage) => ({
|
|
1217
|
+
afterTag: lastPage?.[lastPage?.length - 1]
|
|
1218
|
+
}),
|
|
1219
|
+
staleTime: Infinity,
|
|
1220
|
+
refetchOnMount: true
|
|
1221
|
+
});
|
|
1222
|
+
}
|
|
1223
|
+
function getFragmentsQueryOptions(username) {
|
|
1224
|
+
return queryOptions({
|
|
1225
|
+
queryKey: ["posts", "fragments", username],
|
|
1226
|
+
queryFn: async () => {
|
|
831
1227
|
const fetchApi = getBoundFetch();
|
|
832
1228
|
const response = await fetchApi(
|
|
833
|
-
CONFIG.privateApiHost + "/private-api/
|
|
1229
|
+
CONFIG.privateApiHost + "/private-api/fragments",
|
|
834
1230
|
{
|
|
835
1231
|
method: "POST",
|
|
836
|
-
headers: {
|
|
837
|
-
"Content-Type": "application/json"
|
|
838
|
-
},
|
|
839
1232
|
body: JSON.stringify({
|
|
840
|
-
author,
|
|
841
|
-
permlink,
|
|
842
1233
|
code: getAccessToken(username)
|
|
843
|
-
})
|
|
1234
|
+
}),
|
|
1235
|
+
headers: {
|
|
1236
|
+
"Content-Type": "application/json"
|
|
1237
|
+
}
|
|
844
1238
|
}
|
|
845
1239
|
);
|
|
846
1240
|
return response.json();
|
|
847
1241
|
},
|
|
848
|
-
|
|
849
|
-
onSuccess();
|
|
850
|
-
getQueryClient().invalidateQueries({
|
|
851
|
-
queryKey: ["accounts", "bookmarks", username]
|
|
852
|
-
});
|
|
853
|
-
},
|
|
854
|
-
onError
|
|
1242
|
+
enabled: !!username
|
|
855
1243
|
});
|
|
856
1244
|
}
|
|
857
|
-
function
|
|
858
|
-
return
|
|
859
|
-
|
|
860
|
-
|
|
861
|
-
|
|
862
|
-
|
|
1245
|
+
function getPromotedPostsQuery(type = "feed") {
|
|
1246
|
+
return queryOptions({
|
|
1247
|
+
queryKey: ["posts", "promoted", type],
|
|
1248
|
+
queryFn: async () => {
|
|
1249
|
+
const url = new URL(
|
|
1250
|
+
CONFIG.privateApiHost + "/private-api/promoted-entries"
|
|
1251
|
+
);
|
|
1252
|
+
if (type === "waves") {
|
|
1253
|
+
url.searchParams.append("short_content", "1");
|
|
863
1254
|
}
|
|
864
1255
|
const fetchApi = getBoundFetch();
|
|
865
|
-
const response = await fetchApi(
|
|
866
|
-
|
|
867
|
-
{
|
|
868
|
-
|
|
869
|
-
headers: {
|
|
870
|
-
"Content-Type": "application/json"
|
|
871
|
-
},
|
|
872
|
-
body: JSON.stringify({
|
|
873
|
-
id: bookmarkId,
|
|
874
|
-
code: getAccessToken(username)
|
|
875
|
-
})
|
|
1256
|
+
const response = await fetchApi(url.toString(), {
|
|
1257
|
+
method: "GET",
|
|
1258
|
+
headers: {
|
|
1259
|
+
"Content-Type": "application/json"
|
|
876
1260
|
}
|
|
877
|
-
);
|
|
878
|
-
|
|
1261
|
+
});
|
|
1262
|
+
const data = await response.json();
|
|
1263
|
+
return data;
|
|
1264
|
+
}
|
|
1265
|
+
});
|
|
1266
|
+
}
|
|
1267
|
+
function getEntryActiveVotesQueryOptions(entry) {
|
|
1268
|
+
return queryOptions({
|
|
1269
|
+
queryKey: ["posts", "entry-active-votes", entry?.author, entry?.permlink],
|
|
1270
|
+
queryFn: async () => {
|
|
1271
|
+
return CONFIG.hiveClient.database.call("get_active_votes", [
|
|
1272
|
+
entry?.author,
|
|
1273
|
+
entry?.permlink
|
|
1274
|
+
]);
|
|
879
1275
|
},
|
|
880
|
-
|
|
881
|
-
|
|
882
|
-
|
|
883
|
-
|
|
1276
|
+
enabled: !!entry
|
|
1277
|
+
});
|
|
1278
|
+
}
|
|
1279
|
+
function getPostHeaderQueryOptions(author, permlink) {
|
|
1280
|
+
return queryOptions({
|
|
1281
|
+
queryKey: ["posts", "post-header", author, permlink],
|
|
1282
|
+
queryFn: async () => {
|
|
1283
|
+
return CONFIG.hiveClient.call("bridge", "get_post_header", {
|
|
1284
|
+
author,
|
|
1285
|
+
permlink
|
|
884
1286
|
});
|
|
885
1287
|
},
|
|
886
|
-
|
|
1288
|
+
initialData: null
|
|
887
1289
|
});
|
|
888
1290
|
}
|
|
889
|
-
|
|
890
|
-
|
|
891
|
-
|
|
892
|
-
|
|
893
|
-
|
|
894
|
-
|
|
1291
|
+
|
|
1292
|
+
// src/modules/posts/utils/filter-dmca-entries.ts
|
|
1293
|
+
function filterDmcaEntry(entryOrEntries) {
|
|
1294
|
+
if (Array.isArray(entryOrEntries)) {
|
|
1295
|
+
return entryOrEntries.map((entry) => applyFilter(entry));
|
|
1296
|
+
}
|
|
1297
|
+
return applyFilter(entryOrEntries);
|
|
1298
|
+
}
|
|
1299
|
+
function applyFilter(entry) {
|
|
1300
|
+
if (!entry) return entry;
|
|
1301
|
+
const entryPath = `@${entry.author}/${entry.permlink}`;
|
|
1302
|
+
const isDmca = CONFIG.dmcaPatternRegexes.some((regex) => regex.test(entryPath));
|
|
1303
|
+
if (isDmca) {
|
|
1304
|
+
return {
|
|
1305
|
+
...entry,
|
|
1306
|
+
body: "This post is not available due to a copyright/fraudulent claim.",
|
|
1307
|
+
title: ""
|
|
1308
|
+
};
|
|
1309
|
+
}
|
|
1310
|
+
return entry;
|
|
1311
|
+
}
|
|
1312
|
+
|
|
1313
|
+
// src/modules/posts/queries/get-post-query-options.ts
|
|
1314
|
+
function makeEntryPath(category, author, permlink) {
|
|
1315
|
+
return `${category}/@${author}/${permlink}`;
|
|
1316
|
+
}
|
|
1317
|
+
function getPostQueryOptions(author, permlink, observer = "", num) {
|
|
1318
|
+
const cleanPermlink = permlink?.trim();
|
|
1319
|
+
const entryPath = makeEntryPath("", author, cleanPermlink ?? "");
|
|
1320
|
+
return queryOptions({
|
|
1321
|
+
queryKey: ["posts", "entry", entryPath],
|
|
1322
|
+
queryFn: async () => {
|
|
1323
|
+
if (!cleanPermlink || cleanPermlink === "undefined") {
|
|
1324
|
+
return null;
|
|
895
1325
|
}
|
|
896
|
-
const
|
|
897
|
-
|
|
898
|
-
|
|
899
|
-
|
|
900
|
-
method: "POST",
|
|
901
|
-
headers: {
|
|
902
|
-
"Content-Type": "application/json"
|
|
903
|
-
},
|
|
904
|
-
body: JSON.stringify({
|
|
905
|
-
account,
|
|
906
|
-
code: getAccessToken(username)
|
|
907
|
-
})
|
|
908
|
-
}
|
|
909
|
-
);
|
|
910
|
-
return response.json();
|
|
911
|
-
},
|
|
912
|
-
onSuccess: () => {
|
|
913
|
-
onSuccess();
|
|
914
|
-
getQueryClient().invalidateQueries({
|
|
915
|
-
queryKey: ["accounts", "favourites", username]
|
|
1326
|
+
const response = await CONFIG.hiveClient.call("bridge", "get_post", {
|
|
1327
|
+
author,
|
|
1328
|
+
permlink: cleanPermlink,
|
|
1329
|
+
observer
|
|
916
1330
|
});
|
|
1331
|
+
if (!response) {
|
|
1332
|
+
return null;
|
|
1333
|
+
}
|
|
1334
|
+
const entry = num !== void 0 ? { ...response, num } : response;
|
|
1335
|
+
return filterDmcaEntry(entry);
|
|
917
1336
|
},
|
|
918
|
-
|
|
1337
|
+
enabled: !!author && !!permlink && permlink.trim() !== "" && permlink.trim() !== "undefined"
|
|
919
1338
|
});
|
|
920
1339
|
}
|
|
921
|
-
|
|
922
|
-
|
|
923
|
-
|
|
924
|
-
|
|
925
|
-
|
|
926
|
-
|
|
1340
|
+
var SortOrder = /* @__PURE__ */ ((SortOrder2) => {
|
|
1341
|
+
SortOrder2["trending"] = "trending";
|
|
1342
|
+
SortOrder2["author_reputation"] = "author_reputation";
|
|
1343
|
+
SortOrder2["votes"] = "votes";
|
|
1344
|
+
SortOrder2["created"] = "created";
|
|
1345
|
+
return SortOrder2;
|
|
1346
|
+
})(SortOrder || {});
|
|
1347
|
+
function parseAsset2(value) {
|
|
1348
|
+
const match = value.match(/^(\d+\.?\d*)\s*([A-Z]+)$/);
|
|
1349
|
+
if (!match) return { amount: 0, symbol: "" };
|
|
1350
|
+
return {
|
|
1351
|
+
amount: parseFloat(match[1]),
|
|
1352
|
+
symbol: match[2]
|
|
1353
|
+
};
|
|
1354
|
+
}
|
|
1355
|
+
function sortDiscussions(entry, discussion, order) {
|
|
1356
|
+
const allPayout = (c) => parseAsset2(c.pending_payout_value).amount + parseAsset2(c.author_payout_value).amount + parseAsset2(c.curator_payout_value).amount;
|
|
1357
|
+
const absNegative = (a) => a.net_rshares < 0;
|
|
1358
|
+
const isPinned = (a) => entry.json_metadata?.pinned_reply === `${a.author}/${a.permlink}`;
|
|
1359
|
+
const sortOrders = {
|
|
1360
|
+
trending: (a, b) => {
|
|
1361
|
+
if (absNegative(a)) {
|
|
1362
|
+
return 1;
|
|
927
1363
|
}
|
|
928
|
-
|
|
929
|
-
|
|
930
|
-
|
|
931
|
-
|
|
932
|
-
|
|
933
|
-
|
|
934
|
-
|
|
935
|
-
|
|
936
|
-
|
|
937
|
-
account,
|
|
938
|
-
code: getAccessToken(username)
|
|
939
|
-
})
|
|
940
|
-
}
|
|
941
|
-
);
|
|
942
|
-
return response.json();
|
|
1364
|
+
if (absNegative(b)) {
|
|
1365
|
+
return -1;
|
|
1366
|
+
}
|
|
1367
|
+
const _a = allPayout(a);
|
|
1368
|
+
const _b = allPayout(b);
|
|
1369
|
+
if (_a !== _b) {
|
|
1370
|
+
return _b - _a;
|
|
1371
|
+
}
|
|
1372
|
+
return 0;
|
|
943
1373
|
},
|
|
944
|
-
|
|
945
|
-
|
|
946
|
-
|
|
947
|
-
|
|
948
|
-
|
|
1374
|
+
author_reputation: (a, b) => {
|
|
1375
|
+
const keyA = a.author_reputation;
|
|
1376
|
+
const keyB = b.author_reputation;
|
|
1377
|
+
if (keyA > keyB) return -1;
|
|
1378
|
+
if (keyA < keyB) return 1;
|
|
1379
|
+
return 0;
|
|
949
1380
|
},
|
|
950
|
-
|
|
951
|
-
|
|
1381
|
+
votes: (a, b) => {
|
|
1382
|
+
const keyA = a.children;
|
|
1383
|
+
const keyB = b.children;
|
|
1384
|
+
if (keyA > keyB) return -1;
|
|
1385
|
+
if (keyA < keyB) return 1;
|
|
1386
|
+
return 0;
|
|
1387
|
+
},
|
|
1388
|
+
created: (a, b) => {
|
|
1389
|
+
if (absNegative(a)) {
|
|
1390
|
+
return 1;
|
|
1391
|
+
}
|
|
1392
|
+
if (absNegative(b)) {
|
|
1393
|
+
return -1;
|
|
1394
|
+
}
|
|
1395
|
+
const keyA = Date.parse(a.created);
|
|
1396
|
+
const keyB = Date.parse(b.created);
|
|
1397
|
+
if (keyA > keyB) return -1;
|
|
1398
|
+
if (keyA < keyB) return 1;
|
|
1399
|
+
return 0;
|
|
1400
|
+
}
|
|
1401
|
+
};
|
|
1402
|
+
const sorted = discussion.sort(sortOrders[order]);
|
|
1403
|
+
const pinnedIndex = sorted.findIndex((i) => isPinned(i));
|
|
1404
|
+
const pinned = sorted[pinnedIndex];
|
|
1405
|
+
if (pinnedIndex >= 0) {
|
|
1406
|
+
sorted.splice(pinnedIndex, 1);
|
|
1407
|
+
sorted.unshift(pinned);
|
|
1408
|
+
}
|
|
1409
|
+
return sorted;
|
|
952
1410
|
}
|
|
953
|
-
function
|
|
954
|
-
|
|
955
|
-
|
|
956
|
-
|
|
957
|
-
|
|
958
|
-
|
|
959
|
-
|
|
1411
|
+
function getDiscussionsQueryOptions(entry, order = "created" /* created */, enabled = true, observer) {
|
|
1412
|
+
return queryOptions({
|
|
1413
|
+
queryKey: [
|
|
1414
|
+
"posts",
|
|
1415
|
+
"discussions",
|
|
1416
|
+
entry?.author,
|
|
1417
|
+
entry?.permlink,
|
|
1418
|
+
order,
|
|
1419
|
+
observer || entry?.author
|
|
1420
|
+
],
|
|
1421
|
+
queryFn: async () => {
|
|
1422
|
+
if (!entry) {
|
|
1423
|
+
return [];
|
|
1424
|
+
}
|
|
1425
|
+
const response = await CONFIG.hiveClient.call("bridge", "get_discussion", {
|
|
1426
|
+
author: entry.author,
|
|
1427
|
+
permlink: entry.permlink,
|
|
1428
|
+
observer: observer || entry.author
|
|
1429
|
+
});
|
|
1430
|
+
const results = response ? Array.from(Object.values(response)) : [];
|
|
1431
|
+
return filterDmcaEntry(results);
|
|
1432
|
+
},
|
|
1433
|
+
enabled: enabled && !!entry,
|
|
1434
|
+
select: (data) => sortDiscussions(entry, data, order)
|
|
960
1435
|
});
|
|
961
|
-
return Array.from(merged.entries()).sort(([keyA], [keyB]) => keyA.localeCompare(keyB)).map(([key, weight]) => [key, weight]);
|
|
962
1436
|
}
|
|
963
|
-
function
|
|
964
|
-
|
|
965
|
-
|
|
966
|
-
|
|
967
|
-
|
|
968
|
-
|
|
969
|
-
|
|
970
|
-
|
|
1437
|
+
function getAccountPostsInfiniteQueryOptions(username, filter = "posts", limit = 20, observer = "", enabled = true) {
|
|
1438
|
+
return infiniteQueryOptions({
|
|
1439
|
+
queryKey: ["posts", "account-posts", username ?? "", filter, limit, observer],
|
|
1440
|
+
enabled: !!username && enabled,
|
|
1441
|
+
initialPageParam: {
|
|
1442
|
+
author: void 0,
|
|
1443
|
+
permlink: void 0,
|
|
1444
|
+
hasNextPage: true
|
|
1445
|
+
},
|
|
1446
|
+
queryFn: async ({ pageParam }) => {
|
|
1447
|
+
if (!pageParam?.hasNextPage || !username) return [];
|
|
1448
|
+
const rpcParams = {
|
|
1449
|
+
sort: filter,
|
|
1450
|
+
account: username,
|
|
1451
|
+
limit,
|
|
1452
|
+
...observer && observer.length > 0 ? { observer } : {},
|
|
1453
|
+
...pageParam.author ? { start_author: pageParam.author } : {},
|
|
1454
|
+
...pageParam.permlink ? { start_permlink: pageParam.permlink } : {}
|
|
1455
|
+
};
|
|
1456
|
+
try {
|
|
1457
|
+
if (CONFIG.dmcaAccounts.includes(username)) return [];
|
|
1458
|
+
const resp = await CONFIG.hiveClient.call(
|
|
1459
|
+
"bridge",
|
|
1460
|
+
"get_account_posts",
|
|
1461
|
+
rpcParams
|
|
971
1462
|
);
|
|
1463
|
+
if (resp && Array.isArray(resp)) {
|
|
1464
|
+
return filterDmcaEntry(resp);
|
|
1465
|
+
}
|
|
1466
|
+
return [];
|
|
1467
|
+
} catch (err) {
|
|
1468
|
+
console.error("[SDK] get_account_posts error:", err);
|
|
1469
|
+
return [];
|
|
972
1470
|
}
|
|
973
|
-
const prepareAuth = (keyName) => {
|
|
974
|
-
const auth = R4.clone(accountData[keyName]);
|
|
975
|
-
auth.key_auths = dedupeAndSortKeyAuths(
|
|
976
|
-
keepCurrent ? auth.key_auths : [],
|
|
977
|
-
keys.map(
|
|
978
|
-
(values, i) => [values[keyName].createPublic().toString(), i + 1]
|
|
979
|
-
)
|
|
980
|
-
);
|
|
981
|
-
return auth;
|
|
982
|
-
};
|
|
983
|
-
return CONFIG.hiveClient.broadcast.updateAccount(
|
|
984
|
-
{
|
|
985
|
-
account: username,
|
|
986
|
-
json_metadata: accountData.json_metadata,
|
|
987
|
-
owner: prepareAuth("owner"),
|
|
988
|
-
active: prepareAuth("active"),
|
|
989
|
-
posting: prepareAuth("posting"),
|
|
990
|
-
memo_key: keepCurrent ? accountData.memo_key : keys[0].memo_key.createPublic().toString()
|
|
991
|
-
},
|
|
992
|
-
currentKey
|
|
993
|
-
);
|
|
994
1471
|
},
|
|
995
|
-
|
|
1472
|
+
getNextPageParam: (lastPage) => {
|
|
1473
|
+
const last = lastPage?.[lastPage.length - 1];
|
|
1474
|
+
const hasNextPage = (lastPage?.length ?? 0) === limit;
|
|
1475
|
+
if (!hasNextPage) {
|
|
1476
|
+
return void 0;
|
|
1477
|
+
}
|
|
1478
|
+
return {
|
|
1479
|
+
author: last?.author,
|
|
1480
|
+
permlink: last?.permlink,
|
|
1481
|
+
hasNextPage
|
|
1482
|
+
};
|
|
1483
|
+
}
|
|
996
1484
|
});
|
|
997
1485
|
}
|
|
998
|
-
function
|
|
999
|
-
|
|
1000
|
-
|
|
1001
|
-
|
|
1002
|
-
|
|
1486
|
+
function getPostsRankedInfiniteQueryOptions(sort, tag, limit = 20, observer = "", enabled = true, _options = {}) {
|
|
1487
|
+
return infiniteQueryOptions({
|
|
1488
|
+
queryKey: ["posts", "posts-ranked", sort, tag, limit, observer],
|
|
1489
|
+
queryFn: async ({ pageParam }) => {
|
|
1490
|
+
if (!pageParam.hasNextPage) {
|
|
1491
|
+
return [];
|
|
1492
|
+
}
|
|
1493
|
+
let sanitizedTag = tag;
|
|
1494
|
+
if (CONFIG.dmcaTagRegexes.some((regex) => regex.test(tag))) {
|
|
1495
|
+
sanitizedTag = "";
|
|
1496
|
+
}
|
|
1497
|
+
const response = await CONFIG.hiveClient.call("bridge", "get_ranked_posts", {
|
|
1498
|
+
sort,
|
|
1499
|
+
start_author: pageParam.author,
|
|
1500
|
+
start_permlink: pageParam.permlink,
|
|
1501
|
+
limit,
|
|
1502
|
+
tag: sanitizedTag,
|
|
1503
|
+
observer
|
|
1504
|
+
});
|
|
1505
|
+
if (response && Array.isArray(response)) {
|
|
1506
|
+
const data = response;
|
|
1507
|
+
const sorted = sort === "hot" ? data : data.sort(
|
|
1508
|
+
(a, b) => new Date(b.created).getTime() - new Date(a.created).getTime()
|
|
1509
|
+
);
|
|
1510
|
+
const pinnedEntry = sorted.find((s) => s.stats?.is_pinned);
|
|
1511
|
+
const nonPinnedEntries = sorted.filter((s) => !s.stats?.is_pinned);
|
|
1512
|
+
const combined = [pinnedEntry, ...nonPinnedEntries].filter((s) => !!s);
|
|
1513
|
+
return filterDmcaEntry(combined);
|
|
1514
|
+
}
|
|
1515
|
+
return [];
|
|
1516
|
+
},
|
|
1517
|
+
enabled,
|
|
1518
|
+
initialPageParam: {
|
|
1519
|
+
author: void 0,
|
|
1520
|
+
permlink: void 0,
|
|
1521
|
+
hasNextPage: true
|
|
1522
|
+
},
|
|
1523
|
+
getNextPageParam: (lastPage) => {
|
|
1524
|
+
const last = lastPage?.[lastPage.length - 1];
|
|
1525
|
+
return {
|
|
1526
|
+
author: last?.author,
|
|
1527
|
+
permlink: last?.permlink,
|
|
1528
|
+
hasNextPage: (lastPage?.length ?? 0) > 0
|
|
1529
|
+
};
|
|
1530
|
+
}
|
|
1531
|
+
});
|
|
1532
|
+
}
|
|
1533
|
+
function getReblogsQueryOptions(username, activeUsername, limit = 200) {
|
|
1534
|
+
return queryOptions({
|
|
1535
|
+
queryKey: ["posts", "reblogs", username ?? "", limit],
|
|
1536
|
+
queryFn: async () => {
|
|
1537
|
+
const response = await CONFIG.hiveClient.call("condenser_api", "get_blog_entries", [
|
|
1538
|
+
username ?? activeUsername,
|
|
1539
|
+
0,
|
|
1540
|
+
limit
|
|
1541
|
+
]);
|
|
1542
|
+
return response.filter(
|
|
1543
|
+
(i) => i.author !== activeUsername && !i.reblogged_on.startsWith("1970-")
|
|
1544
|
+
).map((i) => ({ author: i.author, permlink: i.permlink }));
|
|
1545
|
+
},
|
|
1546
|
+
enabled: !!username
|
|
1547
|
+
});
|
|
1548
|
+
}
|
|
1549
|
+
function getSchedulesQueryOptions(activeUsername) {
|
|
1550
|
+
return queryOptions({
|
|
1551
|
+
queryKey: ["posts", "schedules", activeUsername],
|
|
1552
|
+
queryFn: async () => {
|
|
1553
|
+
if (!activeUsername) {
|
|
1554
|
+
return [];
|
|
1555
|
+
}
|
|
1556
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/schedules", {
|
|
1557
|
+
method: "POST",
|
|
1558
|
+
headers: {
|
|
1559
|
+
"Content-Type": "application/json"
|
|
1560
|
+
},
|
|
1561
|
+
body: JSON.stringify({
|
|
1562
|
+
code: getAccessToken(activeUsername)
|
|
1563
|
+
})
|
|
1564
|
+
});
|
|
1565
|
+
if (!response.ok) {
|
|
1566
|
+
throw new Error(`Failed to fetch schedules: ${response.status}`);
|
|
1567
|
+
}
|
|
1568
|
+
return response.json();
|
|
1569
|
+
},
|
|
1570
|
+
enabled: !!activeUsername
|
|
1571
|
+
});
|
|
1572
|
+
}
|
|
1573
|
+
function getDraftsQueryOptions(activeUsername) {
|
|
1574
|
+
return queryOptions({
|
|
1575
|
+
queryKey: ["posts", "drafts", activeUsername],
|
|
1576
|
+
queryFn: async () => {
|
|
1577
|
+
if (!activeUsername) {
|
|
1578
|
+
return [];
|
|
1579
|
+
}
|
|
1580
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/drafts", {
|
|
1581
|
+
method: "POST",
|
|
1582
|
+
headers: {
|
|
1583
|
+
"Content-Type": "application/json"
|
|
1584
|
+
},
|
|
1585
|
+
body: JSON.stringify({
|
|
1586
|
+
code: getAccessToken(activeUsername)
|
|
1587
|
+
})
|
|
1588
|
+
});
|
|
1589
|
+
if (!response.ok) {
|
|
1590
|
+
throw new Error(`Failed to fetch drafts: ${response.status}`);
|
|
1591
|
+
}
|
|
1592
|
+
return response.json();
|
|
1593
|
+
},
|
|
1594
|
+
enabled: !!activeUsername
|
|
1595
|
+
});
|
|
1596
|
+
}
|
|
1597
|
+
async function fetchUserImages(username) {
|
|
1598
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/images", {
|
|
1599
|
+
method: "POST",
|
|
1600
|
+
headers: {
|
|
1601
|
+
"Content-Type": "application/json"
|
|
1602
|
+
},
|
|
1603
|
+
body: JSON.stringify({
|
|
1604
|
+
code: getAccessToken(username)
|
|
1605
|
+
})
|
|
1606
|
+
});
|
|
1607
|
+
if (!response.ok) {
|
|
1608
|
+
throw new Error(`Failed to fetch images: ${response.status}`);
|
|
1609
|
+
}
|
|
1610
|
+
return response.json();
|
|
1611
|
+
}
|
|
1612
|
+
function getImagesQueryOptions(username) {
|
|
1613
|
+
return queryOptions({
|
|
1614
|
+
queryKey: ["posts", "images", username],
|
|
1615
|
+
queryFn: async () => {
|
|
1616
|
+
if (!username) {
|
|
1617
|
+
return [];
|
|
1618
|
+
}
|
|
1619
|
+
return fetchUserImages(username);
|
|
1620
|
+
},
|
|
1621
|
+
enabled: !!username
|
|
1622
|
+
});
|
|
1623
|
+
}
|
|
1624
|
+
function getGalleryImagesQueryOptions(activeUsername) {
|
|
1625
|
+
return queryOptions({
|
|
1626
|
+
queryKey: ["posts", "gallery-images", activeUsername],
|
|
1627
|
+
queryFn: async () => {
|
|
1628
|
+
if (!activeUsername) {
|
|
1629
|
+
return [];
|
|
1630
|
+
}
|
|
1631
|
+
return fetchUserImages(activeUsername);
|
|
1632
|
+
},
|
|
1633
|
+
enabled: !!activeUsername
|
|
1634
|
+
});
|
|
1635
|
+
}
|
|
1636
|
+
function getCommentHistoryQueryOptions(author, permlink, onlyMeta = false) {
|
|
1637
|
+
return queryOptions({
|
|
1638
|
+
queryKey: ["posts", "comment-history", author, permlink, onlyMeta],
|
|
1639
|
+
queryFn: async ({ signal }) => {
|
|
1640
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/comment-history", {
|
|
1641
|
+
method: "POST",
|
|
1642
|
+
headers: {
|
|
1643
|
+
"Content-Type": "application/json"
|
|
1644
|
+
},
|
|
1645
|
+
body: JSON.stringify({
|
|
1646
|
+
author,
|
|
1647
|
+
permlink,
|
|
1648
|
+
onlyMeta: onlyMeta ? "1" : ""
|
|
1649
|
+
}),
|
|
1650
|
+
signal
|
|
1651
|
+
});
|
|
1652
|
+
if (!response.ok) {
|
|
1653
|
+
throw new Error(`Failed to fetch comment history: ${response.status}`);
|
|
1654
|
+
}
|
|
1655
|
+
return response.json();
|
|
1656
|
+
},
|
|
1657
|
+
enabled: !!author && !!permlink
|
|
1658
|
+
});
|
|
1659
|
+
}
|
|
1660
|
+
function makeEntryPath2(author, permlink) {
|
|
1661
|
+
const cleanAuthor = author?.trim();
|
|
1662
|
+
const cleanPermlink = permlink?.trim();
|
|
1663
|
+
if (!cleanAuthor || !cleanPermlink) {
|
|
1664
|
+
throw new Error("Invalid entry path: author and permlink are required");
|
|
1665
|
+
}
|
|
1666
|
+
const normalizedAuthor = cleanAuthor.replace(/^@+/, "");
|
|
1667
|
+
const normalizedPermlink = cleanPermlink.replace(/^\/+/, "");
|
|
1668
|
+
if (!normalizedAuthor || !normalizedPermlink) {
|
|
1669
|
+
throw new Error("Invalid entry path: author and permlink cannot be empty after normalization");
|
|
1670
|
+
}
|
|
1671
|
+
return `@${normalizedAuthor}/${normalizedPermlink}`;
|
|
1672
|
+
}
|
|
1673
|
+
function getDeletedEntryQueryOptions(author, permlink) {
|
|
1674
|
+
const cleanPermlink = permlink?.trim();
|
|
1675
|
+
const cleanAuthor = author?.trim();
|
|
1676
|
+
const isValid = !!cleanAuthor && !!cleanPermlink && cleanPermlink !== "undefined";
|
|
1677
|
+
const entryPath = isValid ? makeEntryPath2(cleanAuthor, cleanPermlink) : "";
|
|
1678
|
+
return queryOptions({
|
|
1679
|
+
queryKey: ["posts", "deleted-entry", entryPath],
|
|
1680
|
+
queryFn: async ({ signal }) => {
|
|
1681
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/comment-history", {
|
|
1682
|
+
method: "POST",
|
|
1683
|
+
headers: {
|
|
1684
|
+
"Content-Type": "application/json"
|
|
1685
|
+
},
|
|
1686
|
+
body: JSON.stringify({
|
|
1687
|
+
author,
|
|
1688
|
+
permlink: cleanPermlink || ""
|
|
1689
|
+
}),
|
|
1690
|
+
signal
|
|
1691
|
+
});
|
|
1692
|
+
if (!response.ok) {
|
|
1693
|
+
throw new Error(`Failed to fetch comment history: ${response.status}`);
|
|
1694
|
+
}
|
|
1695
|
+
return response.json();
|
|
1696
|
+
},
|
|
1697
|
+
select: (history) => {
|
|
1698
|
+
if (!history?.list?.[0]) {
|
|
1699
|
+
return null;
|
|
1700
|
+
}
|
|
1701
|
+
const { body, title, tags } = history.list[0];
|
|
1702
|
+
return {
|
|
1703
|
+
body,
|
|
1704
|
+
title,
|
|
1705
|
+
tags
|
|
1706
|
+
};
|
|
1707
|
+
},
|
|
1708
|
+
enabled: isValid
|
|
1709
|
+
});
|
|
1710
|
+
}
|
|
1711
|
+
function getPostTipsQueryOptions(author, permlink, isEnabled = true) {
|
|
1712
|
+
return queryOptions({
|
|
1713
|
+
queryKey: ["posts", "tips", author, permlink],
|
|
1714
|
+
queryFn: async () => {
|
|
1715
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/post-tips", {
|
|
1716
|
+
method: "POST",
|
|
1717
|
+
headers: {
|
|
1718
|
+
"Content-Type": "application/json"
|
|
1719
|
+
},
|
|
1720
|
+
body: JSON.stringify({
|
|
1721
|
+
author,
|
|
1722
|
+
permlink
|
|
1723
|
+
})
|
|
1724
|
+
});
|
|
1725
|
+
if (!response.ok) {
|
|
1726
|
+
throw new Error(`Failed to fetch post tips: ${response.status}`);
|
|
1727
|
+
}
|
|
1728
|
+
return response.json();
|
|
1729
|
+
},
|
|
1730
|
+
enabled: !!author && !!permlink && isEnabled
|
|
1731
|
+
});
|
|
1732
|
+
}
|
|
1733
|
+
|
|
1734
|
+
// src/modules/posts/utils/waves-helpers.ts
|
|
1735
|
+
function normalizeContainer(entry, host) {
|
|
1736
|
+
return {
|
|
1737
|
+
...entry,
|
|
1738
|
+
id: entry.id ?? entry.post_id,
|
|
1739
|
+
host
|
|
1740
|
+
};
|
|
1741
|
+
}
|
|
1742
|
+
function normalizeParent(entry) {
|
|
1743
|
+
return {
|
|
1744
|
+
...entry,
|
|
1745
|
+
id: entry.id ?? entry.post_id
|
|
1746
|
+
};
|
|
1747
|
+
}
|
|
1748
|
+
function normalizeWaveEntryFromApi(entry, host) {
|
|
1749
|
+
if (!entry) {
|
|
1750
|
+
return null;
|
|
1751
|
+
}
|
|
1752
|
+
const containerSource = entry.container ?? entry;
|
|
1753
|
+
const container = normalizeContainer(containerSource, host);
|
|
1754
|
+
const parent = entry.parent ? normalizeParent(entry.parent) : void 0;
|
|
1755
|
+
return {
|
|
1756
|
+
...entry,
|
|
1757
|
+
id: entry.id ?? entry.post_id,
|
|
1758
|
+
host,
|
|
1759
|
+
container,
|
|
1760
|
+
parent
|
|
1761
|
+
};
|
|
1762
|
+
}
|
|
1763
|
+
function toEntryArray(x) {
|
|
1764
|
+
return Array.isArray(x) ? x : [];
|
|
1765
|
+
}
|
|
1766
|
+
async function getVisibleFirstLevelThreadItems(container) {
|
|
1767
|
+
const queryOptions76 = getDiscussionsQueryOptions(container, "created" /* created */, true);
|
|
1768
|
+
const discussionItemsRaw = await CONFIG.queryClient.fetchQuery(queryOptions76);
|
|
1769
|
+
const discussionItems = toEntryArray(discussionItemsRaw);
|
|
1770
|
+
if (discussionItems.length <= 1) {
|
|
1771
|
+
return [];
|
|
1772
|
+
}
|
|
1773
|
+
const firstLevelItems = discussionItems.filter(
|
|
1774
|
+
({ parent_author, parent_permlink }) => parent_author === container.author && parent_permlink === container.permlink
|
|
1775
|
+
);
|
|
1776
|
+
if (firstLevelItems.length === 0) {
|
|
1777
|
+
return [];
|
|
1778
|
+
}
|
|
1779
|
+
const visibleItems = firstLevelItems.filter((item) => !item.stats?.gray);
|
|
1780
|
+
return visibleItems;
|
|
1781
|
+
}
|
|
1782
|
+
function mapThreadItemsToWaveEntries(items, container, host) {
|
|
1783
|
+
if (items.length === 0) {
|
|
1784
|
+
return [];
|
|
1785
|
+
}
|
|
1786
|
+
return items.map((item) => {
|
|
1787
|
+
const parent = items.find(
|
|
1788
|
+
(i) => i.author === item.parent_author && i.permlink === item.parent_permlink && i.author !== host
|
|
1789
|
+
);
|
|
1790
|
+
return {
|
|
1791
|
+
...item,
|
|
1792
|
+
id: item.post_id,
|
|
1793
|
+
host,
|
|
1794
|
+
container,
|
|
1795
|
+
parent
|
|
1796
|
+
};
|
|
1797
|
+
}).filter((entry) => entry.container.post_id !== entry.post_id).sort(
|
|
1798
|
+
(a, b) => new Date(b.created).getTime() - new Date(a.created).getTime()
|
|
1799
|
+
);
|
|
1800
|
+
}
|
|
1801
|
+
|
|
1802
|
+
// src/modules/posts/queries/get-waves-by-host-query-options.ts
|
|
1803
|
+
var THREAD_CONTAINER_BATCH_SIZE = 5;
|
|
1804
|
+
var MAX_CONTAINERS_TO_SCAN = 50;
|
|
1805
|
+
async function getThreads(host, pageParam) {
|
|
1806
|
+
let startAuthor = pageParam?.author;
|
|
1807
|
+
let startPermlink = pageParam?.permlink;
|
|
1808
|
+
let scannedContainers = 0;
|
|
1809
|
+
let skipContainerId = pageParam?.post_id;
|
|
1810
|
+
while (scannedContainers < MAX_CONTAINERS_TO_SCAN) {
|
|
1811
|
+
const rpcParams = {
|
|
1812
|
+
sort: "posts",
|
|
1813
|
+
// ProfileFilter.posts
|
|
1814
|
+
account: host,
|
|
1815
|
+
limit: THREAD_CONTAINER_BATCH_SIZE,
|
|
1816
|
+
...startAuthor ? { start_author: startAuthor } : {},
|
|
1817
|
+
...startPermlink ? { start_permlink: startPermlink } : {}
|
|
1818
|
+
};
|
|
1819
|
+
const containers = await CONFIG.hiveClient.call(
|
|
1820
|
+
"bridge",
|
|
1821
|
+
"get_account_posts",
|
|
1822
|
+
rpcParams
|
|
1823
|
+
);
|
|
1824
|
+
if (!containers || containers.length === 0) {
|
|
1825
|
+
return null;
|
|
1826
|
+
}
|
|
1827
|
+
const normalizedContainers = containers.map((container) => {
|
|
1828
|
+
container.id = container.post_id;
|
|
1829
|
+
container.host = host;
|
|
1830
|
+
return container;
|
|
1831
|
+
});
|
|
1832
|
+
for (const container of normalizedContainers) {
|
|
1833
|
+
if (skipContainerId && container.post_id === skipContainerId) {
|
|
1834
|
+
skipContainerId = void 0;
|
|
1835
|
+
continue;
|
|
1836
|
+
}
|
|
1837
|
+
scannedContainers += 1;
|
|
1838
|
+
if (container.stats?.gray) {
|
|
1839
|
+
startAuthor = container.author;
|
|
1840
|
+
startPermlink = container.permlink;
|
|
1841
|
+
continue;
|
|
1842
|
+
}
|
|
1843
|
+
const visibleItems = await getVisibleFirstLevelThreadItems(container);
|
|
1844
|
+
if (visibleItems.length === 0) {
|
|
1845
|
+
startAuthor = container.author;
|
|
1846
|
+
startPermlink = container.permlink;
|
|
1847
|
+
continue;
|
|
1848
|
+
}
|
|
1849
|
+
return {
|
|
1850
|
+
entries: mapThreadItemsToWaveEntries(visibleItems, container, host)
|
|
1851
|
+
};
|
|
1852
|
+
}
|
|
1853
|
+
const lastContainer = normalizedContainers[normalizedContainers.length - 1];
|
|
1854
|
+
if (!lastContainer) {
|
|
1855
|
+
return null;
|
|
1856
|
+
}
|
|
1857
|
+
startAuthor = lastContainer.author;
|
|
1858
|
+
startPermlink = lastContainer.permlink;
|
|
1859
|
+
}
|
|
1860
|
+
return null;
|
|
1861
|
+
}
|
|
1862
|
+
function getWavesByHostQueryOptions(host) {
|
|
1863
|
+
return infiniteQueryOptions({
|
|
1864
|
+
queryKey: ["posts", "waves", "by-host", host],
|
|
1865
|
+
initialPageParam: void 0,
|
|
1866
|
+
queryFn: async ({ pageParam }) => {
|
|
1867
|
+
const result = await getThreads(host, pageParam);
|
|
1868
|
+
if (!result) return [];
|
|
1869
|
+
return result.entries;
|
|
1870
|
+
},
|
|
1871
|
+
getNextPageParam: (lastPage) => lastPage?.[0]?.container
|
|
1872
|
+
});
|
|
1873
|
+
}
|
|
1874
|
+
var DEFAULT_TAG_FEED_LIMIT = 40;
|
|
1875
|
+
function getWavesByTagQueryOptions(host, tag, limit = DEFAULT_TAG_FEED_LIMIT) {
|
|
1876
|
+
return infiniteQueryOptions({
|
|
1877
|
+
queryKey: ["posts", "waves", "by-tag", host, tag],
|
|
1878
|
+
initialPageParam: void 0,
|
|
1879
|
+
queryFn: async ({ signal }) => {
|
|
1880
|
+
try {
|
|
1881
|
+
const url = new URL(CONFIG.privateApiHost + "/private-api/waves/tags");
|
|
1882
|
+
url.searchParams.set("container", host);
|
|
1883
|
+
url.searchParams.set("tag", tag);
|
|
1884
|
+
const response = await fetch(url.toString(), {
|
|
1885
|
+
method: "GET",
|
|
1886
|
+
headers: {
|
|
1887
|
+
"Content-Type": "application/json"
|
|
1888
|
+
},
|
|
1889
|
+
signal
|
|
1890
|
+
});
|
|
1891
|
+
if (!response.ok) {
|
|
1892
|
+
throw new Error(`Failed to fetch waves by tag: ${response.status}`);
|
|
1893
|
+
}
|
|
1894
|
+
const data = await response.json();
|
|
1895
|
+
const result = data.slice(0, limit).map((entry) => normalizeWaveEntryFromApi(entry, host)).filter((entry) => Boolean(entry));
|
|
1896
|
+
return result.sort(
|
|
1897
|
+
(a, b) => new Date(b.created).getTime() - new Date(a.created).getTime()
|
|
1898
|
+
);
|
|
1899
|
+
} catch (error) {
|
|
1900
|
+
console.error("[SDK] Failed to fetch waves by tag", error);
|
|
1901
|
+
return [];
|
|
1902
|
+
}
|
|
1903
|
+
},
|
|
1904
|
+
getNextPageParam: () => void 0
|
|
1905
|
+
});
|
|
1906
|
+
}
|
|
1907
|
+
function getWavesFollowingQueryOptions(host, username) {
|
|
1908
|
+
const normalizedUsername = username?.trim().toLowerCase();
|
|
1909
|
+
return infiniteQueryOptions({
|
|
1910
|
+
queryKey: ["posts", "waves", "following", host, normalizedUsername ?? ""],
|
|
1911
|
+
enabled: Boolean(normalizedUsername),
|
|
1912
|
+
initialPageParam: void 0,
|
|
1913
|
+
queryFn: async ({ signal }) => {
|
|
1914
|
+
if (!normalizedUsername) {
|
|
1915
|
+
return [];
|
|
1916
|
+
}
|
|
1917
|
+
try {
|
|
1918
|
+
const url = new URL(CONFIG.privateApiHost + "/private-api/waves/following");
|
|
1919
|
+
url.searchParams.set("container", host);
|
|
1920
|
+
url.searchParams.set("username", normalizedUsername);
|
|
1921
|
+
const response = await fetch(url.toString(), {
|
|
1922
|
+
method: "GET",
|
|
1923
|
+
headers: {
|
|
1924
|
+
"Content-Type": "application/json"
|
|
1925
|
+
},
|
|
1926
|
+
signal
|
|
1927
|
+
});
|
|
1928
|
+
if (!response.ok) {
|
|
1929
|
+
throw new Error(`Failed to fetch waves following feed: ${response.status}`);
|
|
1930
|
+
}
|
|
1931
|
+
const data = await response.json();
|
|
1932
|
+
if (!Array.isArray(data) || data.length === 0) {
|
|
1933
|
+
return [];
|
|
1934
|
+
}
|
|
1935
|
+
const flattened = data.map((entry) => normalizeWaveEntryFromApi(entry, host)).filter((entry) => Boolean(entry));
|
|
1936
|
+
if (flattened.length === 0) {
|
|
1937
|
+
return [];
|
|
1938
|
+
}
|
|
1939
|
+
return flattened.sort(
|
|
1940
|
+
(a, b) => new Date(b.created).getTime() - new Date(a.created).getTime()
|
|
1941
|
+
);
|
|
1942
|
+
} catch (error) {
|
|
1943
|
+
console.error("[SDK] Failed to fetch waves following feed", error);
|
|
1944
|
+
return [];
|
|
1945
|
+
}
|
|
1946
|
+
},
|
|
1947
|
+
getNextPageParam: () => void 0
|
|
1948
|
+
});
|
|
1949
|
+
}
|
|
1950
|
+
function getWavesTrendingTagsQueryOptions(host, hours = 24) {
|
|
1951
|
+
return queryOptions({
|
|
1952
|
+
queryKey: ["posts", "waves", "trending-tags", host, hours],
|
|
1953
|
+
queryFn: async ({ signal }) => {
|
|
1954
|
+
try {
|
|
1955
|
+
const url = new URL(CONFIG.privateApiHost + "/private-api/waves/trending/tags");
|
|
1956
|
+
url.searchParams.set("container", host);
|
|
1957
|
+
url.searchParams.set("hours", hours.toString());
|
|
1958
|
+
const response = await fetch(url.toString(), {
|
|
1959
|
+
method: "GET",
|
|
1960
|
+
headers: {
|
|
1961
|
+
"Content-Type": "application/json"
|
|
1962
|
+
},
|
|
1963
|
+
signal
|
|
1964
|
+
});
|
|
1965
|
+
if (!response.ok) {
|
|
1966
|
+
throw new Error(`Failed to fetch waves trending tags: ${response.status}`);
|
|
1967
|
+
}
|
|
1968
|
+
const data = await response.json();
|
|
1969
|
+
return data.map(({ tag, posts }) => ({ tag, posts }));
|
|
1970
|
+
} catch (error) {
|
|
1971
|
+
console.error("[SDK] Failed to fetch waves trending tags", error);
|
|
1972
|
+
return [];
|
|
1973
|
+
}
|
|
1974
|
+
}
|
|
1975
|
+
});
|
|
1976
|
+
}
|
|
1977
|
+
|
|
1978
|
+
// src/modules/accounts/queries/get-account-vote-history-infinite-query-options.ts
|
|
1979
|
+
function isEntry(x) {
|
|
1980
|
+
return !!x && typeof x === "object" && "author" in x && "permlink" in x && "active_votes" in x;
|
|
1981
|
+
}
|
|
1982
|
+
function getDays(createdDate) {
|
|
1983
|
+
const past = new Date(createdDate);
|
|
1984
|
+
const now = /* @__PURE__ */ new Date();
|
|
1985
|
+
const diffMs = now.getTime() - past.getTime();
|
|
1986
|
+
return diffMs / (1e3 * 60 * 60 * 24);
|
|
1987
|
+
}
|
|
1988
|
+
function getAccountVoteHistoryInfiniteQueryOptions(username, options) {
|
|
1989
|
+
const { limit = 20, filters = [], dayLimit = 7 } = options ?? {};
|
|
1990
|
+
return infiniteQueryOptions({
|
|
1991
|
+
queryKey: ["accounts", "vote-history", username, limit],
|
|
1992
|
+
initialPageParam: { start: -1 },
|
|
1993
|
+
queryFn: async ({ pageParam }) => {
|
|
1994
|
+
const { start } = pageParam;
|
|
1995
|
+
const response = await CONFIG.hiveClient.call(
|
|
1996
|
+
"condenser_api",
|
|
1997
|
+
"get_account_history",
|
|
1998
|
+
[username, start, limit, ...filters]
|
|
1999
|
+
);
|
|
2000
|
+
const mappedResults = response.map(([num, historyObj]) => ({
|
|
2001
|
+
...historyObj.op[1],
|
|
2002
|
+
num,
|
|
2003
|
+
timestamp: historyObj.timestamp
|
|
2004
|
+
}));
|
|
2005
|
+
const result = mappedResults.filter(
|
|
2006
|
+
(filtered) => filtered.voter === username && filtered.weight !== 0 && getDays(filtered.timestamp) <= dayLimit
|
|
2007
|
+
);
|
|
2008
|
+
const entries = [];
|
|
2009
|
+
for (const obj of result) {
|
|
2010
|
+
const post = await CONFIG.queryClient.fetchQuery(
|
|
2011
|
+
getPostQueryOptions(obj.author, obj.permlink)
|
|
2012
|
+
);
|
|
2013
|
+
if (isEntry(post)) entries.push(post);
|
|
2014
|
+
}
|
|
2015
|
+
const [firstHistory] = response;
|
|
2016
|
+
return {
|
|
2017
|
+
lastDate: firstHistory ? getDays(firstHistory[1].timestamp) : 0,
|
|
2018
|
+
lastItemFetched: firstHistory ? firstHistory[0] : start,
|
|
2019
|
+
entries
|
|
2020
|
+
};
|
|
2021
|
+
},
|
|
2022
|
+
getNextPageParam: (lastPage) => ({
|
|
2023
|
+
start: lastPage.lastItemFetched
|
|
2024
|
+
})
|
|
2025
|
+
});
|
|
2026
|
+
}
|
|
2027
|
+
|
|
2028
|
+
// src/modules/accounts/mutations/use-account-update.ts
|
|
2029
|
+
function useAccountUpdate(username) {
|
|
2030
|
+
const queryClient = useQueryClient();
|
|
2031
|
+
const { data } = useQuery(getAccountFullQueryOptions(username));
|
|
2032
|
+
return useBroadcastMutation(
|
|
2033
|
+
["accounts", "update"],
|
|
2034
|
+
username,
|
|
2035
|
+
(payload) => {
|
|
2036
|
+
if (!data) {
|
|
2037
|
+
throw new Error("[SDK][Accounts] \u2013 cannot update not existing account");
|
|
2038
|
+
}
|
|
2039
|
+
const profile = buildProfileMetadata({
|
|
2040
|
+
existingProfile: extractAccountProfile(data),
|
|
2041
|
+
profile: payload.profile,
|
|
2042
|
+
tokens: payload.tokens
|
|
2043
|
+
});
|
|
2044
|
+
return [
|
|
2045
|
+
[
|
|
2046
|
+
"account_update2",
|
|
2047
|
+
{
|
|
2048
|
+
account: username,
|
|
2049
|
+
json_metadata: "",
|
|
2050
|
+
extensions: [],
|
|
2051
|
+
posting_json_metadata: JSON.stringify({
|
|
2052
|
+
profile
|
|
2053
|
+
})
|
|
2054
|
+
}
|
|
2055
|
+
]
|
|
2056
|
+
];
|
|
2057
|
+
},
|
|
2058
|
+
(_, variables) => queryClient.setQueryData(
|
|
2059
|
+
getAccountFullQueryOptions(username).queryKey,
|
|
2060
|
+
(data2) => {
|
|
2061
|
+
if (!data2) {
|
|
2062
|
+
return data2;
|
|
2063
|
+
}
|
|
2064
|
+
const obj = R4.clone(data2);
|
|
2065
|
+
obj.profile = buildProfileMetadata({
|
|
2066
|
+
existingProfile: extractAccountProfile(data2),
|
|
2067
|
+
profile: variables.profile,
|
|
2068
|
+
tokens: variables.tokens
|
|
2069
|
+
});
|
|
2070
|
+
return obj;
|
|
2071
|
+
}
|
|
2072
|
+
)
|
|
2073
|
+
);
|
|
2074
|
+
}
|
|
2075
|
+
function useAccountRelationsUpdate(reference, target, onSuccess, onError) {
|
|
2076
|
+
return useMutation({
|
|
2077
|
+
mutationKey: ["accounts", "relation", "update", reference, target],
|
|
2078
|
+
mutationFn: async (kind) => {
|
|
2079
|
+
const relationsQuery = getRelationshipBetweenAccountsQueryOptions(
|
|
2080
|
+
reference,
|
|
2081
|
+
target
|
|
2082
|
+
);
|
|
2083
|
+
await getQueryClient().prefetchQuery(relationsQuery);
|
|
2084
|
+
const actualRelation = getQueryClient().getQueryData(
|
|
2085
|
+
relationsQuery.queryKey
|
|
2086
|
+
);
|
|
2087
|
+
await broadcastJson(reference, "follow", [
|
|
2088
|
+
"follow",
|
|
2089
|
+
{
|
|
2090
|
+
follower: reference,
|
|
2091
|
+
following: target,
|
|
2092
|
+
what: [
|
|
2093
|
+
...kind === "toggle-ignore" && !actualRelation?.ignores ? ["ignore"] : [],
|
|
2094
|
+
...kind === "toggle-follow" && !actualRelation?.follows ? ["blog"] : []
|
|
2095
|
+
]
|
|
2096
|
+
}
|
|
2097
|
+
]);
|
|
2098
|
+
return {
|
|
2099
|
+
...actualRelation,
|
|
2100
|
+
ignores: kind === "toggle-ignore" ? !actualRelation?.ignores : actualRelation?.ignores,
|
|
2101
|
+
follows: kind === "toggle-follow" ? !actualRelation?.follows : actualRelation?.follows
|
|
2102
|
+
};
|
|
2103
|
+
},
|
|
2104
|
+
onError,
|
|
2105
|
+
onSuccess(data) {
|
|
2106
|
+
onSuccess(data);
|
|
2107
|
+
getQueryClient().setQueryData(
|
|
2108
|
+
["accounts", "relations", reference, target],
|
|
2109
|
+
data
|
|
2110
|
+
);
|
|
2111
|
+
}
|
|
2112
|
+
});
|
|
2113
|
+
}
|
|
2114
|
+
function useBookmarkAdd(username, onSuccess, onError) {
|
|
2115
|
+
return useMutation({
|
|
2116
|
+
mutationKey: ["accounts", "bookmarks", "add", username],
|
|
2117
|
+
mutationFn: async ({ author, permlink }) => {
|
|
2118
|
+
if (!username) {
|
|
2119
|
+
throw new Error("[SDK][Account][Bookmarks] \u2013 no active user");
|
|
2120
|
+
}
|
|
2121
|
+
const fetchApi = getBoundFetch();
|
|
2122
|
+
const response = await fetchApi(
|
|
2123
|
+
CONFIG.privateApiHost + "/private-api/bookmarks-add",
|
|
2124
|
+
{
|
|
2125
|
+
method: "POST",
|
|
2126
|
+
headers: {
|
|
2127
|
+
"Content-Type": "application/json"
|
|
2128
|
+
},
|
|
2129
|
+
body: JSON.stringify({
|
|
2130
|
+
author,
|
|
2131
|
+
permlink,
|
|
2132
|
+
code: getAccessToken(username)
|
|
2133
|
+
})
|
|
2134
|
+
}
|
|
2135
|
+
);
|
|
2136
|
+
return response.json();
|
|
2137
|
+
},
|
|
2138
|
+
onSuccess: () => {
|
|
2139
|
+
onSuccess();
|
|
2140
|
+
getQueryClient().invalidateQueries({
|
|
2141
|
+
queryKey: ["accounts", "bookmarks", username]
|
|
2142
|
+
});
|
|
2143
|
+
},
|
|
2144
|
+
onError
|
|
2145
|
+
});
|
|
2146
|
+
}
|
|
2147
|
+
function useBookmarkDelete(username, onSuccess, onError) {
|
|
2148
|
+
return useMutation({
|
|
2149
|
+
mutationKey: ["accounts", "bookmarks", "delete", username],
|
|
2150
|
+
mutationFn: async (bookmarkId) => {
|
|
2151
|
+
if (!username) {
|
|
2152
|
+
throw new Error("[SDK][Account][Bookmarks] \u2013 no active user");
|
|
2153
|
+
}
|
|
2154
|
+
const fetchApi = getBoundFetch();
|
|
2155
|
+
const response = await fetchApi(
|
|
2156
|
+
CONFIG.privateApiHost + "/private-api/bookmarks-delete",
|
|
2157
|
+
{
|
|
2158
|
+
method: "POST",
|
|
2159
|
+
headers: {
|
|
2160
|
+
"Content-Type": "application/json"
|
|
2161
|
+
},
|
|
2162
|
+
body: JSON.stringify({
|
|
2163
|
+
id: bookmarkId,
|
|
2164
|
+
code: getAccessToken(username)
|
|
2165
|
+
})
|
|
2166
|
+
}
|
|
2167
|
+
);
|
|
2168
|
+
return response.json();
|
|
2169
|
+
},
|
|
2170
|
+
onSuccess: () => {
|
|
2171
|
+
onSuccess();
|
|
2172
|
+
getQueryClient().invalidateQueries({
|
|
2173
|
+
queryKey: ["accounts", "bookmarks", username]
|
|
2174
|
+
});
|
|
2175
|
+
},
|
|
2176
|
+
onError
|
|
2177
|
+
});
|
|
2178
|
+
}
|
|
2179
|
+
function useAccountFavouriteAdd(username, onSuccess, onError) {
|
|
2180
|
+
return useMutation({
|
|
2181
|
+
mutationKey: ["accounts", "favourites", "add", username],
|
|
2182
|
+
mutationFn: async (account) => {
|
|
2183
|
+
if (!username) {
|
|
2184
|
+
throw new Error("[SDK][Account][Bookmarks] \u2013 no active user");
|
|
2185
|
+
}
|
|
2186
|
+
const fetchApi = getBoundFetch();
|
|
2187
|
+
const response = await fetchApi(
|
|
2188
|
+
CONFIG.privateApiHost + "/private-api/favorites-add",
|
|
2189
|
+
{
|
|
2190
|
+
method: "POST",
|
|
2191
|
+
headers: {
|
|
2192
|
+
"Content-Type": "application/json"
|
|
2193
|
+
},
|
|
2194
|
+
body: JSON.stringify({
|
|
2195
|
+
account,
|
|
2196
|
+
code: getAccessToken(username)
|
|
2197
|
+
})
|
|
2198
|
+
}
|
|
2199
|
+
);
|
|
2200
|
+
return response.json();
|
|
2201
|
+
},
|
|
2202
|
+
onSuccess: () => {
|
|
2203
|
+
onSuccess();
|
|
2204
|
+
getQueryClient().invalidateQueries({
|
|
2205
|
+
queryKey: ["accounts", "favourites", username]
|
|
2206
|
+
});
|
|
2207
|
+
},
|
|
2208
|
+
onError
|
|
2209
|
+
});
|
|
2210
|
+
}
|
|
2211
|
+
function useAccountFavouriteDelete(username, onSuccess, onError) {
|
|
2212
|
+
return useMutation({
|
|
2213
|
+
mutationKey: ["accounts", "favourites", "add", username],
|
|
2214
|
+
mutationFn: async (account) => {
|
|
2215
|
+
if (!username) {
|
|
2216
|
+
throw new Error("[SDK][Account][Bookmarks] \u2013 no active user");
|
|
2217
|
+
}
|
|
2218
|
+
const fetchApi = getBoundFetch();
|
|
2219
|
+
const response = await fetchApi(
|
|
2220
|
+
CONFIG.privateApiHost + "/private-api/favorites-delete",
|
|
2221
|
+
{
|
|
2222
|
+
method: "POST",
|
|
2223
|
+
headers: {
|
|
2224
|
+
"Content-Type": "application/json"
|
|
2225
|
+
},
|
|
2226
|
+
body: JSON.stringify({
|
|
2227
|
+
account,
|
|
2228
|
+
code: getAccessToken(username)
|
|
2229
|
+
})
|
|
2230
|
+
}
|
|
2231
|
+
);
|
|
2232
|
+
return response.json();
|
|
2233
|
+
},
|
|
2234
|
+
onSuccess: () => {
|
|
2235
|
+
onSuccess();
|
|
2236
|
+
getQueryClient().invalidateQueries({
|
|
2237
|
+
queryKey: ["accounts", "favourites", username]
|
|
2238
|
+
});
|
|
2239
|
+
},
|
|
2240
|
+
onError
|
|
2241
|
+
});
|
|
2242
|
+
}
|
|
2243
|
+
function dedupeAndSortKeyAuths(existing, additions) {
|
|
2244
|
+
const merged = /* @__PURE__ */ new Map();
|
|
2245
|
+
existing.forEach(([key, weight]) => {
|
|
2246
|
+
merged.set(key.toString(), weight);
|
|
2247
|
+
});
|
|
2248
|
+
additions.forEach(([key, weight]) => {
|
|
2249
|
+
merged.set(key.toString(), weight);
|
|
2250
|
+
});
|
|
2251
|
+
return Array.from(merged.entries()).sort(([keyA], [keyB]) => keyA.localeCompare(keyB)).map(([key, weight]) => [key, weight]);
|
|
2252
|
+
}
|
|
2253
|
+
function useAccountUpdateKeyAuths(username, options) {
|
|
2254
|
+
const { data: accountData } = useQuery(getAccountFullQueryOptions(username));
|
|
2255
|
+
return useMutation({
|
|
2256
|
+
mutationKey: ["accounts", "keys-update", username],
|
|
2257
|
+
mutationFn: async ({ keys, keepCurrent = false, currentKey }) => {
|
|
2258
|
+
if (!accountData) {
|
|
2259
|
+
throw new Error(
|
|
2260
|
+
"[SDK][Update password] \u2013 cannot update keys for anon user"
|
|
2261
|
+
);
|
|
2262
|
+
}
|
|
2263
|
+
const prepareAuth = (keyName) => {
|
|
2264
|
+
const auth = R4.clone(accountData[keyName]);
|
|
2265
|
+
auth.key_auths = dedupeAndSortKeyAuths(
|
|
2266
|
+
keepCurrent ? auth.key_auths : [],
|
|
2267
|
+
keys.map(
|
|
2268
|
+
(values, i) => [values[keyName].createPublic().toString(), i + 1]
|
|
2269
|
+
)
|
|
2270
|
+
);
|
|
2271
|
+
return auth;
|
|
2272
|
+
};
|
|
2273
|
+
return CONFIG.hiveClient.broadcast.updateAccount(
|
|
2274
|
+
{
|
|
2275
|
+
account: username,
|
|
2276
|
+
json_metadata: accountData.json_metadata,
|
|
2277
|
+
owner: prepareAuth("owner"),
|
|
2278
|
+
active: prepareAuth("active"),
|
|
2279
|
+
posting: prepareAuth("posting"),
|
|
2280
|
+
memo_key: keepCurrent ? accountData.memo_key : keys[0].memo_key.createPublic().toString()
|
|
2281
|
+
},
|
|
2282
|
+
currentKey
|
|
2283
|
+
);
|
|
2284
|
+
},
|
|
2285
|
+
...options
|
|
2286
|
+
});
|
|
2287
|
+
}
|
|
2288
|
+
function useAccountUpdatePassword(username, options) {
|
|
2289
|
+
const { data: accountData } = useQuery(getAccountFullQueryOptions(username));
|
|
2290
|
+
const { mutateAsync: updateKeys } = useAccountUpdateKeyAuths(username);
|
|
2291
|
+
return useMutation({
|
|
2292
|
+
mutationKey: ["accounts", "password-update", username],
|
|
1003
2293
|
mutationFn: async ({
|
|
1004
2294
|
newPassword,
|
|
1005
2295
|
currentPassword,
|
|
@@ -1007,745 +2297,1585 @@ function useAccountUpdatePassword(username, options) {
|
|
|
1007
2297
|
}) => {
|
|
1008
2298
|
if (!accountData) {
|
|
1009
2299
|
throw new Error(
|
|
1010
|
-
"[SDK][Update password] \u2013 cannot update password for anon user"
|
|
2300
|
+
"[SDK][Update password] \u2013 cannot update password for anon user"
|
|
2301
|
+
);
|
|
2302
|
+
}
|
|
2303
|
+
const currentKey = PrivateKey.fromLogin(
|
|
2304
|
+
username,
|
|
2305
|
+
currentPassword,
|
|
2306
|
+
"owner"
|
|
2307
|
+
);
|
|
2308
|
+
return updateKeys({
|
|
2309
|
+
currentKey,
|
|
2310
|
+
keepCurrent,
|
|
2311
|
+
keys: [
|
|
2312
|
+
{
|
|
2313
|
+
owner: PrivateKey.fromLogin(username, newPassword, "owner"),
|
|
2314
|
+
active: PrivateKey.fromLogin(username, newPassword, "active"),
|
|
2315
|
+
posting: PrivateKey.fromLogin(username, newPassword, "posting"),
|
|
2316
|
+
memo_key: PrivateKey.fromLogin(username, newPassword, "memo")
|
|
2317
|
+
}
|
|
2318
|
+
]
|
|
2319
|
+
});
|
|
2320
|
+
},
|
|
2321
|
+
...options
|
|
2322
|
+
});
|
|
2323
|
+
}
|
|
2324
|
+
function useAccountRevokePosting(username, options) {
|
|
2325
|
+
const queryClient = useQueryClient();
|
|
2326
|
+
const { data } = useQuery(getAccountFullQueryOptions(username));
|
|
2327
|
+
return useMutation({
|
|
2328
|
+
mutationKey: ["accounts", "revoke-posting", data?.name],
|
|
2329
|
+
mutationFn: async ({ accountName, type, key }) => {
|
|
2330
|
+
if (!data) {
|
|
2331
|
+
throw new Error(
|
|
2332
|
+
"[SDK][Accounts] \u2013\xA0cannot revoke posting for anonymous user"
|
|
2333
|
+
);
|
|
2334
|
+
}
|
|
2335
|
+
const posting = R4.pipe(
|
|
2336
|
+
{},
|
|
2337
|
+
R4.mergeDeep(data.posting)
|
|
2338
|
+
);
|
|
2339
|
+
posting.account_auths = posting.account_auths.filter(
|
|
2340
|
+
([account]) => account !== accountName
|
|
2341
|
+
);
|
|
2342
|
+
const operationBody = {
|
|
2343
|
+
account: data.name,
|
|
2344
|
+
posting,
|
|
2345
|
+
memo_key: data.memo_key,
|
|
2346
|
+
json_metadata: data.json_metadata
|
|
2347
|
+
};
|
|
2348
|
+
if (type === "key" && key) {
|
|
2349
|
+
return CONFIG.hiveClient.broadcast.updateAccount(operationBody, key);
|
|
2350
|
+
} else if (type === "keychain") {
|
|
2351
|
+
return keychain_exports.broadcast(
|
|
2352
|
+
data.name,
|
|
2353
|
+
[["account_update", operationBody]],
|
|
2354
|
+
"Active"
|
|
2355
|
+
);
|
|
2356
|
+
} else {
|
|
2357
|
+
const params = {
|
|
2358
|
+
callback: `https://ecency.com/@${data.name}/permissions`
|
|
2359
|
+
};
|
|
2360
|
+
return hs.sendOperation(
|
|
2361
|
+
["account_update", operationBody],
|
|
2362
|
+
params,
|
|
2363
|
+
() => {
|
|
2364
|
+
}
|
|
2365
|
+
);
|
|
2366
|
+
}
|
|
2367
|
+
},
|
|
2368
|
+
onError: options.onError,
|
|
2369
|
+
onSuccess: (resp, payload, ctx) => {
|
|
2370
|
+
options.onSuccess?.(resp, payload, ctx);
|
|
2371
|
+
queryClient.setQueryData(
|
|
2372
|
+
getAccountFullQueryOptions(username).queryKey,
|
|
2373
|
+
(data2) => ({
|
|
2374
|
+
...data2,
|
|
2375
|
+
posting: {
|
|
2376
|
+
...data2?.posting,
|
|
2377
|
+
account_auths: data2?.posting?.account_auths?.filter(
|
|
2378
|
+
([account]) => account !== payload.accountName
|
|
2379
|
+
) ?? []
|
|
2380
|
+
}
|
|
2381
|
+
})
|
|
2382
|
+
);
|
|
2383
|
+
}
|
|
2384
|
+
});
|
|
2385
|
+
}
|
|
2386
|
+
function useAccountUpdateRecovery(username, options) {
|
|
2387
|
+
const { data } = useQuery(getAccountFullQueryOptions(username));
|
|
2388
|
+
return useMutation({
|
|
2389
|
+
mutationKey: ["accounts", "recovery", data?.name],
|
|
2390
|
+
mutationFn: async ({ accountName, type, key, email }) => {
|
|
2391
|
+
if (!data) {
|
|
2392
|
+
throw new Error(
|
|
2393
|
+
"[SDK][Accounts] \u2013\xA0cannot change recovery for anonymous user"
|
|
2394
|
+
);
|
|
2395
|
+
}
|
|
2396
|
+
const operationBody = {
|
|
2397
|
+
account_to_recover: data.name,
|
|
2398
|
+
new_recovery_account: accountName,
|
|
2399
|
+
extensions: []
|
|
2400
|
+
};
|
|
2401
|
+
if (type === "ecency") {
|
|
2402
|
+
const fetchApi = getBoundFetch();
|
|
2403
|
+
return fetchApi(CONFIG.privateApiHost + "/private-api/recoveries-add", {
|
|
2404
|
+
method: "POST",
|
|
2405
|
+
body: JSON.stringify({
|
|
2406
|
+
code: getAccessToken(data.name),
|
|
2407
|
+
email,
|
|
2408
|
+
publicKeys: [
|
|
2409
|
+
...data.owner.key_auths,
|
|
2410
|
+
...data.active.key_auths,
|
|
2411
|
+
...data.posting.key_auths,
|
|
2412
|
+
data.memo_key
|
|
2413
|
+
]
|
|
2414
|
+
})
|
|
2415
|
+
});
|
|
2416
|
+
} else if (type === "key" && key) {
|
|
2417
|
+
return CONFIG.hiveClient.broadcast.sendOperations(
|
|
2418
|
+
[["change_recovery_account", operationBody]],
|
|
2419
|
+
key
|
|
2420
|
+
);
|
|
2421
|
+
} else if (type === "keychain") {
|
|
2422
|
+
return keychain_exports.broadcast(
|
|
2423
|
+
data.name,
|
|
2424
|
+
[["change_recovery_account", operationBody]],
|
|
2425
|
+
"Active"
|
|
2426
|
+
);
|
|
2427
|
+
} else {
|
|
2428
|
+
const params = {
|
|
2429
|
+
callback: `https://ecency.com/@${data.name}/permissions`
|
|
2430
|
+
};
|
|
2431
|
+
return hs.sendOperation(
|
|
2432
|
+
["change_recovery_account", operationBody],
|
|
2433
|
+
params,
|
|
2434
|
+
() => {
|
|
2435
|
+
}
|
|
2436
|
+
);
|
|
2437
|
+
}
|
|
2438
|
+
},
|
|
2439
|
+
onError: options.onError,
|
|
2440
|
+
onSuccess: options.onSuccess
|
|
2441
|
+
});
|
|
2442
|
+
}
|
|
2443
|
+
function useAccountRevokeKey(username, options) {
|
|
2444
|
+
const { data: accountData } = useQuery(getAccountFullQueryOptions(username));
|
|
2445
|
+
return useMutation({
|
|
2446
|
+
mutationKey: ["accounts", "revoke-key", accountData?.name],
|
|
2447
|
+
mutationFn: async ({ currentKey, revokingKey }) => {
|
|
2448
|
+
if (!accountData) {
|
|
2449
|
+
throw new Error(
|
|
2450
|
+
"[SDK][Update password] \u2013 cannot update keys for anon user"
|
|
2451
|
+
);
|
|
2452
|
+
}
|
|
2453
|
+
const prepareAuth = (keyName) => {
|
|
2454
|
+
const auth = R4.clone(accountData[keyName]);
|
|
2455
|
+
auth.key_auths = auth.key_auths.filter(
|
|
2456
|
+
([key]) => key !== revokingKey.toString()
|
|
2457
|
+
);
|
|
2458
|
+
return auth;
|
|
2459
|
+
};
|
|
2460
|
+
return CONFIG.hiveClient.broadcast.updateAccount(
|
|
2461
|
+
{
|
|
2462
|
+
account: accountData.name,
|
|
2463
|
+
json_metadata: accountData.json_metadata,
|
|
2464
|
+
owner: prepareAuth("owner"),
|
|
2465
|
+
active: prepareAuth("active"),
|
|
2466
|
+
posting: prepareAuth("posting"),
|
|
2467
|
+
memo_key: accountData.memo_key
|
|
2468
|
+
},
|
|
2469
|
+
currentKey
|
|
2470
|
+
);
|
|
2471
|
+
},
|
|
2472
|
+
...options
|
|
2473
|
+
});
|
|
2474
|
+
}
|
|
2475
|
+
function useSignOperationByKey(username) {
|
|
2476
|
+
return useMutation({
|
|
2477
|
+
mutationKey: ["operations", "sign", username],
|
|
2478
|
+
mutationFn: ({
|
|
2479
|
+
operation,
|
|
2480
|
+
keyOrSeed
|
|
2481
|
+
}) => {
|
|
2482
|
+
if (!username) {
|
|
2483
|
+
throw new Error("[Operations][Sign] \u2013 cannot sign op with anon user");
|
|
2484
|
+
}
|
|
2485
|
+
let privateKey;
|
|
2486
|
+
if (keyOrSeed.split(" ").length === 12) {
|
|
2487
|
+
privateKey = PrivateKey.fromLogin(username, keyOrSeed, "active");
|
|
2488
|
+
} else if (cryptoUtils.isWif(keyOrSeed)) {
|
|
2489
|
+
privateKey = PrivateKey.fromString(keyOrSeed);
|
|
2490
|
+
} else {
|
|
2491
|
+
privateKey = PrivateKey.from(keyOrSeed);
|
|
2492
|
+
}
|
|
2493
|
+
return CONFIG.hiveClient.broadcast.sendOperations(
|
|
2494
|
+
[operation],
|
|
2495
|
+
privateKey
|
|
2496
|
+
);
|
|
2497
|
+
}
|
|
2498
|
+
});
|
|
2499
|
+
}
|
|
2500
|
+
function useSignOperationByKeychain(username, keyType = "Active") {
|
|
2501
|
+
return useMutation({
|
|
2502
|
+
mutationKey: ["operations", "sign-keychain", username],
|
|
2503
|
+
mutationFn: ({ operation }) => {
|
|
2504
|
+
if (!username) {
|
|
2505
|
+
throw new Error(
|
|
2506
|
+
"[SDK][Keychain] \u2013\xA0cannot sign operation with anon user"
|
|
1011
2507
|
);
|
|
1012
2508
|
}
|
|
1013
|
-
|
|
1014
|
-
|
|
1015
|
-
|
|
1016
|
-
|
|
2509
|
+
return keychain_exports.broadcast(username, [operation], keyType);
|
|
2510
|
+
}
|
|
2511
|
+
});
|
|
2512
|
+
}
|
|
2513
|
+
function useSignOperationByHivesigner(callbackUri = "/") {
|
|
2514
|
+
return useMutation({
|
|
2515
|
+
mutationKey: ["operations", "sign-hivesigner", callbackUri],
|
|
2516
|
+
mutationFn: async ({ operation }) => {
|
|
2517
|
+
return hs.sendOperation(operation, { callback: callbackUri }, () => {
|
|
2518
|
+
});
|
|
2519
|
+
}
|
|
2520
|
+
});
|
|
2521
|
+
}
|
|
2522
|
+
function getChainPropertiesQueryOptions() {
|
|
2523
|
+
return queryOptions({
|
|
2524
|
+
queryKey: ["operations", "chain-properties"],
|
|
2525
|
+
queryFn: async () => {
|
|
2526
|
+
return await CONFIG.hiveClient.database.getChainProperties();
|
|
2527
|
+
}
|
|
2528
|
+
});
|
|
2529
|
+
}
|
|
2530
|
+
function useAddFragment(username) {
|
|
2531
|
+
return useMutation({
|
|
2532
|
+
mutationKey: ["posts", "add-fragment", username],
|
|
2533
|
+
mutationFn: async ({ title, body }) => {
|
|
2534
|
+
const fetchApi = getBoundFetch();
|
|
2535
|
+
const response = await fetchApi(
|
|
2536
|
+
CONFIG.privateApiHost + "/private-api/fragments-add",
|
|
2537
|
+
{
|
|
2538
|
+
method: "POST",
|
|
2539
|
+
body: JSON.stringify({
|
|
2540
|
+
code: getAccessToken(username),
|
|
2541
|
+
title,
|
|
2542
|
+
body
|
|
2543
|
+
}),
|
|
2544
|
+
headers: {
|
|
2545
|
+
"Content-Type": "application/json"
|
|
2546
|
+
}
|
|
2547
|
+
}
|
|
1017
2548
|
);
|
|
1018
|
-
return
|
|
1019
|
-
|
|
1020
|
-
|
|
1021
|
-
|
|
1022
|
-
|
|
1023
|
-
|
|
1024
|
-
|
|
1025
|
-
|
|
1026
|
-
|
|
2549
|
+
return response.json();
|
|
2550
|
+
},
|
|
2551
|
+
onSuccess(response) {
|
|
2552
|
+
getQueryClient().setQueryData(
|
|
2553
|
+
getFragmentsQueryOptions(username).queryKey,
|
|
2554
|
+
(data) => [response, ...data ?? []]
|
|
2555
|
+
);
|
|
2556
|
+
}
|
|
2557
|
+
});
|
|
2558
|
+
}
|
|
2559
|
+
function useEditFragment(username, fragmentId) {
|
|
2560
|
+
return useMutation({
|
|
2561
|
+
mutationKey: ["posts", "edit-fragment", username, fragmentId],
|
|
2562
|
+
mutationFn: async ({ title, body }) => {
|
|
2563
|
+
const fetchApi = getBoundFetch();
|
|
2564
|
+
const response = await fetchApi(
|
|
2565
|
+
CONFIG.privateApiHost + "/private-api/fragments-update",
|
|
2566
|
+
{
|
|
2567
|
+
method: "POST",
|
|
2568
|
+
body: JSON.stringify({
|
|
2569
|
+
code: getAccessToken(username),
|
|
2570
|
+
id: fragmentId,
|
|
2571
|
+
title,
|
|
2572
|
+
body
|
|
2573
|
+
}),
|
|
2574
|
+
headers: {
|
|
2575
|
+
"Content-Type": "application/json"
|
|
1027
2576
|
}
|
|
1028
|
-
|
|
2577
|
+
}
|
|
2578
|
+
);
|
|
2579
|
+
return response.json();
|
|
2580
|
+
},
|
|
2581
|
+
onSuccess(response) {
|
|
2582
|
+
getQueryClient().setQueryData(
|
|
2583
|
+
getFragmentsQueryOptions(username).queryKey,
|
|
2584
|
+
(data) => {
|
|
2585
|
+
if (!data) {
|
|
2586
|
+
return [];
|
|
2587
|
+
}
|
|
2588
|
+
const index = data.findIndex(({ id }) => id === fragmentId);
|
|
2589
|
+
if (index >= 0) {
|
|
2590
|
+
data[index] = response;
|
|
2591
|
+
}
|
|
2592
|
+
return [...data];
|
|
2593
|
+
}
|
|
2594
|
+
);
|
|
2595
|
+
}
|
|
2596
|
+
});
|
|
2597
|
+
}
|
|
2598
|
+
function useRemoveFragment(username, fragmentId) {
|
|
2599
|
+
return useMutation({
|
|
2600
|
+
mutationKey: ["posts", "remove-fragment", username],
|
|
2601
|
+
mutationFn: async () => {
|
|
2602
|
+
const fetchApi = getBoundFetch();
|
|
2603
|
+
return fetchApi(CONFIG.privateApiHost + "/private-api/fragments-delete", {
|
|
2604
|
+
method: "POST",
|
|
2605
|
+
body: JSON.stringify({
|
|
2606
|
+
code: getAccessToken(username),
|
|
2607
|
+
id: fragmentId
|
|
2608
|
+
}),
|
|
2609
|
+
headers: {
|
|
2610
|
+
"Content-Type": "application/json"
|
|
2611
|
+
}
|
|
1029
2612
|
});
|
|
1030
2613
|
},
|
|
1031
|
-
|
|
2614
|
+
onSuccess() {
|
|
2615
|
+
getQueryClient().setQueryData(
|
|
2616
|
+
getFragmentsQueryOptions(username).queryKey,
|
|
2617
|
+
(data) => [...data ?? []].filter(({ id }) => id !== fragmentId)
|
|
2618
|
+
);
|
|
2619
|
+
}
|
|
2620
|
+
});
|
|
2621
|
+
}
|
|
2622
|
+
|
|
2623
|
+
// src/modules/analytics/mutations/index.ts
|
|
2624
|
+
var mutations_exports = {};
|
|
2625
|
+
__export(mutations_exports, {
|
|
2626
|
+
useRecordActivity: () => useRecordActivity
|
|
2627
|
+
});
|
|
2628
|
+
function useRecordActivity(username, activityType) {
|
|
2629
|
+
return useMutation({
|
|
2630
|
+
mutationKey: ["analytics", activityType],
|
|
2631
|
+
mutationFn: async () => {
|
|
2632
|
+
if (!activityType) {
|
|
2633
|
+
throw new Error("[SDK][Analytics] \u2013 no activity type provided");
|
|
2634
|
+
}
|
|
2635
|
+
const fetchApi = getBoundFetch();
|
|
2636
|
+
await fetchApi(CONFIG.plausibleHost + "/api/event", {
|
|
2637
|
+
method: "POST",
|
|
2638
|
+
headers: {
|
|
2639
|
+
"Content-Type": "application/json"
|
|
2640
|
+
},
|
|
2641
|
+
body: JSON.stringify({
|
|
2642
|
+
name: activityType,
|
|
2643
|
+
url: window.location.href,
|
|
2644
|
+
domain: window.location.host,
|
|
2645
|
+
props: {
|
|
2646
|
+
username
|
|
2647
|
+
}
|
|
2648
|
+
})
|
|
2649
|
+
});
|
|
2650
|
+
}
|
|
2651
|
+
});
|
|
2652
|
+
}
|
|
2653
|
+
function getDiscoverLeaderboardQueryOptions(duration) {
|
|
2654
|
+
return queryOptions({
|
|
2655
|
+
queryKey: ["analytics", "discover-leaderboard", duration],
|
|
2656
|
+
queryFn: async ({ signal }) => {
|
|
2657
|
+
const response = await fetch(
|
|
2658
|
+
CONFIG.privateApiHost + `/private-api/leaderboard/${duration}`,
|
|
2659
|
+
{ signal }
|
|
2660
|
+
);
|
|
2661
|
+
if (!response.ok) {
|
|
2662
|
+
throw new Error(`Failed to fetch leaderboard: ${response.status}`);
|
|
2663
|
+
}
|
|
2664
|
+
return response.json();
|
|
2665
|
+
}
|
|
2666
|
+
});
|
|
2667
|
+
}
|
|
2668
|
+
function getDiscoverCurationQueryOptions(duration) {
|
|
2669
|
+
return queryOptions({
|
|
2670
|
+
queryKey: ["analytics", "discover-curation", duration],
|
|
2671
|
+
queryFn: async ({ signal }) => {
|
|
2672
|
+
const response = await fetch(
|
|
2673
|
+
CONFIG.privateApiHost + `/private-api/curation/${duration}`,
|
|
2674
|
+
{ signal }
|
|
2675
|
+
);
|
|
2676
|
+
if (!response.ok) {
|
|
2677
|
+
throw new Error(`Failed to fetch curation data: ${response.status}`);
|
|
2678
|
+
}
|
|
2679
|
+
const data = await response.json();
|
|
2680
|
+
const accounts = data.map((item) => item.account);
|
|
2681
|
+
const accountsResponse = await CONFIG.hiveClient.database.getAccounts(accounts);
|
|
2682
|
+
for (let index = 0; index < accountsResponse.length; index++) {
|
|
2683
|
+
const element = accountsResponse[index];
|
|
2684
|
+
const curator = data[index];
|
|
2685
|
+
const vestingShares = typeof element.vesting_shares === "string" ? element.vesting_shares : element.vesting_shares.toString();
|
|
2686
|
+
const receivedVestingShares = typeof element.received_vesting_shares === "string" ? element.received_vesting_shares : element.received_vesting_shares.toString();
|
|
2687
|
+
const delegatedVestingShares = typeof element.delegated_vesting_shares === "string" ? element.delegated_vesting_shares : element.delegated_vesting_shares.toString();
|
|
2688
|
+
const vestingWithdrawRate = typeof element.vesting_withdraw_rate === "string" ? element.vesting_withdraw_rate : element.vesting_withdraw_rate.toString();
|
|
2689
|
+
const effectiveVest = parseFloat(vestingShares) + parseFloat(receivedVestingShares) - parseFloat(delegatedVestingShares) - parseFloat(vestingWithdrawRate);
|
|
2690
|
+
curator.efficiency = curator.vests / effectiveVest;
|
|
2691
|
+
}
|
|
2692
|
+
data.sort((a, b) => b.efficiency - a.efficiency);
|
|
2693
|
+
return data;
|
|
2694
|
+
}
|
|
2695
|
+
});
|
|
2696
|
+
}
|
|
2697
|
+
function getPageStatsQueryOptions(url, dimensions = [], metrics = ["visitors", "pageviews", "visit_duration"], dateRange) {
|
|
2698
|
+
return queryOptions({
|
|
2699
|
+
queryKey: ["analytics", "page-stats", url, dimensions, metrics, dateRange],
|
|
2700
|
+
queryFn: async ({ signal }) => {
|
|
2701
|
+
const response = await fetch(CONFIG.privateApiHost + "/api/stats", {
|
|
2702
|
+
method: "POST",
|
|
2703
|
+
headers: {
|
|
2704
|
+
"Content-Type": "application/json"
|
|
2705
|
+
},
|
|
2706
|
+
body: JSON.stringify({
|
|
2707
|
+
metrics,
|
|
2708
|
+
url: encodeURIComponent(url),
|
|
2709
|
+
dimensions,
|
|
2710
|
+
date_range: dateRange
|
|
2711
|
+
}),
|
|
2712
|
+
signal
|
|
2713
|
+
});
|
|
2714
|
+
if (!response.ok) {
|
|
2715
|
+
throw new Error(`Failed to fetch page stats: ${response.status}`);
|
|
2716
|
+
}
|
|
2717
|
+
return response.json();
|
|
2718
|
+
},
|
|
2719
|
+
enabled: !!url
|
|
2720
|
+
});
|
|
2721
|
+
}
|
|
2722
|
+
|
|
2723
|
+
// src/modules/integrations/3speak/queries/index.ts
|
|
2724
|
+
var queries_exports2 = {};
|
|
2725
|
+
__export(queries_exports2, {
|
|
2726
|
+
getAccountTokenQueryOptions: () => getAccountTokenQueryOptions,
|
|
2727
|
+
getAccountVideosQueryOptions: () => getAccountVideosQueryOptions
|
|
2728
|
+
});
|
|
2729
|
+
|
|
2730
|
+
// src/modules/integrations/hivesigner/queries/index.ts
|
|
2731
|
+
var queries_exports = {};
|
|
2732
|
+
__export(queries_exports, {
|
|
2733
|
+
getDecodeMemoQueryOptions: () => getDecodeMemoQueryOptions
|
|
2734
|
+
});
|
|
2735
|
+
function getDecodeMemoQueryOptions(username, memo) {
|
|
2736
|
+
return queryOptions({
|
|
2737
|
+
queryKey: ["integrations", "hivesigner", "decode-memo", username],
|
|
2738
|
+
queryFn: async () => {
|
|
2739
|
+
const accessToken = getAccessToken(username);
|
|
2740
|
+
if (accessToken) {
|
|
2741
|
+
const hsClient = new hs.Client({
|
|
2742
|
+
accessToken
|
|
2743
|
+
});
|
|
2744
|
+
return hsClient.decode(memo);
|
|
2745
|
+
}
|
|
2746
|
+
}
|
|
2747
|
+
});
|
|
2748
|
+
}
|
|
2749
|
+
|
|
2750
|
+
// src/modules/integrations/hivesigner/index.ts
|
|
2751
|
+
var HiveSignerIntegration = {
|
|
2752
|
+
queries: queries_exports
|
|
2753
|
+
};
|
|
2754
|
+
|
|
2755
|
+
// src/modules/integrations/3speak/queries/get-account-token-query-options.ts
|
|
2756
|
+
function getAccountTokenQueryOptions(username) {
|
|
2757
|
+
return queryOptions({
|
|
2758
|
+
queryKey: ["integrations", "3speak", "authenticate", username],
|
|
2759
|
+
enabled: !!username,
|
|
2760
|
+
queryFn: async () => {
|
|
2761
|
+
if (!username) {
|
|
2762
|
+
throw new Error("[SDK][Integrations][3Speak] \u2013\xA0anon user");
|
|
2763
|
+
}
|
|
2764
|
+
const fetchApi = getBoundFetch();
|
|
2765
|
+
const response = await fetchApi(
|
|
2766
|
+
`https://studio.3speak.tv/mobile/login?username=${username}&hivesigner=true`,
|
|
2767
|
+
{
|
|
2768
|
+
headers: {
|
|
2769
|
+
"Content-Type": "application/json"
|
|
2770
|
+
}
|
|
2771
|
+
}
|
|
2772
|
+
);
|
|
2773
|
+
const memoQueryOptions = HiveSignerIntegration.queries.getDecodeMemoQueryOptions(
|
|
2774
|
+
username,
|
|
2775
|
+
(await response.json()).memo
|
|
2776
|
+
);
|
|
2777
|
+
await getQueryClient().prefetchQuery(memoQueryOptions);
|
|
2778
|
+
const { memoDecoded } = getQueryClient().getQueryData(
|
|
2779
|
+
memoQueryOptions.queryKey
|
|
2780
|
+
);
|
|
2781
|
+
return memoDecoded.replace("#", "");
|
|
2782
|
+
}
|
|
1032
2783
|
});
|
|
1033
2784
|
}
|
|
1034
|
-
function
|
|
1035
|
-
|
|
1036
|
-
|
|
1037
|
-
|
|
1038
|
-
|
|
1039
|
-
|
|
1040
|
-
|
|
1041
|
-
throw new Error(
|
|
1042
|
-
"[SDK][Accounts] \u2013\xA0cannot revoke posting for anonymous user"
|
|
1043
|
-
);
|
|
1044
|
-
}
|
|
1045
|
-
const posting = R4.pipe(
|
|
1046
|
-
{},
|
|
1047
|
-
R4.mergeDeep(data.posting)
|
|
2785
|
+
function getAccountVideosQueryOptions(username) {
|
|
2786
|
+
return queryOptions({
|
|
2787
|
+
queryKey: ["integrations", "3speak", "videos", username],
|
|
2788
|
+
enabled: !!username,
|
|
2789
|
+
queryFn: async () => {
|
|
2790
|
+
await getQueryClient().prefetchQuery(
|
|
2791
|
+
getAccountTokenQueryOptions(username)
|
|
1048
2792
|
);
|
|
1049
|
-
|
|
1050
|
-
(
|
|
2793
|
+
const token = getQueryClient().getQueryData(
|
|
2794
|
+
getAccountTokenQueryOptions(username).queryKey
|
|
1051
2795
|
);
|
|
1052
|
-
const
|
|
1053
|
-
|
|
1054
|
-
|
|
1055
|
-
|
|
1056
|
-
|
|
1057
|
-
|
|
1058
|
-
|
|
1059
|
-
return CONFIG.hiveClient.broadcast.updateAccount(operationBody, key);
|
|
1060
|
-
} else if (type === "keychain") {
|
|
1061
|
-
return keychain_exports.broadcast(
|
|
1062
|
-
data.name,
|
|
1063
|
-
[["account_update", operationBody]],
|
|
1064
|
-
"Active"
|
|
1065
|
-
);
|
|
1066
|
-
} else {
|
|
1067
|
-
const params = {
|
|
1068
|
-
callback: `https://ecency.com/@${data.name}/permissions`
|
|
1069
|
-
};
|
|
1070
|
-
return hs.sendOperation(
|
|
1071
|
-
["account_update", operationBody],
|
|
1072
|
-
params,
|
|
1073
|
-
() => {
|
|
1074
|
-
}
|
|
1075
|
-
);
|
|
1076
|
-
}
|
|
1077
|
-
},
|
|
1078
|
-
onError: options.onError,
|
|
1079
|
-
onSuccess: (resp, payload, ctx) => {
|
|
1080
|
-
options.onSuccess?.(resp, payload, ctx);
|
|
1081
|
-
queryClient.setQueryData(
|
|
1082
|
-
getAccountFullQueryOptions(username).queryKey,
|
|
1083
|
-
(data2) => ({
|
|
1084
|
-
...data2,
|
|
1085
|
-
posting: {
|
|
1086
|
-
...data2?.posting,
|
|
1087
|
-
account_auths: data2?.posting?.account_auths?.filter(
|
|
1088
|
-
([account]) => account !== payload.accountName
|
|
1089
|
-
) ?? []
|
|
2796
|
+
const fetchApi = getBoundFetch();
|
|
2797
|
+
const response = await fetchApi(
|
|
2798
|
+
`https://studio.3speak.tv/mobile/api/my-videos`,
|
|
2799
|
+
{
|
|
2800
|
+
headers: {
|
|
2801
|
+
"Content-Type": "application/json",
|
|
2802
|
+
Authorization: `Bearer ${token}`
|
|
1090
2803
|
}
|
|
1091
|
-
}
|
|
2804
|
+
}
|
|
1092
2805
|
);
|
|
2806
|
+
return await response.json();
|
|
1093
2807
|
}
|
|
1094
2808
|
});
|
|
1095
2809
|
}
|
|
1096
|
-
|
|
1097
|
-
|
|
1098
|
-
|
|
1099
|
-
|
|
1100
|
-
|
|
1101
|
-
|
|
1102
|
-
|
|
1103
|
-
|
|
1104
|
-
|
|
1105
|
-
|
|
1106
|
-
|
|
1107
|
-
|
|
1108
|
-
new_recovery_account: accountName,
|
|
1109
|
-
extensions: []
|
|
1110
|
-
};
|
|
1111
|
-
if (type === "ecency") {
|
|
2810
|
+
|
|
2811
|
+
// src/modules/integrations/3speak/index.ts
|
|
2812
|
+
var ThreeSpeakIntegration = {
|
|
2813
|
+
queries: queries_exports2
|
|
2814
|
+
};
|
|
2815
|
+
function getHivePoshLinksQueryOptions(username) {
|
|
2816
|
+
return queryOptions({
|
|
2817
|
+
queryKey: ["integrations", "hiveposh", "links", username],
|
|
2818
|
+
retry: false,
|
|
2819
|
+
// Don't retry on user not found errors
|
|
2820
|
+
queryFn: async () => {
|
|
2821
|
+
try {
|
|
1112
2822
|
const fetchApi = getBoundFetch();
|
|
1113
|
-
|
|
1114
|
-
|
|
1115
|
-
|
|
1116
|
-
|
|
1117
|
-
|
|
1118
|
-
|
|
1119
|
-
...data.owner.key_auths,
|
|
1120
|
-
...data.active.key_auths,
|
|
1121
|
-
...data.posting.key_auths,
|
|
1122
|
-
data.memo_key
|
|
1123
|
-
]
|
|
1124
|
-
})
|
|
1125
|
-
});
|
|
1126
|
-
} else if (type === "key" && key) {
|
|
1127
|
-
return CONFIG.hiveClient.broadcast.sendOperations(
|
|
1128
|
-
[["change_recovery_account", operationBody]],
|
|
1129
|
-
key
|
|
1130
|
-
);
|
|
1131
|
-
} else if (type === "keychain") {
|
|
1132
|
-
return keychain_exports.broadcast(
|
|
1133
|
-
data.name,
|
|
1134
|
-
[["change_recovery_account", operationBody]],
|
|
1135
|
-
"Active"
|
|
1136
|
-
);
|
|
1137
|
-
} else {
|
|
1138
|
-
const params = {
|
|
1139
|
-
callback: `https://ecency.com/@${data.name}/permissions`
|
|
1140
|
-
};
|
|
1141
|
-
return hs.sendOperation(
|
|
1142
|
-
["change_recovery_account", operationBody],
|
|
1143
|
-
params,
|
|
1144
|
-
() => {
|
|
2823
|
+
const response = await fetchApi(
|
|
2824
|
+
`https://hiveposh.com/api/v0/linked-accounts/${username}`,
|
|
2825
|
+
{
|
|
2826
|
+
headers: {
|
|
2827
|
+
"Content-Type": "application/json"
|
|
2828
|
+
}
|
|
1145
2829
|
}
|
|
1146
2830
|
);
|
|
2831
|
+
if (response.status === 400) {
|
|
2832
|
+
const errorData = await response.json().catch(() => ({}));
|
|
2833
|
+
if (errorData?.message === "User Not Connected") {
|
|
2834
|
+
return null;
|
|
2835
|
+
}
|
|
2836
|
+
}
|
|
2837
|
+
if (!response.ok) {
|
|
2838
|
+
return null;
|
|
2839
|
+
}
|
|
2840
|
+
const data = await response.json();
|
|
2841
|
+
return {
|
|
2842
|
+
twitter: {
|
|
2843
|
+
username: data.twitter_username,
|
|
2844
|
+
profile: data.twitter_profile
|
|
2845
|
+
},
|
|
2846
|
+
reddit: {
|
|
2847
|
+
username: data.reddit_username,
|
|
2848
|
+
profile: data.reddit_profile
|
|
2849
|
+
}
|
|
2850
|
+
};
|
|
2851
|
+
} catch (err) {
|
|
2852
|
+
return null;
|
|
1147
2853
|
}
|
|
2854
|
+
}
|
|
2855
|
+
});
|
|
2856
|
+
}
|
|
2857
|
+
function getStatsQueryOptions({
|
|
2858
|
+
url,
|
|
2859
|
+
dimensions = [],
|
|
2860
|
+
metrics = ["visitors", "pageviews", "visit_duration"],
|
|
2861
|
+
enabled = true
|
|
2862
|
+
}) {
|
|
2863
|
+
return queryOptions({
|
|
2864
|
+
queryKey: ["integrations", "plausible", url, dimensions, metrics],
|
|
2865
|
+
queryFn: async () => {
|
|
2866
|
+
const fetchApi = getBoundFetch();
|
|
2867
|
+
const response = await fetchApi(`https://ecency.com/api/stats`, {
|
|
2868
|
+
method: "POST",
|
|
2869
|
+
body: JSON.stringify({
|
|
2870
|
+
metrics,
|
|
2871
|
+
url: encodeURIComponent(url),
|
|
2872
|
+
dimensions
|
|
2873
|
+
}),
|
|
2874
|
+
headers: {
|
|
2875
|
+
"Content-Type": "application/json"
|
|
2876
|
+
}
|
|
2877
|
+
});
|
|
2878
|
+
return await response.json();
|
|
1148
2879
|
},
|
|
1149
|
-
|
|
1150
|
-
onSuccess: options.onSuccess
|
|
2880
|
+
enabled: !!url && enabled
|
|
1151
2881
|
});
|
|
1152
2882
|
}
|
|
1153
|
-
function
|
|
1154
|
-
|
|
1155
|
-
|
|
1156
|
-
|
|
1157
|
-
|
|
1158
|
-
|
|
1159
|
-
|
|
1160
|
-
|
|
1161
|
-
);
|
|
1162
|
-
}
|
|
1163
|
-
const prepareAuth = (keyName) => {
|
|
1164
|
-
const auth = R4.clone(accountData[keyName]);
|
|
1165
|
-
auth.key_auths = auth.key_auths.filter(
|
|
1166
|
-
([key]) => key !== revokingKey.toString()
|
|
1167
|
-
);
|
|
1168
|
-
return auth;
|
|
1169
|
-
};
|
|
1170
|
-
return CONFIG.hiveClient.broadcast.updateAccount(
|
|
1171
|
-
{
|
|
1172
|
-
account: accountData.name,
|
|
1173
|
-
json_metadata: accountData.json_metadata,
|
|
1174
|
-
owner: prepareAuth("owner"),
|
|
1175
|
-
active: prepareAuth("active"),
|
|
1176
|
-
posting: prepareAuth("posting"),
|
|
1177
|
-
memo_key: accountData.memo_key
|
|
1178
|
-
},
|
|
1179
|
-
currentKey
|
|
2883
|
+
function getRcStatsQueryOptions() {
|
|
2884
|
+
return queryOptions({
|
|
2885
|
+
queryKey: ["resource-credits", "stats"],
|
|
2886
|
+
queryFn: async () => {
|
|
2887
|
+
const response = await CONFIG.hiveClient.call(
|
|
2888
|
+
"rc_api",
|
|
2889
|
+
"get_rc_stats",
|
|
2890
|
+
{}
|
|
1180
2891
|
);
|
|
2892
|
+
return response.rc_stats;
|
|
2893
|
+
}
|
|
2894
|
+
});
|
|
2895
|
+
}
|
|
2896
|
+
function getAccountRcQueryOptions(username) {
|
|
2897
|
+
return queryOptions({
|
|
2898
|
+
queryKey: ["resource-credits", "account", username],
|
|
2899
|
+
queryFn: async () => {
|
|
2900
|
+
const rcClient = new RCAPI(CONFIG.hiveClient);
|
|
2901
|
+
return rcClient.findRCAccounts([username]);
|
|
1181
2902
|
},
|
|
1182
|
-
|
|
2903
|
+
enabled: !!username
|
|
1183
2904
|
});
|
|
1184
2905
|
}
|
|
1185
|
-
function
|
|
1186
|
-
return
|
|
1187
|
-
|
|
1188
|
-
|
|
1189
|
-
|
|
1190
|
-
keyOrSeed
|
|
1191
|
-
}) => {
|
|
2906
|
+
function getGameStatusCheckQueryOptions(username, gameType) {
|
|
2907
|
+
return queryOptions({
|
|
2908
|
+
queryKey: ["games", "status-check", gameType, username],
|
|
2909
|
+
enabled: !!username,
|
|
2910
|
+
queryFn: async () => {
|
|
1192
2911
|
if (!username) {
|
|
1193
|
-
throw new Error("[
|
|
1194
|
-
}
|
|
1195
|
-
let privateKey;
|
|
1196
|
-
if (keyOrSeed.split(" ").length === 12) {
|
|
1197
|
-
privateKey = PrivateKey.fromLogin(username, keyOrSeed, "active");
|
|
1198
|
-
} else if (cryptoUtils.isWif(keyOrSeed)) {
|
|
1199
|
-
privateKey = PrivateKey.fromString(keyOrSeed);
|
|
1200
|
-
} else {
|
|
1201
|
-
privateKey = PrivateKey.from(keyOrSeed);
|
|
2912
|
+
throw new Error("[SDK][Games] \u2013 anon user in status check");
|
|
1202
2913
|
}
|
|
1203
|
-
|
|
1204
|
-
|
|
1205
|
-
|
|
2914
|
+
const fetchApi = getBoundFetch();
|
|
2915
|
+
const response = await fetchApi(
|
|
2916
|
+
CONFIG.privateApiHost + "/private-api/get-game",
|
|
2917
|
+
{
|
|
2918
|
+
method: "POST",
|
|
2919
|
+
body: JSON.stringify({
|
|
2920
|
+
game_type: gameType,
|
|
2921
|
+
code: getAccessToken(username)
|
|
2922
|
+
}),
|
|
2923
|
+
headers: {
|
|
2924
|
+
"Content-Type": "application/json"
|
|
2925
|
+
}
|
|
2926
|
+
}
|
|
1206
2927
|
);
|
|
2928
|
+
return await response.json();
|
|
1207
2929
|
}
|
|
1208
2930
|
});
|
|
1209
2931
|
}
|
|
1210
|
-
function
|
|
2932
|
+
function useGameClaim(username, gameType, key) {
|
|
2933
|
+
const { mutateAsync: recordActivity } = useRecordActivity(
|
|
2934
|
+
username,
|
|
2935
|
+
"spin-rolled"
|
|
2936
|
+
);
|
|
1211
2937
|
return useMutation({
|
|
1212
|
-
mutationKey: ["
|
|
1213
|
-
mutationFn: (
|
|
2938
|
+
mutationKey: ["games", "post", gameType, username],
|
|
2939
|
+
mutationFn: async () => {
|
|
1214
2940
|
if (!username) {
|
|
1215
|
-
throw new Error(
|
|
1216
|
-
"[SDK][Keychain] \u2013\xA0cannot sign operation with anon user"
|
|
1217
|
-
);
|
|
2941
|
+
throw new Error("[SDK][Games] \u2013 anon user in game post");
|
|
1218
2942
|
}
|
|
1219
|
-
|
|
2943
|
+
const fetchApi = getBoundFetch();
|
|
2944
|
+
const response = await fetchApi(
|
|
2945
|
+
CONFIG.privateApiHost + "/private-api/post-game",
|
|
2946
|
+
{
|
|
2947
|
+
method: "POST",
|
|
2948
|
+
body: JSON.stringify({
|
|
2949
|
+
game_type: gameType,
|
|
2950
|
+
code: getAccessToken(username),
|
|
2951
|
+
key
|
|
2952
|
+
}),
|
|
2953
|
+
headers: {
|
|
2954
|
+
"Content-Type": "application/json"
|
|
2955
|
+
}
|
|
2956
|
+
}
|
|
2957
|
+
);
|
|
2958
|
+
return await response.json();
|
|
2959
|
+
},
|
|
2960
|
+
onSuccess() {
|
|
2961
|
+
recordActivity();
|
|
1220
2962
|
}
|
|
1221
2963
|
});
|
|
1222
2964
|
}
|
|
1223
|
-
function
|
|
1224
|
-
return
|
|
1225
|
-
|
|
1226
|
-
|
|
1227
|
-
|
|
1228
|
-
|
|
2965
|
+
function getCommunitiesQueryOptions(sort, query, limit = 100, observer = void 0, enabled = true) {
|
|
2966
|
+
return queryOptions({
|
|
2967
|
+
queryKey: ["communities", "list", sort, query, limit],
|
|
2968
|
+
enabled,
|
|
2969
|
+
queryFn: async () => {
|
|
2970
|
+
const response = await CONFIG.hiveClient.call(
|
|
2971
|
+
"bridge",
|
|
2972
|
+
"list_communities",
|
|
2973
|
+
{
|
|
2974
|
+
last: "",
|
|
2975
|
+
limit,
|
|
2976
|
+
sort: sort === "hot" ? "rank" : sort,
|
|
2977
|
+
query: query ? query : null,
|
|
2978
|
+
observer
|
|
2979
|
+
}
|
|
2980
|
+
);
|
|
2981
|
+
return response ? sort === "hot" ? response.sort(() => Math.random() - 0.5) : response : [];
|
|
1229
2982
|
}
|
|
1230
2983
|
});
|
|
1231
2984
|
}
|
|
1232
|
-
function
|
|
2985
|
+
function getCommunityContextQueryOptions(username, communityName) {
|
|
1233
2986
|
return queryOptions({
|
|
1234
|
-
queryKey: ["
|
|
2987
|
+
queryKey: ["community", "context", username, communityName],
|
|
2988
|
+
enabled: !!username && !!communityName,
|
|
1235
2989
|
queryFn: async () => {
|
|
1236
|
-
|
|
2990
|
+
const response = await CONFIG.hiveClient.call(
|
|
2991
|
+
"bridge",
|
|
2992
|
+
"get_community_context",
|
|
2993
|
+
{
|
|
2994
|
+
account: username,
|
|
2995
|
+
name: communityName
|
|
2996
|
+
}
|
|
2997
|
+
);
|
|
2998
|
+
return {
|
|
2999
|
+
role: response?.role ?? "guest",
|
|
3000
|
+
subscribed: response?.subscribed ?? false
|
|
3001
|
+
};
|
|
1237
3002
|
}
|
|
1238
3003
|
});
|
|
1239
3004
|
}
|
|
1240
|
-
function
|
|
3005
|
+
function getCommunitySubscribersQueryOptions(communityName) {
|
|
3006
|
+
return queryOptions({
|
|
3007
|
+
queryKey: ["communities", "subscribers", communityName],
|
|
3008
|
+
queryFn: async () => {
|
|
3009
|
+
const response = await CONFIG.hiveClient.call("bridge", "list_subscribers", {
|
|
3010
|
+
community: communityName
|
|
3011
|
+
});
|
|
3012
|
+
return response ?? [];
|
|
3013
|
+
},
|
|
3014
|
+
staleTime: 6e4
|
|
3015
|
+
});
|
|
3016
|
+
}
|
|
3017
|
+
function getAccountNotificationsInfiniteQueryOptions(account, limit) {
|
|
1241
3018
|
return infiniteQueryOptions({
|
|
1242
|
-
queryKey: ["
|
|
1243
|
-
|
|
1244
|
-
|
|
1245
|
-
|
|
1246
|
-
|
|
1247
|
-
|
|
1248
|
-
|
|
1249
|
-
|
|
1250
|
-
|
|
1251
|
-
|
|
3019
|
+
queryKey: ["communities", "account-notifications", account, limit],
|
|
3020
|
+
initialPageParam: null,
|
|
3021
|
+
queryFn: async ({ pageParam }) => {
|
|
3022
|
+
try {
|
|
3023
|
+
const response = await CONFIG.hiveClient.call("bridge", "account_notifications", {
|
|
3024
|
+
account,
|
|
3025
|
+
limit,
|
|
3026
|
+
last_id: pageParam ?? void 0
|
|
3027
|
+
});
|
|
3028
|
+
return response ?? [];
|
|
3029
|
+
} catch {
|
|
3030
|
+
return [];
|
|
3031
|
+
}
|
|
3032
|
+
},
|
|
3033
|
+
getNextPageParam: (lastPage) => lastPage?.length > 0 ? lastPage[lastPage.length - 1].id : null
|
|
1252
3034
|
});
|
|
1253
3035
|
}
|
|
1254
|
-
function
|
|
3036
|
+
function getRewardedCommunitiesQueryOptions() {
|
|
1255
3037
|
return queryOptions({
|
|
1256
|
-
queryKey: ["
|
|
3038
|
+
queryKey: ["communities", "rewarded"],
|
|
1257
3039
|
queryFn: async () => {
|
|
1258
|
-
const
|
|
1259
|
-
|
|
1260
|
-
CONFIG.privateApiHost + "/private-api/fragments",
|
|
3040
|
+
const response = await fetch(
|
|
3041
|
+
CONFIG.privateApiHost + "/private-api/rewarded-communities",
|
|
1261
3042
|
{
|
|
1262
|
-
method: "
|
|
1263
|
-
body: JSON.stringify({
|
|
1264
|
-
code: getAccessToken(username)
|
|
1265
|
-
}),
|
|
3043
|
+
method: "GET",
|
|
1266
3044
|
headers: {
|
|
1267
3045
|
"Content-Type": "application/json"
|
|
1268
3046
|
}
|
|
1269
3047
|
}
|
|
1270
3048
|
);
|
|
3049
|
+
if (!response.ok) {
|
|
3050
|
+
throw new Error(`Failed to fetch rewarded communities: ${response.status}`);
|
|
3051
|
+
}
|
|
1271
3052
|
return response.json();
|
|
1272
|
-
}
|
|
1273
|
-
enabled: !!username
|
|
3053
|
+
}
|
|
1274
3054
|
});
|
|
1275
3055
|
}
|
|
1276
|
-
|
|
1277
|
-
|
|
1278
|
-
|
|
1279
|
-
|
|
1280
|
-
|
|
1281
|
-
|
|
1282
|
-
|
|
1283
|
-
|
|
1284
|
-
|
|
1285
|
-
|
|
1286
|
-
|
|
1287
|
-
|
|
1288
|
-
|
|
1289
|
-
|
|
1290
|
-
|
|
1291
|
-
|
|
1292
|
-
|
|
1293
|
-
|
|
1294
|
-
|
|
3056
|
+
|
|
3057
|
+
// src/modules/communities/types/community.ts
|
|
3058
|
+
var ROLES = /* @__PURE__ */ ((ROLES2) => {
|
|
3059
|
+
ROLES2["OWNER"] = "owner";
|
|
3060
|
+
ROLES2["ADMIN"] = "admin";
|
|
3061
|
+
ROLES2["MOD"] = "mod";
|
|
3062
|
+
ROLES2["MEMBER"] = "member";
|
|
3063
|
+
ROLES2["GUEST"] = "guest";
|
|
3064
|
+
ROLES2["MUTED"] = "muted";
|
|
3065
|
+
return ROLES2;
|
|
3066
|
+
})(ROLES || {});
|
|
3067
|
+
var roleMap = {
|
|
3068
|
+
["owner" /* OWNER */]: [
|
|
3069
|
+
"admin" /* ADMIN */,
|
|
3070
|
+
"mod" /* MOD */,
|
|
3071
|
+
"member" /* MEMBER */,
|
|
3072
|
+
"guest" /* GUEST */,
|
|
3073
|
+
"muted" /* MUTED */
|
|
3074
|
+
],
|
|
3075
|
+
["admin" /* ADMIN */]: ["mod" /* MOD */, "member" /* MEMBER */, "guest" /* GUEST */, "muted" /* MUTED */],
|
|
3076
|
+
["mod" /* MOD */]: ["member" /* MEMBER */, "guest" /* GUEST */, "muted" /* MUTED */]
|
|
3077
|
+
};
|
|
3078
|
+
|
|
3079
|
+
// src/modules/communities/utils/index.ts
|
|
3080
|
+
function getCommunityType(name, type_id) {
|
|
3081
|
+
if (name.startsWith("hive-3") || type_id === 3) return "Council";
|
|
3082
|
+
if (name.startsWith("hive-2") || type_id === 2) return "Journal";
|
|
3083
|
+
return "Topic";
|
|
3084
|
+
}
|
|
3085
|
+
function getCommunityPermissions({
|
|
3086
|
+
communityType,
|
|
3087
|
+
userRole,
|
|
3088
|
+
subscribed
|
|
3089
|
+
}) {
|
|
3090
|
+
const canPost = (() => {
|
|
3091
|
+
if (userRole === "muted" /* MUTED */) return false;
|
|
3092
|
+
if (communityType === "Topic") return true;
|
|
3093
|
+
return ["owner" /* OWNER */, "admin" /* ADMIN */, "mod" /* MOD */, "member" /* MEMBER */].includes(
|
|
3094
|
+
userRole
|
|
3095
|
+
);
|
|
3096
|
+
})();
|
|
3097
|
+
const canComment = (() => {
|
|
3098
|
+
if (userRole === "muted" /* MUTED */) return false;
|
|
3099
|
+
switch (communityType) {
|
|
3100
|
+
case "Topic":
|
|
3101
|
+
return true;
|
|
3102
|
+
case "Journal":
|
|
3103
|
+
return userRole !== "guest" /* GUEST */ || subscribed;
|
|
3104
|
+
case "Council":
|
|
3105
|
+
return canPost;
|
|
1295
3106
|
}
|
|
1296
|
-
});
|
|
3107
|
+
})();
|
|
3108
|
+
const isModerator = ["owner" /* OWNER */, "admin" /* ADMIN */, "mod" /* MOD */].includes(userRole);
|
|
3109
|
+
return {
|
|
3110
|
+
canPost,
|
|
3111
|
+
canComment,
|
|
3112
|
+
isModerator
|
|
3113
|
+
};
|
|
1297
3114
|
}
|
|
1298
|
-
function
|
|
1299
|
-
return
|
|
1300
|
-
|
|
1301
|
-
|
|
1302
|
-
const
|
|
1303
|
-
|
|
1304
|
-
CONFIG.privateApiHost + "/private-api/fragments-add",
|
|
3115
|
+
function getNotificationsUnreadCountQueryOptions(activeUsername) {
|
|
3116
|
+
return queryOptions({
|
|
3117
|
+
queryKey: ["notifications", "unread", activeUsername],
|
|
3118
|
+
queryFn: async () => {
|
|
3119
|
+
const response = await fetch(
|
|
3120
|
+
`${CONFIG.privateApiHost}/private-api/notifications/unread`,
|
|
1305
3121
|
{
|
|
1306
3122
|
method: "POST",
|
|
1307
|
-
body: JSON.stringify({
|
|
1308
|
-
code: getAccessToken(username),
|
|
1309
|
-
title,
|
|
1310
|
-
body
|
|
1311
|
-
}),
|
|
3123
|
+
body: JSON.stringify({ code: getAccessToken(activeUsername) }),
|
|
1312
3124
|
headers: {
|
|
1313
3125
|
"Content-Type": "application/json"
|
|
1314
3126
|
}
|
|
1315
3127
|
}
|
|
1316
3128
|
);
|
|
1317
|
-
|
|
3129
|
+
const data = await response.json();
|
|
3130
|
+
return data.count;
|
|
1318
3131
|
},
|
|
1319
|
-
|
|
1320
|
-
|
|
1321
|
-
|
|
1322
|
-
(data) => [response, ...data ?? []]
|
|
1323
|
-
);
|
|
1324
|
-
}
|
|
3132
|
+
enabled: !!activeUsername,
|
|
3133
|
+
initialData: 0,
|
|
3134
|
+
refetchInterval: 6e4
|
|
1325
3135
|
});
|
|
1326
3136
|
}
|
|
1327
|
-
function
|
|
1328
|
-
return
|
|
1329
|
-
|
|
1330
|
-
|
|
1331
|
-
const
|
|
1332
|
-
|
|
1333
|
-
|
|
3137
|
+
function getNotificationsInfiniteQueryOptions(activeUsername, filter = void 0) {
|
|
3138
|
+
return infiniteQueryOptions({
|
|
3139
|
+
queryKey: ["notifications", activeUsername, filter],
|
|
3140
|
+
queryFn: async ({ pageParam }) => {
|
|
3141
|
+
const data = {
|
|
3142
|
+
code: getAccessToken(activeUsername),
|
|
3143
|
+
filter,
|
|
3144
|
+
since: pageParam,
|
|
3145
|
+
user: void 0
|
|
3146
|
+
};
|
|
3147
|
+
const response = await fetch(
|
|
3148
|
+
CONFIG.privateApiHost + "/private-api/notifications",
|
|
1334
3149
|
{
|
|
1335
3150
|
method: "POST",
|
|
1336
|
-
body: JSON.stringify({
|
|
1337
|
-
code: getAccessToken(username),
|
|
1338
|
-
id: fragmentId,
|
|
1339
|
-
title,
|
|
1340
|
-
body
|
|
1341
|
-
}),
|
|
1342
3151
|
headers: {
|
|
1343
3152
|
"Content-Type": "application/json"
|
|
1344
|
-
}
|
|
3153
|
+
},
|
|
3154
|
+
body: JSON.stringify(data)
|
|
1345
3155
|
}
|
|
1346
3156
|
);
|
|
1347
3157
|
return response.json();
|
|
1348
3158
|
},
|
|
1349
|
-
|
|
1350
|
-
|
|
1351
|
-
|
|
1352
|
-
|
|
1353
|
-
|
|
1354
|
-
|
|
1355
|
-
|
|
1356
|
-
|
|
1357
|
-
|
|
1358
|
-
|
|
3159
|
+
enabled: !!activeUsername,
|
|
3160
|
+
initialData: { pages: [], pageParams: [] },
|
|
3161
|
+
initialPageParam: "",
|
|
3162
|
+
getNextPageParam: (lastPage) => lastPage?.[lastPage.length - 1]?.id ?? "",
|
|
3163
|
+
refetchOnMount: true
|
|
3164
|
+
});
|
|
3165
|
+
}
|
|
3166
|
+
|
|
3167
|
+
// src/modules/notifications/enums/notification-filter.ts
|
|
3168
|
+
var NotificationFilter = /* @__PURE__ */ ((NotificationFilter2) => {
|
|
3169
|
+
NotificationFilter2["VOTES"] = "rvotes";
|
|
3170
|
+
NotificationFilter2["MENTIONS"] = "mentions";
|
|
3171
|
+
NotificationFilter2["FAVORITES"] = "nfavorites";
|
|
3172
|
+
NotificationFilter2["BOOKMARKS"] = "nbookmarks";
|
|
3173
|
+
NotificationFilter2["FOLLOWS"] = "follows";
|
|
3174
|
+
NotificationFilter2["REPLIES"] = "replies";
|
|
3175
|
+
NotificationFilter2["REBLOGS"] = "reblogs";
|
|
3176
|
+
NotificationFilter2["TRANSFERS"] = "transfers";
|
|
3177
|
+
NotificationFilter2["DELEGATIONS"] = "delegations";
|
|
3178
|
+
return NotificationFilter2;
|
|
3179
|
+
})(NotificationFilter || {});
|
|
3180
|
+
|
|
3181
|
+
// src/modules/notifications/enums/notify-types.ts
|
|
3182
|
+
var NotifyTypes = /* @__PURE__ */ ((NotifyTypes2) => {
|
|
3183
|
+
NotifyTypes2[NotifyTypes2["VOTE"] = 1] = "VOTE";
|
|
3184
|
+
NotifyTypes2[NotifyTypes2["MENTION"] = 2] = "MENTION";
|
|
3185
|
+
NotifyTypes2[NotifyTypes2["FOLLOW"] = 3] = "FOLLOW";
|
|
3186
|
+
NotifyTypes2[NotifyTypes2["COMMENT"] = 4] = "COMMENT";
|
|
3187
|
+
NotifyTypes2[NotifyTypes2["RE_BLOG"] = 5] = "RE_BLOG";
|
|
3188
|
+
NotifyTypes2[NotifyTypes2["TRANSFERS"] = 6] = "TRANSFERS";
|
|
3189
|
+
NotifyTypes2[NotifyTypes2["FAVORITES"] = 13] = "FAVORITES";
|
|
3190
|
+
NotifyTypes2[NotifyTypes2["BOOKMARKS"] = 15] = "BOOKMARKS";
|
|
3191
|
+
NotifyTypes2["ALLOW_NOTIFY"] = "ALLOW_NOTIFY";
|
|
3192
|
+
return NotifyTypes2;
|
|
3193
|
+
})(NotifyTypes || {});
|
|
3194
|
+
var ALL_NOTIFY_TYPES = [
|
|
3195
|
+
1 /* VOTE */,
|
|
3196
|
+
2 /* MENTION */,
|
|
3197
|
+
3 /* FOLLOW */,
|
|
3198
|
+
4 /* COMMENT */,
|
|
3199
|
+
5 /* RE_BLOG */,
|
|
3200
|
+
6 /* TRANSFERS */,
|
|
3201
|
+
13 /* FAVORITES */,
|
|
3202
|
+
15 /* BOOKMARKS */
|
|
3203
|
+
];
|
|
3204
|
+
var NotificationViewType = /* @__PURE__ */ ((NotificationViewType2) => {
|
|
3205
|
+
NotificationViewType2["ALL"] = "All";
|
|
3206
|
+
NotificationViewType2["UNREAD"] = "Unread";
|
|
3207
|
+
NotificationViewType2["READ"] = "Read";
|
|
3208
|
+
return NotificationViewType2;
|
|
3209
|
+
})(NotificationViewType || {});
|
|
3210
|
+
|
|
3211
|
+
// src/modules/notifications/queries/get-notifications-settings-query-options.ts
|
|
3212
|
+
function getNotificationsSettingsQueryOptions(activeUsername) {
|
|
3213
|
+
return queryOptions({
|
|
3214
|
+
queryKey: ["notifications", "settings", activeUsername],
|
|
3215
|
+
queryFn: async () => {
|
|
3216
|
+
let token = activeUsername + "-web";
|
|
3217
|
+
const response = await fetch(
|
|
3218
|
+
CONFIG.privateApiHost + "/private-api/detail-device",
|
|
3219
|
+
{
|
|
3220
|
+
body: JSON.stringify({
|
|
3221
|
+
code: getAccessToken(activeUsername),
|
|
3222
|
+
username: activeUsername,
|
|
3223
|
+
token
|
|
3224
|
+
}),
|
|
3225
|
+
method: "POST",
|
|
3226
|
+
headers: {
|
|
3227
|
+
"Content-Type": "application/json"
|
|
1359
3228
|
}
|
|
1360
|
-
return [...data];
|
|
1361
3229
|
}
|
|
1362
3230
|
);
|
|
3231
|
+
if (!response.ok) {
|
|
3232
|
+
throw new Error(`Failed to fetch notification settings: ${response.status}`);
|
|
3233
|
+
}
|
|
3234
|
+
return response.json();
|
|
3235
|
+
},
|
|
3236
|
+
enabled: !!activeUsername,
|
|
3237
|
+
refetchOnMount: false,
|
|
3238
|
+
initialData: () => {
|
|
3239
|
+
const wasMutedPreviously = typeof window !== "undefined" ? localStorage.getItem("notifications") !== "true" : false;
|
|
3240
|
+
return {
|
|
3241
|
+
status: 0,
|
|
3242
|
+
system: "web",
|
|
3243
|
+
allows_notify: 0,
|
|
3244
|
+
notify_types: wasMutedPreviously ? [] : [
|
|
3245
|
+
4 /* COMMENT */,
|
|
3246
|
+
3 /* FOLLOW */,
|
|
3247
|
+
2 /* MENTION */,
|
|
3248
|
+
13 /* FAVORITES */,
|
|
3249
|
+
15 /* BOOKMARKS */,
|
|
3250
|
+
1 /* VOTE */,
|
|
3251
|
+
5 /* RE_BLOG */,
|
|
3252
|
+
6 /* TRANSFERS */
|
|
3253
|
+
]
|
|
3254
|
+
};
|
|
1363
3255
|
}
|
|
1364
3256
|
});
|
|
1365
3257
|
}
|
|
1366
|
-
function
|
|
1367
|
-
return
|
|
1368
|
-
|
|
1369
|
-
|
|
1370
|
-
const
|
|
1371
|
-
|
|
1372
|
-
method: "POST",
|
|
1373
|
-
body: JSON.stringify({
|
|
1374
|
-
code: getAccessToken(username),
|
|
1375
|
-
id: fragmentId
|
|
1376
|
-
}),
|
|
3258
|
+
function getAnnouncementsQueryOptions() {
|
|
3259
|
+
return queryOptions({
|
|
3260
|
+
queryKey: ["notifications", "announcements"],
|
|
3261
|
+
queryFn: async () => {
|
|
3262
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/announcements", {
|
|
3263
|
+
method: "GET",
|
|
1377
3264
|
headers: {
|
|
1378
3265
|
"Content-Type": "application/json"
|
|
1379
3266
|
}
|
|
1380
3267
|
});
|
|
3268
|
+
if (!response.ok) {
|
|
3269
|
+
throw new Error(`Failed to fetch announcements: ${response.status}`);
|
|
3270
|
+
}
|
|
3271
|
+
const data = await response.json();
|
|
3272
|
+
return data || [];
|
|
1381
3273
|
},
|
|
1382
|
-
|
|
1383
|
-
getQueryClient().setQueryData(
|
|
1384
|
-
getFragmentsQueryOptions(username).queryKey,
|
|
1385
|
-
(data) => [...data ?? []].filter(({ id }) => id !== fragmentId)
|
|
1386
|
-
);
|
|
1387
|
-
}
|
|
3274
|
+
staleTime: 36e5
|
|
1388
3275
|
});
|
|
1389
3276
|
}
|
|
1390
|
-
|
|
1391
|
-
|
|
1392
|
-
|
|
1393
|
-
|
|
1394
|
-
|
|
1395
|
-
|
|
1396
|
-
|
|
1397
|
-
|
|
1398
|
-
|
|
1399
|
-
|
|
1400
|
-
|
|
1401
|
-
|
|
3277
|
+
function getProposalQueryOptions(id) {
|
|
3278
|
+
return queryOptions({
|
|
3279
|
+
queryKey: ["proposals", "proposal", id],
|
|
3280
|
+
queryFn: async () => {
|
|
3281
|
+
const r = await CONFIG.hiveClient.call("condenser_api", "find_proposals", [[id]]);
|
|
3282
|
+
const proposal = r[0];
|
|
3283
|
+
if (new Date(proposal.start_date) < /* @__PURE__ */ new Date() && new Date(proposal.end_date) >= /* @__PURE__ */ new Date()) {
|
|
3284
|
+
proposal.status = "active";
|
|
3285
|
+
} else if (new Date(proposal.end_date) < /* @__PURE__ */ new Date()) {
|
|
3286
|
+
proposal.status = "expired";
|
|
3287
|
+
} else {
|
|
3288
|
+
proposal.status = "inactive";
|
|
1402
3289
|
}
|
|
1403
|
-
|
|
1404
|
-
|
|
1405
|
-
|
|
1406
|
-
|
|
1407
|
-
|
|
1408
|
-
|
|
1409
|
-
|
|
1410
|
-
|
|
1411
|
-
|
|
1412
|
-
|
|
1413
|
-
|
|
1414
|
-
|
|
1415
|
-
|
|
1416
|
-
|
|
3290
|
+
return proposal;
|
|
3291
|
+
}
|
|
3292
|
+
});
|
|
3293
|
+
}
|
|
3294
|
+
function getProposalsQueryOptions() {
|
|
3295
|
+
return queryOptions({
|
|
3296
|
+
queryKey: ["proposals", "list"],
|
|
3297
|
+
queryFn: async () => {
|
|
3298
|
+
const response = await CONFIG.hiveClient.call("database_api", "list_proposals", {
|
|
3299
|
+
start: [-1],
|
|
3300
|
+
limit: 500,
|
|
3301
|
+
order: "by_total_votes",
|
|
3302
|
+
order_direction: "descending",
|
|
3303
|
+
status: "all"
|
|
1417
3304
|
});
|
|
3305
|
+
const proposals = response.proposals;
|
|
3306
|
+
const expired = proposals.filter((x) => x.status === "expired");
|
|
3307
|
+
const others = proposals.filter((x) => x.status !== "expired");
|
|
3308
|
+
return [...others, ...expired];
|
|
1418
3309
|
}
|
|
1419
3310
|
});
|
|
1420
3311
|
}
|
|
1421
|
-
|
|
1422
|
-
|
|
1423
|
-
|
|
1424
|
-
|
|
1425
|
-
|
|
1426
|
-
|
|
1427
|
-
|
|
1428
|
-
|
|
1429
|
-
|
|
1430
|
-
|
|
1431
|
-
|
|
1432
|
-
|
|
1433
|
-
|
|
1434
|
-
|
|
3312
|
+
function getProposalVotesInfiniteQueryOptions(proposalId, voter, limit) {
|
|
3313
|
+
return infiniteQueryOptions({
|
|
3314
|
+
queryKey: ["proposals", "votes", proposalId, voter, limit],
|
|
3315
|
+
initialPageParam: voter,
|
|
3316
|
+
refetchOnMount: true,
|
|
3317
|
+
staleTime: 0,
|
|
3318
|
+
// Always refetch on mount
|
|
3319
|
+
queryFn: async ({ pageParam }) => {
|
|
3320
|
+
const startParam = pageParam ?? voter;
|
|
3321
|
+
const response = await CONFIG.hiveClient.call("condenser_api", "list_proposal_votes", [
|
|
3322
|
+
[proposalId, startParam],
|
|
3323
|
+
limit,
|
|
3324
|
+
"by_proposal_voter"
|
|
3325
|
+
]);
|
|
3326
|
+
const list = response.filter((x) => x.proposal?.proposal_id === proposalId).map((x) => ({ id: x.id, voter: x.voter }));
|
|
3327
|
+
const rawAccounts = await CONFIG.hiveClient.database.getAccounts(list.map((l) => l.voter));
|
|
3328
|
+
const accounts = parseAccounts(rawAccounts);
|
|
3329
|
+
const page = list.map((i) => ({
|
|
3330
|
+
...i,
|
|
3331
|
+
voterAccount: accounts.find((a) => i.voter === a.name)
|
|
3332
|
+
}));
|
|
3333
|
+
return page;
|
|
3334
|
+
},
|
|
3335
|
+
getNextPageParam: (lastPage) => {
|
|
3336
|
+
const last = lastPage?.[lastPage.length - 1];
|
|
3337
|
+
return last?.voter ?? void 0;
|
|
3338
|
+
}
|
|
3339
|
+
});
|
|
3340
|
+
}
|
|
3341
|
+
function getUserProposalVotesQueryOptions(voter) {
|
|
1435
3342
|
return queryOptions({
|
|
1436
|
-
queryKey: ["
|
|
3343
|
+
queryKey: ["proposals", "votes", "by-user", voter],
|
|
3344
|
+
enabled: !!voter && voter !== "",
|
|
3345
|
+
staleTime: 60 * 1e3,
|
|
3346
|
+
// Cache for 1 minute
|
|
1437
3347
|
queryFn: async () => {
|
|
1438
|
-
|
|
1439
|
-
|
|
1440
|
-
const hsClient = new hs.Client({
|
|
1441
|
-
accessToken
|
|
1442
|
-
});
|
|
1443
|
-
return hsClient.decode(memo);
|
|
3348
|
+
if (!voter || voter === "") {
|
|
3349
|
+
return [];
|
|
1444
3350
|
}
|
|
3351
|
+
const response = await CONFIG.hiveClient.call("database_api", "list_proposal_votes", {
|
|
3352
|
+
start: [voter],
|
|
3353
|
+
limit: 1e3,
|
|
3354
|
+
order: "by_voter_proposal",
|
|
3355
|
+
order_direction: "ascending",
|
|
3356
|
+
status: "votable"
|
|
3357
|
+
});
|
|
3358
|
+
const userVotes = (response.proposal_votes || []).filter((vote) => vote.voter === voter);
|
|
3359
|
+
return userVotes;
|
|
1445
3360
|
}
|
|
1446
3361
|
});
|
|
1447
3362
|
}
|
|
1448
|
-
|
|
1449
|
-
// src/modules/integrations/hivesigner/index.ts
|
|
1450
|
-
var HiveSignerIntegration = {
|
|
1451
|
-
queries: queries_exports
|
|
1452
|
-
};
|
|
1453
|
-
|
|
1454
|
-
// src/modules/integrations/3speak/queries/get-account-token-query-options.ts
|
|
1455
|
-
function getAccountTokenQueryOptions(username) {
|
|
3363
|
+
function getVestingDelegationsQueryOptions(username, from, limit = 50) {
|
|
1456
3364
|
return queryOptions({
|
|
1457
|
-
queryKey: ["
|
|
1458
|
-
|
|
1459
|
-
|
|
1460
|
-
|
|
1461
|
-
|
|
3365
|
+
queryKey: ["wallet", "vesting-delegations", username, from, limit],
|
|
3366
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_vesting_delegations", [
|
|
3367
|
+
username,
|
|
3368
|
+
from,
|
|
3369
|
+
limit
|
|
3370
|
+
]),
|
|
3371
|
+
enabled: !!username
|
|
3372
|
+
});
|
|
3373
|
+
}
|
|
3374
|
+
function getConversionRequestsQueryOptions(account) {
|
|
3375
|
+
return queryOptions({
|
|
3376
|
+
queryKey: ["wallet", "conversion-requests", account],
|
|
3377
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_conversion_requests", [
|
|
3378
|
+
account
|
|
3379
|
+
]),
|
|
3380
|
+
select: (data) => data.sort((a, b) => a.requestid - b.requestid)
|
|
3381
|
+
});
|
|
3382
|
+
}
|
|
3383
|
+
function getCollateralizedConversionRequestsQueryOptions(account) {
|
|
3384
|
+
return queryOptions({
|
|
3385
|
+
queryKey: ["wallet", "collateralized-conversion-requests", account],
|
|
3386
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_collateralized_conversion_requests", [
|
|
3387
|
+
account
|
|
3388
|
+
]),
|
|
3389
|
+
select: (data) => data.sort((a, b) => a.requestid - b.requestid)
|
|
3390
|
+
});
|
|
3391
|
+
}
|
|
3392
|
+
function getSavingsWithdrawFromQueryOptions(account) {
|
|
3393
|
+
return queryOptions({
|
|
3394
|
+
queryKey: ["wallet", "savings-withdraw", account],
|
|
3395
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_savings_withdraw_from", [
|
|
3396
|
+
account
|
|
3397
|
+
]),
|
|
3398
|
+
select: (data) => data.sort((a, b) => a.request_id - b.request_id)
|
|
3399
|
+
});
|
|
3400
|
+
}
|
|
3401
|
+
function getWithdrawRoutesQueryOptions(account) {
|
|
3402
|
+
return queryOptions({
|
|
3403
|
+
queryKey: ["wallet", "withdraw-routes", account],
|
|
3404
|
+
queryFn: () => CONFIG.hiveClient.database.call("get_withdraw_routes", [
|
|
3405
|
+
account,
|
|
3406
|
+
"outgoing"
|
|
3407
|
+
])
|
|
3408
|
+
});
|
|
3409
|
+
}
|
|
3410
|
+
function getOpenOrdersQueryOptions(user) {
|
|
3411
|
+
return queryOptions({
|
|
3412
|
+
queryKey: ["wallet", "open-orders", user],
|
|
3413
|
+
queryFn: () => CONFIG.hiveClient.call("condenser_api", "get_open_orders", [
|
|
3414
|
+
user
|
|
3415
|
+
]),
|
|
3416
|
+
select: (data) => data.sort((a, b) => a.orderid - b.orderid),
|
|
3417
|
+
enabled: !!user
|
|
3418
|
+
});
|
|
3419
|
+
}
|
|
3420
|
+
function getOutgoingRcDelegationsInfiniteQueryOptions(username, limit = 100) {
|
|
3421
|
+
return infiniteQueryOptions({
|
|
3422
|
+
queryKey: ["wallet", "outgoing-rc-delegations", username, limit],
|
|
3423
|
+
initialPageParam: null,
|
|
3424
|
+
queryFn: async ({ pageParam }) => {
|
|
3425
|
+
const response = await CONFIG.hiveClient.call("rc_api", "list_rc_direct_delegations", {
|
|
3426
|
+
start: [username, pageParam ?? ""],
|
|
3427
|
+
limit
|
|
3428
|
+
}).then((r) => r);
|
|
3429
|
+
let delegations = response.rc_direct_delegations || [];
|
|
3430
|
+
if (pageParam) {
|
|
3431
|
+
delegations = delegations.filter((delegation) => delegation.to !== pageParam);
|
|
1462
3432
|
}
|
|
1463
|
-
|
|
1464
|
-
|
|
1465
|
-
|
|
1466
|
-
|
|
1467
|
-
|
|
1468
|
-
|
|
1469
|
-
|
|
1470
|
-
|
|
1471
|
-
|
|
1472
|
-
const
|
|
1473
|
-
username
|
|
1474
|
-
(await response.json()).memo
|
|
1475
|
-
);
|
|
1476
|
-
await getQueryClient().prefetchQuery(memoQueryOptions);
|
|
1477
|
-
const { memoDecoded } = getQueryClient().getQueryData(
|
|
1478
|
-
memoQueryOptions.queryKey
|
|
3433
|
+
return delegations;
|
|
3434
|
+
},
|
|
3435
|
+
getNextPageParam: (lastPage) => lastPage.length === limit ? lastPage[lastPage.length - 1].to : null
|
|
3436
|
+
});
|
|
3437
|
+
}
|
|
3438
|
+
function getReceivedVestingSharesQueryOptions(username) {
|
|
3439
|
+
return queryOptions({
|
|
3440
|
+
queryKey: ["wallet", "received-vesting-shares", username],
|
|
3441
|
+
queryFn: async () => {
|
|
3442
|
+
const response = await fetch(
|
|
3443
|
+
CONFIG.privateApiHost + `/private-api/received-vesting/${username}`
|
|
1479
3444
|
);
|
|
1480
|
-
|
|
3445
|
+
if (!response.ok) {
|
|
3446
|
+
throw new Error(`Failed to fetch received vesting shares: ${response.status}`);
|
|
3447
|
+
}
|
|
3448
|
+
const data = await response.json();
|
|
3449
|
+
return data.list;
|
|
1481
3450
|
}
|
|
1482
3451
|
});
|
|
1483
3452
|
}
|
|
1484
|
-
function
|
|
3453
|
+
function getWitnessesInfiniteQueryOptions(limit) {
|
|
3454
|
+
return infiniteQueryOptions({
|
|
3455
|
+
queryKey: ["witnesses", "list", limit],
|
|
3456
|
+
initialPageParam: "",
|
|
3457
|
+
queryFn: async ({ pageParam }) => CONFIG.hiveClient.call("condenser_api", "get_witnesses_by_vote", [
|
|
3458
|
+
pageParam,
|
|
3459
|
+
limit
|
|
3460
|
+
]),
|
|
3461
|
+
getNextPageParam: (lastPage) => {
|
|
3462
|
+
const last = lastPage?.[lastPage.length - 1];
|
|
3463
|
+
return last ? last.owner : void 0;
|
|
3464
|
+
}
|
|
3465
|
+
});
|
|
3466
|
+
}
|
|
3467
|
+
function getOrderBookQueryOptions(limit = 500) {
|
|
1485
3468
|
return queryOptions({
|
|
1486
|
-
queryKey: ["
|
|
1487
|
-
|
|
3469
|
+
queryKey: ["market", "order-book", limit],
|
|
3470
|
+
queryFn: () => CONFIG.hiveClient.call("condenser_api", "get_order_book", [
|
|
3471
|
+
limit
|
|
3472
|
+
])
|
|
3473
|
+
});
|
|
3474
|
+
}
|
|
3475
|
+
function getMarketStatisticsQueryOptions() {
|
|
3476
|
+
return queryOptions({
|
|
3477
|
+
queryKey: ["market", "statistics"],
|
|
3478
|
+
queryFn: () => CONFIG.hiveClient.call("condenser_api", "get_ticker", [])
|
|
3479
|
+
});
|
|
3480
|
+
}
|
|
3481
|
+
function getMarketHistoryQueryOptions(seconds, startDate, endDate) {
|
|
3482
|
+
const formatDate = (date) => {
|
|
3483
|
+
return date.toISOString().replace(/\.\d{3}Z$/, "");
|
|
3484
|
+
};
|
|
3485
|
+
return queryOptions({
|
|
3486
|
+
queryKey: ["market", "history", seconds, startDate.getTime(), endDate.getTime()],
|
|
3487
|
+
queryFn: () => CONFIG.hiveClient.call("condenser_api", "get_market_history", [
|
|
3488
|
+
seconds,
|
|
3489
|
+
formatDate(startDate),
|
|
3490
|
+
formatDate(endDate)
|
|
3491
|
+
])
|
|
3492
|
+
});
|
|
3493
|
+
}
|
|
3494
|
+
function getHiveHbdStatsQueryOptions() {
|
|
3495
|
+
return queryOptions({
|
|
3496
|
+
queryKey: ["market", "hive-hbd-stats"],
|
|
1488
3497
|
queryFn: async () => {
|
|
1489
|
-
await
|
|
1490
|
-
|
|
3498
|
+
const stats = await CONFIG.hiveClient.call(
|
|
3499
|
+
"condenser_api",
|
|
3500
|
+
"get_ticker",
|
|
3501
|
+
[]
|
|
1491
3502
|
);
|
|
1492
|
-
const
|
|
1493
|
-
|
|
3503
|
+
const now = /* @__PURE__ */ new Date();
|
|
3504
|
+
const oneDayAgo = new Date(now.getTime() - 864e5);
|
|
3505
|
+
const formatDate = (date) => {
|
|
3506
|
+
return date.toISOString().replace(/\.\d{3}Z$/, "");
|
|
3507
|
+
};
|
|
3508
|
+
const dayChange = await CONFIG.hiveClient.call(
|
|
3509
|
+
"condenser_api",
|
|
3510
|
+
"get_market_history",
|
|
3511
|
+
[86400, formatDate(oneDayAgo), formatDate(now)]
|
|
1494
3512
|
);
|
|
1495
|
-
const
|
|
1496
|
-
|
|
1497
|
-
|
|
3513
|
+
const result = {
|
|
3514
|
+
price: +stats.latest,
|
|
3515
|
+
close: dayChange[0] ? dayChange[0].non_hive.open / dayChange[0].hive.open : 0,
|
|
3516
|
+
high: dayChange[0] ? dayChange[0].non_hive.high / dayChange[0].hive.high : 0,
|
|
3517
|
+
low: dayChange[0] ? dayChange[0].non_hive.low / dayChange[0].hive.low : 0,
|
|
3518
|
+
percent: dayChange[0] ? 100 - dayChange[0].non_hive.open / dayChange[0].hive.open * 100 / +stats.latest : 0,
|
|
3519
|
+
totalFromAsset: stats.hive_volume.split(" ")[0],
|
|
3520
|
+
totalToAsset: stats.hbd_volume.split(" ")[0]
|
|
3521
|
+
};
|
|
3522
|
+
return result;
|
|
3523
|
+
}
|
|
3524
|
+
});
|
|
3525
|
+
}
|
|
3526
|
+
function getMarketDataQueryOptions(coin, vsCurrency, fromTs, toTs) {
|
|
3527
|
+
return queryOptions({
|
|
3528
|
+
queryKey: ["market", "data", coin, vsCurrency, fromTs, toTs],
|
|
3529
|
+
queryFn: async ({ signal }) => {
|
|
3530
|
+
const url = `https://api.coingecko.com/api/v3/coins/${coin}/market_chart/range?vs_currency=${vsCurrency}&from=${fromTs}&to=${toTs}`;
|
|
3531
|
+
const response = await fetch(url, { signal });
|
|
3532
|
+
if (!response.ok) {
|
|
3533
|
+
throw new Error(`Failed to fetch market data: ${response.status}`);
|
|
3534
|
+
}
|
|
3535
|
+
return response.json();
|
|
3536
|
+
}
|
|
3537
|
+
});
|
|
3538
|
+
}
|
|
3539
|
+
function getPointsQueryOptions(username, filter = 0) {
|
|
3540
|
+
return queryOptions({
|
|
3541
|
+
queryKey: ["points", username, filter],
|
|
3542
|
+
queryFn: async () => {
|
|
3543
|
+
if (!username) {
|
|
3544
|
+
throw new Error("Get points query \u2013 username wasn't provided");
|
|
3545
|
+
}
|
|
3546
|
+
const name = username.replace("@", "");
|
|
3547
|
+
const pointsResponse = await fetch(CONFIG.privateApiHost + "/private-api/points", {
|
|
3548
|
+
method: "POST",
|
|
3549
|
+
headers: {
|
|
3550
|
+
"Content-Type": "application/json"
|
|
3551
|
+
},
|
|
3552
|
+
body: JSON.stringify({ username: name })
|
|
3553
|
+
});
|
|
3554
|
+
if (!pointsResponse.ok) {
|
|
3555
|
+
throw new Error(`Failed to fetch points: ${pointsResponse.status}`);
|
|
3556
|
+
}
|
|
3557
|
+
const points = await pointsResponse.json();
|
|
3558
|
+
const transactionsResponse = await fetch(
|
|
3559
|
+
CONFIG.privateApiHost + "/private-api/point-list",
|
|
1498
3560
|
{
|
|
3561
|
+
method: "POST",
|
|
1499
3562
|
headers: {
|
|
1500
|
-
"Content-Type": "application/json"
|
|
1501
|
-
|
|
1502
|
-
}
|
|
3563
|
+
"Content-Type": "application/json"
|
|
3564
|
+
},
|
|
3565
|
+
body: JSON.stringify({ username: name, type: filter })
|
|
1503
3566
|
}
|
|
1504
3567
|
);
|
|
1505
|
-
|
|
3568
|
+
if (!transactionsResponse.ok) {
|
|
3569
|
+
throw new Error(`Failed to fetch point transactions: ${transactionsResponse.status}`);
|
|
3570
|
+
}
|
|
3571
|
+
const transactions = await transactionsResponse.json();
|
|
3572
|
+
return {
|
|
3573
|
+
points: points.points,
|
|
3574
|
+
uPoints: points.unclaimed_points,
|
|
3575
|
+
transactions
|
|
3576
|
+
};
|
|
3577
|
+
},
|
|
3578
|
+
staleTime: 3e4,
|
|
3579
|
+
refetchOnMount: true,
|
|
3580
|
+
enabled: !!username
|
|
3581
|
+
});
|
|
3582
|
+
}
|
|
3583
|
+
function searchQueryOptions(q, sort, hideLow, since, scroll_id, votes) {
|
|
3584
|
+
return queryOptions({
|
|
3585
|
+
queryKey: ["search", q, sort, hideLow, since, scroll_id, votes],
|
|
3586
|
+
queryFn: async () => {
|
|
3587
|
+
const data = { q, sort, hide_low: hideLow };
|
|
3588
|
+
if (since) data.since = since;
|
|
3589
|
+
if (scroll_id) data.scroll_id = scroll_id;
|
|
3590
|
+
if (votes) data.votes = votes;
|
|
3591
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search", {
|
|
3592
|
+
method: "POST",
|
|
3593
|
+
headers: {
|
|
3594
|
+
"Content-Type": "application/json"
|
|
3595
|
+
},
|
|
3596
|
+
body: JSON.stringify(data)
|
|
3597
|
+
});
|
|
3598
|
+
if (!response.ok) {
|
|
3599
|
+
throw new Error(`Search failed: ${response.status}`);
|
|
3600
|
+
}
|
|
3601
|
+
return response.json();
|
|
1506
3602
|
}
|
|
1507
3603
|
});
|
|
1508
3604
|
}
|
|
1509
|
-
|
|
1510
|
-
|
|
1511
|
-
|
|
1512
|
-
|
|
1513
|
-
}
|
|
1514
|
-
|
|
3605
|
+
function getControversialRisingInfiniteQueryOptions(what, tag, enabled = true) {
|
|
3606
|
+
return infiniteQueryOptions({
|
|
3607
|
+
queryKey: ["search", "controversial-rising", what, tag],
|
|
3608
|
+
initialPageParam: { sid: void 0, hasNextPage: true },
|
|
3609
|
+
queryFn: async ({ pageParam }) => {
|
|
3610
|
+
if (!pageParam.hasNextPage) {
|
|
3611
|
+
return {
|
|
3612
|
+
hits: 0,
|
|
3613
|
+
took: 0,
|
|
3614
|
+
results: []
|
|
3615
|
+
};
|
|
3616
|
+
}
|
|
3617
|
+
let sinceDate;
|
|
3618
|
+
const now = /* @__PURE__ */ new Date();
|
|
3619
|
+
switch (tag) {
|
|
3620
|
+
case "today":
|
|
3621
|
+
sinceDate = new Date(now.getTime() - 24 * 60 * 60 * 1e3);
|
|
3622
|
+
break;
|
|
3623
|
+
case "week":
|
|
3624
|
+
sinceDate = new Date(now.getTime() - 7 * 24 * 60 * 60 * 1e3);
|
|
3625
|
+
break;
|
|
3626
|
+
case "month":
|
|
3627
|
+
sinceDate = new Date(now.getTime() - 30 * 24 * 60 * 60 * 1e3);
|
|
3628
|
+
break;
|
|
3629
|
+
case "year":
|
|
3630
|
+
sinceDate = new Date(now.getTime() - 365 * 24 * 60 * 60 * 1e3);
|
|
3631
|
+
break;
|
|
3632
|
+
default:
|
|
3633
|
+
sinceDate = void 0;
|
|
3634
|
+
}
|
|
3635
|
+
const q = "* type:post";
|
|
3636
|
+
const sort = what === "rising" ? "children" : what;
|
|
3637
|
+
const since = sinceDate ? sinceDate.toISOString().split(".")[0] : void 0;
|
|
3638
|
+
const hideLow = "0";
|
|
3639
|
+
const votes = tag === "today" ? 50 : 200;
|
|
3640
|
+
const data = { q, sort, hide_low: hideLow };
|
|
3641
|
+
if (since) data.since = since;
|
|
3642
|
+
if (pageParam.sid) data.scroll_id = pageParam.sid;
|
|
3643
|
+
data.votes = votes;
|
|
3644
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search", {
|
|
3645
|
+
method: "POST",
|
|
3646
|
+
headers: {
|
|
3647
|
+
"Content-Type": "application/json"
|
|
3648
|
+
},
|
|
3649
|
+
body: JSON.stringify(data)
|
|
3650
|
+
});
|
|
3651
|
+
if (!response.ok) {
|
|
3652
|
+
throw new Error(`Search failed: ${response.status}`);
|
|
3653
|
+
}
|
|
3654
|
+
return response.json();
|
|
3655
|
+
},
|
|
3656
|
+
getNextPageParam: (resp) => {
|
|
3657
|
+
return {
|
|
3658
|
+
sid: resp?.scroll_id,
|
|
3659
|
+
hasNextPage: resp.results.length > 0
|
|
3660
|
+
};
|
|
3661
|
+
},
|
|
3662
|
+
enabled
|
|
3663
|
+
});
|
|
3664
|
+
}
|
|
3665
|
+
function buildQuery(entry, retry = 3) {
|
|
3666
|
+
const { json_metadata, permlink } = entry;
|
|
3667
|
+
let q = "*";
|
|
3668
|
+
q += ` -dporn type:post`;
|
|
3669
|
+
let tags;
|
|
3670
|
+
if (json_metadata && json_metadata.tags && Array.isArray(json_metadata.tags)) {
|
|
3671
|
+
tags = json_metadata.tags.filter((tag) => tag && tag !== "").filter((tag) => !tag.startsWith("hive-")).filter((_tag, ind) => ind < +retry).join(",");
|
|
3672
|
+
}
|
|
3673
|
+
if (tags && tags.length > 0) {
|
|
3674
|
+
q += ` tag:${tags}`;
|
|
3675
|
+
} else {
|
|
3676
|
+
const fperm = permlink.split("-");
|
|
3677
|
+
tags = fperm.filter((part) => part !== "").filter((part) => !/^-?\d+$/.test(part)).filter((part) => part.length > 2).join(",");
|
|
3678
|
+
q += ` tag:${tags}`;
|
|
3679
|
+
}
|
|
3680
|
+
return q;
|
|
3681
|
+
}
|
|
3682
|
+
function getSimilarEntriesQueryOptions(entry) {
|
|
3683
|
+
const query = buildQuery(entry);
|
|
1515
3684
|
return queryOptions({
|
|
1516
|
-
queryKey: ["
|
|
3685
|
+
queryKey: ["search", "similar-entries", entry.author, entry.permlink, query],
|
|
1517
3686
|
queryFn: async () => {
|
|
1518
|
-
const
|
|
1519
|
-
|
|
1520
|
-
|
|
1521
|
-
|
|
1522
|
-
|
|
1523
|
-
|
|
1524
|
-
|
|
1525
|
-
|
|
1526
|
-
|
|
1527
|
-
const data = await response.json();
|
|
1528
|
-
return {
|
|
1529
|
-
twitter: {
|
|
1530
|
-
username: data.twitter_username,
|
|
1531
|
-
profile: data.twitter_profile
|
|
3687
|
+
const data = {
|
|
3688
|
+
q: query,
|
|
3689
|
+
sort: "newest",
|
|
3690
|
+
hide_low: "0"
|
|
3691
|
+
};
|
|
3692
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search", {
|
|
3693
|
+
method: "POST",
|
|
3694
|
+
headers: {
|
|
3695
|
+
"Content-Type": "application/json"
|
|
1532
3696
|
},
|
|
1533
|
-
|
|
1534
|
-
|
|
1535
|
-
|
|
3697
|
+
body: JSON.stringify(data)
|
|
3698
|
+
});
|
|
3699
|
+
if (!response.ok) {
|
|
3700
|
+
throw new Error(`Search failed: ${response.status}`);
|
|
3701
|
+
}
|
|
3702
|
+
const searchResponse = await response.json();
|
|
3703
|
+
const rawEntries = searchResponse.results.filter(
|
|
3704
|
+
(r) => r.permlink !== entry.permlink && r.tags.indexOf("nsfw") === -1
|
|
3705
|
+
);
|
|
3706
|
+
const entries = [];
|
|
3707
|
+
for (const result of rawEntries) {
|
|
3708
|
+
if (entries.find((y) => y.author === result.author) === void 0) {
|
|
3709
|
+
entries.push(result);
|
|
1536
3710
|
}
|
|
1537
|
-
}
|
|
3711
|
+
}
|
|
3712
|
+
return entries.slice(0, 3);
|
|
1538
3713
|
}
|
|
1539
3714
|
});
|
|
1540
3715
|
}
|
|
1541
|
-
function
|
|
1542
|
-
url,
|
|
1543
|
-
dimensions = [],
|
|
1544
|
-
metrics = ["visitors", "pageviews", "visit_duration"],
|
|
1545
|
-
enabled = true
|
|
1546
|
-
}) {
|
|
3716
|
+
function getSearchAccountQueryOptions(q, limit = 5, random = false) {
|
|
1547
3717
|
return queryOptions({
|
|
1548
|
-
queryKey: ["
|
|
3718
|
+
queryKey: ["search", "account", q, limit],
|
|
1549
3719
|
queryFn: async () => {
|
|
1550
|
-
const
|
|
1551
|
-
const response = await
|
|
3720
|
+
const data = { q, limit, random: +random };
|
|
3721
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search-account", {
|
|
1552
3722
|
method: "POST",
|
|
1553
|
-
body: JSON.stringify({
|
|
1554
|
-
metrics,
|
|
1555
|
-
url: encodeURIComponent(url),
|
|
1556
|
-
dimensions
|
|
1557
|
-
}),
|
|
1558
3723
|
headers: {
|
|
1559
3724
|
"Content-Type": "application/json"
|
|
1560
|
-
}
|
|
3725
|
+
},
|
|
3726
|
+
body: JSON.stringify(data)
|
|
1561
3727
|
});
|
|
1562
|
-
|
|
3728
|
+
if (!response.ok) {
|
|
3729
|
+
throw new Error(`Failed to search accounts: ${response.status}`);
|
|
3730
|
+
}
|
|
3731
|
+
return response.json();
|
|
1563
3732
|
},
|
|
1564
|
-
enabled: !!
|
|
3733
|
+
enabled: !!q
|
|
1565
3734
|
});
|
|
1566
3735
|
}
|
|
1567
|
-
function
|
|
3736
|
+
function getSearchTopicsQueryOptions(q, limit = 20, random = false) {
|
|
1568
3737
|
return queryOptions({
|
|
1569
|
-
queryKey: ["
|
|
3738
|
+
queryKey: ["search", "topics", q],
|
|
1570
3739
|
queryFn: async () => {
|
|
1571
|
-
const
|
|
1572
|
-
|
|
1573
|
-
"
|
|
1574
|
-
{
|
|
1575
|
-
|
|
1576
|
-
|
|
1577
|
-
|
|
3740
|
+
const data = { q, limit, random: +random };
|
|
3741
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search-tag", {
|
|
3742
|
+
method: "POST",
|
|
3743
|
+
headers: {
|
|
3744
|
+
"Content-Type": "application/json"
|
|
3745
|
+
},
|
|
3746
|
+
body: JSON.stringify(data)
|
|
3747
|
+
});
|
|
3748
|
+
if (!response.ok) {
|
|
3749
|
+
throw new Error(`Failed to search topics: ${response.status}`);
|
|
3750
|
+
}
|
|
3751
|
+
return response.json();
|
|
3752
|
+
},
|
|
3753
|
+
enabled: !!q
|
|
1578
3754
|
});
|
|
1579
3755
|
}
|
|
1580
|
-
function
|
|
1581
|
-
return
|
|
1582
|
-
queryKey: ["
|
|
1583
|
-
queryFn: async () => {
|
|
1584
|
-
const
|
|
1585
|
-
|
|
3756
|
+
function getSearchApiInfiniteQueryOptions(q, sort, hideLow, since, votes) {
|
|
3757
|
+
return infiniteQueryOptions({
|
|
3758
|
+
queryKey: ["search", "api", q, sort, hideLow, since, votes],
|
|
3759
|
+
queryFn: async ({ pageParam }) => {
|
|
3760
|
+
const payload = { q, sort, hide_low: hideLow };
|
|
3761
|
+
if (since) {
|
|
3762
|
+
payload.since = since;
|
|
3763
|
+
}
|
|
3764
|
+
if (pageParam) {
|
|
3765
|
+
payload.scroll_id = pageParam;
|
|
3766
|
+
}
|
|
3767
|
+
if (votes !== void 0) {
|
|
3768
|
+
payload.votes = votes;
|
|
3769
|
+
}
|
|
3770
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search", {
|
|
3771
|
+
method: "POST",
|
|
3772
|
+
headers: {
|
|
3773
|
+
"Content-Type": "application/json"
|
|
3774
|
+
},
|
|
3775
|
+
body: JSON.stringify(payload)
|
|
3776
|
+
});
|
|
3777
|
+
if (!response.ok) {
|
|
3778
|
+
throw new Error(`Search failed: ${response.status}`);
|
|
3779
|
+
}
|
|
3780
|
+
return response.json();
|
|
1586
3781
|
},
|
|
1587
|
-
|
|
3782
|
+
initialPageParam: void 0,
|
|
3783
|
+
getNextPageParam: (lastPage) => lastPage?.scroll_id,
|
|
3784
|
+
enabled: !!q
|
|
1588
3785
|
});
|
|
1589
3786
|
}
|
|
1590
|
-
function
|
|
3787
|
+
function getSearchPathQueryOptions(q) {
|
|
1591
3788
|
return queryOptions({
|
|
1592
|
-
queryKey: ["
|
|
1593
|
-
enabled: !!username,
|
|
3789
|
+
queryKey: ["search", "path", q],
|
|
1594
3790
|
queryFn: async () => {
|
|
1595
|
-
|
|
1596
|
-
|
|
3791
|
+
const response = await fetch(CONFIG.privateApiHost + "/search-api/search-path", {
|
|
3792
|
+
method: "POST",
|
|
3793
|
+
headers: {
|
|
3794
|
+
"Content-Type": "application/json"
|
|
3795
|
+
},
|
|
3796
|
+
body: JSON.stringify({ q })
|
|
3797
|
+
});
|
|
3798
|
+
if (!response.ok) {
|
|
3799
|
+
throw new Error(`Search path failed: ${response.status}`);
|
|
1597
3800
|
}
|
|
1598
|
-
const
|
|
1599
|
-
|
|
1600
|
-
|
|
1601
|
-
|
|
1602
|
-
|
|
1603
|
-
body: JSON.stringify({
|
|
1604
|
-
game_type: gameType,
|
|
1605
|
-
code: getAccessToken(username)
|
|
1606
|
-
}),
|
|
1607
|
-
headers: {
|
|
1608
|
-
"Content-Type": "application/json"
|
|
1609
|
-
}
|
|
1610
|
-
}
|
|
1611
|
-
);
|
|
1612
|
-
return await response.json();
|
|
3801
|
+
const data = await response.json();
|
|
3802
|
+
if (data?.length > 0) {
|
|
3803
|
+
return data;
|
|
3804
|
+
}
|
|
3805
|
+
return [q];
|
|
1613
3806
|
}
|
|
1614
3807
|
});
|
|
1615
3808
|
}
|
|
1616
|
-
function
|
|
1617
|
-
|
|
1618
|
-
|
|
1619
|
-
|
|
1620
|
-
|
|
1621
|
-
|
|
1622
|
-
|
|
1623
|
-
|
|
1624
|
-
|
|
1625
|
-
|
|
3809
|
+
function getBoostPlusPricesQueryOptions(accessToken) {
|
|
3810
|
+
return queryOptions({
|
|
3811
|
+
queryKey: ["promotions", "boost-plus-prices"],
|
|
3812
|
+
queryFn: async () => {
|
|
3813
|
+
if (!accessToken) {
|
|
3814
|
+
return [];
|
|
3815
|
+
}
|
|
3816
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/boost-plus-price", {
|
|
3817
|
+
method: "POST",
|
|
3818
|
+
headers: {
|
|
3819
|
+
"Content-Type": "application/json"
|
|
3820
|
+
},
|
|
3821
|
+
body: JSON.stringify({ code: accessToken })
|
|
3822
|
+
});
|
|
3823
|
+
if (!response.ok) {
|
|
3824
|
+
throw new Error(`Failed to fetch boost plus prices: ${response.status}`);
|
|
1626
3825
|
}
|
|
1627
|
-
const fetchApi = getBoundFetch();
|
|
1628
|
-
const response = await fetchApi(
|
|
1629
|
-
CONFIG.privateApiHost + "/private-api/post-game",
|
|
1630
|
-
{
|
|
1631
|
-
method: "POST",
|
|
1632
|
-
body: JSON.stringify({
|
|
1633
|
-
game_type: gameType,
|
|
1634
|
-
code: getAccessToken(username),
|
|
1635
|
-
key
|
|
1636
|
-
}),
|
|
1637
|
-
headers: {
|
|
1638
|
-
"Content-Type": "application/json"
|
|
1639
|
-
}
|
|
1640
|
-
}
|
|
1641
|
-
);
|
|
1642
3826
|
return await response.json();
|
|
1643
3827
|
},
|
|
1644
|
-
|
|
1645
|
-
|
|
1646
|
-
|
|
3828
|
+
staleTime: Infinity,
|
|
3829
|
+
refetchOnMount: true,
|
|
3830
|
+
enabled: !!accessToken
|
|
1647
3831
|
});
|
|
1648
3832
|
}
|
|
1649
|
-
function
|
|
3833
|
+
function getPromotePriceQueryOptions(accessToken) {
|
|
1650
3834
|
return queryOptions({
|
|
1651
|
-
queryKey: ["
|
|
1652
|
-
enabled,
|
|
3835
|
+
queryKey: ["promotions", "promote-price"],
|
|
1653
3836
|
queryFn: async () => {
|
|
1654
|
-
const response = await CONFIG.
|
|
1655
|
-
"
|
|
1656
|
-
|
|
1657
|
-
|
|
1658
|
-
|
|
1659
|
-
|
|
1660
|
-
|
|
1661
|
-
|
|
1662
|
-
|
|
1663
|
-
|
|
1664
|
-
);
|
|
1665
|
-
|
|
1666
|
-
|
|
3837
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/promote-price", {
|
|
3838
|
+
method: "POST",
|
|
3839
|
+
headers: {
|
|
3840
|
+
"Content-Type": "application/json"
|
|
3841
|
+
},
|
|
3842
|
+
body: JSON.stringify({ code: accessToken })
|
|
3843
|
+
});
|
|
3844
|
+
if (!response.ok) {
|
|
3845
|
+
throw new Error(`Failed to fetch promote prices: ${response.status}`);
|
|
3846
|
+
}
|
|
3847
|
+
return await response.json();
|
|
3848
|
+
},
|
|
3849
|
+
enabled: !!accessToken
|
|
1667
3850
|
});
|
|
1668
3851
|
}
|
|
1669
|
-
function
|
|
3852
|
+
function getBoostPlusAccountPricesQueryOptions(account, accessToken) {
|
|
1670
3853
|
return queryOptions({
|
|
1671
|
-
queryKey: ["
|
|
1672
|
-
enabled: !!username && !!communityName,
|
|
3854
|
+
queryKey: ["promotions", "boost-plus-accounts", account],
|
|
1673
3855
|
queryFn: async () => {
|
|
1674
|
-
|
|
1675
|
-
|
|
1676
|
-
|
|
1677
|
-
|
|
1678
|
-
|
|
1679
|
-
|
|
1680
|
-
|
|
1681
|
-
|
|
1682
|
-
|
|
1683
|
-
|
|
1684
|
-
|
|
1685
|
-
|
|
1686
|
-
|
|
3856
|
+
if (!accessToken || !account) {
|
|
3857
|
+
return null;
|
|
3858
|
+
}
|
|
3859
|
+
const response = await fetch(CONFIG.privateApiHost + "/private-api/boosted-plus-account", {
|
|
3860
|
+
method: "POST",
|
|
3861
|
+
headers: {
|
|
3862
|
+
"Content-Type": "application/json"
|
|
3863
|
+
},
|
|
3864
|
+
body: JSON.stringify({ code: accessToken, account })
|
|
3865
|
+
});
|
|
3866
|
+
if (!response.ok) {
|
|
3867
|
+
throw new Error(`Failed to fetch boost plus account prices: ${response.status}`);
|
|
3868
|
+
}
|
|
3869
|
+
const responseData = await response.json();
|
|
3870
|
+
return responseData ? {
|
|
3871
|
+
account: responseData.account,
|
|
3872
|
+
expires: new Date(responseData.expires)
|
|
3873
|
+
} : null;
|
|
3874
|
+
},
|
|
3875
|
+
enabled: !!account && !!accessToken
|
|
1687
3876
|
});
|
|
1688
3877
|
}
|
|
1689
3878
|
|
|
1690
|
-
|
|
1691
|
-
var ROLES = /* @__PURE__ */ ((ROLES2) => {
|
|
1692
|
-
ROLES2["OWNER"] = "owner";
|
|
1693
|
-
ROLES2["ADMIN"] = "admin";
|
|
1694
|
-
ROLES2["MOD"] = "mod";
|
|
1695
|
-
ROLES2["MEMBER"] = "member";
|
|
1696
|
-
ROLES2["GUEST"] = "guest";
|
|
1697
|
-
ROLES2["MUTED"] = "muted";
|
|
1698
|
-
return ROLES2;
|
|
1699
|
-
})(ROLES || {});
|
|
1700
|
-
var roleMap = {
|
|
1701
|
-
["owner" /* OWNER */]: [
|
|
1702
|
-
"admin" /* ADMIN */,
|
|
1703
|
-
"mod" /* MOD */,
|
|
1704
|
-
"member" /* MEMBER */,
|
|
1705
|
-
"guest" /* GUEST */,
|
|
1706
|
-
"muted" /* MUTED */
|
|
1707
|
-
],
|
|
1708
|
-
["admin" /* ADMIN */]: ["mod" /* MOD */, "member" /* MEMBER */, "guest" /* GUEST */, "muted" /* MUTED */],
|
|
1709
|
-
["mod" /* MOD */]: ["member" /* MEMBER */, "guest" /* GUEST */, "muted" /* MUTED */]
|
|
1710
|
-
};
|
|
1711
|
-
|
|
1712
|
-
// src/modules/communities/utils/index.ts
|
|
1713
|
-
function getCommunityType(name, type_id) {
|
|
1714
|
-
if (name.startsWith("hive-3") || type_id === 3) return "Council";
|
|
1715
|
-
if (name.startsWith("hive-2") || type_id === 2) return "Journal";
|
|
1716
|
-
return "Topic";
|
|
1717
|
-
}
|
|
1718
|
-
function getCommunityPermissions({
|
|
1719
|
-
communityType,
|
|
1720
|
-
userRole,
|
|
1721
|
-
subscribed
|
|
1722
|
-
}) {
|
|
1723
|
-
const canPost = (() => {
|
|
1724
|
-
if (userRole === "muted" /* MUTED */) return false;
|
|
1725
|
-
if (communityType === "Topic") return true;
|
|
1726
|
-
return ["owner" /* OWNER */, "admin" /* ADMIN */, "mod" /* MOD */, "member" /* MEMBER */].includes(
|
|
1727
|
-
userRole
|
|
1728
|
-
);
|
|
1729
|
-
})();
|
|
1730
|
-
const canComment = (() => {
|
|
1731
|
-
if (userRole === "muted" /* MUTED */) return false;
|
|
1732
|
-
switch (communityType) {
|
|
1733
|
-
case "Topic":
|
|
1734
|
-
return true;
|
|
1735
|
-
case "Journal":
|
|
1736
|
-
return userRole !== "guest" /* GUEST */ || subscribed;
|
|
1737
|
-
case "Council":
|
|
1738
|
-
return canPost;
|
|
1739
|
-
}
|
|
1740
|
-
})();
|
|
1741
|
-
const isModerator = ["owner" /* OWNER */, "admin" /* ADMIN */, "mod" /* MOD */].includes(userRole);
|
|
1742
|
-
return {
|
|
1743
|
-
canPost,
|
|
1744
|
-
canComment,
|
|
1745
|
-
isModerator
|
|
1746
|
-
};
|
|
1747
|
-
}
|
|
1748
|
-
|
|
1749
|
-
export { CONFIG, ConfigManager, mutations_exports as EcencyAnalytics, EcencyQueriesManager, HiveSignerIntegration, keychain_exports as Keychain, NaiMap, ROLES, Symbol2 as Symbol, ThreeSpeakIntegration, broadcastJson, buildProfileMetadata, checkUsernameWalletsPendingQueryOptions, decodeObj, dedupeAndSortKeyAuths, encodeObj, extractAccountProfile, getAccessToken, getAccountFullQueryOptions, getAccountPendingRecoveryQueryOptions, getAccountRcQueryOptions, getAccountRecoveriesQueryOptions, getAccountSubscriptionsQueryOptions, getActiveAccountBookmarksQueryOptions, getActiveAccountFavouritesQueryOptions, getBoundFetch, getChainPropertiesQueryOptions, getCommunitiesQueryOptions, getCommunityContextQueryOptions, getCommunityPermissions, getCommunityType, getDynamicPropsQueryOptions, getFragmentsQueryOptions, getGameStatusCheckQueryOptions, getHivePoshLinksQueryOptions, getLoginType, getPostingKey, getPromotedPostsQuery, getQueryClient, getRcStatsQueryOptions, getRefreshToken, getRelationshipBetweenAccountsQueryOptions, getSearchAccountsByUsernameQueryOptions, getStatsQueryOptions, getTrendingTagsQueryOptions, getUser, makeQueryClient, parseAsset, parseProfileMetadata, roleMap, useAccountFavouriteAdd, useAccountFavouriteDelete, useAccountRelationsUpdate, useAccountRevokeKey, useAccountRevokePosting, useAccountUpdate, useAccountUpdateKeyAuths, useAccountUpdatePassword, useAccountUpdateRecovery, useAddFragment, useBookmarkAdd, useBookmarkDelete, useBroadcastMutation, useEditFragment, useGameClaim, useRemoveFragment, useSignOperationByHivesigner, useSignOperationByKey, useSignOperationByKeychain };
|
|
3879
|
+
export { ACCOUNT_OPERATION_GROUPS, ALL_ACCOUNT_OPERATIONS, ALL_NOTIFY_TYPES, CONFIG, ConfigManager, mutations_exports as EcencyAnalytics, EcencyQueriesManager, HiveSignerIntegration, keychain_exports as Keychain, NaiMap, NotificationFilter, NotificationViewType, NotifyTypes, ROLES, SortOrder, Symbol2 as Symbol, ThreeSpeakIntegration, broadcastJson, buildProfileMetadata, checkUsernameWalletsPendingQueryOptions, decodeObj, dedupeAndSortKeyAuths, encodeObj, extractAccountProfile, getAccessToken, getAccountFullQueryOptions, getAccountNotificationsInfiniteQueryOptions, getAccountPendingRecoveryQueryOptions, getAccountPostsInfiniteQueryOptions, getAccountRcQueryOptions, getAccountRecoveriesQueryOptions, getAccountSubscriptionsQueryOptions, getAccountVoteHistoryInfiniteQueryOptions, getAccountsQueryOptions, getActiveAccountBookmarksQueryOptions, getActiveAccountFavouritesQueryOptions, getAnnouncementsQueryOptions, getBoostPlusAccountPricesQueryOptions, getBoostPlusPricesQueryOptions, getBotsQueryOptions, getBoundFetch, getChainPropertiesQueryOptions, getCollateralizedConversionRequestsQueryOptions, getCommentHistoryQueryOptions, getCommunitiesQueryOptions, getCommunityContextQueryOptions, getCommunityPermissions, getCommunitySubscribersQueryOptions, getCommunityType, getControversialRisingInfiniteQueryOptions, getConversionRequestsQueryOptions, getDeletedEntryQueryOptions, getDiscoverCurationQueryOptions, getDiscoverLeaderboardQueryOptions, getDiscussionsQueryOptions, getDraftsQueryOptions, getDynamicPropsQueryOptions, getEntryActiveVotesQueryOptions, getFollowCountQueryOptions, getFollowingQueryOptions, getFragmentsQueryOptions, getFriendsInfiniteQueryOptions, getGalleryImagesQueryOptions, getGameStatusCheckQueryOptions, getHiveHbdStatsQueryOptions, getHivePoshLinksQueryOptions, getImagesQueryOptions, getLoginType, getMarketDataQueryOptions, getMarketHistoryQueryOptions, getMarketStatisticsQueryOptions, getMutedUsersQueryOptions, getNotificationsInfiniteQueryOptions, getNotificationsSettingsQueryOptions, getNotificationsUnreadCountQueryOptions, getOpenOrdersQueryOptions, getOrderBookQueryOptions, getOutgoingRcDelegationsInfiniteQueryOptions, getPageStatsQueryOptions, getPointsQueryOptions, getPostHeaderQueryOptions, getPostQueryOptions, getPostTipsQueryOptions, getPostingKey, getPostsRankedInfiniteQueryOptions, getPromotePriceQueryOptions, getPromotedPostsQuery, getProposalQueryOptions, getProposalVotesInfiniteQueryOptions, getProposalsQueryOptions, getQueryClient, getRcStatsQueryOptions, getReblogsQueryOptions, getReceivedVestingSharesQueryOptions, getReferralsInfiniteQueryOptions, getReferralsStatsQueryOptions, getRefreshToken, getRelationshipBetweenAccountsQueryOptions, getRewardedCommunitiesQueryOptions, getSavingsWithdrawFromQueryOptions, getSchedulesQueryOptions, getSearchAccountQueryOptions, getSearchAccountsByUsernameQueryOptions, getSearchApiInfiniteQueryOptions, getSearchFriendsQueryOptions, getSearchPathQueryOptions, getSearchTopicsQueryOptions, getSimilarEntriesQueryOptions, getStatsQueryOptions, getTransactionsInfiniteQueryOptions, getTrendingTagsQueryOptions, getUser, getUserProposalVotesQueryOptions, getVestingDelegationsQueryOptions, getVisibleFirstLevelThreadItems, getWavesByHostQueryOptions, getWavesByTagQueryOptions, getWavesFollowingQueryOptions, getWavesTrendingTagsQueryOptions, getWithdrawRoutesQueryOptions, getWitnessesInfiniteQueryOptions, lookupAccountsQueryOptions, makeQueryClient, mapThreadItemsToWaveEntries, normalizeWaveEntryFromApi, parseAccounts, parseAsset, parseProfileMetadata, roleMap, searchQueryOptions, sortDiscussions, toEntryArray, useAccountFavouriteAdd, useAccountFavouriteDelete, useAccountRelationsUpdate, useAccountRevokeKey, useAccountRevokePosting, useAccountUpdate, useAccountUpdateKeyAuths, useAccountUpdatePassword, useAccountUpdateRecovery, useAddFragment, useBookmarkAdd, useBookmarkDelete, useBroadcastMutation, useEditFragment, useGameClaim, useRecordActivity, useRemoveFragment, useSignOperationByHivesigner, useSignOperationByKey, useSignOperationByKeychain };
|
|
1750
3880
|
//# sourceMappingURL=index.js.map
|
|
1751
3881
|
//# sourceMappingURL=index.js.map
|