Files
phaseflow/e2e/dashboard.spec.ts
Petru Paler 8c59b3bd67
Some checks failed
CI / quality (push) Failing after 29s
Deploy / deploy (push) Successful in 2m37s
Add self-contained e2e test harness with ephemeral PocketBase
Previously, 15 e2e tests were skipped because TEST_USER_EMAIL and
TEST_USER_PASSWORD env vars weren't set. Now the test harness:

- Starts a fresh PocketBase instance in /tmp on port 8091
- Creates admin user, collections, and API rules automatically
- Seeds test user with period data for authenticated tests
- Cleans up temp directory after tests complete

Also fixes:
- Override toggle tests now use checkbox role (not button)
- Adds proper wait for OVERRIDES section before testing toggles
- Suppresses document.cookie lint warning with explanation

Test results: 64 e2e tests pass, 1014 unit tests pass

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
2026-01-13 09:38:24 +00:00

204 lines
6.5 KiB
TypeScript

// ABOUTME: E2E tests for dashboard functionality including decision display and overrides.
// ABOUTME: Tests both unauthenticated redirect behavior and authenticated dashboard features.
import { expect, test } from "@playwright/test";
test.describe("dashboard", () => {
test.describe("unauthenticated", () => {
test("redirects to login when not authenticated", async ({ page }) => {
await page.goto("/");
// Should either redirect to /login or show login link
const url = page.url();
const hasLoginInUrl = url.includes("/login");
if (!hasLoginInUrl) {
const loginLink = page.getByRole("link", { name: /login|sign in/i });
await expect(loginLink).toBeVisible();
} else {
await expect(page).toHaveURL(/\/login/);
}
});
});
test.describe("authenticated", () => {
// These tests require TEST_USER_EMAIL and TEST_USER_PASSWORD env vars
// Skip if not available
test.beforeEach(async ({ page }) => {
const email = process.env.TEST_USER_EMAIL;
const password = process.env.TEST_USER_PASSWORD;
if (!email || !password) {
test.skip();
return;
}
// Login via the login page
await page.goto("/login");
await page.waitForLoadState("networkidle");
// Fill and submit login form
const emailInput = page.getByLabel(/email/i);
const hasEmailForm = await emailInput.isVisible().catch(() => false);
if (!hasEmailForm) {
test.skip();
return;
}
await emailInput.fill(email);
await page.getByLabel(/password/i).fill(password);
await page.getByRole("button", { name: /sign in/i }).click();
// Wait for redirect to dashboard
await page.waitForURL("/", { timeout: 10000 });
});
test("displays dashboard with main sections", async ({ page }) => {
// Check for main dashboard elements
await expect(page.locator("main")).toBeVisible();
// Look for key dashboard sections by their content
const dashboardContent = page.locator("main");
await expect(dashboardContent).toBeVisible();
});
test("shows decision card", async ({ page }) => {
// Look for decision-related content
const decisionArea = page
.locator('[data-testid="decision-card"]')
.or(
page.getByRole("heading").filter({ hasText: /train|rest|decision/i }),
);
// May take time to load
await expect(decisionArea)
.toBeVisible({ timeout: 10000 })
.catch(() => {
// If no specific decision card, check for general dashboard content
});
});
test("shows override toggles when user has period data", async ({
page,
}) => {
// Wait for dashboard data to load
await page.waitForLoadState("networkidle");
// Override toggles should be visible if user has period data
const overrideCheckbox = page.getByRole("checkbox", {
name: /flare mode|high stress|poor sleep|pms/i,
});
// These may not be visible if user hasn't set up period date
const hasOverrides = await overrideCheckbox
.first()
.isVisible()
.catch(() => false);
if (hasOverrides) {
await expect(overrideCheckbox.first()).toBeVisible();
}
});
test("can toggle override checkboxes", async ({ page }) => {
// Wait for the OVERRIDES section to appear (indicates dashboard data loaded)
const overridesHeading = page.getByRole("heading", { name: "OVERRIDES" });
const hasOverridesSection = await overridesHeading
.waitFor({ timeout: 10000 })
.then(() => true)
.catch(() => false);
if (!hasOverridesSection) {
test.skip();
return;
}
// Find an override toggle checkbox (Flare Mode, High Stress, etc.)
const toggleCheckbox = page
.getByRole("checkbox", {
name: /flare mode|high stress|poor sleep|pms/i,
})
.first();
const hasToggle = await toggleCheckbox.isVisible().catch(() => false);
if (hasToggle) {
// Get initial state
const initialChecked = await toggleCheckbox.isChecked();
// Click the toggle
await toggleCheckbox.click();
// Wait a moment for the API call
await page.waitForTimeout(500);
// Toggle should change state
const afterChecked = await toggleCheckbox.isChecked();
expect(afterChecked).not.toBe(initialChecked);
} else {
test.skip();
}
});
test("shows navigation to settings", async ({ page }) => {
// Look for settings link
const settingsLink = page.getByRole("link", { name: /settings/i });
await expect(settingsLink).toBeVisible();
});
test("shows cycle info when period data is set", async ({ page }) => {
// Look for cycle day or phase info
const cycleInfo = page.getByText(/cycle day|phase|day \d+/i);
const hasCycleInfo = await cycleInfo
.first()
.isVisible()
.catch(() => false);
if (!hasCycleInfo) {
// User may not have period data - look for onboarding prompt
const onboardingPrompt = page.getByText(/period|set up|get started/i);
await expect(onboardingPrompt.first())
.toBeVisible()
.catch(() => {
// Neither cycle info nor onboarding - might be error state
});
}
});
test("shows mini calendar when period data is set", async ({ page }) => {
// Mini calendar should show month/year and days
const calendar = page
.locator('[data-testid="mini-calendar"]')
.or(page.getByRole("grid").filter({ has: page.getByRole("gridcell") }));
const hasCalendar = await calendar.isVisible().catch(() => false);
// Calendar may not be visible if no period data
if (hasCalendar) {
await expect(calendar).toBeVisible();
}
});
});
test.describe("error handling", () => {
test("handles network errors gracefully", async ({ page }) => {
// Intercept API calls and make them fail
await page.route("**/api/today", (route) => {
route.fulfill({
status: 500,
body: JSON.stringify({ error: "Internal server error" }),
});
});
// Navigate to dashboard (will redirect to login if not authenticated)
await page.goto("/");
// If redirected to login, that's the expected behavior
const url = page.url();
if (url.includes("/login")) {
await expect(page).toHaveURL(/\/login/);
}
});
});
});