Skip to content
Open
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
4 changes: 3 additions & 1 deletion .github/workflows/gh-pages.yml
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,9 @@ name: Deploy static content to Pages

on:
push:
branches: ["main"]
branches:
- main
- final

workflow_dispatch:

Expand Down
880 changes: 783 additions & 97 deletions package-lock.json

Large diffs are not rendered by default.

1 change: 1 addition & 0 deletions package.json
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,7 @@
"@tanstack/react-query-devtools": "^5.28.4",
"axios": "^1.6.8",
"jotai": "^2.7.1",
"near-payments": "^0.1.10",
"react": "^18.2.0",
"react-dom": "^18.2.0",
"react-router-dom": "^6.22.3",
Expand Down
144 changes: 134 additions & 10 deletions src/api/useCarts.ts
Original file line number Diff line number Diff line change
Expand Up @@ -4,20 +4,37 @@ import {
useQueryClient,
} from "@tanstack/react-query";
import { apiClient } from "./axios";
import type { ICart, IProduct } from "@/types";
import type { ICart, IProduct, ResponseDto } from "@/types";
import type { InfiniteData } from "@tanstack/react-query";

const fetchCarts = async (page: number) => {
const query = new URLSearchParams({ page: page.toString(), limit: "5" });
const { data } = await apiClient.get<ICart[]>(`/carts?${query.toString()}`);
const { data } = await apiClient.get<ResponseDto<ICart[]>>(
`/carts?${query.toString()}`
);
return data;
};

const postCart = async (product: IProduct) => {
const { data } = await apiClient.post<ICart>("/carts", product);
const { data } = await apiClient.post<{
ok: boolean;
code: string;
message?: string;
data?: IProduct;
}>("/carts", product);
return data;
};
const changeQuantity = async (productId: number, quantity: number) => {
const { data } = await apiClient.patch<{
ok: boolean;
code: string;
message?: string;
product?: IProduct;
}>(`/carts/${productId}`, { quantity });
return data;
};
const deleteCartItem = async (id: number) => {
const { data } = await apiClient.delete<ICart>(`/carts/${id}`);
const { data } = await apiClient.delete<IProduct>(`/carts/${id}`);
return data;
};

Expand All @@ -31,20 +48,127 @@ export const useCarts = () => {
});
};

export const usePostCarts = () => {
export const usePostCarts = (successCallback?: () => void) => {
const queryClient = useQueryClient();
return useMutation({
mutationFn: (product: IProduct) => postCart(product),

onMutate: async (newTodo) => {
await queryClient.cancelQueries({ queryKey: ["carts"] });

// Snapshot the previous value
const previousTodos = queryClient.getQueryData(["carts"]);

// Optimistically update to the new value --> if exists quantity should be updated
queryClient.setQueryData(
["carts"],
(old: InfiniteData<ResponseDto<ICart[]>> | undefined) => {
if (!old) return;
const existingItem = old.pages.flatMap((page) =>
page.data.find((item) => item.product.id === newTodo.id)
);
if (!existingItem) {
return {
pageParams: old.pageParams,
pages: [
{
data: [
...old.pages.flatMap((page) => page.data),
{ product: newTodo, quantity: 1 },
],
nextCursor: null,
},
],
};
} else {
const updatedData = old.pages.flatMap((page) =>
page.data.map((item) => {
if (item.product.id === newTodo.id) {
return { ...item, quantity: item.quantity + 1 };
}
return item;
})
);
return {
pageParams: old.pageParams,
pages: [
{
data: updatedData,
nextCursor: null,
},
],
};
}
}
);
return { previousTodos };
},
onError: (_err, _newTodo, context) => {
queryClient.setQueryData(["carts"], context?.previousTodos);
},
onSuccess: () => {
queryClient.invalidateQueries({
queryKey: ["carts"],
exact: true,
});
successCallback?.();
},
onSettled: () => {
queryClient.invalidateQueries({ queryKey: ["carts"] });
},
});
};
export const useDeleteCartItem = () => {
export const useDeleteCartItem = (successCallback?: () => void) => {
const queryClient = useQueryClient();
return useMutation({
mutationFn: (id: number) => deleteCartItem(id),
onSuccess: () => {
successCallback?.();
},
onSettled: () => {
queryClient.invalidateQueries({ queryKey: ["carts"] });
},
});
};
export const useChangeQuantity = () => {
const queryClient = useQueryClient();
return useMutation({
mutationFn: ({
productId,
quantity,
}: {
productId: number;
quantity: number;
}) => changeQuantity(productId, quantity),
onMutate: async ({ productId, quantity }) => {
await queryClient.cancelQueries({ queryKey: ["carts"] });
const previousData = queryClient.getQueryData(["carts"]);
queryClient.setQueryData(
["carts"],
(old: InfiniteData<ResponseDto<ICart[]>> | undefined) => {
if (!old) return;
const updatedData = old.pages.flatMap((page) =>
page.data.map((item) => {
if (item.product.id === productId) {
return { ...item, quantity };
}
return item;
})
);
return {
pageParams: old.pageParams,
pages: [
{
data: updatedData,
nextCursor: null,
},
],
};
}
);
return { previousData };
},
onError: (_err, _newTodo, context) => {
queryClient.setQueryData(["carts"], context?.previousData);
},
onSettled: () => {
queryClient.invalidateQueries({ queryKey: ["carts"] });
},
});
};
Loading