forked from douglasborthwick-crypto/insumer-examples
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathverify.js
More file actions
215 lines (175 loc) · 5.52 KB
/
verify.js
File metadata and controls
215 lines (175 loc) · 5.52 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
/**
* InsumerAPI — Node.js example
*
* A lightweight Express server that:
* 1. Verifies on-chain token holdings via POST /v1/attest
* 2. Checks merchant discounts via GET /v1/discount/check
* 3. Verifies ECDSA signatures offline using Web Crypto
*
* Usage:
* INSUMER_API_KEY=insr_live_... node verify.js
* curl -X POST http://localhost:3000/verify -H "Content-Type: application/json" \
* -d '{"wallet": "0xd8dA6BF26964aF9D7eEd9e03E53415D37aA96045"}'
*/
const express = require("express");
const crypto = require("crypto");
const app = express();
app.use(express.json());
const API = "https://api.insumermodel.com";
const KEY = process.env.INSUMER_API_KEY;
if (!KEY) {
console.error("Set INSUMER_API_KEY environment variable");
process.exit(1);
}
const headers = { "Content-Type": "application/json", "X-API-Key": KEY };
// --- 1. Verify token holdings ---
// POST /verify { wallet, conditions? }
// If no conditions provided, checks SHIB on Ethereum as a demo.
app.post("/verify", async (req, res) => {
const { wallet, conditions } = req.body;
if (!wallet) {
return res.status(400).json({ error: "wallet is required" });
}
const defaultConditions = [
{
type: "token_balance",
contractAddress: "0x95aD61b0a150d79219dCF64E1E6Cc01f0B64C4cE",
chainId: 1,
threshold: 1000000,
label: "SHIB holder",
},
];
const attestRes = await fetch(`${API}/v1/attest`, {
method: "POST",
headers,
body: JSON.stringify({
wallet,
conditions: conditions || defaultConditions,
}),
});
const result = await attestRes.json();
if (!result.ok) {
// rpc_failure = data source unavailable, retryable after 2-5s
// NOT a verification failure — do not treat as pass: false
if (attestRes.status === 503 && result.error?.code === "rpc_failure") {
return res.status(503).json({
error: "rpc_failure",
message: "Data source temporarily unavailable — retry after 2-5 seconds",
failedConditions: result.error.failedConditions,
});
}
return res.status(attestRes.status).json(result);
}
res.json({
wallet,
pass: result.data.attestation.pass,
results: result.data.attestation.results,
signature: result.data.sig,
});
});
// --- 2. Check merchant discount ---
// GET /discount?wallet=0x...&merchant=MERCHANT_ID
app.get("/discount", async (req, res) => {
const { wallet, merchant } = req.query;
if (!wallet || !merchant) {
return res.status(400).json({ error: "wallet and merchant are required" });
}
const discountRes = await fetch(
`${API}/v1/discount/check?wallet=${wallet}&merchant=${merchant}`,
{ headers }
);
const result = await discountRes.json();
if (!result.ok) {
return res.status(discountRes.status).json(result);
}
const { data } = result;
if (!data.eligible) {
return res.json({ eligible: false, message: "No qualifying tokens found" });
}
res.json({
eligible: true,
totalDiscount: data.totalDiscount,
merchant: data.merchantName,
breakdown: data.breakdown.map((t) => ({
token: t.symbol,
tier: t.tier,
discount: t.discount,
})),
});
});
// --- 3. Multi-condition verification ---
// POST /multi-verify { wallet, conditions: [...] }
// Example: check both token balance AND NFT ownership in one call.
app.post("/multi-verify", async (req, res) => {
const { wallet, conditions } = req.body;
if (!wallet || !conditions || !conditions.length) {
return res.status(400).json({ error: "wallet and conditions[] are required" });
}
if (conditions.length > 10) {
return res.status(400).json({ error: "Maximum 10 conditions per call" });
}
const attestRes = await fetch(`${API}/v1/attest`, {
method: "POST",
headers,
body: JSON.stringify({ wallet, conditions }),
});
const result = await attestRes.json();
if (!result.ok) {
return res.status(attestRes.status).json(result);
}
const { attestation, sig } = result.data;
res.json({
wallet,
allPassed: attestation.pass,
results: attestation.results.map((r) => ({
label: r.label,
met: r.met,
})),
signature: sig,
});
});
// --- 4. XRPL verification ---
// POST /verify-xrpl { xrplWallet, conditions? }
// If no conditions provided, checks native XRP >= 100 as a demo.
app.post("/verify-xrpl", async (req, res) => {
const { xrplWallet, conditions } = req.body;
if (!xrplWallet) {
return res.status(400).json({ error: "xrplWallet is required" });
}
const defaultConditions = [
{
type: "token_balance",
contractAddress: "native",
chainId: "xrpl",
threshold: 100,
label: "XRP >= 100",
},
];
const attestRes = await fetch(`${API}/v1/attest`, {
method: "POST",
headers,
body: JSON.stringify({
xrplWallet,
conditions: conditions || defaultConditions,
}),
});
const result = await attestRes.json();
if (!result.ok) {
return res.status(attestRes.status).json(result);
}
res.json({
xrplWallet,
pass: result.data.attestation.pass,
results: result.data.attestation.results,
signature: result.data.sig,
});
});
app.listen(3000, () => {
console.log("InsumerAPI example server running on http://localhost:3000");
console.log("");
console.log("Endpoints:");
console.log(" POST /verify — Verify EVM token holdings");
console.log(" GET /discount — Check merchant discount");
console.log(" POST /multi-verify — Multi-condition verification");
console.log(" POST /verify-xrpl — Verify XRPL token holdings");
});