Co-authored-by: Madison Grubb <madison@elastiflow.com> Reviewed-on: #1
This commit was merged in pull request #1.
This commit is contained in:
@@ -1,66 +1,58 @@
|
||||
/**
|
||||
* Global setup for E2E tests.
|
||||
* Runs once before all tests.
|
||||
*/
|
||||
|
||||
import { existsSync, mkdirSync } from 'node:fs'
|
||||
import { join, dirname } from 'node:path'
|
||||
import { fileURLToPath } from 'node:url'
|
||||
import { execSync } from 'node:child_process'
|
||||
|
||||
const _dirname = dirname(fileURLToPath(import.meta.url))
|
||||
const projectRoot = join(_dirname, '../../..')
|
||||
const projectRoot = join(dirname(fileURLToPath(import.meta.url)), '../../..')
|
||||
const devCertsDir = join(projectRoot, '.dev-certs')
|
||||
const devKey = join(devCertsDir, 'key.pem')
|
||||
const devCert = join(devCertsDir, 'cert.pem')
|
||||
|
||||
// Import server modules (ES modules)
|
||||
const { getDb } = await import('../../server/utils/db.js')
|
||||
const { hashPassword } = await import('../../server/utils/password.js')
|
||||
const { TEST_ADMIN } = await import('./fixtures/users.js')
|
||||
|
||||
function ensureDevCerts() {
|
||||
if (existsSync(devKey) && existsSync(devCert)) {
|
||||
return // Certs already exist
|
||||
}
|
||||
const ensureDevCerts = () => {
|
||||
if (existsSync(devKey) && existsSync(devCert)) return
|
||||
|
||||
// Create .dev-certs directory
|
||||
mkdirSync(devCertsDir, { recursive: true })
|
||||
|
||||
// Generate self-signed cert for localhost/127.0.0.1
|
||||
const SAN = 'subjectAltName=IP:127.0.0.1,DNS:localhost'
|
||||
try {
|
||||
execSync(
|
||||
`openssl req -x509 -newkey rsa:2048 -keyout "${devKey}" -out "${devCert}" -days 365 -nodes -subj "/CN=localhost" -addext "${SAN}"`,
|
||||
{ cwd: projectRoot, stdio: 'inherit' },
|
||||
`openssl req -x509 -newkey rsa:2048 -keyout "${devKey}" -out "${devCert}" -days 365 -nodes -subj "/CN=localhost" -addext "subjectAltName=IP:127.0.0.1,DNS:localhost"`,
|
||||
{ cwd: projectRoot, stdio: process.env.CI ? 'pipe' : 'inherit' },
|
||||
)
|
||||
console.log('[test] Generated .dev-certs/key.pem and .dev-certs/cert.pem')
|
||||
}
|
||||
catch (error) {
|
||||
throw new Error(`Failed to generate dev certificates: ${error.message}`)
|
||||
}
|
||||
}
|
||||
|
||||
async function globalSetup() {
|
||||
// Ensure dev certificates exist
|
||||
export default async function globalSetup() {
|
||||
ensureDevCerts()
|
||||
|
||||
// Create test admin user if it doesn't exist
|
||||
const { get, run } = await getDb()
|
||||
const existingUser = await get('SELECT id FROM users WHERE identifier = ?', [TEST_ADMIN.identifier])
|
||||
let retries = 3
|
||||
while (retries > 0) {
|
||||
try {
|
||||
const { get, run } = await getDb()
|
||||
const existing = await get('SELECT id FROM users WHERE identifier = ?', [TEST_ADMIN.identifier])
|
||||
|
||||
if (!existingUser) {
|
||||
const id = crypto.randomUUID()
|
||||
const now = new Date().toISOString()
|
||||
await run(
|
||||
'INSERT INTO users (id, identifier, password_hash, role, created_at, auth_provider, oidc_issuer, oidc_sub) VALUES (?, ?, ?, ?, ?, ?, ?, ?)',
|
||||
[id, TEST_ADMIN.identifier, hashPassword(TEST_ADMIN.password), TEST_ADMIN.role, now, 'local', null, null],
|
||||
)
|
||||
console.log(`[test] Created test admin user: ${TEST_ADMIN.identifier}`)
|
||||
}
|
||||
else {
|
||||
console.log(`[test] Test admin user already exists: ${TEST_ADMIN.identifier}`)
|
||||
if (!existing) {
|
||||
await run(
|
||||
'INSERT INTO users (id, identifier, password_hash, role, created_at, auth_provider, oidc_issuer, oidc_sub) VALUES (?, ?, ?, ?, ?, ?, ?, ?)',
|
||||
[crypto.randomUUID(), TEST_ADMIN.identifier, hashPassword(TEST_ADMIN.password), TEST_ADMIN.role, new Date().toISOString(), 'local', null, null],
|
||||
)
|
||||
}
|
||||
return
|
||||
}
|
||||
catch (error) {
|
||||
if (error.message?.includes('SQLITE_BUSY') || error.message?.includes('database is locked')) {
|
||||
retries--
|
||||
if (retries > 0) {
|
||||
await new Promise(resolve => setTimeout(resolve, 100 * (4 - retries)))
|
||||
continue
|
||||
}
|
||||
}
|
||||
throw error
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export default globalSetup
|
||||
|
||||
@@ -28,8 +28,10 @@ test.describe('Live Streaming E2E', () => {
|
||||
|
||||
test('publisher only: start sharing and reach Live', async ({ browser, browserName }) => {
|
||||
test.skip(browserName !== 'chromium', 'Fake camera only supported in Chromium')
|
||||
// Skip in CI - WebRTC tests are flaky with fake media devices in CI environments
|
||||
test.skip(!!process.env.CI, 'WebRTC tests skipped in CI due to flaky fake media device support')
|
||||
const ctx = await browser.newContext({
|
||||
permissions: ['geolocation'],
|
||||
permissions: ['camera', 'microphone', 'geolocation'],
|
||||
geolocation: { latitude: 37.7749, longitude: -122.4194 },
|
||||
})
|
||||
const page = await ctx.newPage()
|
||||
@@ -55,9 +57,11 @@ test.describe('Live Streaming E2E', () => {
|
||||
|
||||
test('Mobile Safari publishes, Desktop Chrome views', async ({ browser, browserName }) => {
|
||||
test.skip(browserName !== 'chromium', 'Fake camera only supported in Chromium')
|
||||
// Skip in CI - WebRTC tests are flaky with fake media devices in CI environments
|
||||
test.skip(!!process.env.CI, 'WebRTC tests skipped in CI due to flaky fake media device support')
|
||||
// Publisher context (same as publisher-only test for reliability)
|
||||
const publisherContext = await browser.newContext({
|
||||
permissions: ['geolocation'],
|
||||
permissions: ['camera', 'microphone', 'geolocation'],
|
||||
geolocation: { latitude: 37.7749, longitude: -122.4194 },
|
||||
})
|
||||
const publisherPage = await publisherContext.newPage()
|
||||
@@ -123,8 +127,10 @@ test.describe('Live Streaming E2E', () => {
|
||||
|
||||
test('Mobile Safari publishes, Desktop Firefox views', async ({ browser, browserName }) => {
|
||||
test.skip(browserName !== 'chromium', 'Fake camera only supported in Chromium')
|
||||
// Skip in CI - WebRTC tests are flaky with fake media devices in CI environments
|
||||
test.skip(!!process.env.CI, 'WebRTC tests skipped in CI due to flaky fake media device support')
|
||||
const publisherContext = await browser.newContext({
|
||||
permissions: ['geolocation'],
|
||||
permissions: ['camera', 'microphone', 'geolocation'],
|
||||
geolocation: { latitude: 37.7749, longitude: -122.4194 },
|
||||
})
|
||||
const publisherPage = await publisherContext.newPage()
|
||||
|
||||
@@ -10,24 +10,24 @@ vi.mock('leaflet.offline', () => ({ tileLayerOffline: null, savetiles: null }))
|
||||
describe('KestrelMap', () => {
|
||||
it('renders map container', async () => {
|
||||
const wrapper = await mountSuspended(KestrelMap, {
|
||||
props: { feeds: [] },
|
||||
props: { devices: [] },
|
||||
})
|
||||
expect(wrapper.find('[data-testid="kestrel-map"]').exists()).toBe(true)
|
||||
})
|
||||
|
||||
it('accepts feeds prop', async () => {
|
||||
const feeds = [
|
||||
it('accepts devices prop', async () => {
|
||||
const devices = [
|
||||
{ id: '1', name: 'A', lat: 37.7, lng: -122.4, streamUrl: '', sourceType: 'mjpeg' },
|
||||
]
|
||||
const wrapper = await mountSuspended(KestrelMap, {
|
||||
props: { feeds },
|
||||
props: { devices },
|
||||
})
|
||||
expect(wrapper.props('feeds')).toEqual(feeds)
|
||||
expect(wrapper.props('devices')).toEqual(devices)
|
||||
})
|
||||
|
||||
it('has select emit', async () => {
|
||||
const wrapper = await mountSuspended(KestrelMap, {
|
||||
props: { feeds: [] },
|
||||
props: { devices: [] },
|
||||
})
|
||||
wrapper.vm.$emit('select', { id: 'x', name: 'X', lat: 0, lng: 0 })
|
||||
expect(wrapper.emitted('select')).toHaveLength(1)
|
||||
@@ -67,7 +67,7 @@ describe('KestrelMap', () => {
|
||||
it('accepts pois and canEditPois props', async () => {
|
||||
const wrapper = await mountSuspended(KestrelMap, {
|
||||
props: {
|
||||
feeds: [],
|
||||
devices: [],
|
||||
pois: [{ id: 'p1', lat: 37.7, lng: -122.4, label: 'P', icon_type: 'pin' }],
|
||||
canEditPois: false,
|
||||
},
|
||||
|
||||
@@ -1,14 +0,0 @@
|
||||
import { describe, it, expect } from 'vitest'
|
||||
import { getValidFeeds } from '../../server/utils/feedUtils.js'
|
||||
|
||||
describe('API contract', () => {
|
||||
it('getValidFeeds returns array suitable for API response', () => {
|
||||
const raw = [
|
||||
{ id: '1', name: 'A', lat: 1, lng: 2 },
|
||||
{ id: '2', name: 'B', lat: 3, lng: 4 },
|
||||
]
|
||||
const out = getValidFeeds(raw)
|
||||
expect(Array.isArray(out)).toBe(true)
|
||||
expect(out).toHaveLength(2)
|
||||
})
|
||||
})
|
||||
@@ -1,119 +0,0 @@
|
||||
import { describe, it, expect } from 'vitest'
|
||||
import { isValidFeed, getValidFeeds, sanitizeStreamUrl, sanitizeFeedForResponse } from '../../server/utils/feedUtils.js'
|
||||
|
||||
describe('feedUtils', () => {
|
||||
describe('isValidFeed', () => {
|
||||
it('returns true for valid feed', () => {
|
||||
expect(isValidFeed({
|
||||
id: '1',
|
||||
name: 'Cam',
|
||||
lat: 37.7,
|
||||
lng: -122.4,
|
||||
})).toBe(true)
|
||||
})
|
||||
|
||||
it('returns false for null', () => {
|
||||
expect(isValidFeed(null)).toBe(false)
|
||||
})
|
||||
|
||||
it('returns false for missing id', () => {
|
||||
expect(isValidFeed({ name: 'x', lat: 0, lng: 0 })).toBe(false)
|
||||
})
|
||||
|
||||
it('returns false for wrong lat type', () => {
|
||||
expect(isValidFeed({ id: '1', name: 'x', lat: '37', lng: -122 })).toBe(false)
|
||||
})
|
||||
})
|
||||
|
||||
describe('getValidFeeds', () => {
|
||||
it('returns only valid feeds', () => {
|
||||
const list = [
|
||||
{ id: 'a', name: 'A', lat: 1, lng: 2 },
|
||||
null,
|
||||
{ id: 'b', name: 'B', lat: 3, lng: 4 },
|
||||
]
|
||||
expect(getValidFeeds(list)).toHaveLength(2)
|
||||
})
|
||||
|
||||
it('returns empty array for non-array', () => {
|
||||
expect(getValidFeeds(null)).toEqual([])
|
||||
expect(getValidFeeds({})).toEqual([])
|
||||
})
|
||||
})
|
||||
|
||||
describe('sanitizeStreamUrl', () => {
|
||||
it('allows http and https', () => {
|
||||
expect(sanitizeStreamUrl('https://example.com/stream')).toBe('https://example.com/stream')
|
||||
expect(sanitizeStreamUrl('http://example.com/stream')).toBe('http://example.com/stream')
|
||||
})
|
||||
|
||||
it('returns empty for javascript:, data:, and other schemes', () => {
|
||||
expect(sanitizeStreamUrl('javascript:alert(1)')).toBe('')
|
||||
expect(sanitizeStreamUrl('data:text/html,<script>')).toBe('')
|
||||
expect(sanitizeStreamUrl('file:///etc/passwd')).toBe('')
|
||||
})
|
||||
|
||||
it('returns empty for non-strings or empty', () => {
|
||||
expect(sanitizeStreamUrl('')).toBe('')
|
||||
expect(sanitizeStreamUrl(' ')).toBe('')
|
||||
expect(sanitizeStreamUrl(null)).toBe('')
|
||||
expect(sanitizeStreamUrl(123)).toBe('')
|
||||
})
|
||||
})
|
||||
|
||||
describe('sanitizeFeedForResponse', () => {
|
||||
it('returns safe shape with sanitized streamUrl and sourceType', () => {
|
||||
const feed = {
|
||||
id: 'f1',
|
||||
name: 'Cam',
|
||||
lat: 37,
|
||||
lng: -122,
|
||||
streamUrl: 'https://safe.com/s',
|
||||
sourceType: 'mjpeg',
|
||||
}
|
||||
const out = sanitizeFeedForResponse(feed)
|
||||
expect(out).toEqual({
|
||||
id: 'f1',
|
||||
name: 'Cam',
|
||||
lat: 37,
|
||||
lng: -122,
|
||||
streamUrl: 'https://safe.com/s',
|
||||
sourceType: 'mjpeg',
|
||||
})
|
||||
})
|
||||
|
||||
it('strips dangerous streamUrl and normalizes sourceType', () => {
|
||||
const feed = {
|
||||
id: 'f2',
|
||||
name: 'Bad',
|
||||
lat: 0,
|
||||
lng: 0,
|
||||
streamUrl: 'javascript:alert(1)',
|
||||
sourceType: 'hls',
|
||||
}
|
||||
const out = sanitizeFeedForResponse(feed)
|
||||
expect(out.streamUrl).toBe('')
|
||||
expect(out.sourceType).toBe('hls')
|
||||
})
|
||||
|
||||
it('includes description only when string', () => {
|
||||
const withDesc = sanitizeFeedForResponse({
|
||||
id: 'a',
|
||||
name: 'n',
|
||||
lat: 0,
|
||||
lng: 0,
|
||||
description: 'A camera',
|
||||
})
|
||||
expect(withDesc.description).toBe('A camera')
|
||||
|
||||
const noDesc = sanitizeFeedForResponse({
|
||||
id: 'b',
|
||||
name: 'n',
|
||||
lat: 0,
|
||||
lng: 0,
|
||||
description: 123,
|
||||
})
|
||||
expect(noDesc).not.toHaveProperty('description')
|
||||
})
|
||||
})
|
||||
})
|
||||
@@ -25,7 +25,7 @@ describe('Mediasoup', () => {
|
||||
|
||||
it('should create a transport', async () => {
|
||||
const router = await getRouter(sessionId)
|
||||
const { transport, params } = await createTransport(router, true)
|
||||
const { transport, params } = await createTransport(router)
|
||||
expect(transport).toBeDefined()
|
||||
expect(params.id).toBe(transport.id)
|
||||
expect(params.iceParameters).toBeDefined()
|
||||
@@ -35,7 +35,7 @@ describe('Mediasoup', () => {
|
||||
|
||||
it('should create a transport with requestHost IPv4 and return valid params', async () => {
|
||||
const router = await getRouter(sessionId)
|
||||
const { transport, params } = await createTransport(router, true, '192.168.2.100')
|
||||
const { transport, params } = await createTransport(router, '192.168.2.100')
|
||||
expect(transport).toBeDefined()
|
||||
expect(params.id).toBe(transport.id)
|
||||
expect(params.iceParameters).toBeDefined()
|
||||
|
||||
@@ -1,32 +0,0 @@
|
||||
import { describe, it, expect, beforeEach, afterEach } from 'vitest'
|
||||
import { getDb, setDbPathForTest } from '../../server/utils/db.js'
|
||||
import { migrateFeedsToDevices } from '../../server/utils/migrateFeedsToDevices.js'
|
||||
|
||||
describe('migrateFeedsToDevices', () => {
|
||||
beforeEach(() => {
|
||||
setDbPathForTest(':memory:')
|
||||
})
|
||||
|
||||
afterEach(() => {
|
||||
setDbPathForTest(null)
|
||||
})
|
||||
|
||||
it('runs without error when devices table is empty', async () => {
|
||||
const db = await getDb()
|
||||
await expect(migrateFeedsToDevices()).resolves.toBeUndefined()
|
||||
const rows = await db.all('SELECT id FROM devices')
|
||||
expect(rows.length).toBeGreaterThanOrEqual(0)
|
||||
})
|
||||
|
||||
it('is no-op when devices already has rows', async () => {
|
||||
const db = await getDb()
|
||||
await db.run(
|
||||
'INSERT INTO devices (id, name, device_type, vendor, lat, lng, stream_url, source_type, config) VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?)',
|
||||
['existing', 'Existing', 'feed', null, 0, 0, '', 'mjpeg', null],
|
||||
)
|
||||
await migrateFeedsToDevices()
|
||||
const rows = await db.all('SELECT id FROM devices')
|
||||
expect(rows).toHaveLength(1)
|
||||
expect(rows[0].id).toBe('existing')
|
||||
})
|
||||
})
|
||||
Reference in New Issue
Block a user