Get cart lines
Cart Action
Header
- Composable Action:
composables/useCart/useCartApi.ts
- API Route:
GET /api/carts/[cartId]/cartlines
Detailed Description
The getCartLines
action is a core feature of the cart system that allows retrieving the list of
products in the cart. It plays a central role in cart management by enabling users to:
- View products in the cart
- Check product quantities
- Verify prices and totals
This action is used in several contexts:
- Cart user interface
- Order summary
- Price calculation
- Stock verification
Process Flow
sequenceDiagram participant U as User participant C as Vue Component participant UC as useCart participant S as Pinia Store participant A as API participant Auth as Auth Service U->>C: View cart C->>UC: getCartLines(params) UC->>Auth: Check authentication Auth-->>UC: OK UC->>A: GET /api/carts/[cartId]/cartlines A-->>UC: Response UC->>S: Update store S-->>C: State updated C-->>U: UI updated alt Authentication Error Auth-->>UC: 401 Unauthorized UC-->>C: Error C-->>U: Login redirect else Cart Not Found A-->>UC: 404 Not Found UC-->>C: Error C-->>U: Cart not found message else Server Error A-->>UC: 500 Server Error UC-->>C: Error C-->>U: Error message end
Call Parameters
Main Interface
interface GetCartLinesRequest {
cartId: string; // Cart ID
currency: string; // Currency for price calculation
}
Detailed Parameters
Parameter | Type | Required | Default Value | Impact |
---|---|---|---|---|
cartId | string | Yes | - | Identifies the cart to retrieve |
currency | string | Yes | - | Currency for price calculations |
Call Example
const response = await getCartLines({
cartId: 'cart-123',
currency: 'EUR',
});
Composable Returns
Response Interface
interface GetCartLinesResponse {
success: boolean; // Indicates if the retrieval was successful
message: string; // Confirmation or error message
cartLines?: CartLine[]; // Cart lines
}
interface CartLine {
id: string; // Line ID
offerPriceId: string; // Offer ID
quantity: number; // Quantity
price: {
// Offer price
amount: number; // Amount
currency: string; // Currency
};
}
Success Response Format
{
"success": true,
"message": "Cart lines retrieved successfully",
"cartLines": [
{
"id": "line-123",
"offerPriceId": "offer-456",
"quantity": 2,
"price": {
"amount": 19.99,
"currency": "EUR"
}
}
]
}
Error Handling
Error Types
Code | Cause | Action | Message |
---|---|---|---|
401 | Not authenticated | Login redirect | "Not authenticated" |
404 | Cart not found | Carts redirect | "Cart not found" |
500 | Server error | Error message | "Server error" |
Error Response Format
{
"success": false,
"message": "Specific error message",
"error": {
"statusCode": 404,
"message": "Error details"
}
}
Error Handling Example
try {
const response = await getCartLines({
cartId: 'cart-123',
currency: 'EUR',
});
} catch (error) {
switch (error.statusCode) {
case 401:
router.push('/auth/login');
break;
case 404:
router.push('/carts');
break;
default:
showNotification('An error occurred', 'error');
}
}
Use Cases
-
Cart Display
- Viewing cart contents
- Checking quantities
- Verifying prices
-
Order Management
- Order summary
- Price calculation
- Stock verification
-
Cart Synchronization
- Multi-device sync
- Session management
- State updates
Important Points
Performance
- Optimized Pinia store updates
- Efficient error handling
- Response caching
Security
- Authentication verification
- Data validation
- Access control
Flexibility
- Currency support
- Error case handling
- Business needs adaptation
Integration
- Compatible with existing cart system
- Authentication system integration
- Notification system support
Technical Implementation
/**
* Retrieves lines from the cart
* @param params - Request parameters
* @param params.cartId - Cart ID
* @param params.currency - Currency
* @param useStore - If true, updates the Pinia store
* @returns Promise<GetCartLinesResponse | null>
* @throws {ApiError} - Error if request fails
*/
export const useCart = () => {
const getCartLines = async (
params: GetCartLinesRequest,
useStore = true
): Promise<GetCartLinesResponse | null> => {
try {
await ensureAuthenticated();
const { data, error } = await useFetch<GetCartLinesResponse>(
`/api/carts/${params.cartId}/cartlines`,
{
method: 'GET',
params: {
currency: params.currency,
},
key: `getCartLines-${params.cartId}`,
}
);
if (error.value) {
handleError(error.value);
}
if (useStore && data.value) {
updateStore(data.value);
}
return data.value || null;
} catch (e) {
handleError(e);
}
};
return {
getCartLines,
};
};
Execution Flow
- Authentication Check
await ensureAuthenticated();
- Parameter Validation
if (!params.cartId || !params.currency) {
throw new Error('Invalid parameters');
}
- API Call
const { data, error } = await useFetch<GetCartLinesResponse>(
`/api/carts/${params.cartId}/cartlines`,
{
method: 'GET',
params: {
currency: params.currency,
},
}
);
- Response Handling
if (useStore && data.value) {
cartStore.cartLines = data.value.cartLines;
}
- Error Handling
if (error.value) {
handleError(error.value);
}
Updated about 2 months ago