Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

add stats resources bridged on empire #2618

Merged
merged 3 commits into from
Dec 28, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
231 changes: 231 additions & 0 deletions landing/src/components/modules/bridged-resources.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,231 @@
import { useDojo } from "@/hooks/context/DojoContext";
import { ResourcesIds } from "@bibliothecadao/eternum";
import { useAccount } from "@starknet-react/core";
import { ArrowDownUp, Pickaxe } from "lucide-react";
import { useCallback, useEffect, useState } from "react";
import { TypeH2 } from "../typography/type-h2";
import { Card, CardHeader } from "../ui/card";
import { ResourceIcon } from "../ui/elements/ResourceIcon";
import { getSeasonAddresses } from "../ui/utils/utils";

type SortKey = "totalSupply" | "balance";
type SortDirection = "asc" | "desc";

export const BridgedResources = () => {
const [sortKey, setSortKey] = useState<SortKey>("totalSupply");
const [sortDirection, setSortDirection] = useState<SortDirection>("desc");
const [sortedResources, setSortedResources] = useState<[string, [number, string]][]>([]);
const [resourceData, setResourceData] = useState<Record<string, { totalSupply: bigint; balance: bigint }>>({});

useEffect(() => {
const getResources = async () => {
const addresses = await getSeasonAddresses();
setSortedResources(Object.entries(addresses));
};
void getResources();
}, []);

const updateResourceData = useCallback((address: string, totalSupply: bigint, balance: bigint) => {
setResourceData((prev) => {
if (prev[address]?.totalSupply === totalSupply && prev[address]?.balance === balance) {
return prev;
}
return {
...prev,
[address]: { totalSupply, balance },
};
});
}, []);

useEffect(() => {
if (Object.keys(resourceData).length > 0) {
setSortedResources((prev) =>
[...prev].sort((a, b) => {
const aData = resourceData[a[1][1]] || { totalSupply: 0n, balance: 0n };
const bData = resourceData[b[1][1]] || { totalSupply: 0n, balance: 0n };
const comparison = Number(bData[sortKey] - aData[sortKey]);
return sortDirection === "desc" ? comparison : -comparison;
}),
);
}
}, [sortKey, sortDirection, resourceData]);

const handleSort = (key: SortKey) => {
if (sortKey === key) {
setSortDirection(sortDirection === "desc" ? "asc" : "desc");
} else {
setSortKey(key);
setSortDirection("desc");
}
};

return (
<Card className="w-full bg-gray-900 border-gray-800">
<CardHeader className="border-b border-gray-800">
<div className="flex items-center justify-between">
<TypeH2 className="flex items-center gap-3 uppercase text-gold">
<Pickaxe className="w-6 h-6" />
Bridged Resources
</TypeH2>
<div className="flex items-center gap-4">
<button
onClick={() => handleSort("balance")}
className={`text-sm flex items-center gap-2 ${sortKey === "balance" ? "text-gold" : "text-gold/70"}`}
>
<ArrowDownUp
className={`w-4 h-4 ${sortKey === "balance" && sortDirection === "asc" ? "rotate-180" : ""}`}
/>
Sort by Balance
</button>
<button
onClick={() => handleSort("totalSupply")}
className={`text-sm flex items-center gap-2 ${sortKey === "totalSupply" ? "text-gold" : "text-gold/70"}`}
>
<ArrowDownUp
className={`w-4 h-4 ${sortKey === "totalSupply" && sortDirection === "asc" ? "rotate-180" : ""}`}
/>
Sort by Supply
</button>
</div>
</div>
</CardHeader>
<div className="divide-y divide-gray-800">
{sortedResources.map(([key, [id, address]]) => (
<BridgeResource
key={key}
resourceId={id}
name={key}
contractAddress={address}
onDataUpdate={updateResourceData}
/>
))}
</div>
</Card>
);
};

