mirror of https://github.com/kern/filepizza
Add e2e test for file transfers
parent
ec70693b54
commit
fab1c4bb58
@ -0,0 +1,10 @@
|
||||
{
|
||||
"permissions": {
|
||||
"allow": [
|
||||
"Bash(pnpm build:*)",
|
||||
"Bash(pnpm test:*)",
|
||||
"Bash(npm test:*)"
|
||||
],
|
||||
"deny": []
|
||||
}
|
||||
}
|
||||
@ -0,0 +1,6 @@
|
||||
{
|
||||
"status": "failed",
|
||||
"failedTests": [
|
||||
"79024892fc2de608051f-528b0ecfc96903d743c3"
|
||||
]
|
||||
}
|
||||
@ -0,0 +1,92 @@
|
||||
/// <reference types="@playwright/test" />
|
||||
import { test, expect } from '@playwright/test'
|
||||
import {
|
||||
createTestFile,
|
||||
uploadFile,
|
||||
startUpload,
|
||||
downloadFile,
|
||||
verifyFileIntegrity,
|
||||
verifyTransferCompletion,
|
||||
createBrowserContexts,
|
||||
monitorChunkProgress,
|
||||
verifyPreciseProgress,
|
||||
} from './helpers'
|
||||
|
||||
interface TestCase {
|
||||
name: string
|
||||
fileSizeMultiplier: number
|
||||
expectedChunks: number
|
||||
fillChar: string
|
||||
}
|
||||
|
||||
const CHUNK_SIZE = 256 * 1024 // 256 KB
|
||||
|
||||
const testCases: TestCase[] = [
|
||||
{
|
||||
name: 'tiny file (basic transfer)',
|
||||
fileSizeMultiplier: 0.1, // ~26KB
|
||||
expectedChunks: 1,
|
||||
fillChar: 'T',
|
||||
},
|
||||
{
|
||||
name: 'small file (single chunk)',
|
||||
fileSizeMultiplier: 0.5, // 128KB
|
||||
expectedChunks: 1,
|
||||
fillChar: 'S',
|
||||
},
|
||||
{
|
||||
name: 'medium file (3 chunks)',
|
||||
fileSizeMultiplier: 2.5, // 640KB
|
||||
expectedChunks: 3,
|
||||
fillChar: 'M',
|
||||
},
|
||||
{
|
||||
name: 'large file (4 chunks)',
|
||||
fileSizeMultiplier: 4, // 1024KB
|
||||
expectedChunks: 4,
|
||||
fillChar: 'L',
|
||||
},
|
||||
{
|
||||
name: 'extra large file (7 chunks)',
|
||||
fileSizeMultiplier: 6.5, // ~1664KB
|
||||
expectedChunks: 7,
|
||||
fillChar: 'X',
|
||||
},
|
||||
]
|
||||
|
||||
for (const testCase of testCases) {
|
||||
test(`file transfer: ${testCase.name}`, async ({ browser }) => {
|
||||
const fileSize = Math.floor(CHUNK_SIZE * testCase.fileSizeMultiplier)
|
||||
const testFile = createTestFile(
|
||||
`test-${testCase.fillChar.toLowerCase()}-${testCase.expectedChunks}chunks.txt`,
|
||||
testCase.fillChar.repeat(fileSize)
|
||||
)
|
||||
|
||||
const { uploaderPage, downloaderPage, cleanup } = await createBrowserContexts(browser)
|
||||
|
||||
try {
|
||||
// Set up precise chunk and progress monitoring
|
||||
const monitor = await monitorChunkProgress(uploaderPage, downloaderPage, fileSize)
|
||||
|
||||
await uploadFile(uploaderPage, testFile)
|
||||
const shareUrl = await startUpload(uploaderPage)
|
||||
const downloadPath = await downloadFile(downloaderPage, shareUrl, testFile)
|
||||
|
||||
await verifyFileIntegrity(downloadPath, testFile)
|
||||
await verifyTransferCompletion(downloaderPage)
|
||||
|
||||
// Wait for all async progress captures to complete
|
||||
await downloaderPage.waitForTimeout(1000)
|
||||
|
||||
// Verify precise progress tracking for both upload and download
|
||||
verifyPreciseProgress(monitor.uploadChunks, testCase.expectedChunks, 'upload')
|
||||
verifyPreciseProgress(monitor.downloadChunks, testCase.expectedChunks, 'download')
|
||||
|
||||
// Verify final completion shows exactly 100%
|
||||
await expect(downloaderPage.locator('#progress-percentage')).toHaveText('100%')
|
||||
|
||||
} finally {
|
||||
await cleanup()
|
||||
}
|
||||
})
|
||||
}
|
||||
@ -0,0 +1,361 @@
|
||||
import { Page, Browser, expect } from '@playwright/test'
|
||||
import { createHash } from 'crypto'
|
||||
import { writeFileSync, readFileSync } from 'fs'
|
||||
import { join } from 'path'
|
||||
import { tmpdir } from 'os'
|
||||
|
||||
export interface TestFile {
|
||||
name: string
|
||||
content: string
|
||||
path: string
|
||||
checksum: string
|
||||
}
|
||||
|
||||
export function createTestFile(fileName: string, content: string): TestFile {
|
||||
const testFilePath = join(tmpdir(), fileName)
|
||||
writeFileSync(testFilePath, content)
|
||||
|
||||
const checksum = createHash('sha256').update(content).digest('hex')
|
||||
|
||||
return {
|
||||
name: fileName,
|
||||
content,
|
||||
path: testFilePath,
|
||||
checksum,
|
||||
}
|
||||
}
|
||||
|
||||
export async function uploadFile(page: Page, testFile: TestFile): Promise<void> {
|
||||
// Navigate to home page
|
||||
await page.goto('http://localhost:3000/')
|
||||
await expect(
|
||||
page.getByText('Peer-to-peer file transfers in your browser.'),
|
||||
).toBeVisible()
|
||||
|
||||
// Wait for drop zone button to be ready
|
||||
await expect(page.locator('#drop-zone-button')).toBeVisible()
|
||||
|
||||
// Upload file using the file input and trigger change event
|
||||
await page.evaluate(
|
||||
({ testContent, testFileName }) => {
|
||||
const input = document.querySelector(
|
||||
'input[type="file"]',
|
||||
) as HTMLInputElement
|
||||
if (input) {
|
||||
const file = new File([testContent], testFileName, {
|
||||
type: 'text/plain',
|
||||
})
|
||||
const dataTransfer = new DataTransfer()
|
||||
dataTransfer.items.add(file)
|
||||
input.files = dataTransfer.files
|
||||
|
||||
// Manually trigger the change event
|
||||
const event = new Event('change', { bubbles: true })
|
||||
input.dispatchEvent(event)
|
||||
}
|
||||
},
|
||||
{ testContent: testFile.content, testFileName: testFile.name },
|
||||
)
|
||||
|
||||
// Wait for file to be processed and confirm upload page to appear
|
||||
await expect(
|
||||
page.getByText(/You are about to start uploading/i),
|
||||
).toBeVisible({ timeout: 10000 })
|
||||
}
|
||||
|
||||
export async function startUpload(page: Page): Promise<string> {
|
||||
// Start sharing
|
||||
await page.locator('#start-button').click()
|
||||
|
||||
// Wait for uploading state and get the share URL
|
||||
await expect(page.getByText(/You are uploading/i)).toBeVisible({
|
||||
timeout: 10000,
|
||||
})
|
||||
|
||||
// Get the share URL from the copyable input (Long URL)
|
||||
const shareUrlInput = page.locator('#copyable-input-long-url')
|
||||
await expect(shareUrlInput).toBeVisible({ timeout: 5000 })
|
||||
const shareUrl = await shareUrlInput.inputValue()
|
||||
|
||||
expect(shareUrl).toMatch(/http:\/\/localhost:3000\//)
|
||||
return shareUrl
|
||||
}
|
||||
|
||||
export async function downloadFile(page: Page, shareUrl: string, testFile: TestFile): Promise<string> {
|
||||
// Navigate to share URL
|
||||
await page.goto(shareUrl)
|
||||
|
||||
// Wait for download page to load
|
||||
await expect(page.getByText(testFile.name)).toBeVisible({
|
||||
timeout: 10000,
|
||||
})
|
||||
|
||||
// Start download
|
||||
const downloadPromise = page.waitForEvent('download')
|
||||
await page.locator('#download-button').click()
|
||||
const download = await downloadPromise
|
||||
|
||||
// Verify download
|
||||
expect(download.suggestedFilename()).toBe(testFile.name)
|
||||
|
||||
// Save downloaded file
|
||||
const downloadPath = join(tmpdir(), `downloaded-${testFile.name}`)
|
||||
await download.saveAs(downloadPath)
|
||||
|
||||
return downloadPath
|
||||
}
|
||||
|
||||
export async function verifyFileIntegrity(downloadPath: string, testFile: TestFile): Promise<void> {
|
||||
// Verify downloaded content and checksum
|
||||
const downloadedContent = readFileSync(downloadPath, 'utf8')
|
||||
expect(downloadedContent).toBe(testFile.content)
|
||||
|
||||
const downloadedChecksum = createHash('sha256')
|
||||
.update(downloadedContent)
|
||||
.digest('hex')
|
||||
expect(downloadedChecksum).toBe(testFile.checksum)
|
||||
}
|
||||
|
||||
export async function verifyTransferCompletion(downloaderPage: Page): Promise<void> {
|
||||
// Verify download completion on downloader side
|
||||
await expect(downloaderPage.getByText(/You downloaded/i)).toBeVisible({
|
||||
timeout: 10000,
|
||||
})
|
||||
}
|
||||
|
||||
export async function createBrowserContexts(browser: Browser): Promise<{
|
||||
uploaderPage: Page
|
||||
downloaderPage: Page
|
||||
cleanup: () => Promise<void>
|
||||
}> {
|
||||
const uploaderContext = await browser.newContext()
|
||||
const downloaderContext = await browser.newContext()
|
||||
|
||||
const uploaderPage = await uploaderContext.newPage()
|
||||
const downloaderPage = await downloaderContext.newPage()
|
||||
|
||||
const cleanup = async () => {
|
||||
await uploaderContext.close()
|
||||
await downloaderContext.close()
|
||||
}
|
||||
|
||||
return { uploaderPage, downloaderPage, cleanup }
|
||||
}
|
||||
|
||||
export interface ProgressMonitor {
|
||||
uploaderProgress: number
|
||||
downloaderProgress: number
|
||||
maxProgress: number
|
||||
}
|
||||
|
||||
export interface ChunkProgressLog {
|
||||
chunkNumber: number
|
||||
fileName: string
|
||||
offset: number
|
||||
end: number
|
||||
fileSize: number
|
||||
final: boolean
|
||||
progressPercentage: number
|
||||
side: 'upload' | 'download'
|
||||
}
|
||||
|
||||
export interface PreciseChunkMonitor {
|
||||
uploadChunks: ChunkProgressLog[]
|
||||
downloadChunks: ChunkProgressLog[]
|
||||
}
|
||||
|
||||
export async function monitorChunkProgress(
|
||||
uploaderPage: Page,
|
||||
downloaderPage: Page,
|
||||
expectedFileSize: number,
|
||||
): Promise<PreciseChunkMonitor> {
|
||||
const uploadChunks: ChunkProgressLog[] = []
|
||||
const downloadChunks: ChunkProgressLog[] = []
|
||||
|
||||
uploaderPage.on('console', async (msg) => {
|
||||
const text = msg.text()
|
||||
if (text.includes('[UploaderConnections] received chunk ack')) {
|
||||
// Parse ack log: "[UploaderConnections] received chunk ack: file.txt offset 0 bytes 262144"
|
||||
const ackMatch = text.match(/received chunk ack: (\S+) offset (\d+) bytes (\d+)/)
|
||||
if (ackMatch) {
|
||||
const [, fileName, offset, bytes] = ackMatch
|
||||
|
||||
// Wait for React state to update, then capture progress percentage
|
||||
setTimeout(async () => {
|
||||
try {
|
||||
// Debug: check all progress elements
|
||||
const allProgressElements = await uploaderPage.locator('#progress-percentage').all()
|
||||
console.log(`Found ${allProgressElements.length} progress elements on uploader page`)
|
||||
|
||||
const progressElement = uploaderPage.locator('#progress-percentage').first()
|
||||
const progressText = await progressElement.textContent({ timeout: 200 })
|
||||
const progressPercentage = progressText ? parseInt(progressText.replace('%', '')) : 0
|
||||
|
||||
console.log(`Uploader progress text: "${progressText}" -> ${progressPercentage}%`)
|
||||
|
||||
// Calculate which chunk this corresponds to
|
||||
const chunkNumber = Math.floor(parseInt(offset) / (256 * 1024)) + 1
|
||||
const chunkEnd = parseInt(offset) + parseInt(bytes)
|
||||
const final = chunkEnd >= expectedFileSize
|
||||
|
||||
uploadChunks.push({
|
||||
chunkNumber,
|
||||
fileName,
|
||||
offset: parseInt(offset),
|
||||
end: chunkEnd,
|
||||
fileSize: expectedFileSize,
|
||||
final,
|
||||
progressPercentage,
|
||||
side: 'upload',
|
||||
})
|
||||
} catch (error) {
|
||||
// Progress element might not be available yet
|
||||
const chunkNumber = Math.floor(parseInt(offset) / (256 * 1024)) + 1
|
||||
const chunkEnd = parseInt(offset) + parseInt(bytes)
|
||||
const final = chunkEnd >= expectedFileSize
|
||||
|
||||
uploadChunks.push({
|
||||
chunkNumber,
|
||||
fileName,
|
||||
offset: parseInt(offset),
|
||||
end: chunkEnd,
|
||||
fileSize: expectedFileSize,
|
||||
final,
|
||||
progressPercentage: 0,
|
||||
side: 'upload',
|
||||
})
|
||||
}
|
||||
}, 100) // Slightly longer delay for ack processing
|
||||
}
|
||||
}
|
||||
})
|
||||
|
||||
downloaderPage.on('console', async (msg) => {
|
||||
const text = msg.text()
|
||||
if (text.includes('[Downloader] received chunk') && !text.includes('finished receiving')) {
|
||||
// Parse log: "[Downloader] received chunk 1 for file.txt (0-262144) final=false"
|
||||
const chunkMatch = text.match(/received chunk (\d+) for (\S+) \((\d+)-(\d+)\) final=(\w+)/)
|
||||
if (chunkMatch) {
|
||||
const [, chunkNum, fileName, offset, end, final] = chunkMatch
|
||||
|
||||
// Wait a moment for React state to update, then capture progress percentage
|
||||
setTimeout(async () => {
|
||||
try {
|
||||
const progressElement = downloaderPage.locator('#progress-percentage').first()
|
||||
const progressText = await progressElement.textContent({ timeout: 200 })
|
||||
const progressPercentage = progressText ? parseInt(progressText.replace('%', '')) : 0
|
||||
|
||||
downloadChunks.push({
|
||||
chunkNumber: parseInt(chunkNum),
|
||||
fileName,
|
||||
offset: parseInt(offset),
|
||||
end: parseInt(end),
|
||||
fileSize: expectedFileSize,
|
||||
final: final === 'true',
|
||||
progressPercentage,
|
||||
side: 'download',
|
||||
})
|
||||
} catch (error) {
|
||||
// Progress element might not be available yet
|
||||
downloadChunks.push({
|
||||
chunkNumber: parseInt(chunkNum),
|
||||
fileName,
|
||||
offset: parseInt(offset),
|
||||
end: parseInt(end),
|
||||
fileSize: expectedFileSize,
|
||||
final: final === 'true',
|
||||
progressPercentage: 0,
|
||||
side: 'download',
|
||||
})
|
||||
}
|
||||
}, 50) // Small delay to allow React state update
|
||||
}
|
||||
}
|
||||
})
|
||||
|
||||
return {
|
||||
uploadChunks,
|
||||
downloadChunks,
|
||||
}
|
||||
}
|
||||
|
||||
export function verifyPreciseProgress(
|
||||
chunks: ChunkProgressLog[],
|
||||
expectedChunks: number,
|
||||
side: 'upload' | 'download'
|
||||
): void {
|
||||
expect(chunks.length).toBe(expectedChunks)
|
||||
|
||||
for (const chunk of chunks) {
|
||||
// Calculate expected progress percentage for this chunk
|
||||
const expectedProgress = Math.round((chunk.end / chunk.fileSize) * 100)
|
||||
|
||||
console.log(
|
||||
`${side} chunk ${chunk.chunkNumber}: ${chunk.offset}-${chunk.end}/${chunk.fileSize} ` +
|
||||
`expected=${expectedProgress}% actual=${chunk.progressPercentage}% final=${chunk.final}`
|
||||
)
|
||||
|
||||
// For the final chunk, ensure we reach exactly 100%
|
||||
if (chunk.final) {
|
||||
expect(chunk.progressPercentage).toBe(100)
|
||||
} else {
|
||||
// For non-final chunks, allow small tolerance due to rounding and UI update timing
|
||||
expect(chunk.progressPercentage).toBeGreaterThanOrEqual(expectedProgress - 2)
|
||||
expect(chunk.progressPercentage).toBeLessThanOrEqual(expectedProgress + 2)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
export async function monitorTransferProgress(
|
||||
uploaderPage: Page,
|
||||
downloaderPage: Page,
|
||||
maxChecks: number = 10,
|
||||
): Promise<ProgressMonitor> {
|
||||
let uploaderProgress = -1
|
||||
let downloaderProgress = -1
|
||||
let maxProgress = 0
|
||||
let progressChecks = 0
|
||||
|
||||
// Wait a moment for transfer to start
|
||||
await downloaderPage.waitForTimeout(500)
|
||||
|
||||
// Check that progress bars appear on both sides
|
||||
await expect(downloaderPage.locator('#progress-bar')).toBeVisible({ timeout: 5000 })
|
||||
await expect(uploaderPage.locator('#progress-bar')).toBeVisible({ timeout: 5000 })
|
||||
|
||||
while (progressChecks < maxChecks) {
|
||||
// Check downloader progress
|
||||
const downloaderProgressText = await downloaderPage.locator('#progress-percentage').textContent()
|
||||
if (downloaderProgressText) {
|
||||
const newDownloaderProgress = parseInt(downloaderProgressText.replace('%', ''))
|
||||
if (newDownloaderProgress > downloaderProgress) {
|
||||
downloaderProgress = newDownloaderProgress
|
||||
maxProgress = Math.max(maxProgress, newDownloaderProgress)
|
||||
}
|
||||
}
|
||||
|
||||
// Check uploader progress
|
||||
const uploaderProgressText = await uploaderPage.locator('#progress-percentage').textContent()
|
||||
if (uploaderProgressText) {
|
||||
const newUploaderProgress = parseInt(uploaderProgressText.replace('%', ''))
|
||||
if (newUploaderProgress > uploaderProgress) {
|
||||
uploaderProgress = newUploaderProgress
|
||||
maxProgress = Math.max(maxProgress, newUploaderProgress)
|
||||
}
|
||||
}
|
||||
|
||||
// Break if both have made significant progress or completed
|
||||
if (downloaderProgress >= 50 && uploaderProgress >= 50) {
|
||||
break
|
||||
}
|
||||
|
||||
await downloaderPage.waitForTimeout(200)
|
||||
progressChecks++
|
||||
}
|
||||
|
||||
return {
|
||||
uploaderProgress,
|
||||
downloaderProgress,
|
||||
maxProgress,
|
||||
}
|
||||
}
|
||||
Loading…
Reference in New Issue