"use client";
import { useState, useEffect, ChangeEvent, Suspense } from "react";
import { useRouter } from "next/navigation";
import Layout from "@/components/layout/layout";
import { Edit, Plus, Trash, Truck } from "lucide-react";
import { Button } from "@/components/ui/button";
import { Skeleton } from "@/components/ui/skeleton";
import {
fetchShippingMethods,
addShippingMethod,
deleteShippingMethod,
updateShippingMethod,
ShippingMethod,
ShippingData
} from "@/lib/services/shipping-service";
import dynamic from "next/dynamic";
import { Card, CardContent, CardHeader } from "@/components/ui/card";
// Lazy load components with error handling
const ShippingModal = dynamic(() => import("@/components/modals/shipping-modal").then(mod => ({ default: mod.ShippingModal })).catch((err) => {
console.error("Failed to load ShippingModal:", err);
throw err;
}), {
loading: () => (
{[...Array(3)].map((_, i) => (
))}
)
});
const ShippingTable = dynamic(() => import("@/components/tables/shipping-table").then(mod => ({ default: mod.ShippingTable })).catch((err) => {
console.error("Failed to load ShippingTable:", err);
throw err;
}), {
loading: () =>
});
// Loading skeleton for shipping table
function ShippingTableSkeleton() {
return (
{/* Subtle loading indicator */}
{['Method Name', 'Price', 'Actions'].map((header, i) => (
))}
{[...Array(4)].map((_, i) => (
))}
);
}
export default function ShippingPage() {
const [shippingMethods, setShippingMethods] = useState([]);
const [newShipping, setNewShipping] = useState({
name: "",
price: 0,
});
const [loading, setLoading] = useState(true);
const [modalOpen, setModalOpen] = useState(false);
const [editing, setEditing] = useState(false);
const [refreshTrigger, setRefreshTrigger] = useState(0);
const router = useRouter();
const refreshShippingMethods = () => {
setRefreshTrigger(prev => prev + 1);
};
useEffect(() => {
const fetchShippingMethodsData = async () => {
try {
setLoading(true);
const authToken = document.cookie
.split("; ")
.find((row) => row.startsWith("Authorization="))
?.split("=")[1];
if (!authToken) {
router.push("/login");
return;
}
const fetchedMethods: ShippingMethod[] = await fetchShippingMethods(
authToken
);
const sanitizedMethods: ShippingMethod[] = fetchedMethods.map(
(method) => ({
...method,
_id: method._id ?? "",
})
);
console.log("Fetched Shipping Methods:", sanitizedMethods);
setShippingMethods(sanitizedMethods);
} catch (error) {
console.error("Error loading shipping options:", error);
} finally {
setLoading(false);
}
};
fetchShippingMethodsData();
}, [refreshTrigger]); // Add refreshTrigger as a dependency
const handleAddShipping = async () => {
if (!newShipping.name || !newShipping.price) return;
try {
setLoading(true);
const authToken = document.cookie
.split("; ")
.find((row) => row.startsWith("Authorization="))
?.split("=")[1];
if (!authToken) {
console.error("No auth token found");
return;
}
console.log("Sending request to add shipping method:", newShipping);
const response = await addShippingMethod(
newShipping,
authToken
);
console.log("Add shipping method response:", response);
// Close modal and reset form before refreshing to avoid UI delays
setModalOpen(false);
setNewShipping({ name: "", price: 0 });
// Refresh the list after adding
refreshShippingMethods();
console.log("Shipping method added successfully");
} catch (error) {
console.error("Error adding shipping method:", error);
alert("Failed to add shipping method. Please try again.");
} finally {
setLoading(false);
}
};
const handleUpdateShipping = async () => {
if (!newShipping.name || !newShipping.price || !newShipping._id) return; // Ensure `_id` exists
try {
setLoading(true);
const authToken = document.cookie
.split("; ")
.find((row) => row.startsWith("Authorization="))
?.split("=")[1];
if (!authToken) {
console.error("No auth token found");
return;
}
await updateShippingMethod(
newShipping._id,
newShipping,
authToken
);
// Close modal and reset form before refreshing to avoid UI delays
setModalOpen(false);
setNewShipping({ name: "", price: 0 });
setEditing(false);
// Refresh the list after updating
refreshShippingMethods();
console.log("Shipping method updated successfully");
} catch (error) {
console.error("Error updating shipping method:", error);
alert("Failed to update shipping method. Please try again.");
} finally {
setLoading(false);
}
};
const handleDeleteShipping = async (_id: string) => {
try {
const authToken = document.cookie.split("Authorization=")[1];
const response = await deleteShippingMethod(_id, authToken);
if (response.success) {
refreshShippingMethods(); // Refresh the list after deleting
} else {
console.error("Deletion was not successful.");
}
} catch (error) {
console.error("Error deleting shipping method:", error);
}
};
const handleEditShipping = (shipping: ShippingMethod) => {
setNewShipping({
...shipping,
_id: shipping._id ?? "", // ✅ Ensure _id is always a string
});
setEditing(true);
setModalOpen(true);
};
return (
Shipping Methods
{/* Shipping Methods Table */}
}>
{/* Shipping Modal */}
{
setNewShipping({ name: "", price: 0 });
setEditing(false);
setModalOpen(false);
}}
onSave={editing ? handleUpdateShipping : handleAddShipping}
shippingData={newShipping}
editing={editing}
handleChange={(e) =>
setNewShipping({ ...newShipping, [e.target.name]: e.target.value })
}
setShippingData={setNewShipping}
/>
);
}