File size: 21,180 Bytes
c09f67c | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 | # Document Processing Pipeline
## Overview
The Document Processing Pipeline automatically processes files uploaded to the Vault, extracting content, classifying documents using AI, and generating searchable metadata. The system is designed with **graceful degradation** - documents always reach a usable state even if AI classification fails, and users can retry processing at any time.
### Key Features
- **π€ AI-Powered Classification**: Uses vision and text models to extract titles, summaries, dates, and tags
- **π Graceful Degradation**: Documents complete even if AI fails - users can always access files and retry
- **β±οΈ Stale Detection**: Identifies documents stuck in processing (>10 minutes) and allows recovery
- **π Retry Functionality**: Users can reprocess failed or unclassified documents with one click
- **πΌοΈ HEIC Conversion**: Automatically converts HEIC/HEIF images to JPEG for compatibility
- **π·οΈ Tag Embeddings**: Generates semantic embeddings for document tags for better search
- **π Job Deduplication**: Prevents duplicate processing using deterministic job IDs
- **π Status Tracking**: Real-time visual feedback for processing, failed, and completed states
## Architecture
```mermaid
graph TB
subgraph dashboard [Dashboard]
Upload[File Upload]
VaultItem[VaultItem Component]
DataTable[Vault DataTable]
end
subgraph storage [Supabase Storage]
Bucket[(vault bucket)]
Trigger[Storage Trigger]
end
subgraph api [API Layer]
ProcessAPI[processDocument]
Reprocess[reprocessDocument]
end
subgraph db [Database]
Documents[(documents table)]
Tags[(document_tags)]
Embeddings[(document_tag_embeddings)]
end
subgraph worker [Worker - BullMQ]
ProcessDoc[process-document]
ClassifyDoc[classify-document]
ClassifyImg[classify-image]
EmbedTags[embed-document-tags]
end
Upload --> Bucket
Bucket --> Trigger
Trigger --> Documents
Upload -->|after upload| ProcessAPI
ProcessAPI --> ProcessDoc
ProcessDoc -->|PDF/text| ClassifyDoc
ProcessDoc -->|image| ClassifyImg
ClassifyDoc --> EmbedTags
ClassifyImg --> EmbedTags
ClassifyDoc --> Documents
ClassifyImg --> Documents
EmbedTags --> Tags
EmbedTags --> Embeddings
VaultItem -->|retry| Reprocess
DataTable -->|retry| Reprocess
Reprocess --> ProcessDoc
```
## Data Model
### Document Processing Status
The `documents` table tracks processing state:
| Status | Description | UI Display |
|--------|-------------|------------|
| `pending` | Processing in progress | Skeleton loading state |
| `completed` | Successfully processed | Shows title/summary or filename |
| `failed` | Processing failed | Red indicator + retry button |
### Document States and Visual Indicators
```mermaid
stateDiagram-v2
[*] --> pending: File uploaded
pending --> completed: Classification success
pending --> completed: Classification failed (graceful)
pending --> failed: Hard failure (retryable)
pending --> failed: Stale timeout (>10 min)
failed --> pending: User retry
completed --> pending: User retry (unclassified)
note right of pending
Shows skeleton UI
Fresh: < 10 minutes
Stale: > 10 minutes (shows retry)
end note
note right of completed
title=null: Amber indicator
title!=null: Normal display
end note
note right of failed
Red indicator
Retry button shown
end note
```
### Classification States
| State | processingStatus | title | Visual | User Action |
|-------|-----------------|-------|--------|-------------|
| Processing | `pending` | - | Skeleton | Wait |
| Stale Processing | `pending` (>10 min) | - | Amber + Retry | Click retry |
| Fully Processed | `completed` | Set | Normal | None needed |
| Needs Classification | `completed` | `null` | Amber + Retry | Click retry |
| Failed | `failed` | - | Red + Retry | Click retry |
## Processing Flow
```mermaid
sequenceDiagram
participant User
participant Storage as Supabase Storage
participant DB as Database
participant Queue as BullMQ
participant Process as process-document
participant Classify as classify-document/image
participant Embed as embed-document-tags
User->>Storage: Upload file
Storage->>DB: Create document (pending)
Storage->>Queue: Trigger process-document
Queue->>Process: Execute job
alt PDF/Text Document
Process->>Process: Extract text content
Process->>Queue: Trigger classify-document
Queue->>Classify: Execute classification
Classify->>Classify: AI classification (with timeout)
alt AI Success
Classify->>DB: Update title, summary, tags
Classify->>DB: Set status = completed
Classify->>Queue: Trigger embed-document-tags
else AI Failure (graceful)
Classify->>DB: Set status = completed (title=null)
Note over Classify,DB: User can still access file
end
else Image
Process->>Process: Convert HEIC if needed
Process->>Queue: Trigger classify-image
Queue->>Classify: Execute classification
Classify->>Classify: Vision AI classification
alt AI Success
Classify->>DB: Update title, summary, content
Classify->>DB: Set status = completed
Classify->>Queue: Trigger embed-document-tags
else AI Failure (graceful)
Classify->>DB: Set status = completed (title=null)
end
end
opt Tags exist
Queue->>Embed: Execute embedding
Embed->>DB: Upsert tags and embeddings
end
```
## Job Architecture
### Job Hierarchy
| Job | Parent | Purpose | Timeout |
|-----|--------|---------|---------|
| `process-document` | - | Orchestrates document processing | 10 min |
| `classify-document` | process-document | AI text classification | 90 sec |
| `classify-image` | process-document | AI vision classification | 90 sec + 60 sec download |
| `embed-document-tags` | classify-* | Generate tag embeddings | 30 sec |
### Job Deduplication
Jobs use deterministic IDs to prevent duplicate processing:
```typescript
// Pattern: {action}_{teamId}_{identifier}
jobId: `process-doc_${teamId}_${filePath.join("/")}`
jobId: `classify-doc_${teamId}_${fileName}`
jobId: `classify-img_${teamId}_${fileName}`
jobId: `embed-tags_${teamId}_${documentId}`
```
**Benefits:**
- Prevents race conditions when same file triggers multiple uploads
- Safe to retry - duplicate jobs are rejected by BullMQ
- Traceable job lineage in logs
### Queue Configuration
```typescript
const documentsQueueConfig = {
name: "documents",
concurrency: 10, // Conservative for memory + API rate limits
lockDuration: 660_000, // 11 minutes (> process timeout)
stalledInterval: 720_000, // 12 minutes (> lock duration)
limiter: {
max: 20, // 20 jobs/second max - prevents API burst
duration: 1000,
},
};
// Sharp memory optimization (in image-processing.ts)
sharp.cache({ memory: 256, files: 20, items: 100 }); // 256MB cache limit
sharp.concurrency(2); // Limit internal parallelism
// File size limit for HEIC
const MAX_HEIC_FILE_SIZE = 15 * 1024 * 1024; // 15MB - larger files skip AI
```
**Why concurrency of 10?**
- HEIC conversion is memory-intensive (~50-100MB per 12MP image)
- AI classification (Gemini) has rate limits - avoid 429 errors
- Matches other API-heavy queues (customers: 5, teams: 5, accounting: 10)
- With 4GB worker memory, 10 concurrent jobs has plenty of headroom
## Error Handling
### Error Categories
| Category | Retryable | Retry Delay | Examples |
|----------|-----------|-------------|----------|
| `ai_content_blocked` | No | - | Content filtered by AI safety |
| `ai_quota` | Yes | 60 sec | Quota exceeded, model overloaded |
| `rate_limit` | Yes | 30 sec | Too many requests |
| `timeout` | Yes | 5 sec | Operation timed out |
| `network` | Yes | 5 sec | Connection failed |
| `validation` | No | - | Invalid input |
| `unsupported_file_type` | No | - | ZIP, video, etc. |
### Graceful Degradation Strategy
The pipeline is designed so documents **always reach a usable state**:
```mermaid
flowchart TD
A[Start Processing] --> B{Content Extraction}
B -->|Success| C{AI Classification}
B -->|Failure| D[Complete with null values]
C -->|Success| E[Complete with metadata]
C -->|Failure| D
D --> F[User can access file]
E --> F
F --> G{User satisfied?}
G -->|Yes| H[Done]
G -->|No| I[Click Retry]
I --> A
```
**Key Principle:** A document should never be stuck. Even if AI fails:
1. Document status β `completed`
2. Title β `null` (UI shows filename + amber indicator)
3. User can download/view file
4. User can click "Retry classification"
### Failure Handling
```typescript
// In documents.config.ts - onFailed handler
onFailed: async (job, err) => {
// Handle unsupported file types (not a failure)
if (err instanceof UnsupportedFileTypeError) {
await markAsCompleted(job, filename);
return;
}
// Only mark failed on final attempt
if (job.attemptsMade >= job.opts.attempts) {
await markAsFailed(job);
}
}
```
## Reprocessing Flow
### User-Initiated Retry
```mermaid
sequenceDiagram
participant User
participant UI as VaultItem/DataTable
participant API as reprocessDocument
participant DB as Database
participant Queue as BullMQ
User->>UI: Click "Retry" button
UI->>UI: Set isReprocessing = true
UI->>API: mutate({ id })
API->>DB: Get document by ID
API->>API: Validate pathTokens exist
API->>API: Check mimetype supported
alt Unsupported mimetype
API->>DB: Set status = completed
API-->>UI: { skipped: true }
else Supported
API->>DB: Set status = pending
API->>Queue: Trigger process-document
API-->>UI: { success: true, jobId }
end
UI->>UI: Show skeleton (isReprocessing || isPending)
Note over Queue: Job processes...
Queue->>DB: Update document
DB-->>UI: React Query invalidation
UI->>UI: Clear isReprocessing
UI->>UI: Show result
```
### UI State Management
```typescript
// VaultItem component state management
const [isReprocessing, setIsReprocessing] = useState(false);
// Clear local state when document updates
useEffect(() => {
if (isReprocessing) {
if (isCompleted || isFailed || isLoading) {
setIsReprocessing(false);
}
}
}, [isReprocessing, isLoading, isFailed, data.processingStatus]);
// Handle mutation errors
const reprocessMutation = useMutation({
onSuccess: () => invalidateQueries(),
onError: () => setIsReprocessing(false), // Allow retry
});
```
## Stale Document Detection
Documents pending >10 minutes are considered "stale" and show retry option in the UI:
```typescript
const isStaleProcessing =
data.processingStatus === "pending" &&
data.createdAt &&
Date.now() - new Date(data.createdAt).getTime() > 10 * 60 * 1000;
// Show skeleton only for fresh pending (not stale)
const isLoading = data.processingStatus === "pending" && !isStaleProcessing;
// Show retry for stale processing
const showRetry = isFailed || needsClassification || isStaleProcessing;
```
This client-side detection allows users to manually retry documents that appear stuck without requiring a server-side cleanup job.
## Image Optimization
All images are resized before AI processing to optimize for speed, cost, and OCR quality.
### Why 2048px?
The `IMAGE_SIZES.MAX_DIMENSION` constant (2048px) was chosen based on research:
| Factor | Consideration |
|--------|---------------|
| **OCR Quality** | Text x-height β₯20px required for accurate OCR. 2048px preserves legibility for receipt small print (~400 DPI equivalent) |
| **AI Model Limits** | Within optimal ranges: Gemini (β€3072), GPT-4V (β€2048), Claude (β€1568) |
| **Performance** | Smaller images = fewer tokens = faster response + lower costs |
| **Aspect Ratio** | Uses `fit: "inside"` to maintain proportions without cropping |
### Image Processing Flow
```mermaid
flowchart TD
A[Image Uploaded] --> B{Is HEIC?}
B -->|Yes| C[convertHeicToJpeg]
B -->|No| D[resizeImage]
C --> E[Two-stage conversion]
E --> F{Try Sharp}
F -->|Success| G[JPEG @ 2048px]
F -->|Failure| H[heic-convert fallback]
H --> I[Sharp resize]
I --> G
D --> J{Size > 2048px?}
J -->|Yes| K[Resize to fit 2048px]
J -->|No| L[Keep original]
K --> M[Continue to AI]
L --> M
G --> M
```
### Implementation
```typescript
// image-processing.ts - Centralized image utilities
// Resize any image to fit within max dimensions
export async function resizeImage(
inputBuffer: ArrayBuffer,
mimetype: string,
logger: Logger,
options?: { maxSize?: number }
): Promise<{ buffer: Buffer; mimetype: string }> {
const maxSize = options?.maxSize ?? IMAGE_SIZES.MAX_DIMENSION; // 2048px
// Skip unsupported formats
if (!RESIZABLE_MIMETYPES.has(mimetype)) {
return { buffer: Buffer.from(inputBuffer), mimetype };
}
// Skip if already within size limits
const metadata = await sharp(Buffer.from(inputBuffer)).metadata();
if (metadata.width <= maxSize && metadata.height <= maxSize) {
return { buffer: Buffer.from(inputBuffer), mimetype };
}
// Resize maintaining aspect ratio
const buffer = await sharp(Buffer.from(inputBuffer))
.rotate()
.resize({ width: maxSize, height: maxSize, fit: "inside" })
.toBuffer();
return { buffer, mimetype };
}
// HEIC conversion with resize
export async function convertHeicToJpeg(
inputBuffer: ArrayBuffer,
logger: Logger,
options?: { maxSize?: number }
): Promise<HeicConversionResult> {
const maxSize = options?.maxSize ?? IMAGE_SIZES.MAX_DIMENSION; // 2048px
// Try sharp first (handles HEIF/HEIC + mislabeled files)
try {
const buffer = await sharp(Buffer.from(inputBuffer))
.rotate()
.resize({ width: maxSize, height: maxSize, fit: "inside" })
.toFormat("jpeg")
.toBuffer();
return { buffer, mimetype: "image/jpeg" };
} catch (sharpError) {
// Fall back to heic-convert for edge cases
// Note: heic-convert decodes to raw pixels - memory intensive!
// 12MP photo = ~48MB raw RGBA. Quality 0.8 reduces output size.
const decodedImage = await convert({
buffer: new Uint8Array(inputBuffer),
format: "JPEG",
quality: 0.8, // Reduced from 1.0 to save memory
});
const buffer = await sharp(Buffer.from(decodedImage))
.rotate()
.resize({ width: maxSize, height: maxSize, fit: "inside" })
.toFormat("jpeg")
.toBuffer();
return { buffer, mimetype: "image/jpeg" };
}
}
// In process-document.ts - graceful degradation for HEIC
// If conversion fails (e.g., OOM), document completes with fallback
try {
const { buffer: image } = await convertHeicToJpeg(buffer, logger);
// ... upload and continue
} catch (conversionError) {
// Complete with fallback - user can still see file and retry
await updateDocument({ title: filename, status: "completed" });
return;
}
```
### Supported Image Types
| Mimetype | Resize | HEIC Conversion |
|----------|--------|-----------------|
| `image/jpeg` | β
| - |
| `image/png` | β
| - |
| `image/webp` | β
| - |
| `image/gif` | β
| - |
| `image/tiff` | β
| - |
| `image/heic` | Via conversion | β
|
| `image/heif` | Via conversion | β
|
## Timeout Configuration
```typescript
// timeout.ts - Centralized timeout constants
export const TIMEOUTS = {
DOCUMENT_PROCESSING: 600_000, // 10 minutes - full pipeline
AI_CLASSIFICATION: 90_000, // 90 seconds - AI calls
CLASSIFICATION_JOB_WAIT: 180_000, // 3 minutes - parent waiting for child
FILE_DOWNLOAD: 60_000, // 1 minute - storage downloads
FILE_UPLOAD: 60_000, // 1 minute - storage uploads
EMBEDDING: 30_000, // 30 seconds - embedding generation
} as const;
// Image size constants
export const IMAGE_SIZES = {
MAX_DIMENSION: 2048, // Optimal for vision models + OCR
} as const;
// Usage with timeout wrapper
const result = await withTimeout(
classifier.classifyDocument({ content }),
TIMEOUTS.AI_CLASSIFICATION,
`Classification timed out after ${TIMEOUTS.AI_CLASSIFICATION}ms`
);
```
**Timeout Hierarchy:**
```
CLASSIFICATION_JOB_WAIT (180s) > AI_CLASSIFICATION (90s) + FILE_DOWNLOAD (60s)
```
This ensures parent jobs don't timeout while child jobs are still valid.
## Key Files Reference
| File | Purpose |
|------|---------|
| [`apps/dashboard/src/components/vault/vault-item.tsx`](../apps/dashboard/src/components/vault/vault-item.tsx) | Document card with status indicators and retry button |
| [`apps/dashboard/src/components/tables/vault/columns.tsx`](../apps/dashboard/src/components/tables/vault/columns.tsx) | Table columns with status styling and dropdown retry |
| [`apps/dashboard/src/components/tables/vault/data-table.tsx`](../apps/dashboard/src/components/tables/vault/data-table.tsx) | Table with reprocess mutation |
| [`apps/api/src/trpc/routers/documents.ts`](../apps/api/src/trpc/routers/documents.ts) | tRPC router with reprocessDocument endpoint |
| [`apps/worker/src/processors/documents/process-document.ts`](../apps/worker/src/processors/documents/process-document.ts) | Main orchestrator job |
| [`apps/worker/src/processors/documents/classify-document.ts`](../apps/worker/src/processors/documents/classify-document.ts) | AI text classification with graceful degradation |
| [`apps/worker/src/processors/documents/classify-image.ts`](../apps/worker/src/processors/documents/classify-image.ts) | AI vision classification with graceful degradation |
| [`apps/worker/src/processors/documents/embed-document-tags.ts`](../apps/worker/src/processors/documents/embed-document-tags.ts) | Tag embedding generation |
| [`apps/worker/src/queues/documents.config.ts`](../apps/worker/src/queues/documents.config.ts) | Queue configuration and failure handlers |
| [`apps/worker/src/utils/image-processing.ts`](../apps/worker/src/utils/image-processing.ts) | Image resize and HEIC conversion utilities |
| [`apps/worker/src/utils/document-update.ts`](../apps/worker/src/utils/document-update.ts) | Document update with retry for race conditions |
| [`apps/worker/src/utils/error-classification.ts`](../apps/worker/src/utils/error-classification.ts) | Error categorization and retry strategies |
| [`apps/worker/src/utils/timeout.ts`](../apps/worker/src/utils/timeout.ts) | Timeout constants and wrapper utility |
| [`packages/documents/src/classifier.ts`](../packages/documents/src/classifier.ts) | AI classification implementation |
## Design Decisions
### Why graceful degradation?
Documents should **never** be stuck in an inaccessible state. Even if AI fails:
- Users can still view/download their files
- The filename is displayed (not "Processing...")
- A clear retry option is provided
- No data is lost
This prioritizes user access over perfect metadata.
### Why mark AI failures as "completed" instead of "failed"?
We distinguish between:
- **Hard failures**: File doesn't exist, unsupported format, storage errors β `failed`
- **Soft failures**: AI classification failed β `completed` with `title=null`
Soft failures still result in a usable document. The UI shows these with an amber indicator and "Retry classification" button, differentiating them from hard failures (red indicator, "Retry processing" button).
### Why use deterministic job IDs?
Without deduplication, the same file could be processed multiple times due to:
- Supabase storage trigger retry
- User clicking retry rapidly
- Network issues causing duplicate API calls
Deterministic IDs (`process-doc:${teamId}:${path}`) ensure BullMQ rejects duplicate jobs automatically.
### Why 10-minute stale threshold?
The processing pipeline has these timeouts:
- Full pipeline: 10 minutes
- AI classification: 90 seconds
- File operations: 60 seconds each
If a document is still "pending" after 10 minutes, something went wrong. The threshold gives ample time for legitimate processing while catching stuck jobs.
### Why separate classify-document and classify-image jobs?
Different processing requirements:
- **Documents**: Text extraction β AI text classification
- **Images**: Direct vision API classification (no text extraction)
Separating them allows:
- Different timeout configurations
- Different error handling
- Independent scaling
- Clearer job logs
### Why fire-and-forget for embed-document-tags?
Tag embedding is an **enrichment** step, not a critical path:
- Document is already classified and usable
- Tag embedding improves search but isn't required
- Failure shouldn't mark the document as failed
- Can be retried independently in the future
The failure handler explicitly skips status updates for `documentId`-based jobs (embed-document-tags).
|