Files
Charon/tests/security-enforcement/rate-limit-enforcement.spec.ts
akanealw eec8c28fb3
Some checks are pending
Go Benchmark / Performance Regression Check (push) Waiting to run
Cerberus Integration / Cerberus Security Stack Integration (push) Waiting to run
Upload Coverage to Codecov / Backend Codecov Upload (push) Waiting to run
Upload Coverage to Codecov / Frontend Codecov Upload (push) Waiting to run
CodeQL - Analyze / CodeQL analysis (go) (push) Waiting to run
CodeQL - Analyze / CodeQL analysis (javascript-typescript) (push) Waiting to run
CrowdSec Integration / CrowdSec Bouncer Integration (push) Waiting to run
Docker Build, Publish & Test / build-and-push (push) Waiting to run
Docker Build, Publish & Test / Security Scan PR Image (push) Blocked by required conditions
Quality Checks / Auth Route Protection Contract (push) Waiting to run
Quality Checks / Codecov Trigger/Comment Parity Guard (push) Waiting to run
Quality Checks / Backend (Go) (push) Waiting to run
Quality Checks / Frontend (React) (push) Waiting to run
Rate Limit integration / Rate Limiting Integration (push) Waiting to run
Security Scan (PR) / Trivy Binary Scan (push) Waiting to run
Supply Chain Verification (PR) / Verify Supply Chain (push) Waiting to run
WAF integration / Coraza WAF Integration (push) Waiting to run
changed perms
2026-04-22 18:19:14 +00:00

216 lines
7.5 KiB
TypeScript
Executable File

