Update frontend

This commit is contained in:
g
2025-02-07 13:50:15 +00:00
parent b9c9a1c428
commit 717451ac9f
3 changed files with 123 additions and 48 deletions

View File

@@ -24,18 +24,63 @@ import {
CardTitle, CardTitle,
} from "@/components/ui/card"; } from "@/components/ui/card";
import { Badge } from "@/components/ui/badge"; import { Badge } from "@/components/ui/badge";
import { Clipboard, Package, } from "lucide-react"; import { Clipboard, Truck, Package } from "lucide-react";
interface Order {
orderId: string;
status: string;
pgpAddress: string;
shippingMethod: { type: string; price: number };
products: Array<{
_id: string;
productId: string;
quantity: number;
pricePerUnit: number;
totalItemPrice: number;
}>;
totalPrice: number;
}
export default function OrderDetailsPage() { export default function OrderDetailsPage() {
const [order, setOrder] = useState<any>(null); const [order, setOrder] = useState<Order | null>(null);
const [trackingNumber, setTrackingNumber] = useState(""); const [trackingNumber, setTrackingNumber] = useState("");
const [loading, setLoading] = useState(true); const [loading, setLoading] = useState(true);
const [error, setError] = useState(""); const [error, setError] = useState("");
const [productNames, setProductNames] = useState<Record<string, string>>({}); // Map of productId to productName const [productNames, setProductNames] = useState<Record<string, string>>({});
const [isPaid, setIsPaid] = useState(false);
const params = useParams(); const params = useParams();
const orderId = params.id; const orderId = params?.id;
const handleMarkAsPaid = async () => {
try {
const authToken = document.cookie.split("Authorization=")[1];
const response = await fetch(
`${process.env.NEXT_PUBLIC_API_URL}/orders/${orderId}`,
{
method: "PUT",
headers: {
"Content-Type": "application/json",
Authorization: `Bearer ${authToken}`,
},
body: JSON.stringify({ status: "paid" }),
}
);
if (response.ok) {
setIsPaid(true); // Update isPaid state
setOrder((prevOrder) => (prevOrder ? { ...prevOrder, status: "paid" } : null)); // Update order status
console.log("Order marked as paid successfully.");
} else {
const errorData = await response.json();
console.error("Failed to mark order as paid:", errorData.message);
alert(`Error: ${errorData.message}`);
}
} catch (error: any) {
console.error("An error occurred while marking the order as paid:", error.message);
alert("An unexpected error occurred. Please try again.");
}
};
useEffect(() => { useEffect(() => {
const fetchOrderDetails = async () => { const fetchOrderDetails = async () => {
@@ -44,20 +89,26 @@ export default function OrderDetailsPage() {
const authToken = document.cookie.split("Authorization=")[1]; const authToken = document.cookie.split("Authorization=")[1];
const res = await fetch(`${process.env.NEXT_PUBLIC_API_URL}/orders/${orderId}`, { const res = await fetch(
method: "GET", `${process.env.NEXT_PUBLIC_API_URL}/orders/${orderId}`,
headers: { Authorization: `Bearer ${authToken}` }, {
}); method: "GET",
headers: { Authorization: `Bearer ${authToken}` },
}
);
if (!res.ok) throw new Error("Failed to fetch order details"); if (!res.ok) throw new Error("Failed to fetch order details");
const data = await res.json(); const data: Order = await res.json();
setOrder(data); setOrder(data);
// Fetch product names for the order const productIds = data.products.map((product) => product.productId);
const productIds = data.products.map((product: any) => product.productId);
const productNamesMap = await fetchProductNames(productIds, authToken); const productNamesMap = await fetchProductNames(productIds, authToken);
setProductNames(productNamesMap); setProductNames(productNamesMap);
if (data.status === "paid") {
setIsPaid(true);
}
} catch (err: any) { } catch (err: any) {
setError(err.message); setError(err.message);
} finally { } finally {
@@ -65,7 +116,10 @@ export default function OrderDetailsPage() {
} }
}; };
const fetchProductNames = async (productIds: string[], authToken: string) => { const fetchProductNames = async (
productIds: string[],
authToken: string
): Promise<Record<string, string>> => {
const productNamesMap: Record<string, string> = {}; const productNamesMap: Record<string, string> = {};
try { try {
const promises = productIds.map((id) => const promises = productIds.map((id) =>
@@ -89,21 +143,23 @@ export default function OrderDetailsPage() {
fetchOrderDetails(); fetchOrderDetails();
}, [orderId]); }, [orderId]);
const handleAddTracking = async () => { const handleAddTracking = async () => {
if (!trackingNumber) return; if (!trackingNumber) return;
try { try {
const authToken = document.cookie.split("Authorization=")[1]; const authToken = document.cookie.split("Authorization=")[1];
const res = await fetch(`${process.env.NEXT_PUBLIC_API_URL}/orders/${orderId}/tracking`, { const res = await fetch(
method: "PUT", `${process.env.NEXT_PUBLIC_API_URL}/orders/${orderId}/tracking`,
headers: { {
"Content-Type": "application/json", method: "PUT",
Authorization: `Bearer ${authToken}`, headers: {
}, "Content-Type": "application/json",
body: JSON.stringify({ trackingNumber }), Authorization: `Bearer ${authToken}`,
}); },
body: JSON.stringify({ trackingNumber }),
}
);
if (!res.ok) throw new Error("Failed to update tracking number"); if (!res.ok) throw new Error("Failed to update tracking number");
@@ -117,30 +173,42 @@ export default function OrderDetailsPage() {
navigator.clipboard.writeText(text); navigator.clipboard.writeText(text);
}; };
if (loading) return <div className="text-center py-10">Loading order details...</div>; if (loading)
if (error) return <div className="text-center text-red-500 py-10">Error: {error}</div>; return <div className="text-center py-10">Loading order details...</div>;
if (error)
return <div className="text-center text-red-500 py-10">Error: {error}</div>;
return ( return (
<Layout> <Layout>
<div className="space-y-6"> <div className="space-y-6">
<div className="flex justify-between items-center"> <div className="flex justify-between items-center">
<h1 className="text-3xl font-bold">Order Details: {order.orderId}</h1> <h1 className="text-3xl font-bold">Order Details: {order?.orderId}</h1>
<Badge variant={order.status === "paid" ? "default" : "secondary"}> <Badge variant={order?.status === "paid" ? "paid" : "unpaid"}>
{order.status} {order?.status}
</Badge> </Badge>
</div> </div>
<div className="grid gap-6 md:grid-cols-2"> <div className="grid gap-6 md:grid-cols-2">
<Card> <Card>
<CardHeader> <CardHeader>
<CardTitle>PGP Encrypted Address</CardTitle> <CardTitle>PGP Encrypted Address</CardTitle>
<CardDescription>Securely encrypted delivery address</CardDescription> <CardDescription>
Securely encrypted delivery address
</CardDescription>
</CardHeader> </CardHeader>
<CardContent> <CardContent>
<Textarea value={order.pgpAddress} readOnly className="font-mono text-xs" rows={10} /> <Textarea
value={order?.pgpAddress || ""}
readOnly
className="font-mono text-xs"
rows={10}
/>
</CardContent> </CardContent>
<CardFooter> <CardFooter>
<Button variant="outline" onClick={() => copyToClipboard(order.pgpAddress)}> <Button
variant="outline"
onClick={() => copyToClipboard(order?.pgpAddress || "")}
>
<Clipboard className="w-4 h-4 mr-2" /> <Clipboard className="w-4 h-4 mr-2" />
Copy to Clipboard Copy to Clipboard
</Button> </Button>
@@ -158,7 +226,8 @@ export default function OrderDetailsPage() {
<div className="space-y-2"> <div className="space-y-2">
<Label>Shipping Method</Label> <Label>Shipping Method</Label>
<div className="text-sm text-gray-700 dark:text-gray-300 font-medium"> <div className="text-sm text-gray-700 dark:text-gray-300 font-medium">
{order.shippingMethod.type} - £{order.shippingMethod.price.toFixed(2)} {order?.shippingMethod.type} - £
{order?.shippingMethod.price.toFixed(2)}
</div> </div>
</div> </div>
<div className="space-y-2"> <div className="space-y-2">
@@ -195,9 +264,11 @@ export default function OrderDetailsPage() {
</TableRow> </TableRow>
</TableHeader> </TableHeader>
<TableBody> <TableBody>
{order.products.map((product: any) => ( {order?.products.map((product) => (
<TableRow key={product._id}> <TableRow key={product._id}>
<TableCell>{productNames[product.productId] || "Loading..."}</TableCell> <TableCell>
{productNames[product.productId] || "Loading..."}
</TableCell>
<TableCell>{product.quantity}</TableCell> <TableCell>{product.quantity}</TableCell>
<TableCell>£{product.pricePerUnit.toFixed(2)}</TableCell> <TableCell>£{product.pricePerUnit.toFixed(2)}</TableCell>
<TableCell>£{product.totalItemPrice.toFixed(2)}</TableCell> <TableCell>£{product.totalItemPrice.toFixed(2)}</TableCell>
@@ -208,13 +279,18 @@ export default function OrderDetailsPage() {
Total: Total:
</TableCell> </TableCell>
<TableCell className="font-bold"> <TableCell className="font-bold">
£{order.totalPrice.toFixed(2)} £{order?.totalPrice.toFixed(2)}
</TableCell> </TableCell>
</TableRow> </TableRow>
</TableBody> </TableBody>
</Table> </Table>
</CardContent> </CardContent>
</Card> </Card>
<div className="flex justify-end space-x-4">
<Button size="lg" onClick={handleMarkAsPaid} disabled={isPaid}>
{isPaid ? "Order Marked as Paid" : "Mark Order as Paid"}
</Button>
</div>
</div> </div>
</Layout> </Layout>
); );

View File

@@ -1,27 +1,27 @@
import * as React from "react" import * as React from "react";
import { cva, type VariantProps } from "class-variance-authority" import { cva, type VariantProps } from "class-variance-authority";
import { cn } from "@/lib/utils" import { cn } from "@/lib/utils";
const badgeVariants = cva( const badgeVariants = cva(
"inline-flex items-center rounded-full border px-2.5 py-0.5 text-xs font-semibold transition-colors focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2", "inline-flex items-center rounded-full border px-2.5 py-0.5 text-xs font-semibold transition-colors focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2",
{ {
variants: { variants: {
variant: { variant: {
default: default: "border-transparent bg-primary text-primary-foreground hover:bg-primary/80",
"border-transparent bg-primary text-primary-foreground hover:bg-primary/80", secondary: "border-transparent bg-secondary text-secondary-foreground hover:bg-secondary/80",
secondary: destructive: "border-transparent bg-destructive text-destructive-foreground hover:bg-destructive/80",
"border-transparent bg-secondary text-secondary-foreground hover:bg-secondary/80",
destructive:
"border-transparent bg-destructive text-destructive-foreground hover:bg-destructive/80",
outline: "text-foreground", outline: "text-foreground",
paid: "border-transparent bg-green-500 text-white hover:bg-green-600",
unpaid: "border-transparent bg-red-500 text-white hover:bg-red-600",
pending: "border-transparent bg-yellow-500 text-white hover:bg-yellow-600",
}, },
}, },
defaultVariants: { defaultVariants: {
variant: "default", variant: "default",
}, },
} }
) );
export interface BadgeProps export interface BadgeProps
extends React.HTMLAttributes<HTMLDivElement>, extends React.HTMLAttributes<HTMLDivElement>,
@@ -30,7 +30,7 @@ export interface BadgeProps
function Badge({ className, variant, ...props }: BadgeProps) { function Badge({ className, variant, ...props }: BadgeProps) {
return ( return (
<div className={cn(badgeVariants({ variant }), className)} {...props} /> <div className={cn(badgeVariants({ variant }), className)} {...props} />
) );
} }
export { Badge, badgeVariants } export { Badge, badgeVariants };

View File

@@ -1,4 +1,3 @@
// In models/products.ts
export interface Product { export interface Product {
_id?: string; _id?: string;
name: string; name: string;