Amber Shopify Project created using ReactJS+React-Redux with GraphQL API integration. Storefront Shopify API: https://github.com/Shopify/shopify-app-js/tree/main/packages/api-clients/storefront-api-client#readme
Nelze vybrat více než 25 témat Téma musí začínat písmenem nebo číslem, může obsahovat pomlčky („-“) a může být dlouhé až 35 znaků.

ProductDetails.jsx 11KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385
  1. import { useState, useEffect } from "react";
  2. import {
  3. Box,
  4. Typography,
  5. Button,
  6. TextField,
  7. CircularProgress
  8. } from "@mui/material";
  9. import AddIcon from '@mui/icons-material/Add';
  10. import RemoveIcon from '@mui/icons-material/Remove';
  11. import { useSelector, useDispatch } from "react-redux";
  12. import { createCart, addItemToCart } from "../../redux/slices/cartSlice";
  13. import Alert from '@mui/material/Alert';
  14. import AlertTitle from '@mui/material/AlertTitle';
  15. // Utility function to check if an object is empty
  16. const isEmptyObject = (obj) => Object.keys(obj).length === 0 && obj.constructor === Object;
  17. // Check if every key in the target object matches the source object
  18. const hasMatchingProperties = (source, target) => {
  19. return Object.entries(target).every(([key, value]) => source[key] === value);
  20. };
  21. const ProductDetails = () => {
  22. const dispatch = useDispatch()
  23. const product = useSelector((state) => state.products.product.data)
  24. const cart = useSelector((state) => state.cart.cart)
  25. const [quantity, setQuantity] = useState(1)
  26. const [variantSelection, setVariantSelection] = useState({
  27. amount: "0",
  28. currencyCode: ""
  29. })
  30. const [variants, setVariants] = useState([])
  31. const [showLoader, setShowLoader] = useState(false)
  32. const [alert, setAlert] = useState({ open: false, severity: '', message: '' });
  33. useEffect(() => {
  34. if (!isEmptyObject(product)) {
  35. console.log("Product: ", product)
  36. let productVariants = product?.variants
  37. // get all variant type
  38. if (!productVariants || productVariants?.length == 0) return
  39. // we want to get the title for each variant
  40. const uniqueOptions = {};
  41. productVariants.forEach(variant => {
  42. variant.selectedOptions.forEach(option => {
  43. if (!uniqueOptions[option.name]) {
  44. uniqueOptions[option.name] = new Set();
  45. }
  46. uniqueOptions[option.name].add(option.value);
  47. });
  48. });
  49. const VariantsArr = Object.entries(uniqueOptions).map(([key, valueSet]) => ({
  50. name: key,
  51. options: Array.from(valueSet),
  52. }));
  53. // get variants value
  54. setVariants(VariantsArr)
  55. // setting Initial value for variants selection
  56. setVariantSelection((prev) => {
  57. let newVariantSelection = { ...prev }
  58. // setting inital selection
  59. VariantsArr.forEach(({ name, options }) => {
  60. newVariantSelection = { ...newVariantSelection, [name]: options[0] }
  61. })
  62. // find variant price if it all match initial variant selection
  63. for (const { selectedOptions, price, id, quantityAvailable } of productVariants) {
  64. let { amount, currencyCode } = price;
  65. // Convert array to object
  66. const optionsObject = selectedOptions.reduce(
  67. (a, { name, value }) => ({ ...a, [name]: value }),
  68. {}
  69. );
  70. if (hasMatchingProperties(newVariantSelection, optionsObject)) {
  71. newVariantSelection = { ...newVariantSelection, amount, currencyCode, id, quantityAvailable };
  72. break; // Exit the loop when condition is met
  73. }
  74. }
  75. return newVariantSelection
  76. })
  77. }
  78. }, [product])
  79. useEffect(() => {
  80. console.log("variantSelection: ", variantSelection)
  81. }, [variantSelection])
  82. const handleVariantClick = (name, value) => {
  83. setVariantSelection({ ...variantSelection, [name]: value })
  84. setVariantSelection((prev) => {
  85. let newVariantSelection = { ...prev }
  86. newVariantSelection = { ...newVariantSelection, [name]: value }
  87. let productVariants = product?.variants
  88. // find variant price if it all match initial variant selection
  89. for (const { selectedOptions, price, id, quantityAvailable } of productVariants) {
  90. let { amount, currencyCode } = price;
  91. // Convert array to object
  92. const optionsObject = selectedOptions.reduce(
  93. (a, { name, value }) => ({ ...a, [name]: value }),
  94. {}
  95. );
  96. if (hasMatchingProperties(newVariantSelection, optionsObject)) {
  97. newVariantSelection = { ...newVariantSelection, amount, currencyCode, id, quantityAvailable };
  98. if (quantityAvailable == 0) setQuantity(0)
  99. else setQuantity(1)
  100. break; // Exit the loop when condition is met
  101. }
  102. }
  103. return newVariantSelection
  104. })
  105. }
  106. const handleCart = () => {
  107. let cartHistory = localStorage.getItem('amber-cart');
  108. cartHistory = cartHistory ? JSON.parse(cartHistory) : {};
  109. setShowLoader(true) //cause I want to prevent user from mutiple clicking
  110. // if we got no cart, then create a new one
  111. if (isEmptyObject(cart) || isEmptyObject(cartHistory)) {
  112. dispatch(createCart())
  113. .then(() => {
  114. showAlert('success', 'Cart created successfully!');
  115. })
  116. .catch(() => {
  117. showAlert('error', 'Failed to create cart. Please try again.');
  118. })
  119. .finally(() => setShowLoader(false));
  120. } else {
  121. console.log("ADD ITEM:", variantSelection)
  122. dispatch(addItemToCart({
  123. cartId: cartHistory.id,
  124. lines: [
  125. {
  126. merchandiseId: variantSelection.id,
  127. quantity
  128. }
  129. ]
  130. }))
  131. .then(() => {
  132. showAlert('success', 'Item added to cart successfully!');
  133. })
  134. .catch(() => {
  135. showAlert('error', 'Failed to add item to cart. Please try again.');
  136. })
  137. .finally(() => setShowLoader(false));
  138. }
  139. }
  140. const showAlert = (severity, message) => {
  141. setAlert({ open: true, severity, message });
  142. // Auto-close the alert after 3 seconds
  143. setTimeout(() => {
  144. setAlert({ ...alert, open: false });
  145. }, 2000);
  146. };
  147. const handleIncrement = () => {
  148. setQuantity((prevQuantity) => (prevQuantity >= variantSelection.quantityAvailable ? variantSelection.quantityAvailable : prevQuantity + 1));
  149. };
  150. const handleDecrement = () => {
  151. setQuantity((prevQuantity) => (prevQuantity > 1 ? prevQuantity - 1 : 1));
  152. };
  153. return (
  154. <Box sx={{ position: "relative" }}>
  155. {/* Flex Container */}
  156. <Box sx={{ display: "flex", flexDirection: "column", gap: 2 }}>
  157. {/* Section 1: Product Info */}
  158. <Box>
  159. <Typography variant="body2" sx={{
  160. fontWeight: "400", fontSize: {
  161. xs: "0.875rem",
  162. sm: "0.875rem",
  163. md: "1.1rem",
  164. }
  165. }}>
  166. {product?.title}
  167. </Typography>
  168. {/* <Typography variant="body2" color="text.secondary">
  169. {product?.collections?.nodes[0]?.title}
  170. </Typography> */}
  171. <Typography variant="body2" sx={{
  172. fontWeight: "100", fontSize: {
  173. xs: "0.875rem",
  174. sm: "0.875rem",
  175. md: "1.1rem",
  176. }
  177. }}>
  178. {(variantSelection?.quantityAvailable == 0) ? <span style={{ color: "red", fontWeight: "bolder" }}>{`OUT OF STOCK`}</span> : `${variantSelection.currencyCode} ${parseFloat(variantSelection.amount).toFixed(2)}`}
  179. </Typography>
  180. </Box>
  181. {/* Section 2: Variants */}
  182. <Box >
  183. {variants.map(({ name, options }, index) => {
  184. return (
  185. <Box sx={{ display: (name == "Title") ? "none" : "block" }}>
  186. <Typography variant="body2" sx={{
  187. fontWeight: "400", fontSize: {
  188. xs: "0.875rem",
  189. sm: "0.875rem",
  190. md: "1.1rem",
  191. },
  192. mb:1
  193. }}>
  194. {name}
  195. </Typography>
  196. <Box sx={{
  197. display: "flex",
  198. flexWrap: "wrap",
  199. mb: 2
  200. }} gap={2}>
  201. {options?.map((value) => (
  202. <Button
  203. key={value}
  204. variant={variantSelection[name] === value ? "contained" : "outlined"}
  205. color={variantSelection[name] === value ? "primary" : "primary"}
  206. sx={{ color: variantSelection[name] === value ? "#FFF" : "#000" }}
  207. onClick={() => handleVariantClick(name, value)}
  208. >
  209. {value}
  210. </Button>
  211. ))}
  212. </Box>
  213. </Box>
  214. )
  215. })}
  216. </Box>
  217. {/* Section 3: Quantity */}
  218. <Box sx={{ mb: 5 }}>
  219. <Typography variant="body2" sx={{
  220. fontWeight: "400", fontSize: {
  221. xs: "0.875rem",
  222. sm: "0.875rem",
  223. md: "1.1rem",
  224. },
  225. mb:1
  226. }}>
  227. Quantity
  228. </Typography>
  229. <Box display="flex" alignItems="center" gap={2}>
  230. <Button
  231. variant="contained"
  232. color="primary"
  233. sx={{ width: "35px" }}
  234. disabled={variantSelection?.quantityAvailable == 0 || quantity == 1}
  235. onClick={handleDecrement}
  236. >
  237. <RemoveIcon />
  238. </Button>
  239. <TextField
  240. value={quantity}
  241. inputProps={{ readOnly: true, style: { textAlign: 'center' } }}
  242. size="small"
  243. sx={{ width: "100px" }}
  244. variant="outlined"
  245. />
  246. <Button
  247. variant="contained"
  248. color="primary"
  249. sx={{ width: "35px" }}
  250. disabled={variantSelection?.quantityAvailable == 0 || quantity == variantSelection?.quantityAvailable}
  251. onClick={handleIncrement}
  252. >
  253. <AddIcon />
  254. </Button>
  255. </Box>
  256. </Box>
  257. {/* Section 4: Description */}
  258. <Box sx={{ mb: 5 }}>
  259. <Typography variant="body1" sx={{ fontWeight: "400", color: "#000" }}>
  260. Description
  261. </Typography>
  262. <Typography variant="body1" color="text.secondary" sx={{ fontWeight: "400" }}>
  263. <div dangerouslySetInnerHTML={{ __html: product?.descriptionHtml }}></div>
  264. </Typography>
  265. </Box>
  266. <Button
  267. onClick={() => { handleCart() }}
  268. variant="contained"
  269. color="common.black"
  270. fullWidth
  271. disabled={variantSelection?.quantityAvailable == 0 || showLoader}
  272. sx={{
  273. backgroundColor: (theme) => theme.palette.common.black,
  274. color: "white",
  275. textTransform: "none",
  276. mt: 2,
  277. "&:hover": {
  278. backgroundColor: (theme) => theme.palette.grey[900],
  279. },
  280. }}
  281. >
  282. ADD TO CART {showLoader && <CircularProgress sx={{ ml: 1 }} color="white" size={20} />}
  283. </Button>
  284. {cart?.lines?.nodes?.length > 0 && <Button
  285. onClick={() => { window.location.href = '/cart' }}
  286. variant="contained"
  287. color="common.black"
  288. fullWidth
  289. disabled={showLoader}
  290. sx={{
  291. backgroundColor: (theme) => theme.palette.primary.main,
  292. color: "white",
  293. textTransform: "none",
  294. "&:hover": {
  295. backgroundColor: (theme) => theme.palette.grey[900],
  296. },
  297. }}
  298. >
  299. PAY NOW
  300. </Button>}
  301. </Box>
  302. {alert.open && (
  303. <Alert
  304. severity={alert.severity}
  305. onClose={() => setAlert({ ...alert, open: false })}
  306. sx={{ marginTop: 2 }}
  307. >
  308. <AlertTitle>{alert.severity === 'success' ? 'Success' : 'Error'}</AlertTitle>
  309. {alert.message}
  310. </Alert>
  311. )}
  312. </Box>
  313. );
  314. };
  315. export default ProductDetails;