Compare commits
10 Commits
v0.11.6
...
c579f141f8
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
c579f141f8 | ||
| 9cb03c1ede | |||
|
|
c14bef4448 | ||
| 7c0e5450db | |||
|
|
8e85493872 | ||
| 327d3d4fbc | |||
|
|
bdb2e274cc | ||
| cd46f1d4c2 | |||
|
|
6da4b5e9d0 | ||
| 941626004e |
4
package-lock.json
generated
4
package-lock.json
generated
@@ -1,12 +1,12 @@
|
||||
{
|
||||
"name": "flyer-crawler",
|
||||
"version": "0.11.6",
|
||||
"version": "0.11.11",
|
||||
"lockfileVersion": 3,
|
||||
"requires": true,
|
||||
"packages": {
|
||||
"": {
|
||||
"name": "flyer-crawler",
|
||||
"version": "0.11.6",
|
||||
"version": "0.11.11",
|
||||
"dependencies": {
|
||||
"@bull-board/api": "^6.14.2",
|
||||
"@bull-board/express": "^6.14.2",
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
{
|
||||
"name": "flyer-crawler",
|
||||
"private": true,
|
||||
"version": "0.11.6",
|
||||
"version": "0.11.11",
|
||||
"type": "module",
|
||||
"scripts": {
|
||||
"dev": "concurrently \"npm:start:dev\" \"vite\"",
|
||||
|
||||
@@ -353,6 +353,50 @@ passport.use(
|
||||
}),
|
||||
);
|
||||
|
||||
// --- Custom Error Class for Unauthorized Access ---
|
||||
class UnauthorizedError extends Error {
|
||||
status: number;
|
||||
constructor(message: string) {
|
||||
super(message);
|
||||
this.name = 'UnauthorizedError';
|
||||
this.status = 401;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* A required authentication middleware that returns standardized error responses.
|
||||
* Unlike the default passport.authenticate(), this middleware ensures that 401 responses
|
||||
* follow our API response format with { success: false, error: { code, message } }.
|
||||
*
|
||||
* Use this instead of `passport.authenticate('jwt', { session: false })` to ensure
|
||||
* consistent error responses per ADR-028.
|
||||
*/
|
||||
export const requireAuth = (req: Request, res: Response, next: NextFunction) => {
|
||||
passport.authenticate(
|
||||
'jwt',
|
||||
{ session: false },
|
||||
(err: Error | null, user: UserProfile | false, info: { message: string } | Error) => {
|
||||
if (err) {
|
||||
// An actual error occurred during authentication
|
||||
req.log.error({ error: err }, 'Authentication error');
|
||||
return next(err);
|
||||
}
|
||||
|
||||
if (!user) {
|
||||
// Authentication failed - return standardized error through error handler
|
||||
const message =
|
||||
info instanceof Error ? info.message : info?.message || 'Authentication required.';
|
||||
req.log.warn({ info: message }, 'JWT authentication failed');
|
||||
return next(new UnauthorizedError(message));
|
||||
}
|
||||
|
||||
// Authentication succeeded - attach user and proceed
|
||||
req.user = user;
|
||||
next();
|
||||
},
|
||||
)(req, res, next);
|
||||
};
|
||||
|
||||
// --- Middleware for Admin Role Check ---
|
||||
export const isAdmin = (req: Request, res: Response, next: NextFunction) => {
|
||||
// Use the type guard for safer access to req.user
|
||||
|
||||
@@ -36,6 +36,14 @@ vi.mock('../config/passport', () => ({
|
||||
next();
|
||||
}),
|
||||
},
|
||||
requireAuth: vi.fn((req: Request, res: Response, next: NextFunction) => {
|
||||
// If req.user is not set by the test setup, simulate unauthenticated access.
|
||||
if (!req.user) {
|
||||
return res.status(401).json({ message: 'Unauthorized' });
|
||||
}
|
||||
// If req.user is set, proceed as an authenticated user.
|
||||
next();
|
||||
}),
|
||||
}));
|
||||
|
||||
// Define a reusable matcher for the logger object.
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
// src/routes/deals.routes.ts
|
||||
import express, { type Request, type Response, type NextFunction } from 'express';
|
||||
import { z } from 'zod';
|
||||
import passport from '../config/passport';
|
||||
import { requireAuth } from '../config/passport';
|
||||
import { dealsRepo } from '../services/db/deals.db';
|
||||
import type { UserProfile } from '../types';
|
||||
import { validateRequest } from '../middleware/validation.middleware';
|
||||
@@ -19,8 +19,8 @@ const bestWatchedPricesSchema = z.object({
|
||||
// --- Middleware for all deal routes ---
|
||||
|
||||
// Per ADR-002, all routes in this file require an authenticated user.
|
||||
// We apply the standard passport JWT middleware at the router level.
|
||||
router.use(passport.authenticate('jwt', { session: false }));
|
||||
// We apply the requireAuth middleware which returns standardized 401 responses per ADR-028.
|
||||
router.use(requireAuth);
|
||||
|
||||
/**
|
||||
* @openapi
|
||||
|
||||
@@ -338,7 +338,7 @@ router.post(
|
||||
* description: Notification not found
|
||||
*/
|
||||
const notificationIdSchema = numericIdParam('notificationId');
|
||||
type MarkNotificationReadRequest = z.infer<typeof notificationIdSchema>;
|
||||
type NotificationIdRequest = z.infer<typeof notificationIdSchema>;
|
||||
router.post(
|
||||
'/notifications/:notificationId/mark-read',
|
||||
validateRequest(notificationIdSchema),
|
||||
@@ -346,7 +346,7 @@ router.post(
|
||||
try {
|
||||
const userProfile = req.user as UserProfile;
|
||||
// Apply ADR-003 pattern for type safety
|
||||
const { params } = req as unknown as MarkNotificationReadRequest;
|
||||
const { params } = req as unknown as NotificationIdRequest;
|
||||
await db.notificationRepo.markNotificationAsRead(
|
||||
params.notificationId,
|
||||
userProfile.user.user_id,
|
||||
@@ -360,6 +360,51 @@ router.post(
|
||||
},
|
||||
);
|
||||
|
||||
/**
|
||||
* @openapi
|
||||
* /users/notifications/{notificationId}:
|
||||
* delete:
|
||||
* tags: [Users]
|
||||
* summary: Delete a notification
|
||||
* description: Delete a specific notification by its ID. Users can only delete their own notifications.
|
||||
* security:
|
||||
* - bearerAuth: []
|
||||
* parameters:
|
||||
* - in: path
|
||||
* name: notificationId
|
||||
* required: true
|
||||
* schema:
|
||||
* type: integer
|
||||
* description: ID of the notification to delete
|
||||
* responses:
|
||||
* 204:
|
||||
* description: Notification deleted successfully
|
||||
* 401:
|
||||
* description: Unauthorized - invalid or missing token
|
||||
* 404:
|
||||
* description: Notification not found or user does not have permission
|
||||
*/
|
||||
router.delete(
|
||||
'/notifications/:notificationId',
|
||||
validateRequest(notificationIdSchema),
|
||||
async (req: Request, res: Response, next: NextFunction) => {
|
||||
try {
|
||||
const userProfile = req.user as UserProfile;
|
||||
// Apply ADR-003 pattern for type safety
|
||||
const { params } = req as unknown as NotificationIdRequest;
|
||||
await db.notificationRepo.deleteNotification(
|
||||
params.notificationId,
|
||||
userProfile.user.user_id,
|
||||
req.log,
|
||||
);
|
||||
sendNoContent(res);
|
||||
} catch (error) {
|
||||
req.log.error({ error }, 'Error deleting notification');
|
||||
next(error);
|
||||
}
|
||||
},
|
||||
);
|
||||
|
||||
/**
|
||||
* @openapi
|
||||
* /users/profile:
|
||||
|
||||
@@ -668,12 +668,17 @@ describe('Admin DB Service', () => {
|
||||
const mockUsers: AdminUserView[] = [
|
||||
createMockAdminUserView({ user_id: '1', email: 'test@test.com' }),
|
||||
];
|
||||
mockDb.query.mockResolvedValue({ rows: mockUsers });
|
||||
// Mock count query
|
||||
mockDb.query.mockResolvedValueOnce({ rows: [{ count: '1' }] });
|
||||
// Mock users query
|
||||
mockDb.query.mockResolvedValueOnce({ rows: mockUsers });
|
||||
|
||||
const result = await adminRepo.getAllUsers(mockLogger);
|
||||
expect(mockDb.query).toHaveBeenCalledWith(
|
||||
expect.stringContaining('FROM public.users u JOIN public.profiles p'),
|
||||
undefined,
|
||||
);
|
||||
expect(result).toEqual(mockUsers);
|
||||
expect(result).toEqual({ users: mockUsers, total: 1 });
|
||||
});
|
||||
|
||||
it('should throw an error if the database query fails', async () => {
|
||||
|
||||
@@ -32,7 +32,7 @@ export class DealsRepository {
|
||||
const query = `
|
||||
WITH UserWatchedItems AS (
|
||||
-- Select all items the user is watching
|
||||
SELECT master_item_id FROM watched_items WHERE user_id = $1
|
||||
SELECT master_item_id FROM user_watched_items WHERE user_id = $1
|
||||
),
|
||||
RankedPrices AS (
|
||||
-- Find all current sale prices for those items and rank them
|
||||
@@ -70,9 +70,15 @@ export class DealsRepository {
|
||||
const { rows } = await this.db.query<WatchedItemDeal>(query, [userId]);
|
||||
return rows;
|
||||
} catch (error) {
|
||||
handleDbError(error, logger, 'Database error in findBestPricesForWatchedItems', { userId }, {
|
||||
defaultMessage: 'Failed to find best prices for watched items.',
|
||||
});
|
||||
handleDbError(
|
||||
error,
|
||||
logger,
|
||||
'Database error in findBestPricesForWatchedItems',
|
||||
{ userId },
|
||||
{
|
||||
defaultMessage: 'Failed to find best prices for watched items.',
|
||||
},
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -213,6 +213,35 @@ export class NotificationRepository {
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Deletes a single notification for a specific user.
|
||||
* Ensures that a user can only delete their own notifications.
|
||||
* @param notificationId The ID of the notification to delete.
|
||||
* @param userId The ID of the user who owns the notification.
|
||||
* @throws NotFoundError if the notification is not found or does not belong to the user.
|
||||
*/
|
||||
async deleteNotification(notificationId: number, userId: string, logger: Logger): Promise<void> {
|
||||
try {
|
||||
const res = await this.db.query(
|
||||
`DELETE FROM public.notifications WHERE notification_id = $1 AND user_id = $2`,
|
||||
[notificationId, userId],
|
||||
);
|
||||
if (res.rowCount === 0) {
|
||||
throw new NotFoundError('Notification not found or user does not have permission.');
|
||||
}
|
||||
} catch (error) {
|
||||
handleDbError(
|
||||
error,
|
||||
logger,
|
||||
'Database error in deleteNotification',
|
||||
{ notificationId, userId },
|
||||
{
|
||||
defaultMessage: 'Failed to delete notification.',
|
||||
},
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Deletes notifications that are older than a specified number of days.
|
||||
* This is intended for a periodic cleanup job.
|
||||
|
||||
@@ -5,7 +5,10 @@ import type { Pool, PoolClient } from 'pg';
|
||||
import { withTransaction } from './connection.db';
|
||||
import { PersonalizationRepository } from './personalization.db';
|
||||
import type { MasterGroceryItem, UserAppliance, DietaryRestriction, Appliance } from '../../types';
|
||||
import { createMockMasterGroceryItem, createMockUserAppliance } from '../../tests/utils/mockFactories';
|
||||
import {
|
||||
createMockMasterGroceryItem,
|
||||
createMockUserAppliance,
|
||||
} from '../../tests/utils/mockFactories';
|
||||
|
||||
// Un-mock the module we are testing to ensure we use the real implementation.
|
||||
vi.unmock('./personalization.db');
|
||||
@@ -50,7 +53,10 @@ describe('Personalization DB Service', () => {
|
||||
const mockItems: MasterGroceryItem[] = [
|
||||
createMockMasterGroceryItem({ master_grocery_item_id: 1, name: 'Apples' }),
|
||||
];
|
||||
mockQuery.mockResolvedValue({ rows: mockItems });
|
||||
// Mock count query
|
||||
mockQuery.mockResolvedValueOnce({ rows: [{ count: '1' }] });
|
||||
// Mock items query
|
||||
mockQuery.mockResolvedValueOnce({ rows: mockItems });
|
||||
|
||||
const result = await personalizationRepo.getAllMasterItems(mockLogger);
|
||||
|
||||
@@ -64,14 +70,17 @@ describe('Personalization DB Service', () => {
|
||||
|
||||
// The query string in the implementation has a lot of whitespace from the template literal.
|
||||
// This updated expectation matches the new query exactly.
|
||||
expect(mockQuery).toHaveBeenCalledWith(expectedQuery);
|
||||
expect(result).toEqual(mockItems);
|
||||
expect(mockQuery).toHaveBeenCalledWith(expectedQuery, undefined);
|
||||
expect(result).toEqual({ items: mockItems, total: 1 });
|
||||
});
|
||||
|
||||
it('should return an empty array if no master items exist', async () => {
|
||||
mockQuery.mockResolvedValue({ rows: [] });
|
||||
// Mock count query
|
||||
mockQuery.mockResolvedValueOnce({ rows: [{ count: '0' }] });
|
||||
// Mock items query
|
||||
mockQuery.mockResolvedValueOnce({ rows: [] });
|
||||
const result = await personalizationRepo.getAllMasterItems(mockLogger);
|
||||
expect(result).toEqual([]);
|
||||
expect(result).toEqual({ items: [], total: 0 });
|
||||
});
|
||||
|
||||
it('should throw an error if the database query fails', async () => {
|
||||
|
||||
@@ -37,7 +37,7 @@ describe('FlyerAiProcessor', () => {
|
||||
extractCoreDataFromFlyerImage: vi.fn(),
|
||||
} as unknown as AIService;
|
||||
mockPersonalizationRepo = {
|
||||
getAllMasterItems: vi.fn().mockResolvedValue([]),
|
||||
getAllMasterItems: vi.fn().mockResolvedValue({ items: [], total: 0 }),
|
||||
} as unknown as PersonalizationRepository;
|
||||
|
||||
service = new FlyerAiProcessor(mockAiService, mockPersonalizationRepo);
|
||||
@@ -86,9 +86,9 @@ describe('FlyerAiProcessor', () => {
|
||||
const imagePaths = [{ path: 'page1.jpg', mimetype: 'image/jpeg' }];
|
||||
|
||||
// Act & Assert
|
||||
await expect(
|
||||
service.extractAndValidateData(imagePaths, jobData, logger),
|
||||
).rejects.toThrow(dbError);
|
||||
await expect(service.extractAndValidateData(imagePaths, jobData, logger)).rejects.toThrow(
|
||||
dbError,
|
||||
);
|
||||
|
||||
// Verify that the process stops before calling the AI service
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).not.toHaveBeenCalled();
|
||||
@@ -103,8 +103,20 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: '2024-01-07',
|
||||
store_address: '123 Good St',
|
||||
items: [
|
||||
{ item: 'Priced Item 1', price_in_cents: 199, price_display: '$1.99', quantity: '1', category_name: 'A' },
|
||||
{ item: 'Priced Item 2', price_in_cents: 299, price_display: '$2.99', quantity: '1', category_name: 'B' },
|
||||
{
|
||||
item: 'Priced Item 1',
|
||||
price_in_cents: 199,
|
||||
price_display: '$1.99',
|
||||
quantity: '1',
|
||||
category_name: 'A',
|
||||
},
|
||||
{
|
||||
item: 'Priced Item 2',
|
||||
price_in_cents: 299,
|
||||
price_display: '$2.99',
|
||||
quantity: '1',
|
||||
category_name: 'B',
|
||||
},
|
||||
],
|
||||
};
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(mockAiResponse);
|
||||
@@ -128,7 +140,9 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: null,
|
||||
store_address: null,
|
||||
};
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(invalidResponse as any);
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(
|
||||
invalidResponse as any,
|
||||
);
|
||||
|
||||
const imagePaths = [{ path: 'page1.jpg', mimetype: 'image/jpeg' }];
|
||||
await expect(service.extractAndValidateData(imagePaths, jobData, logger)).rejects.toThrow(
|
||||
@@ -140,7 +154,15 @@ describe('FlyerAiProcessor', () => {
|
||||
const jobData = createMockJobData({});
|
||||
const mockAiResponse = {
|
||||
store_name: null, // Missing store name
|
||||
items: [{ item: 'Test Item', price_display: '$1.99', price_in_cents: 199, quantity: 'each', category_name: 'Grocery' }],
|
||||
items: [
|
||||
{
|
||||
item: 'Test Item',
|
||||
price_display: '$1.99',
|
||||
price_in_cents: 199,
|
||||
quantity: 'each',
|
||||
category_name: 'Grocery',
|
||||
},
|
||||
],
|
||||
valid_from: '2024-01-01',
|
||||
valid_to: '2024-01-07',
|
||||
store_address: null,
|
||||
@@ -187,9 +209,27 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: '2024-01-07',
|
||||
store_address: '123 Test St',
|
||||
items: [
|
||||
{ item: 'Priced Item', price_in_cents: 199, price_display: '$1.99', quantity: '1', category_name: 'A' },
|
||||
{ item: 'Unpriced Item 1', price_in_cents: null, price_display: 'See store', quantity: '1', category_name: 'B' },
|
||||
{ item: 'Unpriced Item 2', price_in_cents: null, price_display: 'FREE', quantity: '1', category_name: 'C' },
|
||||
{
|
||||
item: 'Priced Item',
|
||||
price_in_cents: 199,
|
||||
price_display: '$1.99',
|
||||
quantity: '1',
|
||||
category_name: 'A',
|
||||
},
|
||||
{
|
||||
item: 'Unpriced Item 1',
|
||||
price_in_cents: null,
|
||||
price_display: 'See store',
|
||||
quantity: '1',
|
||||
category_name: 'B',
|
||||
},
|
||||
{
|
||||
item: 'Unpriced Item 2',
|
||||
price_in_cents: null,
|
||||
price_display: 'FREE',
|
||||
quantity: '1',
|
||||
category_name: 'C',
|
||||
},
|
||||
], // 1/3 = 33% have price, which is < 50%
|
||||
};
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(mockAiResponse);
|
||||
@@ -200,7 +240,9 @@ describe('FlyerAiProcessor', () => {
|
||||
|
||||
expect(result.needsReview).toBe(true);
|
||||
expect(logger.warn).toHaveBeenCalledWith(
|
||||
expect.objectContaining({ qualityIssues: ['Low price quality (33% of items have a price)'] }),
|
||||
expect.objectContaining({
|
||||
qualityIssues: ['Low price quality (33% of items have a price)'],
|
||||
}),
|
||||
expect.stringContaining('AI response has quality issues.'),
|
||||
);
|
||||
});
|
||||
@@ -216,10 +258,34 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: '2024-01-07',
|
||||
store_address: '123 Test St',
|
||||
items: [
|
||||
{ item: 'Priced Item 1', price_in_cents: 199, price_display: '$1.99', quantity: '1', category_name: 'A' },
|
||||
{ item: 'Priced Item 2', price_in_cents: 299, price_display: '$2.99', quantity: '1', category_name: 'B' },
|
||||
{ item: 'Priced Item 3', price_in_cents: 399, price_display: '$3.99', quantity: '1', category_name: 'C' },
|
||||
{ item: 'Unpriced Item 1', price_in_cents: null, price_display: 'See store', quantity: '1', category_name: 'D' },
|
||||
{
|
||||
item: 'Priced Item 1',
|
||||
price_in_cents: 199,
|
||||
price_display: '$1.99',
|
||||
quantity: '1',
|
||||
category_name: 'A',
|
||||
},
|
||||
{
|
||||
item: 'Priced Item 2',
|
||||
price_in_cents: 299,
|
||||
price_display: '$2.99',
|
||||
quantity: '1',
|
||||
category_name: 'B',
|
||||
},
|
||||
{
|
||||
item: 'Priced Item 3',
|
||||
price_in_cents: 399,
|
||||
price_display: '$3.99',
|
||||
quantity: '1',
|
||||
category_name: 'C',
|
||||
},
|
||||
{
|
||||
item: 'Unpriced Item 1',
|
||||
price_in_cents: null,
|
||||
price_display: 'See store',
|
||||
quantity: '1',
|
||||
category_name: 'D',
|
||||
},
|
||||
], // 3/4 = 75% have price. This is > 50% (default) but < 80% (custom).
|
||||
};
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(mockAiResponse);
|
||||
@@ -233,7 +299,9 @@ describe('FlyerAiProcessor', () => {
|
||||
// Because 75% < 80%, it should be flagged for review.
|
||||
expect(result.needsReview).toBe(true);
|
||||
expect(logger.warn).toHaveBeenCalledWith(
|
||||
expect.objectContaining({ qualityIssues: ['Low price quality (75% of items have a price)'] }),
|
||||
expect.objectContaining({
|
||||
qualityIssues: ['Low price quality (75% of items have a price)'],
|
||||
}),
|
||||
expect.stringContaining('AI response has quality issues.'),
|
||||
);
|
||||
});
|
||||
@@ -243,9 +311,17 @@ describe('FlyerAiProcessor', () => {
|
||||
const mockAiResponse = {
|
||||
store_name: 'Test Store',
|
||||
valid_from: null, // Missing date
|
||||
valid_to: null, // Missing date
|
||||
valid_to: null, // Missing date
|
||||
store_address: '123 Test St',
|
||||
items: [{ item: 'Test Item', price_in_cents: 199, price_display: '$1.99', quantity: '1', category_name: 'A' }],
|
||||
items: [
|
||||
{
|
||||
item: 'Test Item',
|
||||
price_in_cents: 199,
|
||||
price_display: '$1.99',
|
||||
quantity: '1',
|
||||
category_name: 'A',
|
||||
},
|
||||
],
|
||||
};
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(mockAiResponse);
|
||||
const { logger } = await import('./logger.server');
|
||||
@@ -264,7 +340,7 @@ describe('FlyerAiProcessor', () => {
|
||||
const jobData = createMockJobData({});
|
||||
const mockAiResponse = {
|
||||
store_name: null, // Issue 1
|
||||
items: [], // Issue 2
|
||||
items: [], // Issue 2
|
||||
valid_from: null, // Issue 3
|
||||
valid_to: null,
|
||||
store_address: null,
|
||||
@@ -277,7 +353,14 @@ describe('FlyerAiProcessor', () => {
|
||||
|
||||
expect(result.needsReview).toBe(true);
|
||||
expect(logger.warn).toHaveBeenCalledWith(
|
||||
{ rawData: mockAiResponse, qualityIssues: ['Missing store name', 'No items were extracted', 'Missing both valid_from and valid_to dates'] },
|
||||
{
|
||||
rawData: mockAiResponse,
|
||||
qualityIssues: [
|
||||
'Missing store name',
|
||||
'No items were extracted',
|
||||
'Missing both valid_from and valid_to dates',
|
||||
],
|
||||
},
|
||||
'AI response has quality issues. Flagging for review. Issues: Missing store name, No items were extracted, Missing both valid_from and valid_to dates',
|
||||
);
|
||||
});
|
||||
@@ -291,7 +374,15 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_from: '2024-01-01',
|
||||
valid_to: '2024-01-07',
|
||||
store_address: '123 Test St',
|
||||
items: [{ item: 'Test Item', price_in_cents: 199, price_display: '$1.99', quantity: '1', category_name: 'A' }],
|
||||
items: [
|
||||
{
|
||||
item: 'Test Item',
|
||||
price_in_cents: 199,
|
||||
price_display: '$1.99',
|
||||
quantity: '1',
|
||||
category_name: 'A',
|
||||
},
|
||||
],
|
||||
};
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage).mockResolvedValue(mockAiResponse);
|
||||
|
||||
@@ -300,7 +391,11 @@ describe('FlyerAiProcessor', () => {
|
||||
|
||||
// Assert
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenCalledWith(
|
||||
imagePaths, [], undefined, '456 Fallback Ave', logger
|
||||
imagePaths,
|
||||
[],
|
||||
undefined,
|
||||
'456 Fallback Ave',
|
||||
logger,
|
||||
);
|
||||
});
|
||||
|
||||
@@ -323,8 +418,22 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: '2025-01-07',
|
||||
store_address: '123 Batch St',
|
||||
items: [
|
||||
{ item: 'Item A', price_display: '$1', price_in_cents: 100, quantity: '1', category_name: 'Cat A', master_item_id: 1 },
|
||||
{ item: 'Item B', price_display: '$2', price_in_cents: 200, quantity: '1', category_name: 'Cat B', master_item_id: 2 },
|
||||
{
|
||||
item: 'Item A',
|
||||
price_display: '$1',
|
||||
price_in_cents: 100,
|
||||
quantity: '1',
|
||||
category_name: 'Cat A',
|
||||
master_item_id: 1,
|
||||
},
|
||||
{
|
||||
item: 'Item B',
|
||||
price_display: '$2',
|
||||
price_in_cents: 200,
|
||||
quantity: '1',
|
||||
category_name: 'Cat B',
|
||||
master_item_id: 2,
|
||||
},
|
||||
],
|
||||
};
|
||||
|
||||
@@ -334,7 +443,14 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: null,
|
||||
store_address: null,
|
||||
items: [
|
||||
{ item: 'Item C', price_display: '$3', price_in_cents: 300, quantity: '1', category_name: 'Cat C', master_item_id: 3 },
|
||||
{
|
||||
item: 'Item C',
|
||||
price_display: '$3',
|
||||
price_in_cents: 300,
|
||||
quantity: '1',
|
||||
category_name: 'Cat C',
|
||||
master_item_id: 3,
|
||||
},
|
||||
],
|
||||
};
|
||||
|
||||
@@ -351,8 +467,22 @@ describe('FlyerAiProcessor', () => {
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenCalledTimes(2);
|
||||
|
||||
// 2. Check the arguments for each call
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenNthCalledWith(1, imagePaths.slice(0, 4), [], undefined, undefined, logger);
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenNthCalledWith(2, imagePaths.slice(4, 5), [], undefined, undefined, logger);
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenNthCalledWith(
|
||||
1,
|
||||
imagePaths.slice(0, 4),
|
||||
[],
|
||||
undefined,
|
||||
undefined,
|
||||
logger,
|
||||
);
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenNthCalledWith(
|
||||
2,
|
||||
imagePaths.slice(4, 5),
|
||||
[],
|
||||
undefined,
|
||||
undefined,
|
||||
logger,
|
||||
);
|
||||
|
||||
// 3. Check the merged data
|
||||
expect(result.data.store_name).toBe('Batch 1 Store'); // Metadata from the first batch
|
||||
@@ -362,11 +492,13 @@ describe('FlyerAiProcessor', () => {
|
||||
|
||||
// 4. Check that items from both batches are merged
|
||||
expect(result.data.items).toHaveLength(3);
|
||||
expect(result.data.items).toEqual(expect.arrayContaining([
|
||||
expect.objectContaining({ item: 'Item A' }),
|
||||
expect.objectContaining({ item: 'Item B' }),
|
||||
expect.objectContaining({ item: 'Item C' }),
|
||||
]));
|
||||
expect(result.data.items).toEqual(
|
||||
expect.arrayContaining([
|
||||
expect.objectContaining({ item: 'Item A' }),
|
||||
expect.objectContaining({ item: 'Item B' }),
|
||||
expect.objectContaining({ item: 'Item C' }),
|
||||
]),
|
||||
);
|
||||
|
||||
// 5. Check that the job is not flagged for review
|
||||
expect(result.needsReview).toBe(false);
|
||||
@@ -376,7 +508,11 @@ describe('FlyerAiProcessor', () => {
|
||||
// Arrange
|
||||
const jobData = createMockJobData({});
|
||||
const imagePaths = [
|
||||
{ path: 'page1.jpg', mimetype: 'image/jpeg' }, { path: 'page2.jpg', mimetype: 'image/jpeg' }, { path: 'page3.jpg', mimetype: 'image/jpeg' }, { path: 'page4.jpg', mimetype: 'image/jpeg' }, { path: 'page5.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page1.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page2.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page3.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page4.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page5.jpg', mimetype: 'image/jpeg' },
|
||||
];
|
||||
|
||||
const mockAiResponseBatch1 = {
|
||||
@@ -385,7 +521,14 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: '2025-01-07',
|
||||
store_address: '123 Good St',
|
||||
items: [
|
||||
{ item: 'Item A', price_display: '$1', price_in_cents: 100, quantity: '1', category_name: 'Cat A', master_item_id: 1 },
|
||||
{
|
||||
item: 'Item A',
|
||||
price_display: '$1',
|
||||
price_in_cents: 100,
|
||||
quantity: '1',
|
||||
category_name: 'Cat A',
|
||||
master_item_id: 1,
|
||||
},
|
||||
],
|
||||
};
|
||||
|
||||
@@ -416,11 +559,45 @@ describe('FlyerAiProcessor', () => {
|
||||
// Arrange
|
||||
const jobData = createMockJobData({});
|
||||
const imagePaths = [
|
||||
{ path: 'page1.jpg', mimetype: 'image/jpeg' }, { path: 'page2.jpg', mimetype: 'image/jpeg' }, { path: 'page3.jpg', mimetype: 'image/jpeg' }, { path: 'page4.jpg', mimetype: 'image/jpeg' }, { path: 'page5.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page1.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page2.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page3.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page4.jpg', mimetype: 'image/jpeg' },
|
||||
{ path: 'page5.jpg', mimetype: 'image/jpeg' },
|
||||
];
|
||||
|
||||
const mockAiResponseBatch1 = { store_name: null, valid_from: '2025-01-01', valid_to: '2025-01-07', store_address: null, items: [{ item: 'Item A', price_display: '$1', price_in_cents: 100, quantity: '1', category_name: 'Cat A', master_item_id: 1 }] };
|
||||
const mockAiResponseBatch2 = { store_name: 'Batch 2 Store', valid_from: '2025-01-02', valid_to: null, store_address: '456 Subsequent St', items: [{ item: 'Item C', price_display: '$3', price_in_cents: 300, quantity: '1', category_name: 'Cat C', master_item_id: 3 }] };
|
||||
const mockAiResponseBatch1 = {
|
||||
store_name: null,
|
||||
valid_from: '2025-01-01',
|
||||
valid_to: '2025-01-07',
|
||||
store_address: null,
|
||||
items: [
|
||||
{
|
||||
item: 'Item A',
|
||||
price_display: '$1',
|
||||
price_in_cents: 100,
|
||||
quantity: '1',
|
||||
category_name: 'Cat A',
|
||||
master_item_id: 1,
|
||||
},
|
||||
],
|
||||
};
|
||||
const mockAiResponseBatch2 = {
|
||||
store_name: 'Batch 2 Store',
|
||||
valid_from: '2025-01-02',
|
||||
valid_to: null,
|
||||
store_address: '456 Subsequent St',
|
||||
items: [
|
||||
{
|
||||
item: 'Item C',
|
||||
price_display: '$3',
|
||||
price_in_cents: 300,
|
||||
quantity: '1',
|
||||
category_name: 'Cat C',
|
||||
master_item_id: 3,
|
||||
},
|
||||
],
|
||||
};
|
||||
|
||||
vi.mocked(mockAiService.extractCoreDataFromFlyerImage)
|
||||
.mockResolvedValueOnce(mockAiResponseBatch1)
|
||||
@@ -453,7 +630,14 @@ describe('FlyerAiProcessor', () => {
|
||||
valid_to: '2025-02-07',
|
||||
store_address: '789 Single St',
|
||||
items: [
|
||||
{ item: 'Item X', price_display: '$10', price_in_cents: 1000, quantity: '1', category_name: 'Cat X', master_item_id: 10 },
|
||||
{
|
||||
item: 'Item X',
|
||||
price_display: '$10',
|
||||
price_in_cents: 1000,
|
||||
quantity: '1',
|
||||
category_name: 'Cat X',
|
||||
master_item_id: 10,
|
||||
},
|
||||
],
|
||||
};
|
||||
|
||||
@@ -468,9 +652,15 @@ describe('FlyerAiProcessor', () => {
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenCalledTimes(1);
|
||||
|
||||
// 2. Check the arguments for the single call.
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenCalledWith(imagePaths, [], undefined, undefined, logger);
|
||||
expect(mockAiService.extractCoreDataFromFlyerImage).toHaveBeenCalledWith(
|
||||
imagePaths,
|
||||
[],
|
||||
undefined,
|
||||
undefined,
|
||||
logger,
|
||||
);
|
||||
|
||||
// 3. Check that the final data matches the single batch's data.
|
||||
expect(result.data).toEqual(mockAiResponse);
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
@@ -75,9 +75,11 @@ describe('E2E Admin Dashboard Flow', () => {
|
||||
|
||||
expect(usersResponse.status).toBe(200);
|
||||
const usersResponseBody = await usersResponse.json();
|
||||
expect(Array.isArray(usersResponseBody.data)).toBe(true);
|
||||
expect(usersResponseBody.data).toHaveProperty('users');
|
||||
expect(usersResponseBody.data).toHaveProperty('total');
|
||||
expect(Array.isArray(usersResponseBody.data.users)).toBe(true);
|
||||
// The list should contain the admin user we just created
|
||||
const self = usersResponseBody.data.find((u: any) => u.user_id === adminUserId);
|
||||
const self = usersResponseBody.data.users.find((u: any) => u.user_id === adminUserId);
|
||||
expect(self).toBeDefined();
|
||||
|
||||
// 6. Check Queue Status (Protected Admin Route)
|
||||
|
||||
350
src/tests/e2e/budget-journey.e2e.test.ts
Normal file
350
src/tests/e2e/budget-journey.e2e.test.ts
Normal file
@@ -0,0 +1,350 @@
|
||||
// src/tests/e2e/budget-journey.e2e.test.ts
|
||||
/**
|
||||
* End-to-End test for the Budget Management user journey.
|
||||
* Tests the complete flow from user registration to creating budgets, tracking spending, and managing finances.
|
||||
*/
|
||||
import { describe, it, expect, afterAll } from 'vitest';
|
||||
import * as apiClient from '../../services/apiClient';
|
||||
import { cleanupDb } from '../utils/cleanup';
|
||||
import { poll } from '../utils/poll';
|
||||
import { getPool } from '../../services/db/connection.db';
|
||||
|
||||
/**
|
||||
* @vitest-environment node
|
||||
*/
|
||||
|
||||
const API_BASE_URL = process.env.VITE_API_BASE_URL || 'http://localhost:3000/api';
|
||||
|
||||
// Helper to make authenticated API calls
|
||||
const authedFetch = async (
|
||||
path: string,
|
||||
options: RequestInit & { token?: string } = {},
|
||||
): Promise<Response> => {
|
||||
const { token, ...fetchOptions } = options;
|
||||
const headers: Record<string, string> = {
|
||||
'Content-Type': 'application/json',
|
||||
...(fetchOptions.headers as Record<string, string>),
|
||||
};
|
||||
|
||||
if (token) {
|
||||
headers['Authorization'] = `Bearer ${token}`;
|
||||
}
|
||||
|
||||
return fetch(`${API_BASE_URL}${path}`, {
|
||||
...fetchOptions,
|
||||
headers,
|
||||
});
|
||||
};
|
||||
|
||||
describe('E2E Budget Management Journey', () => {
|
||||
const uniqueId = Date.now();
|
||||
const userEmail = `budget-e2e-${uniqueId}@example.com`;
|
||||
const userPassword = 'StrongBudgetPassword123!';
|
||||
|
||||
let authToken: string;
|
||||
let userId: string | null = null;
|
||||
const createdBudgetIds: number[] = [];
|
||||
const createdReceiptIds: number[] = [];
|
||||
const createdStoreIds: number[] = [];
|
||||
|
||||
afterAll(async () => {
|
||||
const pool = getPool();
|
||||
|
||||
// Clean up receipt items and receipts (for spending tracking)
|
||||
if (createdReceiptIds.length > 0) {
|
||||
await pool.query('DELETE FROM public.receipt_items WHERE receipt_id = ANY($1::bigint[])', [
|
||||
createdReceiptIds,
|
||||
]);
|
||||
await pool.query('DELETE FROM public.receipts WHERE receipt_id = ANY($1::bigint[])', [
|
||||
createdReceiptIds,
|
||||
]);
|
||||
}
|
||||
|
||||
// Clean up budgets
|
||||
if (createdBudgetIds.length > 0) {
|
||||
await pool.query('DELETE FROM public.budgets WHERE budget_id = ANY($1::bigint[])', [
|
||||
createdBudgetIds,
|
||||
]);
|
||||
}
|
||||
|
||||
// Clean up stores
|
||||
if (createdStoreIds.length > 0) {
|
||||
await pool.query('DELETE FROM public.stores WHERE store_id = ANY($1::int[])', [
|
||||
createdStoreIds,
|
||||
]);
|
||||
}
|
||||
|
||||
// Clean up user
|
||||
await cleanupDb({
|
||||
userIds: [userId],
|
||||
});
|
||||
});
|
||||
|
||||
it('should complete budget journey: Register -> Create Budget -> Track Spending -> Update -> Delete', async () => {
|
||||
// Step 1: Register a new user
|
||||
const registerResponse = await apiClient.registerUser(
|
||||
userEmail,
|
||||
userPassword,
|
||||
'Budget E2E User',
|
||||
);
|
||||
expect(registerResponse.status).toBe(201);
|
||||
|
||||
// Step 2: Login to get auth token
|
||||
const { response: loginResponse, responseBody: loginResponseBody } = await poll(
|
||||
async () => {
|
||||
const response = await apiClient.loginUser(userEmail, userPassword, false);
|
||||
const responseBody = response.ok ? await response.clone().json() : {};
|
||||
return { response, responseBody };
|
||||
},
|
||||
(result) => result.response.ok,
|
||||
{ timeout: 10000, interval: 1000, description: 'user login after registration' },
|
||||
);
|
||||
|
||||
expect(loginResponse.status).toBe(200);
|
||||
authToken = loginResponseBody.data.token;
|
||||
userId = loginResponseBody.data.userprofile.user.user_id;
|
||||
expect(authToken).toBeDefined();
|
||||
|
||||
// Step 3: Create a monthly budget
|
||||
const today = new Date();
|
||||
const startOfMonth = new Date(today.getFullYear(), today.getMonth(), 1);
|
||||
const formatDate = (d: Date) => d.toISOString().split('T')[0];
|
||||
|
||||
const createBudgetResponse = await authedFetch('/budgets', {
|
||||
method: 'POST',
|
||||
token: authToken,
|
||||
body: JSON.stringify({
|
||||
name: 'Monthly Groceries',
|
||||
amount_cents: 50000, // $500.00
|
||||
period: 'monthly',
|
||||
start_date: formatDate(startOfMonth),
|
||||
}),
|
||||
});
|
||||
|
||||
expect(createBudgetResponse.status).toBe(201);
|
||||
const createBudgetData = await createBudgetResponse.json();
|
||||
expect(createBudgetData.data.name).toBe('Monthly Groceries');
|
||||
expect(createBudgetData.data.amount_cents).toBe(50000);
|
||||
expect(createBudgetData.data.period).toBe('monthly');
|
||||
const budgetId = createBudgetData.data.budget_id;
|
||||
createdBudgetIds.push(budgetId);
|
||||
|
||||
// Step 4: Create a weekly budget
|
||||
const weeklyBudgetResponse = await authedFetch('/budgets', {
|
||||
method: 'POST',
|
||||
token: authToken,
|
||||
body: JSON.stringify({
|
||||
name: 'Weekly Dining Out',
|
||||
amount_cents: 10000, // $100.00
|
||||
period: 'weekly',
|
||||
start_date: formatDate(today),
|
||||
}),
|
||||
});
|
||||
|
||||
expect(weeklyBudgetResponse.status).toBe(201);
|
||||
const weeklyBudgetData = await weeklyBudgetResponse.json();
|
||||
expect(weeklyBudgetData.data.period).toBe('weekly');
|
||||
createdBudgetIds.push(weeklyBudgetData.data.budget_id);
|
||||
|
||||
// Step 5: View all budgets
|
||||
const listBudgetsResponse = await authedFetch('/budgets', {
|
||||
method: 'GET',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(listBudgetsResponse.status).toBe(200);
|
||||
const listBudgetsData = await listBudgetsResponse.json();
|
||||
expect(listBudgetsData.data.length).toBe(2);
|
||||
|
||||
// Find our budgets
|
||||
const monthlyBudget = listBudgetsData.data.find(
|
||||
(b: { name: string }) => b.name === 'Monthly Groceries',
|
||||
);
|
||||
expect(monthlyBudget).toBeDefined();
|
||||
expect(monthlyBudget.amount_cents).toBe(50000);
|
||||
|
||||
// Step 6: Update a budget
|
||||
const updateBudgetResponse = await authedFetch(`/budgets/${budgetId}`, {
|
||||
method: 'PUT',
|
||||
token: authToken,
|
||||
body: JSON.stringify({
|
||||
amount_cents: 55000, // Increase to $550.00
|
||||
name: 'Monthly Groceries (Updated)',
|
||||
}),
|
||||
});
|
||||
|
||||
expect(updateBudgetResponse.status).toBe(200);
|
||||
const updateBudgetData = await updateBudgetResponse.json();
|
||||
expect(updateBudgetData.data.amount_cents).toBe(55000);
|
||||
expect(updateBudgetData.data.name).toBe('Monthly Groceries (Updated)');
|
||||
|
||||
// Step 7: Create test spending data (receipts) to track against budget
|
||||
const pool = getPool();
|
||||
|
||||
// Create a test store
|
||||
const storeResult = await pool.query(
|
||||
`INSERT INTO public.stores (name, address, city, province, postal_code)
|
||||
VALUES ('E2E Budget Test Store', '789 Budget St', 'Toronto', 'ON', 'M5V 3A3')
|
||||
RETURNING store_id`,
|
||||
);
|
||||
const storeId = storeResult.rows[0].store_id;
|
||||
createdStoreIds.push(storeId);
|
||||
|
||||
// Create receipts with spending
|
||||
const receipt1Result = await pool.query(
|
||||
`INSERT INTO public.receipts (user_id, receipt_image_url, status, store_id, total_amount_cents, transaction_date)
|
||||
VALUES ($1, '/uploads/receipts/e2e-budget-1.jpg', 'completed', $2, 12500, $3)
|
||||
RETURNING receipt_id`,
|
||||
[userId, storeId, formatDate(today)],
|
||||
);
|
||||
createdReceiptIds.push(receipt1Result.rows[0].receipt_id);
|
||||
|
||||
const receipt2Result = await pool.query(
|
||||
`INSERT INTO public.receipts (user_id, receipt_image_url, status, store_id, total_amount_cents, transaction_date)
|
||||
VALUES ($1, '/uploads/receipts/e2e-budget-2.jpg', 'completed', $2, 8750, $3)
|
||||
RETURNING receipt_id`,
|
||||
[userId, storeId, formatDate(today)],
|
||||
);
|
||||
createdReceiptIds.push(receipt2Result.rows[0].receipt_id);
|
||||
|
||||
// Step 8: Check spending analysis
|
||||
const endOfMonth = new Date(today.getFullYear(), today.getMonth() + 1, 0);
|
||||
const spendingResponse = await authedFetch(
|
||||
`/budgets/spending-analysis?startDate=${formatDate(startOfMonth)}&endDate=${formatDate(endOfMonth)}`,
|
||||
{
|
||||
method: 'GET',
|
||||
token: authToken,
|
||||
},
|
||||
);
|
||||
|
||||
expect(spendingResponse.status).toBe(200);
|
||||
const spendingData = await spendingResponse.json();
|
||||
expect(spendingData.success).toBe(true);
|
||||
expect(Array.isArray(spendingData.data)).toBe(true);
|
||||
|
||||
// Verify we have spending data
|
||||
// Note: The spending might be $0 or have data depending on how the backend calculates spending
|
||||
// The test is mainly verifying the endpoint works
|
||||
|
||||
// Step 9: Test budget validation - try to create invalid budget
|
||||
const invalidBudgetResponse = await authedFetch('/budgets', {
|
||||
method: 'POST',
|
||||
token: authToken,
|
||||
body: JSON.stringify({
|
||||
name: 'Invalid Budget',
|
||||
amount_cents: -100, // Negative amount should be rejected
|
||||
period: 'monthly',
|
||||
start_date: formatDate(today),
|
||||
}),
|
||||
});
|
||||
|
||||
expect(invalidBudgetResponse.status).toBe(400);
|
||||
|
||||
// Step 10: Test budget validation - missing required fields
|
||||
const missingFieldsResponse = await authedFetch('/budgets', {
|
||||
method: 'POST',
|
||||
token: authToken,
|
||||
body: JSON.stringify({
|
||||
name: 'Incomplete Budget',
|
||||
// Missing amount_cents, period, start_date
|
||||
}),
|
||||
});
|
||||
|
||||
expect(missingFieldsResponse.status).toBe(400);
|
||||
|
||||
// Step 11: Test update validation - empty update
|
||||
const emptyUpdateResponse = await authedFetch(`/budgets/${budgetId}`, {
|
||||
method: 'PUT',
|
||||
token: authToken,
|
||||
body: JSON.stringify({}), // No fields to update
|
||||
});
|
||||
|
||||
expect(emptyUpdateResponse.status).toBe(400);
|
||||
|
||||
// Step 12: Verify another user cannot access our budgets
|
||||
const otherUserEmail = `other-budget-e2e-${uniqueId}@example.com`;
|
||||
await apiClient.registerUser(otherUserEmail, userPassword, 'Other Budget User');
|
||||
|
||||
const { responseBody: otherLoginData } = await poll(
|
||||
async () => {
|
||||
const response = await apiClient.loginUser(otherUserEmail, userPassword, false);
|
||||
const responseBody = response.ok ? await response.clone().json() : {};
|
||||
return { response, responseBody };
|
||||
},
|
||||
(result) => result.response.ok,
|
||||
{ timeout: 10000, interval: 1000, description: 'other user login' },
|
||||
);
|
||||
|
||||
const otherToken = otherLoginData.data.token;
|
||||
const otherUserId = otherLoginData.data.userprofile.user.user_id;
|
||||
|
||||
// Other user should not see our budgets
|
||||
const otherBudgetsResponse = await authedFetch('/budgets', {
|
||||
method: 'GET',
|
||||
token: otherToken,
|
||||
});
|
||||
|
||||
expect(otherBudgetsResponse.status).toBe(200);
|
||||
const otherBudgetsData = await otherBudgetsResponse.json();
|
||||
expect(otherBudgetsData.data.length).toBe(0);
|
||||
|
||||
// Other user should not be able to update our budget
|
||||
const otherUpdateResponse = await authedFetch(`/budgets/${budgetId}`, {
|
||||
method: 'PUT',
|
||||
token: otherToken,
|
||||
body: JSON.stringify({
|
||||
amount_cents: 99999,
|
||||
}),
|
||||
});
|
||||
|
||||
expect(otherUpdateResponse.status).toBe(404); // Should not find the budget
|
||||
|
||||
// Other user should not be able to delete our budget
|
||||
const otherDeleteAttemptResponse = await authedFetch(`/budgets/${budgetId}`, {
|
||||
method: 'DELETE',
|
||||
token: otherToken,
|
||||
});
|
||||
|
||||
expect(otherDeleteAttemptResponse.status).toBe(404);
|
||||
|
||||
// Clean up other user
|
||||
await cleanupDb({ userIds: [otherUserId] });
|
||||
|
||||
// Step 13: Delete the weekly budget
|
||||
const deleteBudgetResponse = await authedFetch(`/budgets/${weeklyBudgetData.data.budget_id}`, {
|
||||
method: 'DELETE',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(deleteBudgetResponse.status).toBe(204);
|
||||
|
||||
// Remove from cleanup list
|
||||
const deleteIndex = createdBudgetIds.indexOf(weeklyBudgetData.data.budget_id);
|
||||
if (deleteIndex > -1) {
|
||||
createdBudgetIds.splice(deleteIndex, 1);
|
||||
}
|
||||
|
||||
// Step 14: Verify deletion
|
||||
const verifyDeleteResponse = await authedFetch('/budgets', {
|
||||
method: 'GET',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(verifyDeleteResponse.status).toBe(200);
|
||||
const verifyDeleteData = await verifyDeleteResponse.json();
|
||||
expect(verifyDeleteData.data.length).toBe(1); // Only monthly budget remains
|
||||
|
||||
const deletedBudget = verifyDeleteData.data.find(
|
||||
(b: { budget_id: number }) => b.budget_id === weeklyBudgetData.data.budget_id,
|
||||
);
|
||||
expect(deletedBudget).toBeUndefined();
|
||||
|
||||
// Step 15: Delete account
|
||||
const deleteAccountResponse = await apiClient.deleteUserAccount(userPassword, {
|
||||
tokenOverride: authToken,
|
||||
});
|
||||
|
||||
expect(deleteAccountResponse.status).toBe(200);
|
||||
userId = null;
|
||||
});
|
||||
});
|
||||
352
src/tests/e2e/deals-journey.e2e.test.ts
Normal file
352
src/tests/e2e/deals-journey.e2e.test.ts
Normal file
@@ -0,0 +1,352 @@
|
||||
// src/tests/e2e/deals-journey.e2e.test.ts
|
||||
/**
|
||||
* End-to-End test for the Deals/Price Tracking user journey.
|
||||
* Tests the complete flow from user registration to watching items and viewing best prices.
|
||||
*/
|
||||
import { describe, it, expect, afterAll } from 'vitest';
|
||||
import * as apiClient from '../../services/apiClient';
|
||||
import { cleanupDb } from '../utils/cleanup';
|
||||
import { poll } from '../utils/poll';
|
||||
import { getPool } from '../../services/db/connection.db';
|
||||
|
||||
/**
|
||||
* @vitest-environment node
|
||||
*/
|
||||
|
||||
const API_BASE_URL = process.env.VITE_API_BASE_URL || 'http://localhost:3000/api';
|
||||
|
||||
// Helper to make authenticated API calls
|
||||
const authedFetch = async (
|
||||
path: string,
|
||||
options: RequestInit & { token?: string } = {},
|
||||
): Promise<Response> => {
|
||||
const { token, ...fetchOptions } = options;
|
||||
const headers: Record<string, string> = {
|
||||
'Content-Type': 'application/json',
|
||||
...(fetchOptions.headers as Record<string, string>),
|
||||
};
|
||||
|
||||
if (token) {
|
||||
headers['Authorization'] = `Bearer ${token}`;
|
||||
}
|
||||
|
||||
return fetch(`${API_BASE_URL}${path}`, {
|
||||
...fetchOptions,
|
||||
headers,
|
||||
});
|
||||
};
|
||||
|
||||
describe('E2E Deals and Price Tracking Journey', () => {
|
||||
const uniqueId = Date.now();
|
||||
const userEmail = `deals-e2e-${uniqueId}@example.com`;
|
||||
const userPassword = 'StrongDealsPassword123!';
|
||||
|
||||
let authToken: string;
|
||||
let userId: string | null = null;
|
||||
const createdMasterItemIds: number[] = [];
|
||||
const createdFlyerIds: number[] = [];
|
||||
const createdStoreIds: number[] = [];
|
||||
|
||||
afterAll(async () => {
|
||||
const pool = getPool();
|
||||
|
||||
// Clean up watched items
|
||||
if (userId) {
|
||||
await pool.query('DELETE FROM public.watched_items WHERE user_id = $1', [userId]);
|
||||
}
|
||||
|
||||
// Clean up flyer items
|
||||
if (createdFlyerIds.length > 0) {
|
||||
await pool.query('DELETE FROM public.flyer_items WHERE flyer_id = ANY($1::bigint[])', [
|
||||
createdFlyerIds,
|
||||
]);
|
||||
}
|
||||
|
||||
// Clean up flyers
|
||||
if (createdFlyerIds.length > 0) {
|
||||
await pool.query('DELETE FROM public.flyers WHERE flyer_id = ANY($1::bigint[])', [
|
||||
createdFlyerIds,
|
||||
]);
|
||||
}
|
||||
|
||||
// Clean up master grocery items
|
||||
if (createdMasterItemIds.length > 0) {
|
||||
await pool.query(
|
||||
'DELETE FROM public.master_grocery_items WHERE master_grocery_item_id = ANY($1::int[])',
|
||||
[createdMasterItemIds],
|
||||
);
|
||||
}
|
||||
|
||||
// Clean up stores
|
||||
if (createdStoreIds.length > 0) {
|
||||
await pool.query('DELETE FROM public.stores WHERE store_id = ANY($1::int[])', [
|
||||
createdStoreIds,
|
||||
]);
|
||||
}
|
||||
|
||||
// Clean up user
|
||||
await cleanupDb({
|
||||
userIds: [userId],
|
||||
});
|
||||
});
|
||||
|
||||
it('should complete deals journey: Register -> Watch Items -> View Prices -> Check Deals', async () => {
|
||||
// Step 1: Register a new user
|
||||
const registerResponse = await apiClient.registerUser(
|
||||
userEmail,
|
||||
userPassword,
|
||||
'Deals E2E User',
|
||||
);
|
||||
expect(registerResponse.status).toBe(201);
|
||||
|
||||
// Step 2: Login to get auth token
|
||||
const { response: loginResponse, responseBody: loginResponseBody } = await poll(
|
||||
async () => {
|
||||
const response = await apiClient.loginUser(userEmail, userPassword, false);
|
||||
const responseBody = response.ok ? await response.clone().json() : {};
|
||||
return { response, responseBody };
|
||||
},
|
||||
(result) => result.response.ok,
|
||||
{ timeout: 10000, interval: 1000, description: 'user login after registration' },
|
||||
);
|
||||
|
||||
expect(loginResponse.status).toBe(200);
|
||||
authToken = loginResponseBody.data.token;
|
||||
userId = loginResponseBody.data.userprofile.user.user_id;
|
||||
expect(authToken).toBeDefined();
|
||||
|
||||
// Step 3: Create test stores and master items with pricing data
|
||||
const pool = getPool();
|
||||
|
||||
// Create stores
|
||||
const store1Result = await pool.query(
|
||||
`INSERT INTO public.stores (name, address, city, province, postal_code)
|
||||
VALUES ('E2E Test Store 1', '123 Main St', 'Toronto', 'ON', 'M5V 3A1')
|
||||
RETURNING store_id`,
|
||||
);
|
||||
const store1Id = store1Result.rows[0].store_id;
|
||||
createdStoreIds.push(store1Id);
|
||||
|
||||
const store2Result = await pool.query(
|
||||
`INSERT INTO public.stores (name, address, city, province, postal_code)
|
||||
VALUES ('E2E Test Store 2', '456 Oak Ave', 'Toronto', 'ON', 'M5V 3A2')
|
||||
RETURNING store_id`,
|
||||
);
|
||||
const store2Id = store2Result.rows[0].store_id;
|
||||
createdStoreIds.push(store2Id);
|
||||
|
||||
// Create master grocery items
|
||||
const items = [
|
||||
'E2E Milk 2%',
|
||||
'E2E Bread White',
|
||||
'E2E Coffee Beans',
|
||||
'E2E Bananas',
|
||||
'E2E Chicken Breast',
|
||||
];
|
||||
|
||||
for (const itemName of items) {
|
||||
const result = await pool.query(
|
||||
`INSERT INTO public.master_grocery_items (name)
|
||||
VALUES ($1)
|
||||
RETURNING master_grocery_item_id`,
|
||||
[itemName],
|
||||
);
|
||||
createdMasterItemIds.push(result.rows[0].master_grocery_item_id);
|
||||
}
|
||||
|
||||
// Create flyers for both stores
|
||||
const today = new Date();
|
||||
const validFrom = today.toISOString().split('T')[0];
|
||||
const validTo = new Date(today.getTime() + 7 * 24 * 60 * 60 * 1000).toISOString().split('T')[0];
|
||||
|
||||
const flyer1Result = await pool.query(
|
||||
`INSERT INTO public.flyers (store_id, flyer_image_url, valid_from, valid_to, processing_status)
|
||||
VALUES ($1, '/uploads/flyers/e2e-flyer-1.jpg', $2, $3, 'completed')
|
||||
RETURNING flyer_id`,
|
||||
[store1Id, validFrom, validTo],
|
||||
);
|
||||
const flyer1Id = flyer1Result.rows[0].flyer_id;
|
||||
createdFlyerIds.push(flyer1Id);
|
||||
|
||||
const flyer2Result = await pool.query(
|
||||
`INSERT INTO public.flyers (store_id, flyer_image_url, valid_from, valid_to, processing_status)
|
||||
VALUES ($1, '/uploads/flyers/e2e-flyer-2.jpg', $2, $3, 'completed')
|
||||
RETURNING flyer_id`,
|
||||
[store2Id, validFrom, validTo],
|
||||
);
|
||||
const flyer2Id = flyer2Result.rows[0].flyer_id;
|
||||
createdFlyerIds.push(flyer2Id);
|
||||
|
||||
// Add items to flyers with prices (Store 1 - higher prices)
|
||||
await pool.query(
|
||||
`INSERT INTO public.flyer_items (flyer_id, master_item_id, sale_price_cents, page_number)
|
||||
VALUES
|
||||
($1, $2, 599, 1), -- Milk at $5.99
|
||||
($1, $3, 349, 1), -- Bread at $3.49
|
||||
($1, $4, 1299, 2), -- Coffee at $12.99
|
||||
($1, $5, 299, 2), -- Bananas at $2.99
|
||||
($1, $6, 899, 3) -- Chicken at $8.99
|
||||
`,
|
||||
[flyer1Id, ...createdMasterItemIds],
|
||||
);
|
||||
|
||||
// Add items to flyers with prices (Store 2 - better prices)
|
||||
await pool.query(
|
||||
`INSERT INTO public.flyer_items (flyer_id, master_item_id, sale_price_cents, page_number)
|
||||
VALUES
|
||||
($1, $2, 499, 1), -- Milk at $4.99 (BEST PRICE)
|
||||
($1, $3, 299, 1), -- Bread at $2.99 (BEST PRICE)
|
||||
($1, $4, 1099, 2), -- Coffee at $10.99 (BEST PRICE)
|
||||
($1, $5, 249, 2), -- Bananas at $2.49 (BEST PRICE)
|
||||
($1, $6, 799, 3) -- Chicken at $7.99 (BEST PRICE)
|
||||
`,
|
||||
[flyer2Id, ...createdMasterItemIds],
|
||||
);
|
||||
|
||||
// Step 4: Add items to watch list
|
||||
const watchItem1Response = await authedFetch('/users/watched-items', {
|
||||
method: 'POST',
|
||||
token: authToken,
|
||||
body: JSON.stringify({
|
||||
itemName: 'E2E Milk 2%',
|
||||
category: 'Dairy',
|
||||
}),
|
||||
});
|
||||
|
||||
expect(watchItem1Response.status).toBe(201);
|
||||
const watchItem1Data = await watchItem1Response.json();
|
||||
expect(watchItem1Data.data.item_name).toBe('E2E Milk 2%');
|
||||
|
||||
// Add more items to watch list
|
||||
const itemsToWatch = [
|
||||
{ itemName: 'E2E Bread White', category: 'Bakery' },
|
||||
{ itemName: 'E2E Coffee Beans', category: 'Beverages' },
|
||||
];
|
||||
|
||||
for (const item of itemsToWatch) {
|
||||
const response = await authedFetch('/users/watched-items', {
|
||||
method: 'POST',
|
||||
token: authToken,
|
||||
body: JSON.stringify(item),
|
||||
});
|
||||
expect(response.status).toBe(201);
|
||||
}
|
||||
|
||||
// Step 5: View all watched items
|
||||
const watchedListResponse = await authedFetch('/users/watched-items', {
|
||||
method: 'GET',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(watchedListResponse.status).toBe(200);
|
||||
const watchedListData = await watchedListResponse.json();
|
||||
expect(watchedListData.data.length).toBeGreaterThanOrEqual(3);
|
||||
|
||||
// Find our watched items
|
||||
const watchedMilk = watchedListData.data.find(
|
||||
(item: { item_name: string }) => item.item_name === 'E2E Milk 2%',
|
||||
);
|
||||
expect(watchedMilk).toBeDefined();
|
||||
expect(watchedMilk.category).toBe('Dairy');
|
||||
|
||||
// Step 6: Get best prices for watched items
|
||||
const bestPricesResponse = await authedFetch('/users/deals/best-watched-prices', {
|
||||
method: 'GET',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(bestPricesResponse.status).toBe(200);
|
||||
const bestPricesData = await bestPricesResponse.json();
|
||||
expect(bestPricesData.success).toBe(true);
|
||||
|
||||
// Verify we got deals for our watched items
|
||||
expect(Array.isArray(bestPricesData.data)).toBe(true);
|
||||
|
||||
// Find the milk deal and verify it's the best price (Store 2 at $4.99)
|
||||
if (bestPricesData.data.length > 0) {
|
||||
const milkDeal = bestPricesData.data.find(
|
||||
(deal: { item_name: string }) => deal.item_name === 'E2E Milk 2%',
|
||||
);
|
||||
|
||||
if (milkDeal) {
|
||||
expect(milkDeal.best_price_cents).toBe(499); // Best price from Store 2
|
||||
expect(milkDeal.store_id).toBe(store2Id);
|
||||
}
|
||||
}
|
||||
|
||||
// Step 7: Search for specific items in flyers
|
||||
// Note: This would require implementing a flyer search endpoint
|
||||
// For now, we'll test the watched items functionality
|
||||
|
||||
// Step 8: Remove an item from watch list
|
||||
const milkMasterItemId = createdMasterItemIds[0];
|
||||
const removeResponse = await authedFetch(`/users/watched-items/${milkMasterItemId}`, {
|
||||
method: 'DELETE',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(removeResponse.status).toBe(204);
|
||||
|
||||
// Step 9: Verify item was removed
|
||||
const updatedWatchedListResponse = await authedFetch('/users/watched-items', {
|
||||
method: 'GET',
|
||||
token: authToken,
|
||||
});
|
||||
|
||||
expect(updatedWatchedListResponse.status).toBe(200);
|
||||
const updatedWatchedListData = await updatedWatchedListResponse.json();
|
||||
|
||||
const milkStillWatched = updatedWatchedListData.data.find(
|
||||
(item: { item_name: string }) => item.item_name === 'E2E Milk 2%',
|
||||
);
|
||||
expect(milkStillWatched).toBeUndefined();
|
||||
|
||||
// Step 10: Verify another user cannot see our watched items
|
||||
const otherUserEmail = `other-deals-e2e-${uniqueId}@example.com`;
|
||||
await apiClient.registerUser(otherUserEmail, userPassword, 'Other Deals User');
|
||||
|
||||
const { responseBody: otherLoginData } = await poll(
|
||||
async () => {
|
||||
const response = await apiClient.loginUser(otherUserEmail, userPassword, false);
|
||||
const responseBody = response.ok ? await response.clone().json() : {};
|
||||
return { response, responseBody };
|
||||
},
|
||||
(result) => result.response.ok,
|
||||
{ timeout: 10000, interval: 1000, description: 'other user login' },
|
||||
);
|
||||
|
||||
const otherToken = otherLoginData.data.token;
|
||||
const otherUserId = otherLoginData.data.userprofile.user.user_id;
|
||||
|
||||
// Other user's watched items should be empty
|
||||
const otherWatchedResponse = await authedFetch('/users/watched-items', {
|
||||
method: 'GET',
|
||||
token: otherToken,
|
||||
});
|
||||
|
||||
expect(otherWatchedResponse.status).toBe(200);
|
||||
const otherWatchedData = await otherWatchedResponse.json();
|
||||
expect(otherWatchedData.data.length).toBe(0);
|
||||
|
||||
// Other user's deals should be empty
|
||||
const otherDealsResponse = await authedFetch('/users/deals/best-watched-prices', {
|
||||
method: 'GET',
|
||||
token: otherToken,
|
||||
});
|
||||
|
||||
expect(otherDealsResponse.status).toBe(200);
|
||||
const otherDealsData = await otherDealsResponse.json();
|
||||
expect(otherDealsData.data.length).toBe(0);
|
||||
|
||||
// Clean up other user
|
||||
await cleanupDb({ userIds: [otherUserId] });
|
||||
|
||||
// Step 11: Delete account
|
||||
const deleteAccountResponse = await apiClient.deleteUserAccount(userPassword, {
|
||||
tokenOverride: authToken,
|
||||
});
|
||||
|
||||
expect(deleteAccountResponse.status).toBe(200);
|
||||
userId = null;
|
||||
});
|
||||
});
|
||||
@@ -275,10 +275,16 @@ describe('Admin API Routes Integration Tests', () => {
|
||||
|
||||
describe('DELETE /api/admin/users/:id', () => {
|
||||
it("should allow an admin to delete another user's account", async () => {
|
||||
// Create a dedicated user for this deletion test to avoid affecting other tests
|
||||
const { user: userToDelete } = await createAndLoginUser({
|
||||
email: `delete-target-${Date.now()}@test.com`,
|
||||
fullName: 'User To Delete',
|
||||
request,
|
||||
});
|
||||
|
||||
// Act: Call the delete endpoint as an admin.
|
||||
const targetUserId = regularUser.user.user_id;
|
||||
const response = await request
|
||||
.delete(`/api/admin/users/${targetUserId}`)
|
||||
.delete(`/api/admin/users/${userToDelete.user.user_id}`)
|
||||
.set('Authorization', `Bearer ${adminToken}`);
|
||||
|
||||
// Assert: Check for a successful deletion status.
|
||||
@@ -354,7 +360,7 @@ describe('Admin API Routes Integration Tests', () => {
|
||||
.post('/api/admin/trigger/analytics-report')
|
||||
.set('Authorization', `Bearer ${adminToken}`);
|
||||
|
||||
expect(response.status).toBe(200);
|
||||
expect(response.status).toBe(202); // 202 Accepted for async job enqueue
|
||||
expect(response.body.success).toBe(true);
|
||||
expect(response.body.data.message).toContain('enqueued');
|
||||
});
|
||||
@@ -374,7 +380,7 @@ describe('Admin API Routes Integration Tests', () => {
|
||||
.post('/api/admin/trigger/weekly-analytics')
|
||||
.set('Authorization', `Bearer ${adminToken}`);
|
||||
|
||||
expect(response.status).toBe(200);
|
||||
expect(response.status).toBe(202); // 202 Accepted for async job enqueue
|
||||
expect(response.body.success).toBe(true);
|
||||
expect(response.body.data.message).toContain('enqueued');
|
||||
});
|
||||
@@ -394,9 +400,9 @@ describe('Admin API Routes Integration Tests', () => {
|
||||
.post('/api/admin/trigger/daily-deal-check')
|
||||
.set('Authorization', `Bearer ${adminToken}`);
|
||||
|
||||
expect(response.status).toBe(200);
|
||||
expect(response.status).toBe(202); // 202 Accepted for async job trigger
|
||||
expect(response.body.success).toBe(true);
|
||||
expect(response.body.data.message).toContain('enqueued');
|
||||
expect(response.body.data.message).toContain('triggered');
|
||||
});
|
||||
|
||||
it('should forbid regular users from triggering daily deal check', async () => {
|
||||
@@ -466,7 +472,11 @@ describe('Admin API Routes Integration Tests', () => {
|
||||
|
||||
expect(response.status).toBe(200);
|
||||
expect(response.body.success).toBe(true);
|
||||
expect(response.body.data).toBeInstanceOf(Array);
|
||||
// The endpoint returns { users: [...], total: N }
|
||||
expect(response.body.data).toHaveProperty('users');
|
||||
expect(response.body.data).toHaveProperty('total');
|
||||
expect(response.body.data.users).toBeInstanceOf(Array);
|
||||
expect(typeof response.body.data.total).toBe('number');
|
||||
});
|
||||
|
||||
it('should forbid regular users from listing all users', async () => {
|
||||
|
||||
@@ -42,11 +42,12 @@ describe('Deals API Routes Integration Tests', () => {
|
||||
it('should require authentication', async () => {
|
||||
const response = await request.get('/api/deals/best-watched-prices');
|
||||
|
||||
// Passport returns 401 Unauthorized for unauthenticated requests
|
||||
expect(response.status).toBe(401);
|
||||
expect(response.body.success).toBe(false);
|
||||
});
|
||||
|
||||
it('should return watched item deals for authenticated user', async () => {
|
||||
it('should return empty array for authenticated user with no watched items', async () => {
|
||||
// The test user has no watched items by default, so should get empty array
|
||||
const response = await request
|
||||
.get('/api/deals/best-watched-prices')
|
||||
.set('Authorization', `Bearer ${authToken}`);
|
||||
@@ -56,24 +57,6 @@ describe('Deals API Routes Integration Tests', () => {
|
||||
expect(response.body.data).toBeInstanceOf(Array);
|
||||
});
|
||||
|
||||
it('should return empty array when user has no watched items', async () => {
|
||||
// New test user with no watched items
|
||||
const { token: newUserToken, user: newUser } = await createAndLoginUser({
|
||||
email: `deals-no-watch-${Date.now()}@example.com`,
|
||||
fullName: 'No Watch User',
|
||||
request,
|
||||
});
|
||||
createdUserIds.push(newUser.user.user_id);
|
||||
|
||||
const response = await request
|
||||
.get('/api/deals/best-watched-prices')
|
||||
.set('Authorization', `Bearer ${newUserToken}`);
|
||||
|
||||
expect(response.status).toBe(200);
|
||||
expect(response.body.success).toBe(true);
|
||||
expect(response.body.data).toEqual([]);
|
||||
});
|
||||
|
||||
it('should reject invalid JWT token', async () => {
|
||||
const response = await request
|
||||
.get('/api/deals/best-watched-prices')
|
||||
|
||||
@@ -167,8 +167,11 @@ describe('Public API Routes Integration Tests', () => {
|
||||
|
||||
it('GET /api/personalization/master-items should return a list of master grocery items', async () => {
|
||||
const response = await request.get('/api/personalization/master-items');
|
||||
const masterItems = response.body.data;
|
||||
expect(response.status).toBe(200);
|
||||
// The endpoint returns { items: [...], total: N } for pagination support
|
||||
expect(response.body.data).toHaveProperty('items');
|
||||
expect(response.body.data).toHaveProperty('total');
|
||||
const masterItems = response.body.data.items;
|
||||
expect(masterItems).toBeInstanceOf(Array);
|
||||
expect(masterItems.length).toBeGreaterThan(0); // This relies on seed data for master items.
|
||||
expect(masterItems[0]).toHaveProperty('master_grocery_item_id');
|
||||
|
||||
@@ -52,9 +52,10 @@ describe('Reactions API Routes Integration Tests', () => {
|
||||
vi.unstubAllEnvs();
|
||||
// Clean up reactions created during tests
|
||||
if (createdReactionIds.length > 0) {
|
||||
await getPool().query('DELETE FROM public.reactions WHERE reaction_id = ANY($1::int[])', [
|
||||
createdReactionIds,
|
||||
]);
|
||||
await getPool().query(
|
||||
'DELETE FROM public.user_reactions WHERE reaction_id = ANY($1::int[])',
|
||||
[createdReactionIds],
|
||||
);
|
||||
}
|
||||
await cleanupDb({
|
||||
userIds: createdUserIds,
|
||||
|
||||
@@ -36,19 +36,22 @@ if (typeof global.GeolocationPositionError === 'undefined') {
|
||||
|
||||
// Mock window.matchMedia, which is not implemented in JSDOM.
|
||||
// This is necessary for components that check for the user's preferred color scheme.
|
||||
Object.defineProperty(window, 'matchMedia', {
|
||||
writable: true,
|
||||
value: vi.fn().mockImplementation((query) => ({
|
||||
matches: false,
|
||||
media: query,
|
||||
onchange: null,
|
||||
addListener: vi.fn(), // deprecated
|
||||
removeListener: vi.fn(), // deprecated
|
||||
addEventListener: vi.fn(),
|
||||
removeEventListener: vi.fn(),
|
||||
dispatchEvent: vi.fn(),
|
||||
})),
|
||||
});
|
||||
// Guard against node environment where window doesn't exist (integration tests).
|
||||
if (typeof window !== 'undefined') {
|
||||
Object.defineProperty(window, 'matchMedia', {
|
||||
writable: true,
|
||||
value: vi.fn().mockImplementation((query) => ({
|
||||
matches: false,
|
||||
media: query,
|
||||
onchange: null,
|
||||
addListener: vi.fn(), // deprecated
|
||||
removeListener: vi.fn(), // deprecated
|
||||
addEventListener: vi.fn(),
|
||||
removeEventListener: vi.fn(),
|
||||
dispatchEvent: vi.fn(),
|
||||
})),
|
||||
});
|
||||
}
|
||||
|
||||
// --- Polyfill for File constructor and prototype ---
|
||||
// The `File` object in JSDOM is incomplete. It lacks `arrayBuffer` and its constructor
|
||||
@@ -334,12 +337,34 @@ vi.mock('../../services/aiApiClient', () => ({
|
||||
vi.mock('@bull-board/express', () => ({
|
||||
ExpressAdapter: class {
|
||||
setBasePath() {}
|
||||
setQueues() {} // Required by createBullBoard
|
||||
setViewsPath() {} // Required by createBullBoard
|
||||
setStaticPath() {} // Required by createBullBoard
|
||||
setEntryRoute() {} // Required by createBullBoard
|
||||
setErrorHandler() {} // Required by createBullBoard
|
||||
setApiRoutes() {} // Required by createBullBoard
|
||||
getRouter() {
|
||||
return (req: Request, res: Response, next: NextFunction) => next();
|
||||
}
|
||||
},
|
||||
}));
|
||||
|
||||
/**
|
||||
* Mocks the @bull-board/api module.
|
||||
* createBullBoard normally calls methods on the serverAdapter, but in tests
|
||||
* we want to skip all of that initialization.
|
||||
*/
|
||||
vi.mock('@bull-board/api', () => ({
|
||||
createBullBoard: vi.fn(() => ({
|
||||
addQueue: vi.fn(),
|
||||
removeQueue: vi.fn(),
|
||||
setQueues: vi.fn(),
|
||||
})),
|
||||
BullMQAdapter: class {
|
||||
constructor() {}
|
||||
},
|
||||
}));
|
||||
|
||||
/**
|
||||
* Mocks the Sentry client.
|
||||
* This prevents errors when tests import modules that depend on sentry.client.ts.
|
||||
|
||||
Reference in New Issue
Block a user