export const BridgeResource = ({
name,
resourceId,
contractAddress,
onDataUpdate,
}: {
name: string;
resourceId: number;
contractAddress: string;
onDataUpdate: (address: string, totalSupply: bigint, balance: bigint) => void;
}) => {
const {
network: { provider },
} = useDojo();
const { account } = useAccount();

const [amountBridged, setAmountBridged] = useState(0n);
const [playerBalance, setPlayerBalance] = useState(0n);
const [copied, setCopied] = useState(false);

useEffect(() => {
const fetchData = async () => {
try {
// Get total supply
const totalSupplyResult = await provider.provider.callContract({
contractAddress: contractAddress,
entrypoint: "total_supply",
});
const totalSupply = BigInt(totalSupplyResult[0]);
setAmountBridged(totalSupply);

// Get player balance
let balance = 0n;
if (account?.address) {
const balanceResult = await provider.provider.callContract({
contractAddress: contractAddress,
entrypoint: "balance_of",
calldata: [account.address],
});
balance = BigInt(balanceResult[0]);
setPlayerBalance(balance);
}

onDataUpdate(contractAddress, totalSupply, balance);
} catch (error) {
console.error("Error fetching data:", error);
setAmountBridged(0n);
setPlayerBalance(0n);
onDataUpdate(contractAddress, 0n, 0n);
}
};

fetchData();
}, [provider, contractAddress, account?.address, onDataUpdate]);

Comment on lines +118 to +161
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Account for Stargate or RPC issues in data fetch.

The callContract logic is correct. For better user experience, consider concurrency handling (e.g., if multiple resources are fetched simultaneously) or repeated calls if the provider becomes momentarily unreachable. If the fetching process is large-scale, you may need batching for performance optimization.

const percentage = amountBridged > 0n ? Number((playerBalance * 100n) / amountBridged) : 0;
const formattedBalance = (Number(playerBalance) / 10 ** 18).toLocaleString(undefined, {
minimumFractionDigits: 2,
maximumFractionDigits: 2,
});
const formattedSupply = (Number(amountBridged) / 10 ** 18).toLocaleString(undefined, {
minimumFractionDigits: 2,
maximumFractionDigits: 2,
});

const copyToClipboard = () => {
navigator.clipboard.writeText(contractAddress);
setCopied(true);
setTimeout(() => setCopied(false), 2000);
};

return (
<div className="flex items-center justify-between p-6 hover:bg-gray-800/50 transition-colors">
<div className="flex items-center gap-6">
<ResourceIcon size={"xxl"} resource={ResourcesIds[resourceId]} className="w-10 h-10" />
<div className="space-y-1">
<div className="font-bold text-lg text-white">
<a
href={`https://starkscan.co/token/${contractAddress}`}
target="_blank"
rel="noopener noreferrer"
className="hover:text-gold transition-colors"
>
{name}
</a>
</div>
<div className="text-sm text-gray-400">
Balance: <span className="text-gold font-medium">{formattedBalance}</span>{" "}
<span className="text-gray-500">({percentage.toFixed(1)}%)</span>
</div>
<button
onClick={copyToClipboard}
className="text-xs bg-gray-800 hover:bg-gray-700 text-gray-400 px-2 py-1 rounded transition-colors flex items-center gap-1"
title="Click to copy contract address"
>
{contractAddress.slice(0, 6)}...{contractAddress.slice(-4)}
{copied ? (
<svg
xmlns="http://www.w3.org/2000/svg"
className="h-4 w-4 text-green-500"
viewBox="0 0 20 20"
fill="currentColor"
>
<path
fillRule="evenodd"
d="M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z"
clipRule="evenodd"
/>
</svg>
) : (
<svg xmlns="http://www.w3.org/2000/svg" className="h-4 w-4" viewBox="0 0 20 20" fill="currentColor">
<path d="M8 3a1 1 0 011-1h2a1 1 0 110 2H9a1 1 0 01-1-1z" />
<path d="M6 3a2 2 0 00-2 2v11a2 2 0 002 2h8a2 2 0 002-2V5a2 2 0 00-2-2 3 3 0 01-3 3H9a3 3 0 01-3-3z" />
</svg>
)}
</button>
</div>
</div>
<div className="text-right">
<div className="text-sm text-gray-400 mb-1">Total Supply</div>
<div className="font-bold text-lg text-white">{formattedSupply}</div>
</div>
</div>
);
};
2 changes: 1 addition & 1 deletion landing/src/components/ui/utils/utils.ts
Original file line number Diff line number Diff line change
Expand Up @@ -436,7 +436,7 @@ export const getJSONFile = async (filePath: string) => {
return data;
};

interface ResourceAddresses {
export interface ResourceAddresses {
[key: string]: [number, string];
}

Expand Down
10 changes: 9 additions & 1 deletion landing/src/routes/index.lazy.tsx
Original file line number Diff line number Diff line change
@@ -1,4 +1,5 @@
import { AnimatedGrid } from "@/components/modules/animated-grid";
import { BridgedResources } from "@/components/modules/bridged-resources";
import { DataCard, DataCardProps } from "@/components/modules/data-card";
import {
PRIZE_POOL_ACHIEVEMENTS,
Expand Down Expand Up @@ -127,7 +128,14 @@ function Index() {
return (
<div className="p-4">
<AnimatedGrid
items={[...dataCards]}
items={[
...dataCards,
{
colSpan: { sm: 2, md: 6, lg: 12 },
rowSpan: { sm: 1, md: 1, lg: 2 },
data: <BridgedResources />,
},
]}
renderItem={(item) =>
React.isValidElement(item.data) ? item.data : <DataCard {...(item.data as DataCardProps)} />
}
Expand Down
Loading