Some checks failed
Build and Push Docker Images (Trusted) / build-and-push (., docker/caddy/Dockerfile, caddy) (push) Has been cancelled
Build and Push Docker Images (Trusted) / build-and-push (., docker/l4-port-manager/Dockerfile, l4-port-manager) (push) Has been cancelled
Build and Push Docker Images (Trusted) / build-and-push (., docker/web/Dockerfile, web) (push) Has been cancelled
Tests / test (push) Has been cancelled
223 lines
8.4 KiB
TypeScript
Executable File
223 lines
8.4 KiB
TypeScript
Executable File
import { describe, it, expect, vi, beforeEach } from 'vitest';
|
|
|
|
vi.mock('@/src/lib/models/issued-client-certificates', () => ({
|
|
listIssuedClientCertificates: vi.fn(),
|
|
createIssuedClientCertificate: vi.fn(),
|
|
getIssuedClientCertificate: vi.fn(),
|
|
revokeIssuedClientCertificate: vi.fn(),
|
|
}));
|
|
|
|
vi.mock('@/src/lib/api-auth', () => {
|
|
const ApiAuthError = class extends Error {
|
|
status: number;
|
|
constructor(msg: string, status: number) { super(msg); this.status = status; this.name = 'ApiAuthError'; }
|
|
};
|
|
return {
|
|
requireApiAdmin: vi.fn().mockResolvedValue({ userId: 1, role: 'admin', authMethod: 'bearer' }),
|
|
requireApiUser: vi.fn().mockResolvedValue({ userId: 1, role: 'admin', authMethod: 'bearer' }),
|
|
apiErrorResponse: vi.fn((error: unknown) => {
|
|
const { NextResponse: NR } = require('next/server');
|
|
if (error instanceof ApiAuthError) {
|
|
return NR.json({ error: error.message }, { status: error.status });
|
|
}
|
|
return NR.json({ error: error instanceof Error ? error.message : 'Internal server error' }, { status: 500 });
|
|
}),
|
|
ApiAuthError,
|
|
};
|
|
});
|
|
|
|
import { GET as listGET, POST } from '@/app/api/v1/client-certificates/route';
|
|
import { GET as getGET, DELETE } from '@/app/api/v1/client-certificates/[id]/route';
|
|
import { listIssuedClientCertificates, createIssuedClientCertificate, getIssuedClientCertificate, revokeIssuedClientCertificate } from '@/src/lib/models/issued-client-certificates';
|
|
import { requireApiAdmin } from '@/src/lib/api-auth';
|
|
|
|
const mockList = vi.mocked(listIssuedClientCertificates);
|
|
const mockCreate = vi.mocked(createIssuedClientCertificate);
|
|
const mockGet = vi.mocked(getIssuedClientCertificate);
|
|
const mockRevoke = vi.mocked(revokeIssuedClientCertificate);
|
|
const mockRequireApiAdmin = vi.mocked(requireApiAdmin);
|
|
|
|
function createMockRequest(options: { method?: string; body?: unknown } = {}): any {
|
|
return {
|
|
headers: { get: () => null },
|
|
method: options.method ?? 'GET',
|
|
nextUrl: { pathname: '/api/v1/client-certificates', searchParams: new URLSearchParams() },
|
|
json: async () => options.body ?? {},
|
|
};
|
|
}
|
|
|
|
const sampleClientCert = {
|
|
id: 1,
|
|
common_name: 'client1.example.com',
|
|
ca_certificate_id: 1,
|
|
status: 'active',
|
|
expires_at: '2027-06-01',
|
|
created_at: '2026-01-01',
|
|
};
|
|
|
|
beforeEach(() => {
|
|
vi.clearAllMocks();
|
|
mockRequireApiAdmin.mockResolvedValue({ userId: 1, role: 'admin', authMethod: 'bearer' });
|
|
});
|
|
|
|
describe('GET /api/v1/client-certificates', () => {
|
|
it('returns list of client certificates', async () => {
|
|
mockList.mockResolvedValue([sampleClientCert] as any);
|
|
|
|
const response = await listGET(createMockRequest());
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(200);
|
|
expect(data).toEqual([sampleClientCert]);
|
|
});
|
|
|
|
it('returns 401 on auth failure', async () => {
|
|
const { ApiAuthError } = await import('@/src/lib/api-auth');
|
|
mockRequireApiAdmin.mockRejectedValue(new ApiAuthError('Unauthorized', 401));
|
|
|
|
const response = await listGET(createMockRequest());
|
|
expect(response.status).toBe(401);
|
|
});
|
|
});
|
|
|
|
describe('POST /api/v1/client-certificates', () => {
|
|
it('creates a client certificate and returns 201', async () => {
|
|
const body = { common_name: 'client2.example.com', ca_certificate_id: 1 };
|
|
mockCreate.mockResolvedValue({ id: 2, ...body, status: 'active' } as any);
|
|
|
|
const response = await POST(createMockRequest({ method: 'POST', body }));
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(201);
|
|
expect(data.id).toBe(2);
|
|
expect(mockCreate).toHaveBeenCalledWith(body, 1);
|
|
});
|
|
});
|
|
|
|
describe('GET /api/v1/client-certificates/[id]', () => {
|
|
it('returns a client certificate by id', async () => {
|
|
mockGet.mockResolvedValue(sampleClientCert as any);
|
|
|
|
const response = await getGET(createMockRequest(), { params: Promise.resolve({ id: '1' }) });
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(200);
|
|
expect(data).toEqual(sampleClientCert);
|
|
});
|
|
|
|
it('returns 404 for non-existent client certificate', async () => {
|
|
mockGet.mockResolvedValue(null as any);
|
|
|
|
const response = await getGET(createMockRequest(), { params: Promise.resolve({ id: '999' }) });
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(404);
|
|
expect(data.error).toBe('Not found');
|
|
});
|
|
});
|
|
|
|
describe('DELETE /api/v1/client-certificates/[id]', () => {
|
|
it('revokes a client certificate and returns it', async () => {
|
|
const revoked = { ...sampleClientCert, status: 'revoked' };
|
|
mockRevoke.mockResolvedValue(revoked as any);
|
|
|
|
const response = await DELETE(createMockRequest({ method: 'DELETE' }), { params: Promise.resolve({ id: '1' }) });
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(200);
|
|
expect(data.status).toBe('revoked');
|
|
expect(mockRevoke).toHaveBeenCalledWith(1, 1);
|
|
});
|
|
});
|
|
|
|
describe('POST /api/v1/client-certificates - all required fields', () => {
|
|
it('creates client certificate with all required fields', async () => {
|
|
const input = {
|
|
ca_certificate_id: 1,
|
|
common_name: 'device-01',
|
|
serial_number: 'A1B2C3D4',
|
|
fingerprint_sha256: 'AB:CD:EF:01:23:45:67:89:AB:CD:EF:01:23:45:67:89:AB:CD:EF:01:23:45:67:89:AB:CD:EF:01:23:45:67:89',
|
|
certificate_pem: '-----BEGIN CERTIFICATE-----\nMIIB...\n-----END CERTIFICATE-----',
|
|
valid_from: '2026-01-01T00:00:00Z',
|
|
valid_to: '2027-01-01T00:00:00Z',
|
|
};
|
|
mockCreate.mockResolvedValue({
|
|
id: 5,
|
|
...input,
|
|
revoked_at: null,
|
|
created_at: '2026-01-01T00:00:00Z',
|
|
updated_at: '2026-01-01T00:00:00Z',
|
|
} as any);
|
|
|
|
const response = await POST(createMockRequest({ method: 'POST', body: input }));
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(201);
|
|
expect(data.id).toBe(5);
|
|
expect(data.common_name).toBe('device-01');
|
|
expect(data.serial_number).toBe('A1B2C3D4');
|
|
expect(data.fingerprint_sha256).toContain('AB:CD:EF');
|
|
expect(data.certificate_pem).toContain('BEGIN CERTIFICATE');
|
|
expect(data.valid_from).toBe('2026-01-01T00:00:00Z');
|
|
expect(data.valid_to).toBe('2027-01-01T00:00:00Z');
|
|
expect(data.revoked_at).toBeNull();
|
|
expect(mockCreate).toHaveBeenCalledWith(input, 1);
|
|
});
|
|
});
|
|
|
|
describe('DELETE /api/v1/client-certificates/[id] - revoked_at timestamp', () => {
|
|
it('returns certificate with revoked_at set', async () => {
|
|
const revokedCert = {
|
|
...sampleClientCert,
|
|
serial_number: 'AABB1122',
|
|
fingerprint_sha256: '11:22:33:44:55:66:77:88:99:AA:BB:CC:DD:EE:FF:00:11:22:33:44:55:66:77:88:99:AA:BB:CC:DD:EE:FF:00',
|
|
valid_from: '2026-01-01T00:00:00Z',
|
|
valid_to: '2027-01-01T00:00:00Z',
|
|
status: 'revoked',
|
|
revoked_at: '2026-03-26T00:00:00Z',
|
|
};
|
|
mockRevoke.mockResolvedValue(revokedCert as any);
|
|
|
|
const response = await DELETE(createMockRequest({ method: 'DELETE' }), { params: Promise.resolve({ id: '1' }) });
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(200);
|
|
expect(data.status).toBe('revoked');
|
|
expect(data.revoked_at).toBe('2026-03-26T00:00:00Z');
|
|
expect(mockRevoke).toHaveBeenCalledWith(1, 1);
|
|
});
|
|
});
|
|
|
|
describe('GET /api/v1/client-certificates/[id] - full fields', () => {
|
|
it('returns full client certificate with all fields', async () => {
|
|
const fullCert = {
|
|
id: 3,
|
|
ca_certificate_id: 1,
|
|
common_name: 'full-device',
|
|
serial_number: 'DEADBEEF',
|
|
fingerprint_sha256: 'AA:BB:CC:DD:EE:FF:00:11:22:33:44:55:66:77:88:99:AA:BB:CC:DD:EE:FF:00:11:22:33:44:55:66:77:88:99',
|
|
certificate_pem: '-----BEGIN CERTIFICATE-----\nMIIB...\n-----END CERTIFICATE-----',
|
|
valid_from: '2026-01-01T00:00:00Z',
|
|
valid_to: '2027-06-01T00:00:00Z',
|
|
revoked_at: null,
|
|
status: 'active',
|
|
created_at: '2026-01-01T00:00:00Z',
|
|
updated_at: '2026-01-01T00:00:00Z',
|
|
};
|
|
mockGet.mockResolvedValue(fullCert as any);
|
|
|
|
const response = await getGET(createMockRequest(), { params: Promise.resolve({ id: '3' }) });
|
|
const data = await response.json();
|
|
|
|
expect(response.status).toBe(200);
|
|
expect(data.id).toBe(3);
|
|
expect(data.common_name).toBe('full-device');
|
|
expect(data.serial_number).toBe('DEADBEEF');
|
|
expect(data.fingerprint_sha256).toContain('AA:BB:CC');
|
|
expect(data.valid_from).toBe('2026-01-01T00:00:00Z');
|
|
expect(data.valid_to).toBe('2027-06-01T00:00:00Z');
|
|
expect(data.revoked_at).toBeNull();
|
|
expect(data.certificate_pem).toContain('BEGIN CERTIFICATE');
|
|
});
|
|
});
|