- Replace next-auth v5 beta with better-auth v1.6.2 (stable releases)
- Add multi-provider OAuth support with admin UI configuration
- New oauthProviders table with encrypted secrets (AES-256-GCM)
- Env var bootstrap (OAUTH_*) syncs to DB, UI-created providers fully editable
- OAuth provider REST API: GET/POST/PUT/DELETE /api/v1/oauth-providers
- Settings page "Authentication Providers" section for admin management
- Account linking uses new accounts table (multi-provider per user)
- Username plugin for credentials sign-in (replaces email@localhost pattern)
- bcrypt password compatibility (existing hashes work)
- Database-backed sessions via Kysely adapter (bun:sqlite direct)
- Configurable rate limiting via AUTH_RATE_LIMIT_* env vars
- All DB columns migrated from snake_case to camelCase
- All TypeScript types/models migrated to camelCase properties
- Removed casing: "snake_case" from Drizzle config
- Callback URL format: {baseUrl}/api/auth/oauth2/callback/{providerId}
- package-lock.json removed and gitignored (using bun.lock)
Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
188 lines
7.5 KiB
TypeScript
188 lines
7.5 KiB
TypeScript
/**
|
|
* Functional tests: CPM Forward Auth (credential-based login).
|
|
*
|
|
* Creates a proxy host with CPM forward auth enabled via the REST API, then verifies:
|
|
* - Unauthenticated requests get redirected to the portal with ?rd= param
|
|
* - The portal page shows a login form when ?rd= is present
|
|
* - The portal rejects invalid ?rd= values (non-forward-auth domains)
|
|
* - Successful credential login completes the redirect flow
|
|
* - Authenticated requests (with _cpm_fa cookie) reach the upstream
|
|
* - Requests with an invalid session cookie get redirected again
|
|
*
|
|
* Domain: func-fwd-auth.test
|
|
*/
|
|
import { test, expect } from '@playwright/test';
|
|
import { httpGet, waitForStatus } from '../../helpers/http';
|
|
|
|
const DOMAIN = 'func-fwd-auth.test';
|
|
const ECHO_BODY = 'echo-ok';
|
|
const BASE_URL = 'http://localhost:3000';
|
|
const API = `${BASE_URL}/api/v1`;
|
|
|
|
let proxyHostId: number;
|
|
|
|
test.describe.serial('Forward Auth', () => {
|
|
test('setup: create proxy host with forward auth via API', async ({ page }) => {
|
|
const res = await page.request.post(`${API}/proxy-hosts`, {
|
|
data: {
|
|
name: 'Functional Forward Auth Test',
|
|
domains: [DOMAIN],
|
|
upstreams: ['echo-server:8080'],
|
|
sslForced: false,
|
|
cpmForwardAuth: { enabled: true },
|
|
},
|
|
headers: { 'Content-Type': 'application/json', 'Origin': BASE_URL },
|
|
});
|
|
expect(res.status()).toBe(201);
|
|
const host = await res.json();
|
|
proxyHostId = host.id;
|
|
|
|
// Grant testadmin (user ID 1) forward auth access
|
|
const accessRes = await page.request.put(`${API}/proxy-hosts/${proxyHostId}/forward-auth-access`, {
|
|
data: { userIds: [1], groupIds: [] },
|
|
headers: { 'Content-Type': 'application/json', 'Origin': BASE_URL },
|
|
});
|
|
expect(accessRes.status()).toBe(200);
|
|
|
|
// Wait for Caddy to pick up the forward auth config (expect 302 redirect to portal)
|
|
await waitForStatus(DOMAIN, 302, 20_000);
|
|
});
|
|
|
|
test('unauthenticated request redirects to portal with ?rd= param', async () => {
|
|
const res = await httpGet(DOMAIN, '/some/page');
|
|
expect(res.status).toBe(302);
|
|
const location = res.headers['location'];
|
|
expect(String(location)).toContain('/portal?rd=');
|
|
expect(String(location)).toContain(DOMAIN);
|
|
});
|
|
|
|
test('redirect preserves the original request path in ?rd=', async () => {
|
|
const res = await httpGet(DOMAIN, '/deep/path?q=hello');
|
|
expect(res.status).toBe(302);
|
|
const location = String(res.headers['location']);
|
|
expect(location).toContain('/deep/path');
|
|
expect(location).toContain('q=hello');
|
|
});
|
|
|
|
test('portal shows login form when ?rd= points to forward auth domain', async ({ page }) => {
|
|
// Use fresh context — admin session triggers auto-redirect on the portal
|
|
const ctx = await page.context().browser()!.newContext({ storageState: { cookies: [], origins: [] } });
|
|
const p = await ctx.newPage();
|
|
try {
|
|
const response = await p.goto(`${BASE_URL}/portal?rd=http://${DOMAIN}/`);
|
|
expect(response?.status()).toBeLessThan(500);
|
|
// Wait for the page to fully render
|
|
await p.waitForLoadState('networkidle');
|
|
await expect(p.getByLabel('Username')).toBeVisible({ timeout: 10_000 });
|
|
await expect(p.getByLabel('Password')).toBeVisible();
|
|
} finally {
|
|
await ctx.close();
|
|
}
|
|
});
|
|
|
|
test('portal shows target domain when ?rd= is valid', async ({ page }) => {
|
|
const ctx = await page.context().browser()!.newContext({ storageState: { cookies: [], origins: [] } });
|
|
const p = await ctx.newPage();
|
|
try {
|
|
await p.goto(`${BASE_URL}/portal?rd=http://${DOMAIN}/`);
|
|
await expect(p.getByText(DOMAIN)).toBeVisible();
|
|
} finally {
|
|
await ctx.close();
|
|
}
|
|
});
|
|
|
|
test('portal rejects ?rd= for non-forward-auth domains', async ({ page }) => {
|
|
const ctx = await page.context().browser()!.newContext({ storageState: { cookies: [], origins: [] } });
|
|
const p = await ctx.newPage();
|
|
try {
|
|
await p.goto(`${BASE_URL}/portal?rd=http://not-a-real-domain.test/`);
|
|
// Non-forward-auth domain → form shows but no rid is created (generic "Sign in to continue")
|
|
await expect(p.getByText('Sign in to continue')).toBeVisible();
|
|
} finally {
|
|
await ctx.close();
|
|
}
|
|
});
|
|
|
|
test('portal rejects empty ?rd= parameter', async ({ page }) => {
|
|
const ctx = await page.context().browser()!.newContext({ storageState: { cookies: [], origins: [] } });
|
|
const p = await ctx.newPage();
|
|
try {
|
|
await p.goto(`${BASE_URL}/portal`);
|
|
await expect(p.getByText('No redirect destination specified.')).toBeVisible();
|
|
} finally {
|
|
await ctx.close();
|
|
}
|
|
});
|
|
|
|
test('credential login completes the redirect flow', async ({ page }) => {
|
|
const context = await page.context().browser()!.newContext({ storageState: { cookies: [], origins: [] } });
|
|
const freshPage = await context.newPage();
|
|
|
|
try {
|
|
await freshPage.goto(`${BASE_URL}/portal?rd=http://${DOMAIN}/test-path`);
|
|
await expect(freshPage.getByLabel('Username')).toBeVisible({ timeout: 10_000 });
|
|
|
|
// Intercept the login API response before the page navigates away
|
|
let capturedRedirect: string | null = null;
|
|
await freshPage.route('**/api/forward-auth/login', async (route) => {
|
|
const response = await route.fetch();
|
|
const json = await response.json();
|
|
capturedRedirect = json.redirectTo ?? null;
|
|
await route.fulfill({ response });
|
|
});
|
|
|
|
await freshPage.getByLabel('Username').fill('testadmin');
|
|
await freshPage.getByLabel('Password').fill('TestPassword2026!');
|
|
await freshPage.getByRole('button', { name: 'Sign in', exact: true }).click();
|
|
|
|
// Wait for the intercepted response
|
|
const deadline = Date.now() + 15_000;
|
|
while (!capturedRedirect && Date.now() < deadline) {
|
|
await freshPage.waitForTimeout(200);
|
|
}
|
|
|
|
expect(capturedRedirect).toBeTruthy();
|
|
expect(capturedRedirect).toContain('/.cpm-auth/callback');
|
|
expect(capturedRedirect).toContain('code=');
|
|
const data = { redirectTo: capturedRedirect! };
|
|
|
|
// Complete the callback via httpGet (sends to 127.0.0.1:80 with Host header)
|
|
const callbackUrl = new URL(data.redirectTo);
|
|
const callbackRes = await httpGet(DOMAIN, callbackUrl.pathname + callbackUrl.search);
|
|
// Callback sets _cpm_fa cookie and redirects to the original URL
|
|
expect(callbackRes.status).toBe(302);
|
|
const setCookie = String(callbackRes.headers['set-cookie'] ?? '');
|
|
expect(setCookie).toContain('_cpm_fa=');
|
|
|
|
// Extract the session cookie and verify it grants access to the upstream
|
|
const match = setCookie.match(/_cpm_fa=([^;]+)/);
|
|
expect(match).toBeTruthy();
|
|
const sessionCookie = match![1];
|
|
const upstreamRes = await httpGet(DOMAIN, '/test-path', {
|
|
Cookie: `_cpm_fa=${sessionCookie}`,
|
|
});
|
|
expect(upstreamRes.status).toBe(200);
|
|
expect(upstreamRes.body).toContain(ECHO_BODY);
|
|
} finally {
|
|
await context.close();
|
|
}
|
|
});
|
|
|
|
test('request with invalid _cpm_fa cookie gets redirected', async () => {
|
|
const res = await httpGet(DOMAIN, '/', {
|
|
Cookie: '_cpm_fa=invalid-token-value',
|
|
});
|
|
expect(res.status).toBe(302);
|
|
expect(String(res.headers['location'])).toContain('/portal');
|
|
});
|
|
|
|
test('request with forged _cpm_fa cookie gets redirected', async () => {
|
|
const forgedToken = 'a'.repeat(64);
|
|
const res = await httpGet(DOMAIN, '/', {
|
|
Cookie: `_cpm_fa=${forgedToken}`,
|
|
});
|
|
expect(res.status).toBe(302);
|
|
expect(String(res.headers['location'])).toContain('/portal');
|
|
});
|
|
});
|