/**
* Rate Limiting Enforcement Tests
*
* Tests that verify rate limiting configuration and expected behavior.
*
* NOTE: Actual rate limiting happens at Caddy layer. These tests verify
* the rate limiting configuration API and presets.
*
* Pattern: Toggle-On-Test-Toggle-Off
*
* @see /projects/Charon/docs/plans/current_spec.md - Rate Limit Enforcement Tests
*/
import { test, expect } from '../fixtures/test';
import { request } from '@playwright/test';
import type { APIRequestContext } from '@playwright/test';
import { STORAGE_STATE } from '../constants';
import {
getSecurityStatus,
setSecurityModuleEnabled,
captureSecurityState,
restoreSecurityState,
CapturedSecurityState,
} from '../utils/security-helpers';
/**
* Configure admin whitelist to allow test runner IPs.
* CRITICAL: Must be called BEFORE enabling any security modules to prevent 403 blocking.
*/
async function configureAdminWhitelist(requestContext: APIRequestContext) {
// Configure whitelist to allow test runner IPs (localhost, Docker networks)
const testWhitelist = '127.0.0.1/32,172.16.0.0/12,192.168.0.0/16,10.0.0.0/8';
const maxRetries = 5;
const retryDelayMs = 1000;
for (let attempt = 0; attempt <= maxRetries; attempt += 1) {
const response = await requestContext.patch(
`${process.env.PLAYWRIGHT_BASE_URL || 'http://127.0.0.1:8080'}/api/v1/config`,
{
data: {
security: {
admin_whitelist: testWhitelist,
},
},
}
);
if (response.ok()) {
console.log('✅ Admin whitelist configured for test IP ranges');
return;
}
if (response.status() !== 429 || attempt === maxRetries) {
throw new Error(`Failed to configure admin whitelist: ${response.status()}`);
}
await new Promise((resolve) => setTimeout(resolve, retryDelayMs));
}
throw new Error('Failed to configure admin whitelist after retries');
}
test.describe('Rate Limit Enforcement', () => {
let requestContext: APIRequestContext;
let originalState: CapturedSecurityState;
test.beforeAll(async () => {
requestContext = await request.newContext({
baseURL: process.env.PLAYWRIGHT_BASE_URL || 'http://127.0.0.1:8080',
storageState: STORAGE_STATE,
});
// CRITICAL: Configure admin whitelist BEFORE enabling security modules
try {
await configureAdminWhitelist(requestContext);
} catch (error) {
console.error('Failed to configure admin whitelist:', error);
}
// Capture original state
try {
originalState = await captureSecurityState(requestContext);
} catch (error) {
console.error('Failed to capture original security state:', error);
}
// Enable Cerberus (master toggle) first
try {
await setSecurityModuleEnabled(requestContext, 'cerberus', true);
console.log('✓ Cerberus enabled');
} catch (error) {
console.error('Failed to enable Cerberus:', error);
}
// Enable Rate Limiting
try {
await setSecurityModuleEnabled(requestContext, 'rateLimit', true);
// Wait for rate limiting to propagate
await new Promise(r => setTimeout(r, 2000));
console.log('✓ Rate Limiting enabled');
} catch (error) {
console.error('Failed to enable Rate Limiting:', error);
}
});
test.afterAll(async () => {
// Restore original state
if (originalState) {
try {
await restoreSecurityState(requestContext, originalState);
console.log('✓ Security state restored');
} catch (error) {
console.error('Failed to restore security state:', error);
// Emergency disable
try {
await setSecurityModuleEnabled(requestContext, 'rateLimit', false);
await setSecurityModuleEnabled(requestContext, 'cerberus', false);
} catch {
console.error('Emergency Rate Limit disable also failed');
}
}
}
await requestContext.dispose();
});
test('should verify rate limiting is enabled', async ({}, testInfo) => {
// Wait with retry for rate limiting to be enabled
// Due to parallel test execution, settings may take time to propagate
let status = await getSecurityStatus(requestContext);
let retries = 10;
while ((!status.rate_limit.enabled || !status.cerberus.enabled) && retries > 0) {
await new Promise((resolve) => setTimeout(resolve, 500));
status = await getSecurityStatus(requestContext);
retries--;
}
// If still not enabled, try enabling it (may have been disabled by parallel tests)
if (!status.rate_limit.enabled || !status.cerberus.enabled) {
console.log('⚠️ Rate limiting or Cerberus was disabled, attempting to re-enable...');
try {
await setSecurityModuleEnabled(requestContext, 'cerberus', true);
await new Promise(r => setTimeout(r, 1000));
await setSecurityModuleEnabled(requestContext, 'rateLimit', true);
await new Promise(r => setTimeout(r, 2000));
status = await getSecurityStatus(requestContext);
} catch (error) {
console.log(`⚠️ Failed to re-enable modules: ${error}`);
}
if (!status.rate_limit.enabled) {
console.log('⚠️ Rate limiting could not be enabled - continuing test anyway');
// Changed from testInfo.skip() to allow test to run and potentially identify root cause
// testInfo.skip(true, 'Rate limiting could not be enabled - possible test isolation issue');
// return;
}
}
expect(status.rate_limit.enabled).toBe(true);
expect(status.cerberus.enabled).toBe(true);
});
test('should return rate limit presets', async () => {
const maxRetries = 5;
const retryDelayMs = 1000;
let response = await requestContext.get('/api/v1/security/rate-limit/presets');
for (let attempt = 0; attempt < maxRetries && response.status() === 429; attempt += 1) {
await new Promise((resolve) => setTimeout(resolve, retryDelayMs));
response = await requestContext.get('/api/v1/security/rate-limit/presets');
}
expect(response.ok()).toBe(true);
const data = await response.json();
const presets = data.presets;
expect(Array.isArray(presets)).toBe(true);
// Presets should have expected structure
if (presets.length > 0) {
const preset = presets[0];
expect(preset.name || preset.id).toBeDefined();
}
});
test('should document threshold behavior when rate exceeded', async () => {
// Flaky test - polling timeout for status.rate_limit.enabled. Rate limiting verified in integration tests.
// Mark as slow - security module status propagation requires extended timeouts
test.slow();
// Rate limiting enforcement happens at Caddy layer
// When threshold is exceeded, Caddy returns 429 Too Many Requests
//
// With rate limiting enabled:
// - Requests exceeding the configured rate per IP/path return 429
// - The response includes Retry-After header
//
// Direct API requests to backend bypass Caddy rate limiting
// Use polling pattern to verify rate limit is enabled before checking
await expect(async () => {
const status = await getSecurityStatus(requestContext);
expect(status.rate_limit.enabled).toBe(true);
}).toPass({ timeout: 15000, intervals: [2000, 3000, 5000] });
// Document: When rate limiting is enabled and request goes through Caddy:
// - Requests exceeding threshold return 429 Too Many Requests
// - X-RateLimit-Limit, X-RateLimit-Remaining headers are included
console.log(
'Rate limiting configured - threshold enforcement active at Caddy layer'
);
});
});