last update

This commit is contained in:
Mann Patel
2025-03-18 18:09:15 -06:00
parent 34ac68564c
commit b11416b342
7 changed files with 821 additions and 107 deletions

View File

@@ -32,7 +32,10 @@ CREATE TABLE Product (
); );
-- Category Entity -- Category Entity
CREATE TABLE Category (CategoryID INT PRIMARY KEY, Name VARCHAR(255)); CREATE TABLE Category (
CategoryID INT PRIMARY KEY,
Name VARCHAR(255) NOT NULL
);
-- Review Entity (Many-to-One with User, Many-to-One with Product) -- Review Entity (Many-to-One with User, Many-to-One with Product)
CREATE TABLE Review ( CREATE TABLE Review (
@@ -81,7 +84,7 @@ CREATE TABLE History (
-- Favorites Entity (Many-to-One with User, Many-to-One with Product) -- Favorites Entity (Many-to-One with User, Many-to-One with Product)
CREATE TABLE Favorites ( CREATE TABLE Favorites (
FavoriteID INT PRIMARY KEY, FavoriteID INT AUTO_INCREMENT PRIMARY KEY,
UserID INT, UserID INT,
ProductID INT, ProductID INT,
FOREIGN KEY (UserID) REFERENCES User (UserID), FOREIGN KEY (UserID) REFERENCES User (UserID),

View File

@@ -213,11 +213,6 @@ app.post("/complete-signup", (req, res) => {
return res.status(500).json({ error: "Could not create role" }); return res.status(500).json({ error: "Could not create role" });
} }
db_con.query(
`SELECT * FROM User WHERE Email='${data.Email}'`,
(err, results) => {},
);
// Delete verification record // Delete verification record
db_con.query( db_con.query(
`DELETE FROM AuthVerification WHERE Email = '${data.email}'`, `DELETE FROM AuthVerification WHERE Email = '${data.email}'`,
@@ -228,7 +223,6 @@ app.post("/complete-signup", (req, res) => {
res.json({ res.json({
success: true, success: true,
message: "User registration completed successfully", message: "User registration completed successfully",
userID: results.UserID,
name: data.name, name: data.name,
email: data.email, email: data.email,
UCID: data.UCID, UCID: data.UCID,
@@ -320,7 +314,7 @@ app.post("/find_user", (req, res) => {
}); });
}); });
//TODO: Update A uses Data: //Update A uses Data:
app.post("/update", (req, res) => { app.post("/update", (req, res) => {
const { userId, ...updateData } = req.body; const { userId, ...updateData } = req.body;
@@ -328,7 +322,7 @@ app.post("/update", (req, res) => {
return res.status(400).json({ error: "User ID is required" }); return res.status(400).json({ error: "User ID is required" });
} }
// Create query dynamically based on provided fields //query dynamically based on provided fields
const updateFields = []; const updateFields = [];
const values = []; const values = [];
@@ -398,6 +392,74 @@ app.post("/delete", (req, res) => {
}); });
}); });
app.post("/add_fav_product", (req, res) => {
const { userID, productsID } = req.body;
// Use parameterized query to prevent SQL injection
db_con.query(
"INSERT INTO Favorites (UserID, ProductID) VALUES (?, ?)",
[userID, productsID],
(err, result) => {
if (err) {
console.error("Error adding favorite product:", err);
return res.json({ error: "Could not add favorite product" });
}
res.json({
success: true,
message: "Product added to favorites successfully",
});
},
);
});
app.get("/get_product", (req, res) => {
const query = "SELECT * FROM Product";
db_con.query(query, (err, data) => {
if (err) {
console.error("Error finding user:", err);
return res.status(500).json({
found: false,
error: "Database error occurred",
});
}
res.json({
success: true,
message: "Product added to favorites successfully",
data,
});
});
});
// db_con.query(
// "SELECT ProductID FROM product WHERE ProductID = ?",
// [productID],
// (err, results) => {
// if (err) {
// console.error("Error checking product:", err);
// return res.json({ error: "Database error" });
// }
// if (results.length === 0) {
// return res.json({ error: "Product does not exist" });
// }
// },
// );
// db_con.query(
// "INSERT INTO Favorites (UserID, ProductID) VALUES (?, ?)",
// [userID, productID],
// (err, result) => {
// if (err) {
// console.error("Error adding favorite product:", err);
// return res.json({ error: "Could not add favorite product" });
// }
// res.json({
// success: true,
// message: "Product added to favorites successfully",
// });
// },
// );
app.listen(3030, () => { app.listen(3030, () => {
console.log(`Running Backend on http://localhost:3030/`); console.log(`Running Backend on http://localhost:3030/`);
console.log(`Send verification code: POST /send-verification`); console.log(`Send verification code: POST /send-verification`);

View File

@@ -12,6 +12,7 @@ import Selling from "./pages/Selling";
import Transactions from "./pages/Transactions"; import Transactions from "./pages/Transactions";
import Favorites from "./pages/Favorites"; import Favorites from "./pages/Favorites";
import ProductDetail from "./pages/ProductDetail"; import ProductDetail from "./pages/ProductDetail";
import ItemForm from "./pages/MyListings";
function App() { function App() {
// Authentication state - initialize from localStorage if available // Authentication state - initialize from localStorage if available
@@ -161,11 +162,11 @@ function App() {
} }
const result = await response.json(); const result = await response.json();
console.log(result);
if (result.success) { if (result.success) {
// Create user object from API response // Create user object from API response
const newUser = { const newUser = {
ID: result.userID,
name: result.name || userData.name, name: result.name || userData.name,
email: result.email || userData.email, email: result.email || userData.email,
UCID: result.UCID || userData.ucid, UCID: result.UCID || userData.ucid,
@@ -640,7 +641,27 @@ function App() {
</ProtectedRoute> </ProtectedRoute>
} }
/> />
{/* Add new selling routes */}
<Route
path="/selling/create"
element={
<ProtectedRoute>
<div className="container mx-auto px-4 py-6">
<ItemForm />
</div>
</ProtectedRoute>
}
/>
<Route
path="/selling/edit/:id"
element={
<ProtectedRoute>
<div className="container mx-auto px-4 py-6">
<ItemForm />
</div>
</ProtectedRoute>
}
/>
<Route <Route
path="/transactions" path="/transactions"
element={ element={

View File

@@ -1,38 +1,51 @@
import { useState } from "react"; import { useState, useEffect } from "react";
import { Link, useNavigate } from "react-router-dom"; import { Link, useNavigate } from "react-router-dom";
import { Tag, Book, Laptop, Sofa, Utensils, Gift, Heart } from "lucide-react"; import { Tag, Book, Laptop, Sofa, Utensils, Gift, Heart } from "lucide-react";
const Home = () => { const Home = () => {
const navigate = useNavigate(); const navigate = useNavigate();
// Same categories const [listings, setListings] = useState([]);
const categories = [ const [error, setError] = useState(null);
{ id: 1, name: "Textbooks", icon: <Book className="h-5 w-5" /> },
{ id: 2, name: "Electronics", icon: <Laptop className="h-5 w-5" /> },
{ id: 3, name: "Furniture", icon: <Sofa className="h-5 w-5" /> },
{ id: 4, name: "Kitchen", icon: <Utensils className="h-5 w-5" /> },
{ id: 5, name: "Other", icon: <Gift className="h-5 w-5" /> },
];
// Same listings data useEffect(() => {
const [listings, setListings] = useState([ const fetchProducts = async () => {
{ try {
id: 0, const response = await fetch("http://localhost:3030/get_product");
title: "Dell XPS 16 Laptop", if (!response.ok) throw new Error("Failed to fetch products");
price: 850,
category: "Electronics", const data = await response.json();
image: "image1.avif",
condition: "Good", if (data.success) {
seller: "Michael T.", setListings(
datePosted: "5d ago", data.data.map((product) => ({
isFavorite: true, id: product.ProductID,
}, title: product.Name,
]); price: product.Price,
category: product.CategoryID,
image: product.ImageURL,
condition: "New", // Modify based on actual data
seller: "Unknown", // Modify if seller info is available
datePosted: "Just now",
isFavorite: false,
})),
);
} else {
throw new Error(data.message || "Error fetching products");
}
} catch (error) {
console.error("Error fetching products:", error);
setError(error.message);
}
};
fetchProducts();
}, []);
// Toggle favorite status // Toggle favorite status
const toggleFavorite = (id, e) => { const toggleFavorite = (id, e) => {
e.preventDefault(); // Prevent navigation when clicking the heart icon e.preventDefault(); // Prevent navigation when clicking the heart icon
setListings( setListings((prevListings) =>
listings.map((listing) => prevListings.map((listing) =>
listing.id === id listing.id === id
? { ...listing, isFavorite: !listing.isFavorite } ? { ...listing, isFavorite: !listing.isFavorite }
: listing, : listing,

View File

@@ -0,0 +1,550 @@
import { useState, useEffect } from "react";
import { Link, useParams, useNavigate } from "react-router-dom";
import { ArrowLeft, Plus, X, Save, Trash } from "lucide-react";
const ItemForm = () => {
const { id } = useParams(); // If id exists, we are editing, otherwise creating
const navigate = useNavigate();
const isEditing = !!id;
const [formData, setFormData] = useState({
title: "",
price: "",
category: "",
condition: "",
shortDescription: "",
description: "",
images: [],
status: "active",
});
const [originalData, setOriginalData] = useState(null);
const [errors, setErrors] = useState({});
const [imagePreviewUrls, setImagePreviewUrls] = useState([]);
const [isLoading, setIsLoading] = useState(isEditing);
const [isSubmitting, setIsSubmitting] = useState(false);
const [showDeleteModal, setShowDeleteModal] = useState(false);
// Categories with icons
const categories = [
"Electronics",
"Furniture",
"Books",
"Kitchen",
"Collectibles",
"Clothing",
"Sports & Outdoors",
"Tools",
"Toys & Games",
"Other",
];
// Condition options
const conditions = ["New", "Like New", "Good", "Fair", "Poor"];
// Status options
const statuses = ["active", "inactive", "sold", "pending"];
// Fetch item data if editing
useEffect(() => {
if (isEditing) {
// This would be an API call in a real app
// Simulating API call with timeout
setTimeout(() => {
// Sample data for item being edited
const itemData = {
id: parseInt(id),
title: "Dell XPS 13 Laptop - 2023 Model",
price: 850,
category: "Electronics",
condition: "Like New",
shortDescription:
"Dell XPS 13 laptop in excellent condition. Intel Core i7, 16GB RAM, 512GB SSD. Includes charger and original box.",
description:
"Selling my Dell XPS 13 laptop. Only 6 months old and in excellent condition. Intel Core i7 processor, 16GB RAM, 512GB SSD. Battery life is still excellent (around 10 hours of regular use). Comes with original charger and box. Selling because I'm upgrading to a MacBook for design work.\n\nSpecs:\n- Intel Core i7 11th Gen\n- 16GB RAM\n- 512GB NVMe SSD\n- 13.4\" FHD+ Display (1920x1200)\n- Windows 11 Pro\n- Backlit Keyboard\n- Thunderbolt 4 ports",
images: ["/image1.avif", "/image2.avif", "/image3.avif"],
status: "active",
datePosted: "2023-03-02",
};
setFormData(itemData);
setOriginalData(itemData);
setImagePreviewUrls(itemData.images);
setIsLoading(false);
}, 1000);
}
}, [id, isEditing]);
const handleChange = (e) => {
const { name, value } = e.target;
setFormData({
...formData,
[name]: value,
});
// Clear error when field is edited
if (errors[name]) {
setErrors({
...errors,
[name]: null,
});
}
};
const handleImageChange = (e) => {
e.preventDefault();
const files = Array.from(e.target.files);
if (formData.images.length + files.length > 5) {
setErrors({
...errors,
images: "Maximum 5 images allowed",
});
return;
}
// Create preview URLs for the images
const newImagePreviewUrls = [...imagePreviewUrls];
const newImages = [...formData.images];
files.forEach((file) => {
const reader = new FileReader();
reader.onloadend = () => {
newImagePreviewUrls.push(reader.result);
setImagePreviewUrls(newImagePreviewUrls);
};
reader.readAsDataURL(file);
newImages.push(file);
});
setFormData({
...formData,
images: newImages,
});
// Clear error if any
if (errors.images) {
setErrors({
...errors,
images: null,
});
}
};
const removeImage = (index) => {
const newImages = [...formData.images];
const newImagePreviewUrls = [...imagePreviewUrls];
newImages.splice(index, 1);
newImagePreviewUrls.splice(index, 1);
setFormData({
...formData,
images: newImages,
});
setImagePreviewUrls(newImagePreviewUrls);
};
const validateForm = () => {
const newErrors = {};
if (!formData.title.trim()) newErrors.title = "Title is required";
if (!formData.price) newErrors.price = "Price is required";
if (isNaN(formData.price) || formData.price <= 0)
newErrors.price = "Price must be a positive number";
if (!formData.category) newErrors.category = "Category is required";
if (!formData.condition) newErrors.condition = "Condition is required";
if (!formData.shortDescription.trim())
newErrors.shortDescription = "Short description is required";
if (!formData.description.trim())
newErrors.description = "Description is required";
if (formData.images.length === 0)
newErrors.images = "At least one image is required";
setErrors(newErrors);
return Object.keys(newErrors).length === 0;
};
const handleSubmit = (e) => {
e.preventDefault();
if (!validateForm()) {
// Scroll to the first error
const firstErrorField = Object.keys(errors)[0];
document
.getElementsByName(firstErrorField)[0]
?.scrollIntoView({ behavior: "smooth" });
return;
}
setIsSubmitting(true);
// Simulate API call to post/update the item
setTimeout(() => {
console.log("Form submitted:", formData);
setIsSubmitting(false);
// Show success and redirect to listings
alert(`Item successfully ${isEditing ? "updated" : "created"}!`);
navigate("/selling");
}, 1500);
};
const handleDelete = () => {
setIsSubmitting(true);
// Simulate API call to delete the item
setTimeout(() => {
console.log("Item deleted:", id);
setIsSubmitting(false);
setShowDeleteModal(false);
// Show success and redirect to listings
alert("Item successfully deleted!");
navigate("/selling");
}, 1500);
};
// Show loading state if necessary
if (isLoading) {
return (
<div className="max-w-4xl mx-auto px-4 py-8">
<div className="flex items-center mb-6">
<Link to="/selling" className="text-green-600 hover:text-green-700">
<ArrowLeft className="h-4 w-4 mr-1" />
Back to listings
</Link>
</div>
<div className="animate-pulse">
<div className="h-8 bg-gray-200 rounded w-1/3 mb-8"></div>
<div className="h-64 bg-gray-200 rounded mb-4"></div>
<div className="h-32 bg-gray-200 rounded"></div>
</div>
</div>
);
}
return (
<div className="max-w-4xl mx-auto px-4 py-8">
{/* Breadcrumb & Back Link */}
<div className="mb-6">
<Link
to="/selling"
className="flex items-center text-green-600 hover:text-green-700"
>
<ArrowLeft className="h-4 w-4 mr-1" />
<span>Back to listings</span>
</Link>
</div>
<div className="flex justify-between items-center mb-6">
<h1 className="text-3xl font-bold text-gray-800">
{isEditing ? "Edit Item" : "Create New Listing"}
</h1>
{isEditing && (
<button
type="button"
onClick={() => setShowDeleteModal(true)}
className="bg-red-500 hover:bg-red-600 text-white font-medium py-2 px-4 flex items-center"
disabled={isSubmitting}
>
<Trash className="h-5 w-5 mr-1" />
Delete Item
</button>
)}
</div>
<form
onSubmit={handleSubmit}
className="bg-white border border-gray-200 p-6 rounded-md"
>
{/* Title */}
<div className="mb-6">
<label
htmlFor="title"
className="block text-gray-700 font-medium mb-2"
>
Title <span className="text-red-500">*</span>
</label>
<input
type="text"
id="title"
name="title"
value={formData.title}
onChange={handleChange}
className={`w-full px-4 py-2 border ${errors.title ? "border-red-500" : "border-gray-300"} focus:outline-none focus:border-green-500`}
placeholder="e.g., Dell XPS 13 Laptop - 2023 Model"
/>
{errors.title && (
<p className="text-red-500 text-sm mt-1">{errors.title}</p>
)}
</div>
{/* Price, Category, Status (side by side on larger screens) */}
<div className="flex flex-col md:flex-row gap-6 mb-6">
<div className="w-full md:w-1/3">
<label
htmlFor="price"
className="block text-gray-700 font-medium mb-2"
>
Price ($) <span className="text-red-500">*</span>
</label>
<input
type="number"
id="price"
name="price"
value={formData.price}
onChange={handleChange}
className={`w-full px-4 py-2 border ${errors.price ? "border-red-500" : "border-gray-300"} focus:outline-none focus:border-green-500`}
placeholder="e.g., 850"
min="0"
step="0.01"
/>
{errors.price && (
<p className="text-red-500 text-sm mt-1">{errors.price}</p>
)}
</div>
<div className="w-full md:w-1/3">
<label
htmlFor="category"
className="block text-gray-700 font-medium mb-2"
>
Category <span className="text-red-500">*</span>
</label>
<select
id="category"
name="category"
value={formData.category}
onChange={handleChange}
className={`w-full px-4 py-2 border ${errors.category ? "border-red-500" : "border-gray-300"} focus:outline-none focus:border-green-500 bg-white`}
>
<option value="">Select a category</option>
{categories.map((category) => (
<option key={category} value={category}>
{category}
</option>
))}
</select>
{errors.category && (
<p className="text-red-500 text-sm mt-1">{errors.category}</p>
)}
</div>
{isEditing && (
<div className="w-full md:w-1/3">
<label
htmlFor="status"
className="block text-gray-700 font-medium mb-2"
>
Status
</label>
<select
id="status"
name="status"
value={formData.status}
onChange={handleChange}
className="w-full px-4 py-2 border border-gray-300 focus:outline-none focus:border-green-500 bg-white"
>
{statuses.map((status) => (
<option key={status} value={status}>
{status.charAt(0).toUpperCase() + status.slice(1)}
</option>
))}
</select>
</div>
)}
</div>
{/* Condition */}
<div className="mb-6">
<label className="block text-gray-700 font-medium mb-2">
Condition <span className="text-red-500">*</span>
</label>
<div className="flex flex-wrap gap-3">
{conditions.map((condition) => (
<label
key={condition}
className={`px-4 py-2 border cursor-pointer ${
formData.condition === condition
? "bg-green-50 border-green-500 text-green-700"
: "border-gray-300 text-gray-700 hover:bg-gray-50"
}`}
>
<input
type="radio"
name="condition"
value={condition}
checked={formData.condition === condition}
onChange={handleChange}
className="sr-only"
/>
{condition}
</label>
))}
</div>
{errors.condition && (
<p className="text-red-500 text-sm mt-1">{errors.condition}</p>
)}
</div>
{/* Short Description */}
<div className="mb-6">
<label
htmlFor="shortDescription"
className="block text-gray-700 font-medium mb-2"
>
Short Description <span className="text-red-500">*</span>
<span className="text-sm font-normal text-gray-500 ml-2">
(Brief summary that appears in listings)
</span>
</label>
<input
type="text"
id="shortDescription"
name="shortDescription"
value={formData.shortDescription}
onChange={handleChange}
className={`w-full px-4 py-2 border ${errors.shortDescription ? "border-red-500" : "border-gray-300"} focus:outline-none focus:border-green-500`}
placeholder="e.g., Dell XPS 13 laptop in excellent condition. Intel Core i7, 16GB RAM, 512GB SSD."
maxLength="150"
/>
<p className="text-sm text-gray-500 mt-1">
{formData.shortDescription.length}/150 characters
</p>
{errors.shortDescription && (
<p className="text-red-500 text-sm">{errors.shortDescription}</p>
)}
</div>
{/* Full Description */}
<div className="mb-6">
<label
htmlFor="description"
className="block text-gray-700 font-medium mb-2"
>
Full Description <span className="text-red-500">*</span>
</label>
<textarea
id="description"
name="description"
value={formData.description}
onChange={handleChange}
className={`w-full px-4 py-2 border ${errors.description ? "border-red-500" : "border-gray-300"} focus:outline-none focus:border-green-500 h-40`}
placeholder="Describe your item in detail. Include specs, condition, reason for selling, etc."
></textarea>
<p className="text-sm text-gray-500 mt-1">
Use blank lines to separate paragraphs.
</p>
{errors.description && (
<p className="text-red-500 text-sm">{errors.description}</p>
)}
</div>
{/* Image Upload */}
<div className="mb-8">
<label className="block text-gray-700 font-medium mb-2">
Images <span className="text-red-500">*</span>
<span className="text-sm font-normal text-gray-500 ml-2">
(Up to 5 images)
</span>
</label>
{/* Image Preview Area */}
<div className="flex flex-wrap gap-4 mb-4">
{imagePreviewUrls.map((url, index) => (
<div
key={index}
className="relative w-24 h-24 border border-gray-300"
>
<img
src={url}
alt={`Preview ${index + 1}`}
className="w-full h-full object-cover"
/>
<button
type="button"
onClick={() => removeImage(index)}
className="absolute -top-2 -right-2 bg-white rounded-full p-1 shadow-md border border-gray-300"
>
<X className="h-4 w-4 text-gray-600" />
</button>
</div>
))}
{/* Upload Button (only show if less than 5 images) */}
{formData.images.length < 5 && (
<label className="w-24 h-24 border-2 border-dashed border-gray-300 flex flex-col items-center justify-center text-gray-500 cursor-pointer hover:bg-gray-50">
<input
type="file"
accept="image/*"
multiple
onChange={handleImageChange}
className="sr-only"
/>
<Plus className="h-6 w-6 mb-1" />
<span className="text-xs">Add Image</span>
</label>
)}
</div>
{errors.images && (
<p className="text-red-500 text-sm">{errors.images}</p>
)}
</div>
{/* Submit Button */}
<div className="mt-8">
<button
type="submit"
disabled={isSubmitting}
className={`w-full py-3 px-4 text-white font-medium flex items-center justify-center ${
isSubmitting ? "bg-gray-400" : "bg-green-500 hover:bg-green-600"
}`}
>
<Save className="h-5 w-5 mr-2" />
{isSubmitting
? "Saving..."
: isEditing
? "Save Changes"
: "Create Listing"}
</button>
</div>
</form>
{/* Delete Confirmation Modal */}
{showDeleteModal && (
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center z-50">
<div className="bg-white p-6 rounded-md max-w-md w-full">
<h3 className="text-lg font-medium text-gray-900 mb-2">
Delete Listing
</h3>
<p className="text-gray-600 mb-4">
Are you sure you want to delete <strong>{formData.title}</strong>?
This action cannot be undone.
</p>
<div className="flex justify-end space-x-3">
<button
onClick={() => setShowDeleteModal(false)}
className="px-4 py-2 border border-gray-300 text-gray-700 font-medium rounded-md hover:bg-gray-50"
disabled={isSubmitting}
>
Cancel
</button>
<button
onClick={handleDelete}
className="px-4 py-2 bg-red-600 text-white font-medium rounded-md hover:bg-red-700 flex items-center"
disabled={isSubmitting}
>
{isSubmitting ? "Deleting..." : "Delete"}
</button>
</div>
</div>
</div>
)}
</div>
);
};
export default ItemForm;

View File

@@ -1,76 +1,93 @@
import { useState } from 'react'; import { useState } from "react";
import { useParams, Link } from 'react-router-dom'; import { useParams, Link } from "react-router-dom";
import { Heart, ArrowLeft, Tag, User, Calendar, Share, Flag } from 'lucide-react'; import {
Heart,
ArrowLeft,
Tag,
User,
Calendar,
Share,
Flag,
} from "lucide-react";
const ProductDetail = () => { const ProductDetail = () => {
const { id } = useParams(); const { id } = useParams();
const [isFavorite, setIsFavorite] = useState(false); const [isFavorite, setIsFavorite] = useState(false);
const [showContactForm, setShowContactForm] = useState(false); const [showContactForm, setShowContactForm] = useState(false);
const [message, setMessage] = useState(''); const [message, setMessage] = useState("");
const [currentImage, setCurrentImage] = useState(0); const [currentImage, setCurrentImage] = useState(0);
// Sample data for demonstration // Sample data for demonstration
const product = [ const product = [
{ {
id: 0, id: 0,
title: 'Dell XPS 13 Laptop - 2023 Model', title: "Dell XPS 13 Laptop - 2023 Model",
price: 850, price: 850,
shortDescription: 'Dell XPS 13 laptop in excellent condition. Intel Core i7, 16GB RAM, 512GB SSD. Includes charger and original box.', shortDescription:
description: 'Selling my Dell XPS 13 laptop. Only 6 months old and in excellent condition. Intel Core i7 processor, 16GB RAM, 512GB SSD. Battery life is still excellent (around 10 hours of regular use). Comes with original charger and box. Selling because I\'m upgrading to a MacBook for design work.\n\nSpecs:\n- Intel Core i7 11th Gen\n- 16GB RAM\n- 512GB NVMe SSD\n- 13.4" FHD+ Display (1920x1200)\n- Windows 11 Pro\n- Backlit Keyboard\n- Thunderbolt 4 ports', "Dell XPS 13 laptop in excellent condition. Intel Core i7, 16GB RAM, 512GB SSD. Includes charger and original box.",
condition: 'Like New', description:
category: 'Electronics', "Selling my Dell XPS 13 laptop. Only 6 months old and in excellent condition. Intel Core i7 processor, 16GB RAM, 512GB SSD. Battery life is still excellent (around 10 hours of regular use). Comes with original charger and box. Selling because I'm upgrading to a MacBook for design work.\n\nSpecs:\n- Intel Core i7 11th Gen\n- 16GB RAM\n- 512GB NVMe SSD\n- 13.4\" FHD+ Display (1920x1200)\n- Windows 11 Pro\n- Backlit Keyboard\n- Thunderbolt 4 ports",
datePosted: '2023-03-02', condition: "Like New",
category:
"Electronics, Electronics, Electronics, Electronics , Electronics , Electronics, Electronicss",
datePosted: "2023-03-02",
images: [ images: [
'/image1.avif', "/image1.avif",
'/image2.avif', "/image2.avif",
'/image3.avif' "/image3.avif",
"/image3.avif",
"/image3.avif",
], ],
seller: { seller: {
name: 'Michael T.', name: "Michael T.",
rating: 4.8, rating: 4.8,
memberSince: 'January 2022', memberSince: "January 2022",
avatar: '/Profile.jpg' avatar: "/Profile.jpg",
} },
}, },
]; ];
console.log(product[id]) console.log(product[id]);
const toggleFavorite = () => { const toggleFavorite = () => {
setIsFavorite(!isFavorite); setIsFavorite(!isFavorite);
}; };
const handleSendMessage = (e) => { const handleSendMessage = (e) => {
e.preventDefault(); e.preventDefault();
// TODO: this would send the message to the seller // TODO: this would send the message to the seller
console.log('Message sent:', message); console.log("Message sent:", message);
setMessage(''); setMessage("");
setShowContactForm(false); setShowContactForm(false);
// Show confirmation or success message // Show confirmation or success message
alert('Message sent to seller!'); alert("Message sent to seller!");
}; };
// Function to split description into paragraphs // Function to split description into paragraphs
const formatDescription = (text) => { const formatDescription = (text) => {
return text.split('\n\n').map((paragraph, index) => ( return text.split("\n\n").map((paragraph, index) => (
<p key={index} className="mb-4"> <p key={index} className="mb-4">
{paragraph.split('\n').map((line, i) => ( {paragraph.split("\n").map((line, i) => (
<span key={i}> <span key={i}>
{line} {line}
{i < paragraph.split('\n').length - 1 && <br />} {i < paragraph.split("\n").length - 1 && <br />}
</span> </span>
))} ))}
</p> </p>
)); ));
}; };
// Handle image navigation // image navigation
const nextImage = () => { const nextImage = () => {
setCurrentImage((prev) => (prev === product.images.length - 1 ? 0 : prev + 1)); setCurrentImage((prev) =>
prev === product.images.length - 1 ? 0 : prev + 1,
);
}; };
const prevImage = () => { const prevImage = () => {
setCurrentImage((prev) => (prev === 0 ? product.images.length - 1 : prev - 1)); setCurrentImage((prev) =>
prev === 0 ? product.images.length - 1 : prev - 1,
);
}; };
const selectImage = (index) => { const selectImage = (index) => {
@@ -81,7 +98,10 @@ const ProductDetail = () => {
<div className="max-w-6xl mx-auto px-4 py-8"> <div className="max-w-6xl mx-auto px-4 py-8">
{/* Breadcrumb & Back Link */} {/* Breadcrumb & Back Link */}
<div className="mb-6"> <div className="mb-6">
<Link to="/" className="flex items-center text-green-600 hover:text-green-700"> <Link
to="/"
className="flex items-center text-green-600 hover:text-green-700"
>
<ArrowLeft className="h-4 w-4 mr-1" /> <ArrowLeft className="h-4 w-4 mr-1" />
<span>Back to listings</span> <span>Back to listings</span>
</Link> </Link>
@@ -92,26 +112,26 @@ const ProductDetail = () => {
<div className="md:w-3/5"> <div className="md:w-3/5">
{/* Main Image */} {/* Main Image */}
<div className="bg-white border border-gray-200 mb-4 relative"> <div className="bg-white border border-gray-200 mb-4 relative">
<img <img
src={product[id].images[currentImage]} src={product[id].images[currentImage]}
alt={product[id].title} alt={product[id].title}
className="w-full h-auto object-contain cursor-pointer" className="w-full h-auto object-contain cursor-pointer"
onClick={nextImage} onClick={nextImage}
/> />
</div> </div>
{/* Thumbnail Images */} {/* Thumbnail Images */}
{product[id].images.length > 1 && ( {product[id].images.length > 1 && (
<div className="flex gap-2 overflow-x-auto pb-2"> <div className="flex gap-2 overflow-x-auto pb-2">
{product[id].images.map((image, index) => ( {product[id].images.map((image, index) => (
<div <div
key={index} key={index}
className={`bg-white border ${currentImage === index ? 'border-green-500' : 'border-gray-200'} min-w-[100px] cursor-pointer`} className={`bg-white border ${currentImage === index ? "border-green-500" : "border-gray-200"} min-w-[100px] cursor-pointer`}
onClick={() => selectImage(index)} onClick={() => selectImage(index)}
> >
<img <img
src={image} src={image}
alt={`${product[id].title} - view ${index + 1}`} alt={`${product[id].title} - view ${index + 1}`}
className="w-full h-auto object-cover" className="w-full h-auto object-cover"
/> />
</div> </div>
@@ -125,21 +145,23 @@ const ProductDetail = () => {
{/* Product Info Card */} {/* Product Info Card */}
<div className="bg-white border border-gray-200 p-6 mb-6"> <div className="bg-white border border-gray-200 p-6 mb-6">
<div className="flex justify-between items-start mb-4"> <div className="flex justify-between items-start mb-4">
<h1 className="text-2xl font-bold text-gray-800">{product[id].title}</h1> <h1 className="text-2xl font-bold text-gray-800">
<button {product[id].title}
</h1>
<button
onClick={toggleFavorite} onClick={toggleFavorite}
className="p-2 hover:bg-gray-100" className="p-2 hover:bg-gray-100"
> >
<Heart <Heart
className={`h-6 w-6 ${isFavorite ? 'text-red-500 fill-red-500' : 'text-gray-400'}`} className={`h-6 w-6 ${isFavorite ? "text-red-500 fill-red-500" : "text-gray-400"}`}
/> />
</button> </button>
</div> </div>
<div className="text-2xl font-bold text-green-600 mb-4"> <div className="text-2xl font-bold text-green-600 mb-4">
${product[id].price} ${product[id].price}
</div> </div>
<div className="flex flex-wrap gap-x-4 gap-y-2 mb-6 text-sm"> <div className="flex flex-wrap gap-x-4 gap-y-2 mb-6 text-sm">
<div className="flex items-center text-gray-600"> <div className="flex items-center text-gray-600">
<Tag className="h-4 w-4 mr-1" /> <Tag className="h-4 w-4 mr-1" />
@@ -154,12 +176,12 @@ const ProductDetail = () => {
<span>Posted on {product[id].datePosted}</span> <span>Posted on {product[id].datePosted}</span>
</div> </div>
</div> </div>
{/* Short Description */} {/* Short Description */}
<div className="bg-gray-50 p-4 mb-6 border border-gray-200"> <div className="bg-gray-50 p-4 mb-6 border border-gray-200">
<p className="text-gray-700">{product[id].shortDescription}</p> <p className="text-gray-700">{product[id].shortDescription}</p>
</div> </div>
{/* Contact Button */} {/* Contact Button */}
<button <button
onClick={() => setShowContactForm(!showContactForm)} onClick={() => setShowContactForm(!showContactForm)}
@@ -167,37 +189,74 @@ const ProductDetail = () => {
> >
Contact Seller Contact Seller
</button> </button>
{/* TODO:Contact Form */} {/* TODO:Contact Form */}
{showContactForm && ( {showContactForm && (
<div className="border border-gray-200 p-4 mb-4"> <div className="border border-gray-200 p-4 mb-4">
<h3 className="font-medium text-gray-800 mb-2">Message Seller</h3> <h3 className="font-medium text-gray-800 mb-2">
Contact Seller
</h3>
<form onSubmit={handleSendMessage}> <form onSubmit={handleSendMessage}>
<textarea <div className="mb-3">
value={message} <label htmlFor="email" className="block text-gray-700 mb-1">
onChange={(e) => setMessage(e.target.value)} Email
placeholder="Hi, is this item still available?" </label>
className="w-full p-3 border border-gray-300 h-32 mb-3 focus:outline-none focus:border-green-500" <input
required type="email"
></textarea> id="email"
value={product[id].User.email}
onChange={(e) => setEmail(e.target.value)}
className="w-full p-3 border border-gray-300 focus:outline-none focus:border-green-500"
required
/>
</div>
<div className="mb-3">
<label htmlFor="phone" className="block text-gray-700 mb-1">
Phone Number
</label>
<input
type="tel"
id="phone"
value={phone}
onChange={(e) => setPhone(e.target.value)}
className="w-full p-3 border border-gray-300 focus:outline-none focus:border-green-500"
required
/>
</div>
<div className="mb-3">
<label
htmlFor="contactMessage"
className="block text-gray-700 mb-1"
>
Message (Optional)
</label>
<input
type="text"
id="contactMessage"
value={contactMessage}
onChange={(e) => setContactMessage(e.target.value)}
placeholder="Hi, is this item still available?"
className="w-full p-3 border border-gray-300 focus:outline-none focus:border-green-500"
/>
</div>
<button <button
type="submit" type="submit"
className="bg-green-500 hover:bg-green-600 text-white font-medium py-2 px-4" className="bg-green-500 hover:bg-green-600 text-white font-medium py-2 px-4"
> >
Send Message Send Contact Info
</button> </button>
</form> </form>
</div> </div>
)} )}
{/* Seller Info */} {/* Seller Info */}
<div className="pt-4 border-t border-gray-200"> <div className="pt-4 border-t border-gray-200">
<div className="flex items-center mb-3"> <div className="flex items-center mb-3">
<div className="mr-3"> <div className="mr-3">
{product[id].seller.avatar ? ( {product[id].seller.avatar ? (
<img <img
src={product[id].seller.avatar} src={product[id].seller.avatar}
alt="Seller" alt="Seller"
className="h-12 w-12 rounded-full" className="h-12 w-12 rounded-full"
/> />
) : ( ) : (
@@ -207,20 +266,25 @@ const ProductDetail = () => {
)} )}
</div> </div>
<div> <div>
<h3 className="font-medium text-gray-800">{product[id].seller.name}</h3> <h3 className="font-medium text-gray-800">
<p className="text-sm text-gray-500">Member since {product[id].seller.memberSince}</p> {product[id].seller.name}
</h3>
<p className="text-sm text-gray-500">
Member since {product[id].seller.memberSince}
</p>
</div> </div>
</div> </div>
<div className="text-sm text-gray-600"> <div className="text-sm text-gray-600">
<div> <div>
<span className="font-medium">Rating:</span> {product[id].seller.rating}/5 <span className="font-medium">Rating:</span>{" "}
{product[id].seller.rating}/5
</div> </div>
</div> </div>
</div> </div>
</div> </div>
</div> </div>
</div> </div>
{/* Description Section */} {/* Description Section */}
<div className="mt-8"> <div className="mt-8">
<h2 className="text-xl font-bold text-gray-800 mb-4">Description</h2> <h2 className="text-xl font-bold text-gray-800 mb-4">Description</h2>
@@ -234,4 +298,4 @@ const ProductDetail = () => {
); );
}; };
export default ProductDetail; export default ProductDetail;

View File

@@ -189,7 +189,8 @@ const Settings = () => {
} }
} catch (error) { } catch (error) {
console.error("Error deleting account:", error); console.error("Error deleting account:", error);
alert("Failed to delete account: " + error.message);
alert("Cannot delete account, Please logout and retry:");
} }
} }
}; };