mirror of
https://github.com/Comfy-Org/ComfyUI_frontend.git
synced 2026-04-20 14:30:41 +00:00
## Summary - Extend `AssetsSidebarTab` page object with selectors for search, view mode, asset cards, selection footer, context menu, and folder view navigation - Add mock data factories (`createMockJob`, `createMockJobs`, `createMockImportedFiles`) to `AssetsHelper` for generating realistic test fixtures - Write 30 E2E test cases across 10 categories covering the Assets browser sidebar panel ## Test coverage added | Category | Tests | Details | |----------|-------|---------| | Empty states | 3 | Generated/Imported empty copy, zero cards | | Tab navigation | 3 | Default tab, switching, search reset on tab change | | Grid view display | 2 | Generated card rendering, Imported tab assets | | View mode toggle | 2 | Grid↔List switching via settings menu | | Search | 4 | Input visibility, filtering, clearing, no-match state | | Selection | 5 | Click select, Ctrl+click multi, footer, deselect all, tab-switch clear | | Context menu | 7 | Right-click menu, Download/Inspect/Delete/CopyJobID/Workflow actions, bulk menu | | Bulk actions | 3 | Download/Delete buttons, selection count display | | Pagination | 1 | Large job set initial load | | Settings menu | 1 | View mode options visibility | ## Context Part of [FixIt Burndown](https://www.notion.so/comfy-org/FixIt-Burndown-32e6d73d365080609a81cdc9bc884460) — "Untested Side Panels: Assets browser" assigned to @dante01yoon. ## Test plan - [ ] Run `npx playwright test browser_tests/tests/sidebar/assets.spec.ts` against local ComfyUI backend - [ ] Verify all 30 tests pass - [ ] CI green ┆Issue is synchronized with this [Notion page](https://www.notion.so/PR-10616-test-assets-sidebar-add-comprehensive-E2E-tests-for-Assets-browser-panel-3306d73d365081eeb237e559f56689bf) by [Unito](https://www.unito.io)
205 lines
5.5 KiB
TypeScript
205 lines
5.5 KiB
TypeScript
import type { Page, Route } from '@playwright/test'
|
|
|
|
import type { RawJobListItem } from '../../../src/platform/remote/comfyui/jobs/jobTypes'
|
|
|
|
const jobsListRoutePattern = /\/api\/jobs(?:\?.*)?$/
|
|
const inputFilesRoutePattern = /\/internal\/files\/input(?:\?.*)?$/
|
|
|
|
/** Factory to create a mock completed job with preview output. */
|
|
export function createMockJob(
|
|
overrides: Partial<RawJobListItem> & { id: string }
|
|
): RawJobListItem {
|
|
const now = Date.now() / 1000
|
|
return {
|
|
status: 'completed',
|
|
create_time: now,
|
|
execution_start_time: now,
|
|
execution_end_time: now + 5,
|
|
preview_output: {
|
|
filename: `output_${overrides.id}.png`,
|
|
subfolder: '',
|
|
type: 'output',
|
|
nodeId: '1',
|
|
mediaType: 'images'
|
|
},
|
|
outputs_count: 1,
|
|
priority: 0,
|
|
...overrides
|
|
}
|
|
}
|
|
|
|
/** Create multiple mock jobs with sequential IDs and staggered timestamps. */
|
|
export function createMockJobs(
|
|
count: number,
|
|
baseOverrides?: Partial<RawJobListItem>
|
|
): RawJobListItem[] {
|
|
const now = Date.now() / 1000
|
|
return Array.from({ length: count }, (_, i) =>
|
|
createMockJob({
|
|
id: `job-${String(i + 1).padStart(3, '0')}`,
|
|
create_time: now - i * 60,
|
|
execution_start_time: now - i * 60,
|
|
execution_end_time: now - i * 60 + 5 + i,
|
|
preview_output: {
|
|
filename: `image_${String(i + 1).padStart(3, '0')}.png`,
|
|
subfolder: '',
|
|
type: 'output',
|
|
nodeId: '1',
|
|
mediaType: 'images'
|
|
},
|
|
...baseOverrides
|
|
})
|
|
)
|
|
}
|
|
|
|
/** Create mock imported file names with various media types. */
|
|
export function createMockImportedFiles(count: number): string[] {
|
|
const extensions = ['png', 'jpg', 'mp4', 'wav', 'glb', 'txt']
|
|
return Array.from(
|
|
{ length: count },
|
|
(_, i) =>
|
|
`imported_${String(i + 1).padStart(3, '0')}.${extensions[i % extensions.length]}`
|
|
)
|
|
}
|
|
|
|
function parseLimit(url: URL, total: number): number {
|
|
const value = Number(url.searchParams.get('limit'))
|
|
if (!Number.isInteger(value) || value <= 0) {
|
|
return total
|
|
}
|
|
return value
|
|
}
|
|
|
|
function parseOffset(url: URL): number {
|
|
const value = Number(url.searchParams.get('offset'))
|
|
if (!Number.isInteger(value) || value < 0) {
|
|
return 0
|
|
}
|
|
return value
|
|
}
|
|
|
|
function getExecutionDuration(job: RawJobListItem): number {
|
|
const start = job.execution_start_time ?? 0
|
|
const end = job.execution_end_time ?? 0
|
|
return end - start
|
|
}
|
|
|
|
export class AssetsHelper {
|
|
private jobsRouteHandler: ((route: Route) => Promise<void>) | null = null
|
|
private inputFilesRouteHandler: ((route: Route) => Promise<void>) | null =
|
|
null
|
|
private generatedJobs: RawJobListItem[] = []
|
|
private importedFiles: string[] = []
|
|
|
|
constructor(private readonly page: Page) {}
|
|
|
|
async mockOutputHistory(jobs: RawJobListItem[]): Promise<void> {
|
|
this.generatedJobs = [...jobs]
|
|
|
|
if (this.jobsRouteHandler) {
|
|
return
|
|
}
|
|
|
|
this.jobsRouteHandler = async (route: Route) => {
|
|
const url = new URL(route.request().url())
|
|
const statuses = url.searchParams
|
|
.get('status')
|
|
?.split(',')
|
|
.map((status) => status.trim())
|
|
.filter(Boolean)
|
|
const workflowId = url.searchParams.get('workflow_id')
|
|
const sortBy = url.searchParams.get('sort_by')
|
|
const sortOrder = url.searchParams.get('sort_order') === 'asc' ? 1 : -1
|
|
|
|
let filteredJobs = [...this.generatedJobs]
|
|
|
|
if (statuses?.length) {
|
|
filteredJobs = filteredJobs.filter((job) =>
|
|
statuses.includes(job.status)
|
|
)
|
|
}
|
|
|
|
if (workflowId) {
|
|
filteredJobs = filteredJobs.filter(
|
|
(job) => job.workflow_id === workflowId
|
|
)
|
|
}
|
|
|
|
filteredJobs.sort((left, right) => {
|
|
const leftValue =
|
|
sortBy === 'execution_duration'
|
|
? getExecutionDuration(left)
|
|
: left.create_time
|
|
const rightValue =
|
|
sortBy === 'execution_duration'
|
|
? getExecutionDuration(right)
|
|
: right.create_time
|
|
|
|
return (leftValue - rightValue) * sortOrder
|
|
})
|
|
|
|
const offset = parseOffset(url)
|
|
const total = filteredJobs.length
|
|
const limit = parseLimit(url, total)
|
|
const visibleJobs = filteredJobs.slice(offset, offset + limit)
|
|
|
|
await route.fulfill({
|
|
status: 200,
|
|
contentType: 'application/json',
|
|
body: JSON.stringify({
|
|
jobs: visibleJobs,
|
|
pagination: {
|
|
offset,
|
|
limit,
|
|
total,
|
|
has_more: offset + visibleJobs.length < total
|
|
}
|
|
})
|
|
})
|
|
}
|
|
|
|
await this.page.route(jobsListRoutePattern, this.jobsRouteHandler)
|
|
}
|
|
|
|
async mockInputFiles(files: string[]): Promise<void> {
|
|
this.importedFiles = [...files]
|
|
|
|
if (this.inputFilesRouteHandler) {
|
|
return
|
|
}
|
|
|
|
this.inputFilesRouteHandler = async (route: Route) => {
|
|
await route.fulfill({
|
|
status: 200,
|
|
contentType: 'application/json',
|
|
body: JSON.stringify(this.importedFiles)
|
|
})
|
|
}
|
|
|
|
await this.page.route(inputFilesRoutePattern, this.inputFilesRouteHandler)
|
|
}
|
|
|
|
async mockEmptyState(): Promise<void> {
|
|
await this.mockOutputHistory([])
|
|
await this.mockInputFiles([])
|
|
}
|
|
|
|
async clearMocks(): Promise<void> {
|
|
this.generatedJobs = []
|
|
this.importedFiles = []
|
|
|
|
if (this.jobsRouteHandler) {
|
|
await this.page.unroute(jobsListRoutePattern, this.jobsRouteHandler)
|
|
this.jobsRouteHandler = null
|
|
}
|
|
|
|
if (this.inputFilesRouteHandler) {
|
|
await this.page.unroute(
|
|
inputFilesRoutePattern,
|
|
this.inputFilesRouteHandler
|
|
)
|
|
this.inputFilesRouteHandler = null
|
|
}
|
|
}
|
|
}
|