-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathApp.jsx
380 lines (351 loc) · 12.4 KB
/
App.jsx
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
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
import { useAddress, useMetamask, useEditionDrop, useToken, useVote, useNetwork } from '@thirdweb-dev/react';
import { ChainId } from '@thirdweb-dev/sdk'
import { useState, useEffect, useMemo } from "react";
import { AddressZero } from "@ethersproject/constants";
const App = () => {
// Use the hooks thirdweb give us.
const address = useAddress();
const network = useNetwork();
const connectWithMetamask = useMetamask();
console.log("👋 Address:", address);
// Initialize editionDrop contract
const editionDrop = useEditionDrop(
"0x88a5900034D1EA2Fb4e8DDF334a6A1bb67c240fd"
);
// Initialize token contract
const token = useToken("0x80c0ce2c1fA21333b387461180A73bEB4988463a");
const vote = useVote("0xF1e4219Ba4461eb64C6d790477F6766148125AEd");
// State variable to know if user has NFT.
const [hasClaimedNFT, setHasClaimedNFT] = useState(false);
// isClaiming lets us easily keep a loading state while the NFT is minting.
const [isClaiming, setIsClaiming] = useState(false);
// Holds the amount of token each member has in state.
const [memberTokenAmounts, setMemberTokenAmounts] = useState([]);
// The array holding all of members addresses.
const [memberAddresses, setMemberAddresses] = useState([]);
// A fancy function to shorten someones wallet address.
const shortenAddress = (str) => {
return str.substring(0, 6) + "..." + str.substring(str.length - 4);
};
// set init state
const [proposals, setProposals] = useState([]);
const [isVoting, setIsVoting] = useState(false);
const [hasVoted, setHasVoted] = useState(false);
// Retrieve all existing proposals from the contract.
useEffect(() => {
if (!hasClaimedNFT) {
return;
}
// A simple call to vote.getAll() to grab the proposals.
const getAllProposals = async () => {
try {
const proposals = await vote.getAll();
setProposals(proposals);
console.log("🌈 Proposals:", proposals);
} catch (error) {
console.log("failed to get proposals", error);
}
};
getAllProposals();
}, [hasClaimedNFT, vote]);
// Check if the user already voted.
useEffect(() => {
if (!hasClaimedNFT) {
return;
}
// If we haven't finished retrieving the proposals from the useEffect above
// then we can't check if the user voted yet!
if (!proposals.length) {
return;
}
const checkIfUserHasVoted = async () => {
try {
const hasVoted = await vote.hasVoted(proposals[0].proposalId, address);
setHasVoted(hasVoted);
if (hasVoted) {
console.log("🥵 User has already voted");
} else {
console.log("🙂 User has not voted yet");
}
} catch (error) {
console.error("Failed to check if wallet has voted", error);
}
};
checkIfUserHasVoted();
}, [hasClaimedNFT, proposals, address, vote]);
// This useEffect grabs all the addresses of members holding the membership NFT.
useEffect(() => {
if (!hasClaimedNFT) {
return;
}
// Just like we did in the 7-airdrop-token.js file! Grab the users who hold NFT
// with tokenId 0.
const getAllAddresses = async () => {
try {
const memberAddresses =
await editionDrop.history.getAllClaimerAddresses(0);
setMemberAddresses(memberAddresses);
console.log("🚀 Members addresses", memberAddresses);
} catch (error) {
console.error("failed to get member list", error);
}
};
getAllAddresses();
}, [hasClaimedNFT, editionDrop.history]);
// This useEffect grabs the # of token each member holds.
useEffect(() => {
if (!hasClaimedNFT) {
return;
}
const getAllBalances = async () => {
try {
const amounts = await token.history.getAllHolderBalances();
setMemberTokenAmounts(amounts);
console.log("👜 Amounts", amounts);
} catch (error) {
console.error("failed to get member balances", error);
}
};
getAllBalances();
}, [hasClaimedNFT, token.history]);
// Now, we combine the memberAddresses and memberTokenAmounts into a single array
const memberList = useMemo(() => {
return memberAddresses.map((address) => {
// We're checking if we are finding the address in the memberTokenAmounts array.
// If we are, we'll return the amount of token the user has.
// Otherwise, return 0.
const member = memberTokenAmounts?.find(
({ holder }) => holder === address
);
return {
address,
tokenAmount: member?.balance.displayValue || "0",
};
});
}, [memberAddresses, memberTokenAmounts]);
// update balance on user change or contract initialization
useEffect(() => {
// If they don't have an connected wallet, exit!
if (!address) {
return;
}
const checkBalance = async () => {
try {
const balance = await editionDrop.balanceOf(address, 0);
if (balance.gt(0)) {
setHasClaimedNFT(true);
console.log("🌟 this user has a membership NFT!");
} else {
setHasClaimedNFT(false);
console.log("😭 this user doesn't have a membership NFT.");
}
} catch (error) {
setHasClaimedNFT(false);
console.error("Failed to get balance", error);
}
};
checkBalance();
}, [address, editionDrop]);
// button actions
const mintNft = async () => {
try {
setIsClaiming(true);
await editionDrop.claim("0", 1);
console.log(
`🌊 Successfully Minted! Check it out on OpenSea: https://testnets.opensea.io/assets/${editionDrop.getAddress()}/0`
);
setHasClaimedNFT(true);
} catch (error) {
setHasClaimedNFT(false);
console.error("Failed to mint NFT", error);
} finally {
setIsClaiming(false);
}
};
const submitProposal = async (e) => {
e.preventDefault();
e.stopPropagation();
//before we do async things, we want to disable the button to prevent double clicks
setIsVoting(true);
// lets get the votes from the form for the values
const votes = proposals.map((proposal) => {
const voteResult = {
proposalId: proposal.proposalId,
//abstain by default
vote: 2,
};
proposal.votes.forEach((vote) => {
const elem = document.getElementById(
proposal.proposalId + "-" + vote.type
);
if (elem.checked) {
voteResult.vote = vote.type;
return;
}
});
return voteResult;
});
// first we need to make sure the user delegates their token to vote
try {
//we'll check if the wallet still needs to delegate their tokens before they can vote
const delegation = await token.getDelegationOf(address);
// if the delegation is the 0x0 address that means they have not delegated their governance tokens yet
if (delegation === AddressZero) {
//if they haven't delegated their tokens yet, we'll have them delegate them before voting
await token.delegateTo(address);
}
// then we need to vote on the proposals
try {
await Promise.all(
votes.map(async ({ proposalId, vote: _vote }) => {
// before voting we first need to check whether the proposal is open for voting
// we first need to get the latest state of the proposal
const proposal = await vote.get(proposalId);
// then we check if the proposal is open for voting (state === 1 means it is open)
if (proposal.state === 1) {
// if it is open for voting, we'll vote on it
return vote.vote(proposalId, _vote);
}
// if the proposal is not open for voting we just return nothing, letting us continue
return;
})
);
try {
// if any of the propsals are ready to be executed we'll need to execute them
// a proposal is ready to be executed if it is in state 4
await Promise.all(
votes.map(async ({ proposalId }) => {
// we'll first get the latest state of the proposal again, since we may have just voted before
const proposal = await vote.get(proposalId);
//if the state is in state 4 (meaning that it is ready to be executed), we'll execute the proposal
if (proposal.state === 4) {
return vote.execute(proposalId);
}
})
);
// if we get here that means we successfully voted, so let's set the "hasVoted" state to true
setHasVoted(true);
// and log out a success message
console.log("successfully voted");
} catch (err) {
console.error("failed to execute votes", err);
}
} catch (err) {
console.error("failed to vote", err);
}
} catch (err) {
console.error("failed to delegate tokens");
} finally {
// in *either* case we need to set the isVoting state to false to enable the button again
setIsVoting(false);
}
}
if (address && (network?.[0].data.chain.id !== ChainId.Mumbai)) {
return (
<div className="unsupported-network">
<h2>Please connect to Mumbai</h2>
<p>
This dapp only works on the Mumbai network, please switch networks
in yconnected wallet.
</p>
</div>
);
}
// This is the case where the user hasn't connected their wallet
// to yweb app. Let them call connectWallet.
if (!address) {
return (
<div className="landing">
<h1>Welcome to NarutoDAO</h1>
<button onClick={connectWithMetamask} className="btn-hero">
Connect ywallet
</button>
</div>
);
}
// If the user has already claimed their NFT we want to display the interal DAO page to them
// only DAO members will see this. Render all the members + token amounts.
if (hasClaimedNFT) {
return (
<div className="member-page">
<h1>APEX DAO Member Page</h1>
<p>Congratulations on being a member</p>
<div>
<div>
<h2>Member List</h2>
<table className="card">
<thead>
<tr>
<th>Address</th>
<th>Token Amount</th>
</tr>
</thead>
<tbody>
{memberList.map((member) => {
return (
<tr key={member.address}>
<td>{shortenAddress(member.address)}</td>
<td>{member.tokenAmount}</td>
</tr>
);
})}
</tbody>
</table>
</div>
<div>
<h2>Active Proposals</h2>
<form
onSubmit={submitProposal}
>
{proposals.map((proposal) => (
<div key={proposal.proposalId} className="card">
<h5>{proposal.description}</h5>
<div>
{proposal.votes.map(({ type, label }) => (
<div key={type}>
<input
type="radio"
id={proposal.proposalId + "-" + type}
name={proposal.proposalId}
value={type}
//default the "abstain" vote to checked
defaultChecked={type === 2}
/>
<label htmlFor={proposal.proposalId + "-" + type}>
{label}
</label>
</div>
))}
</div>
</div>
))}
<button disabled={isVoting || hasVoted} type="submit">
{isVoting
? "Voting..."
: hasVoted
? "You Already Voted"
: "Submit Votes"}
</button>
{!hasVoted && (
<small>
This will trigger multiple transactions that you will need to
sign.
</small>
)}
</form>
</div>
</div>
</div>
);
}
// Render mint nft screen.
return (
<div className="mint-nft">
<h1>Mint Free APEX Membership NFT</h1>
<button disabled={isClaiming} onClick={mintNft}>
{isClaiming ? "Minting..." : "Mint NFT (FREE)"}
</button>
</div>
);
};
export default App;