Added complete project save/load system using IndexedDB: **New Files:** - `lib/storage/db.ts` - IndexedDB database schema and operations - ProjectMetadata interface for project metadata - SerializedAudioBuffer and SerializedTrack for storage - Database initialization with projects object store - Audio buffer serialization/deserialization functions - CRUD operations for projects - `lib/storage/projects.ts` - High-level project management service - Save/load project state with tracks and settings - List all projects sorted by last updated - Delete and duplicate project operations - Track serialization with proper type conversions - Audio buffer and effect chain handling - `components/dialogs/ProjectsDialog.tsx` - Project list UI - Grid view of all projects with metadata - Project actions: Open, Duplicate, Delete - Create new project button - Empty state with call-to-action - Confirmation dialog for deletions **Key Features:** - IndexedDB stores complete project state (tracks, audio buffers, settings) - Efficient serialization of AudioBuffer channel data - Preserves all track properties (effects, automation, volume, pan) - Sample rate and duration tracking - Created/updated timestamps - Type-safe with full TypeScript support 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude <noreply@anthropic.com>
191 lines
4.2 KiB
TypeScript
191 lines
4.2 KiB
TypeScript
/**
|
|
* Project management service
|
|
*/
|
|
|
|
import type { Track } from '@/types/track';
|
|
import {
|
|
saveProject,
|
|
loadProject,
|
|
getAllProjects,
|
|
deleteProject,
|
|
serializeAudioBuffer,
|
|
deserializeAudioBuffer,
|
|
type ProjectData,
|
|
type ProjectMetadata,
|
|
type SerializedTrack,
|
|
} from './db';
|
|
import { getAudioContext } from '../audio/context';
|
|
import { generateId } from '../audio/effects/chain';
|
|
|
|
/**
|
|
* Generate unique project ID
|
|
*/
|
|
export function generateProjectId(): string {
|
|
return `project_${Date.now()}_${Math.random().toString(36).substr(2, 9)}`;
|
|
}
|
|
|
|
/**
|
|
* Convert tracks to serialized format
|
|
*/
|
|
function serializeTracks(tracks: Track[]): SerializedTrack[] {
|
|
return tracks.map(track => ({
|
|
id: track.id,
|
|
name: track.name,
|
|
color: track.color,
|
|
volume: track.volume,
|
|
pan: track.pan,
|
|
muted: track.mute,
|
|
soloed: track.solo,
|
|
collapsed: track.collapsed,
|
|
height: track.height,
|
|
audioBuffer: track.audioBuffer ? serializeAudioBuffer(track.audioBuffer) : null,
|
|
effects: track.effectChain?.effects || [],
|
|
automation: track.automation,
|
|
recordEnabled: track.recordEnabled,
|
|
}));
|
|
}
|
|
|
|
/**
|
|
* Convert serialized tracks back to Track format
|
|
*/
|
|
function deserializeTracks(serialized: SerializedTrack[]): Track[] {
|
|
const audioContext = getAudioContext();
|
|
|
|
return serialized.map(track => ({
|
|
id: track.id,
|
|
name: track.name,
|
|
color: track.color,
|
|
volume: track.volume,
|
|
pan: track.pan,
|
|
mute: track.muted,
|
|
solo: track.soloed,
|
|
collapsed: track.collapsed,
|
|
height: track.height,
|
|
audioBuffer: track.audioBuffer ? deserializeAudioBuffer(track.audioBuffer, audioContext) : null,
|
|
effectChain: {
|
|
id: generateId(),
|
|
name: `${track.name} FX`,
|
|
effects: track.effects,
|
|
},
|
|
automation: track.automation,
|
|
recordEnabled: track.recordEnabled,
|
|
selected: false,
|
|
showEffects: false,
|
|
selection: null, // Reset selection on load
|
|
}));
|
|
}
|
|
|
|
/**
|
|
* Calculate total project duration
|
|
*/
|
|
function calculateDuration(tracks: Track[]): number {
|
|
let maxDuration = 0;
|
|
|
|
for (const track of tracks) {
|
|
if (track.audioBuffer) {
|
|
maxDuration = Math.max(maxDuration, track.audioBuffer.duration);
|
|
}
|
|
}
|
|
|
|
return maxDuration;
|
|
}
|
|
|
|
/**
|
|
* Save current project state
|
|
*/
|
|
export async function saveCurrentProject(
|
|
projectId: string | null,
|
|
projectName: string,
|
|
tracks: Track[],
|
|
settings: {
|
|
zoom: number;
|
|
currentTime: number;
|
|
sampleRate: number;
|
|
},
|
|
description?: string
|
|
): Promise<string> {
|
|
const id = projectId || generateProjectId();
|
|
const now = Date.now();
|
|
|
|
const metadata: ProjectMetadata = {
|
|
id,
|
|
name: projectName,
|
|
description,
|
|
createdAt: projectId ? (await loadProject(id))?.metadata.createdAt || now : now,
|
|
updatedAt: now,
|
|
duration: calculateDuration(tracks),
|
|
sampleRate: settings.sampleRate,
|
|
trackCount: tracks.length,
|
|
};
|
|
|
|
const projectData: ProjectData = {
|
|
metadata,
|
|
tracks: serializeTracks(tracks),
|
|
settings,
|
|
};
|
|
|
|
await saveProject(projectData);
|
|
return id;
|
|
}
|
|
|
|
/**
|
|
* Load project and restore state
|
|
*/
|
|
export async function loadProjectById(projectId: string): Promise<{
|
|
tracks: Track[];
|
|
settings: {
|
|
zoom: number;
|
|
currentTime: number;
|
|
sampleRate: number;
|
|
};
|
|
metadata: ProjectMetadata;
|
|
} | null> {
|
|
const project = await loadProject(projectId);
|
|
if (!project) return null;
|
|
|
|
return {
|
|
tracks: deserializeTracks(project.tracks),
|
|
settings: project.settings,
|
|
metadata: project.metadata,
|
|
};
|
|
}
|
|
|
|
/**
|
|
* Get list of all projects
|
|
*/
|
|
export async function listProjects(): Promise<ProjectMetadata[]> {
|
|
return getAllProjects();
|
|
}
|
|
|
|
/**
|
|
* Delete a project
|
|
*/
|
|
export async function removeProject(projectId: string): Promise<void> {
|
|
return deleteProject(projectId);
|
|
}
|
|
|
|
/**
|
|
* Duplicate a project
|
|
*/
|
|
export async function duplicateProject(sourceProjectId: string, newName: string): Promise<string> {
|
|
const project = await loadProject(sourceProjectId);
|
|
if (!project) throw new Error('Project not found');
|
|
|
|
const newId = generateProjectId();
|
|
const now = Date.now();
|
|
|
|
const newProject: ProjectData = {
|
|
...project,
|
|
metadata: {
|
|
...project.metadata,
|
|
id: newId,
|
|
name: newName,
|
|
createdAt: now,
|
|
updatedAt: now,
|
|
},
|
|
};
|
|
|
|
await saveProject(newProject);
|
|
return newId;
|
|
}
|