TagLib-Wasm
Guide
API Reference
Examples
NPM
JSR
GitHub
Guide
API Reference
Examples
NPM
JSR
GitHub
  • Documentation

    • taglib-wasm API Reference
    • /api/tag-name-constants.html
    • Extended Metadata with PropertyMap API
    • Runtime Compatibility
    • Memory Management
    • Performance Guide
    • Error Handling Guide
    • Implementation Guide
    • Troubleshooting Guide
    • Publishing Guide
    • Cloudflare Workers

taglib-wasm API Reference

Complete API documentation for taglib-wasm, a WebAssembly port of TagLib for JavaScript/TypeScript.

Table of Contents

  • Simple API
    • readTags()
    • applyTags()
    • updateTags()
    • readProperties()
    • Batch Processing
      • readTagsBatch()
      • readPropertiesBatch()
      • readMetadataBatch()
  • Folder API
    • scanFolder()
    • updateFolderTags()
    • findDuplicates()
    • exportFolderMetadata()
  • Full API
    • TagLib Class
    • AudioFile Class
    • Types and Interfaces
  • Workers API
  • Error Handling
  • Memory Management

Simple API

The Simple API provides the easiest way to read and write audio metadata. All functions accept file paths (string), buffers (Uint8Array), ArrayBuffers, or File objects.

readTags()

Read metadata tags from an audio file.

function readTags(
  input: string | Uint8Array | ArrayBuffer | File,
): Promise<Tag>;

Parameters

  • input: File path (string), audio data (Uint8Array/ArrayBuffer), or File object

Returns

Promise resolving to a Tag object:

interface Tag {
  title?: string;
  artist?: string;
  album?: string;
  comment?: string;
  genre?: string;
  year?: number;
  track?: number;
}

Example

// From file path (Node.js/Deno/Bun only)
const tags = await readTags("song.mp3");
console.log(tags.title, tags.artist);

// From buffer
const buffer = await Deno.readFile("song.mp3");
const tags = await readTags(buffer);

// From ArrayBuffer
const arrayBuffer = await fetch("song.mp3").then((r) => r.arrayBuffer());
const tags = await readTags(arrayBuffer);

// From File object (browsers)
const file = document.getElementById("file-input").files[0];
const tags = await readTags(file);

applyTags()

Apply metadata tags to an audio file and return the modified buffer.

function applyTags(
  input: string | Uint8Array | ArrayBuffer | File,
  tags: Partial<Tags>,
  options?: number,
): Promise<Uint8Array>;

Parameters

  • input: File path (string), audio data (Uint8Array/ArrayBuffer), or File object
  • tags: Object containing tags to apply (partial update supported, type Partial<Tag>)
  • options: Write options (optional, for go-taglib compatibility)

Returns

Promise resolving to the modified audio file as Uint8Array.

Example

// Update specific tags from file path
const modifiedBuffer = await applyTags("song.mp3", {
  title: "New Title",
  artist: "New Artist",
  year: 2024,
});

// Write the modified file
await Deno.writeFile("song-updated.mp3", modifiedBuffer);

// From File object (browsers)
const file = document.getElementById("file-input").files[0];
const modifiedBuffer = await applyTags(file, {
  title: "New Title",
  artist: "New Artist",
});

updateTags()

Update metadata tags in an audio file and save changes to disk.

function updateTags(
  file: string,
  tags: Partial<Tags>,
  options?: number,
): Promise<void>;

Parameters

  • file: File path as a string (required for disk operations)
  • tags: Object containing tags to update (partial update supported, type Partial<Tag>)
  • options: Write options (optional, for go-taglib compatibility)

Returns

Promise that resolves when the file has been successfully updated on disk.

Example

// Update tags in place
await updateTags("song.mp3", {
  title: "New Title",
  artist: "New Artist",
  year: 2024,
});
// File on disk now has updated tags

// Update only specific tags
await updateTags("song.mp3", {
  genre: "Electronic",
});

readProperties()

Read audio properties from a file.

function readProperties(
  input: string | Uint8Array | ArrayBuffer | File,
): Promise<AudioProperties>;

Parameters

  • input: File path (string), audio data (Uint8Array/ArrayBuffer), or File object

Returns

Promise resolving to an AudioProperties object:

interface AudioProperties {
  length: number; // Duration in seconds
  bitrate: number; // Bitrate in kbps
  sampleRate: number; // Sample rate in Hz
  channels: number; // Number of channels (1=mono, 2=stereo)
  codec?: string; // Audio codec (e.g., "AAC", "ALAC", "MP3", "FLAC", "PCM", "Vorbis")
  containerFormat?: string; // Container format (e.g., "MP4", "OGG", "MP3", "FLAC")
  isLossless?: boolean; // True for lossless/uncompressed formats
  bitsPerSample?: number; // Bit depth (e.g., 16, 24)
}

Example

const props = await readProperties("song.mp3");
console.log(`Duration: ${props.length}s`);
console.log(`Bitrate: ${props.bitrate} kbps`);
console.log(`Sample rate: ${props.sampleRate} Hz`);
console.log(`Channels: ${props.channels}`);
console.log(`Container: ${props.containerFormat}`);
console.log(`Codec: ${props.codec}`);
console.log(`Lossless: ${props.isLossless}`);

// Container vs Codec:
// - Container format: How audio data and metadata are packaged
// - Codec: How audio is compressed/encoded
//
// Examples:
// MP4 container (.m4a) can contain AAC or ALAC
// OGG container can contain Vorbis, Opus, FLAC, or Speex
// MP3 and FLAC are both container and codec

Batch Processing

The Simple API includes high-performance batch processing functions for efficiently handling multiple files. These functions reuse a single TagLib instance and support configurable concurrency, providing 10-20x performance improvements over sequential processing.

BatchOptions

Configuration options for batch operations:

interface BatchOptions {
  /** Number of files to process concurrently (default: 4) */
  concurrency?: number;
  /** Continue processing on errors (default: true) */
  continueOnError?: boolean;
  /** Progress callback */
  onProgress?: (processed: number, total: number, currentFile: string) => void;
}

BatchResult

Result structure for batch operations:

interface BatchResult<T> {
  /** Successful results */
  results: Array<{ file: string; data: T }>;
  /** Errors encountered */
  errors: Array<{ file: string; error: Error }>;
  /** Total processing time in milliseconds */
  duration: number;
}

readTagsBatch()

Read tags from multiple files efficiently.

function readTagsBatch(
  files: Array<string | Uint8Array | ArrayBuffer | File>,
  options?: BatchOptions,
): Promise<BatchResult<Tag>>;

Example

const files = ["song1.mp3", "song2.mp3", "song3.mp3"];
const result = await readTagsBatch(files, {
  concurrency: 8,
  onProgress: (processed, total) => {
    console.log(`${processed}/${total} files processed`);
  },
});

// Process results
for (const { file, data } of result.results) {
  console.log(`${file}: ${data.artist} - ${data.title}`);
}

// Handle errors
for (const { file, error } of result.errors) {
  console.error(`Failed to process ${file}: ${error.message}`);
}

console.log(`Completed in ${result.duration}ms`);

readPropertiesBatch()

Read audio properties from multiple files efficiently.

function readPropertiesBatch(
  files: Array<string | Uint8Array | ArrayBuffer | File>,
  options?: BatchOptions,
): Promise<BatchResult<AudioProperties | null>>;

Example

const result = await readPropertiesBatch(files, { concurrency: 4 });

for (const { file, data } of result.results) {
  if (data) {
    console.log(`${file}: ${data.length}s, ${data.bitrate}kbps`);
  }
}

readMetadataBatch()

Read tags, audio properties, cover art presence, and audio dynamics data from multiple files in a single operation. This is the most efficient method for getting complete metadata.

function readMetadataBatch(
  files: Array<string | Uint8Array | ArrayBuffer | File>,
  options?: BatchOptions,
): Promise<
  BatchResult<{
    tags: Tag;
    properties: AudioProperties | null;
    hasCoverArt: boolean;
    dynamics?: {
      replayGainTrackGain?: string;
      replayGainTrackPeak?: string;
      replayGainAlbumGain?: string;
      replayGainAlbumPeak?: string;
      appleSoundCheck?: string;
    };
  }>
>;

Example

const result = await readMetadataBatch(files, {
  concurrency: 8,
  onProgress: (processed, total, file) => {
    console.log(`Processing ${file}: ${processed}/${total}`);
  },
});

for (const { file, data } of result.results) {
  console.log(`${file}:`);
  console.log(`  Artist: ${data.tags.artist}`);
  console.log(`  Title: ${data.tags.title}`);
  console.log(`  Duration: ${data.properties?.length}s`);
  console.log(`  Bitrate: ${data.properties?.bitrate}kbps`);
  console.log(`  Has cover art: ${data.hasCoverArt}`);

  if (data.dynamics?.replayGainTrackGain) {
    console.log(`  ReplayGain: ${data.dynamics.replayGainTrackGain}`);
  }
  if (data.dynamics?.appleSoundCheck) {
    console.log(`  Sound Check: detected`);
  }
}

Performance Comparison

For 19 audio files:

  • Sequential processing: ~90 seconds (4.7s per file)
  • Batch with concurrency=4: ~8 seconds (11x faster)
  • Batch with concurrency=8: ~5 seconds (18x faster)

Folder API

The Folder API provides batch operations for processing multiple audio files in directories. This API is ideal for building music library managers, duplicate finders, and batch metadata editors.

The folder API requires filesystem access and is only available in Deno,

Node.js, and Bun environments. :::

Import

import {
  findDuplicates,
  scanFolder,
  updateFolderTags,
} from "taglib-wasm/folder";

scanFolder()

Scan a directory for audio files and read their metadata.

function scanFolder(
  folderPath: string,
  options?: FolderScanOptions,
): Promise<FolderScanResult>;

Example

const result = await scanFolder("/music", {
  recursive: true,
  concurrency: 4,
  onProgress: (processed, total, file) => {
    console.log(`Processing ${processed}/${total}: ${file}`);
  },
});

console.log(`Found ${result.totalFound} files`);
console.log(`Processed ${result.totalProcessed} successfully`);

updateFolderTags()

Update metadata for multiple files in batch.

function updateFolderTags(
  updates: Array<{ path: string; tags: Partial<Tag> }>,
  options?: { continueOnError?: boolean; concurrency?: number },
): Promise<{
  successful: number;
  failed: Array<{ path: string; error: Error }>;
  duration: number;
}>;

Example

const result = await updateFolderTags([
  { path: "/music/song1.mp3", tags: { artist: "New Artist" } },
  { path: "/music/song2.mp3", tags: { album: "New Album" } },
]);

console.log(`Updated ${result.successful} files`);

findDuplicates()

Find duplicate audio files based on metadata criteria.

function findDuplicates(
  folderPath: string,
  criteria?: Array<keyof Tag>,
): Promise<Map<string, AudioFileMetadata[]>>;

Example

const duplicates = await findDuplicates("/music", ["artist", "title"]);
for (const [key, files] of duplicates) {
  console.log(`Found ${files.length} copies of: ${key}`);
}

exportFolderMetadata()

Export folder metadata to a JSON file.

function exportFolderMetadata(
  folderPath: string,
  outputPath: string,
  options?: FolderScanOptions,
): Promise<void>;

For complete documentation, see the Folder API Reference.

Full API

The Full API provides full control over audio metadata with advanced features.

TagLib Class

Main entry point for the Full API.

TagLib.initialize()

Initialize the TagLib WebAssembly module.

static async initialize(options?: {
  wasmBinary?: ArrayBuffer | Uint8Array;
  wasmUrl?: string;
  useWorkerPool?: boolean;
  workerPoolOptions?: {
    size?: number;
    debug?: boolean;
  };
}): Promise<TagLib>
Parameters
  • options (optional): Configuration for loading the WASM module
    • wasmBinary: Pre-loaded WASM binary (for offline usage)
    • wasmUrl: Custom WASM URL
    • useWorkerPool: Enable worker pool for parallel processing
    • workerPoolOptions: Worker pool configuration
      • size: Number of workers (default: 4)
      • debug: Enable debug output (default: false)
Example
// Default initialization
const taglib = await TagLib.initialize();

// With pre-loaded WASM binary (for offline usage)
const wasmBinary = await fetch("taglib.wasm").then((r) => r.arrayBuffer());
const taglib = await TagLib.initialize({ wasmBinary });

// With custom WASM URL
const taglib = await TagLib.initialize({ wasmUrl: "/assets/taglib.wasm" });

// With worker pool enabled
const taglib = await TagLib.initialize({ useWorkerPool: true });

taglib.open()

Open an audio file from various input sources.

open(input: string | ArrayBuffer | Uint8Array | File, options?: OpenOptions): Promise<AudioFile>
Parameters
  • input: File path (string), audio data (ArrayBuffer/Uint8Array), or File object
  • options (optional): Configuration for opening the file
interface OpenOptions {
  partial?: boolean; // Enable partial loading (default: false)
  maxHeaderSize?: number; // Max header size in bytes (default: 1MB)
  maxFooterSize?: number; // Max footer size in bytes (default: 128KB)
}
Returns

Promise resolving to an AudioFile instance.

Throws
  • Error if the file format is not supported or the file is corrupted
Example
// From file path (Node.js/Deno/Bun only)
const file = await taglib.open("song.mp3");

// From buffer
const audioData = await Deno.readFile("song.mp3");
const file = await taglib.open(audioData);

// From ArrayBuffer
const arrayBuffer = await fetch("song.mp3").then((r) => r.arrayBuffer());
const file = await taglib.open(arrayBuffer);

// From File object (browsers)
const fileInput = document.getElementById("file-input").files[0];
const file = await taglib.open(fileInput);

// With partial loading for large files
const largeFile = await taglib.open("large-concert.flac", {
  partial: true,
  maxHeaderSize: 2 * 1024 * 1024, // 2MB
  maxFooterSize: 256 * 1024, // 256KB
});

taglib.updateFile()

Update tags in a file and save changes to disk in one operation. This is a convenience method that opens, modifies, saves, and closes the file.

updateFile(path: string, tags: Partial<Tag>): Promise<void>
Parameters
  • path: File path to update
  • tags: Object containing tags to update
Throws
  • Error if file operations fail
Example
await taglib.updateFile("song.mp3", {
  title: "New Title",
  artist: "New Artist",
});

taglib.copyWithTags()

Create a copy of a file with updated tags.

copyWithTags(inputPath: string, outputPath: string, tags: Partial<Tags>): Promise<void>
Parameters
  • inputPath: Path to the source audio file
  • outputPath: Path where the copy will be saved
  • tags: Tags to set on the copy
Example
await taglib.copyWithTags("original.mp3", "copy.mp3", {
  title: "Copy of Original",
  comment: "This is a copy",
});

taglib.setWorkerPool()

Enable or disable worker pool for this TagLib instance.

setWorkerPool(pool: TagLibWorkerPool | null): void

taglib.getWorkerPool()

Get the current worker pool instance.

getWorkerPool(): TagLibWorkerPool | undefined

taglib.batchOperations()

Execute batch operations on a file using the worker pool. This method provides efficient batch processing using Web Workers.

batchOperations(
  file: string | Uint8Array,
  operations: BatchOperation[]
): Promise<any>
Parameters
  • file: File path or Uint8Array
  • operations: Array of operations to execute
Example
const result = await taglib.batchOperations("song.mp3", [
  { method: "setTitle", args: ["New Title"] },
  { method: "setArtist", args: ["New Artist"] },
  { method: "save" },
]);

taglib.processFiles()

Process multiple files in parallel using the worker pool.

processFiles<T>(
  files: string[],
  operation: "readTags" | "readProperties"
): Promise<T[]>
Parameters
  • files: Array of file paths
  • operation: Operation to perform on each file
Example
const tags = await taglib.processFiles(
  ["song1.mp3", "song2.mp3", "song3.mp3"],
  "readTags",
);

taglib.version()

Get the TagLib version.

version(): string

Returns version string (e.g., "2.1.0")

AudioFile Class

Represents an open audio file with methods to read and write metadata.

Validation Methods

isValid()

Check if the file was loaded successfully.

isValid(): boolean
getFormat()

Get the audio file format.

getFormat(): FileType

Returns the detected file type:

type FileType =
  | "MP3"
  | "MP4"
  | "FLAC"
  | "OGG"
  | "WAV"
  | "AIFF"
  | "ASF"
  | "UNKNOWN";

Property Methods

audioProperties()

Get audio properties (duration, bitrate, sample rate, etc.).

audioProperties(): AudioProperties | null

Returns AudioProperties object or null if unavailable:

interface AudioProperties {
  length: number; // Duration in seconds
  bitrate: number; // Bitrate in kbps
  sampleRate: number; // Sample rate in Hz
  channels: number; // Number of channels
  bitsPerSample?: number; // Bits per sample (optional)
  codec?: string; // Audio codec (e.g., "AAC", "ALAC", "MP3", "FLAC", "PCM")
  containerFormat?: string; // Container format (e.g., "MP4", "OGG", "MP3", "FLAC")
  isLossless?: boolean; // True for lossless/uncompressed formats
}
tag()

Get the tag object for reading/writing basic metadata.

tag(): Tag

Returns a Tag object with getters and setters for metadata fields:

interface Tag {
  // Read properties
  title: string;
  artist: string;
  album: string;
  comment: string;
  genre: string;
  year: number;
  track: number;

  // Write methods
  setTitle(value: string): void;
  setArtist(value: string): void;
  setAlbum(value: string): void;
  setComment(value: string): void;
  setGenre(value: string): void;
  setYear(value: number): void;
  setTrack(value: number): void;
}
Example
const tag = file.tag();
console.log(tag.title); // Read
tag.setTitle("New Title"); // Write

Property Map Methods

properties()

Get all metadata properties as a key-value map. Includes both standard and format-specific properties.

properties(): PropertyMap

Returns:

interface PropertyMap {
  [key: string]: string;
}
setProperties()

Set multiple properties at once from a PropertyMap.

setProperties(properties: PropertyMap): void
getProperty()

Get a single property value by key.

getProperty(key: string): string | undefined
setProperty()

Set a single property value.

setProperty(key: string, value: string): void
Example
// Get all properties
const props = file.properties();
console.log(props.ALBUMARTIST);

// Set properties
file.setProperties({
  ALBUMARTIST: "Various Artists",
  COMPOSER: "Composer Name",
  BPM: "120",
});

// Single property access
const albumArtist = file.getProperty("ALBUMARTIST");
file.setProperty("ALBUMARTIST", "New Album Artist");

Picture/Cover Art Methods

getPictures()

Get all pictures/cover art from the audio file.

getPictures(): Picture[]

Returns an array of Picture objects:

interface Picture {
  mimeType: string;
  data: Uint8Array;
  type: string;
  description?: string;
}
setPictures()

Set pictures/cover art in the audio file (replaces all existing).

setPictures(pictures: Picture[]): void
addPicture()

Add a single picture to the audio file.

addPicture(picture: Picture): void
removePictures()

Remove all pictures from the audio file.

removePictures(): void
Example
// Get cover art
const pictures = file.getPictures();
if (pictures.length > 0) {
  console.log(`Found ${pictures.length} pictures`);
  const cover = pictures[0];
  console.log(`MIME type: ${cover.mimeType}`);
}

// Add new cover art
const imageData = await fetch("cover.jpg").then((r) => r.arrayBuffer());
file.addPicture({
  mimeType: "image/jpeg",
  data: new Uint8Array(imageData),
  type: "Cover (front)",
  description: "Album cover",
});

MP4-Specific Methods

isMP4()

Check if this is an MP4/M4A file.

isMP4(): boolean
getMP4Item()

Get an MP4-specific metadata item.

getMP4Item(key: string): string | undefined
Parameters
  • key: MP4 atom name (e.g., "----:com.apple.iTunes:iTunNORM")
Throws
  • Error if not an MP4 file
setMP4Item()

Set an MP4-specific metadata item.

setMP4Item(key: string, value: string): void
Parameters
  • key: MP4 atom name
  • value: Item value
Throws
  • Error if not an MP4 file
removeMP4Item()

Remove an MP4-specific metadata item.

removeMP4Item(key: string): void
Parameters
  • key: MP4 atom name to remove
Throws
  • Error if not an MP4 file
Example
if (file.isMP4()) {
  // Get Apple Sound Check data
  const soundCheck = file.getMP4Item("iTunNORM");

  // Set custom metadata
  file.setMP4Item("----:com.apple.iTunes:MyCustomField", "Custom Value");

  // Remove metadata
  file.removeMP4Item("----:com.apple.iTunes:UnwantedField");
}

AcoustID Integration

// Fingerprint methods
setAcoustIdFingerprint(fingerprint: string): void
getAcoustIdFingerprint(): string | undefined

// ID methods
setAcoustIdId(id: string): void
getAcoustIdId(): string | undefined

MusicBrainz Integration

// Track ID
setMusicBrainzTrackId(id: string): void
getMusicBrainzTrackId(): string | undefined

// Release ID
setMusicBrainzReleaseId(id: string): void
getMusicBrainzReleaseId(): string | undefined

// Artist ID
setMusicBrainzArtistId(id: string): void
getMusicBrainzArtistId(): string | undefined

Volume Normalization

ReplayGain
// Track gain/peak
setReplayGainTrackGain(gain: string): void
getReplayGainTrackGain(): string | undefined
setReplayGainTrackPeak(peak: string): void
getReplayGainTrackPeak(): string | undefined

// Album gain/peak
setReplayGainAlbumGain(gain: string): void
getReplayGainAlbumGain(): string | undefined
setReplayGainAlbumPeak(peak: string): void
getReplayGainAlbumPeak(): string | undefined
Apple Sound Check
setAppleSoundCheck(iTunNORM: string): void
getAppleSoundCheck(): string | undefined

File Operations

save()

Save changes back to the in-memory buffer.

save(): boolean

Returns true if successful, false otherwise.

Note: This modifies the in-memory representation only. To persist changes, you need to write the buffer to disk or use saveToFile().

saveToFile()

Save the modified audio file directly to disk.

saveToFile(path?: string): Promise<void>
Parameters
  • path (optional): File path where the audio file will be saved. If not provided, saves to the original file path (if available).

Smart Save for Partial Loading: When the file was opened with partial loading enabled, saveToFile() automatically loads the complete file before saving, ensuring all audio data is preserved while applying your metadata changes.

Example
const file = await taglib.open("song.mp3");
file.setTitle("New Title");
file.setArtist("New Artist");
await file.saveToFile("song-updated.mp3");
file.dispose();
getFileBuffer()

Get the current file data as a buffer, including any modifications. Call this after save() to get the updated file data.

getFileBuffer(): Uint8Array

Returns the complete audio file with any modifications.

dispose()

Clean up resources and free memory.

dispose(): void

Important: Always call dispose() when done with a file to prevent memory leaks.

Types and Interfaces

FileType

type FileType =
  | "MP3"
  | "MP4"
  | "FLAC"
  | "OGG"
  | "WAV"
  | "AIFF"
  | "ASF"
  | "UNKNOWN";

TagLibModule

The Emscripten module interface (advanced usage):

interface TagLibModule {
  HEAPU8: Uint8Array;
  allocate(buffer: ArrayBufferView, allocator: number): number;
  _malloc(size: number): number;
  _free(ptr: number): void;
  UTF8ToString(ptr: number): string;
  stringToUTF8(str: string, outPtr: number, maxBytesToWrite: number): void;
  lengthBytesUTF8(str: string): number;
  // ... additional internal methods
}

Workers API

The Full API works in Cloudflare Workers with no special configuration needed.

import { TagLib } from "taglib-wasm";

// Initialize normally - memory is automatically configured for Workers
const taglib = await TagLib.initialize();

// Use the same API as in other environments
const file = await taglib.open(audioBuffer);
const tag = file.tag();
console.log(tag.title);
file.dispose();

The WebAssembly module automatically detects the Workers environment and optimizes memory usage accordingly.

Error Handling

Error Types

taglib-wasm provides specific error types for better error handling:

TagLibInitializationError

Thrown when the Wasm module fails to initialize.

import { TagLibInitializationError } from "taglib-wasm";

try {
  const taglib = await TagLib.initialize();
} catch (error) {
  if (error instanceof TagLibInitializationError) {
    console.error("Failed to initialize TagLib:", error.message);
  }
}

UnsupportedFormatError

Thrown when attempting to open an unsupported file format.

import { SUPPORTED_FORMATS, UnsupportedFormatError } from "taglib-wasm";

try {
  const file = await taglib.open("file.xyz");
} catch (error) {
  if (error instanceof UnsupportedFormatError) {
    console.error(
      `Format not supported. Supported formats: ${
        SUPPORTED_FORMATS.join(", ")
      }`,
    );
  }
}

InvalidFormatError

Thrown when the file is corrupted or has an invalid format.

import { InvalidFormatError } from "taglib-wasm";

try {
  const file = await taglib.open(corruptedBuffer);
} catch (error) {
  if (error instanceof InvalidFormatError) {
    console.error("File is corrupted or invalid:", error.message);
    console.error("File size:", error.details?.fileSize);
  }
}

MetadataError

Thrown when metadata operations fail.

import { MetadataError } from "taglib-wasm";

try {
  const tag = file.tag();
} catch (error) {
  if (error instanceof MetadataError) {
    console.error("Failed to read metadata:", error.message);
  }
}

FileOperationError

Thrown when file system operations fail.

import { FileOperationError } from "taglib-wasm";

try {
  await file.saveToFile("/readonly/path.mp3");
} catch (error) {
  if (error instanceof FileOperationError) {
    console.error("File operation failed:", error.message);
  }
}

Error Checking Utilities

import {
  isEnvironmentError,
  isFileOperationError,
  isInvalidFormatError,
  isMemoryError,
  isMetadataError,
  isTagLibError,
  isUnsupportedFormatError,
} from "taglib-wasm";

try {
  // ... taglib operations
} catch (error) {
  if (isTagLibError(error)) {
    console.error(`TagLib error [${error.code}]: ${error.message}`);
    console.error("Details:", error.details);
  }
}

Best Practices

  1. Always check file validity:

    const file = await taglib.open(buffer);
    if (!file.isValid()) {
      throw new Error("Invalid file");
    }
    
  2. Handle save failures:

    if (!file.save()) {
      console.error("Failed to save changes");
    }
    
  3. Use try-catch for file operations:

    try {
      const file = await taglib.open("song.mp3");
      // ... operations
      file.dispose();
    } catch (error) {
      console.error("Error processing file:", error);
    }
    
  4. Always dispose of files:

    const file = await taglib.open(buffer);
    try {
      // ... operations
    } finally {
      file.dispose(); // Ensures cleanup even on error
    }
    

Tag Constants

taglib-wasm provides type-safe tag constants for better IDE support and code readability:

Using Tag Constants

import { Tags } from "taglib-wasm";

// Read properties using constants
const properties = file.properties();
const title = properties[Tags.Title]?.[0];
const albumArtist = properties[Tags.AlbumArtist]?.[0];
const musicBrainzId = properties[Tags.MusicBrainzArtistId]?.[0];

// Write properties using constants
file.setProperties({
  [Tags.Title]: ["My Song"],
  [Tags.AlbumArtist]: ["Various Artists"],
  [Tags.Bpm]: ["128"],
  [Tags.MusicBrainzTrackId]: ["12345678-90ab-cdef-1234-567890abcdef"],
});

Tag Validation

import { getAllTagNames, isValidTagName } from "taglib-wasm";

// Check if a tag name is valid
isValidTagName("TITLE"); // true
isValidTagName("INVALID_TAG"); // false

// Get all available tag names
const allTags = getAllTagNames();
console.log(`Available tags: ${allTags.length}`);

Available Constants

The Tags object provides constants for all standard tag names:

  • Basic Tags: Title, Artist, Album, Date, Genre, Comment, TrackNumber
  • Extended Tags: AlbumArtist, Composer, Bpm, Copyright, Performer
  • MusicBrainz: MusicBrainzArtistId, MusicBrainzAlbumId, MusicBrainzTrackId
  • ReplayGain: TrackGain, TrackPeak, AlbumGain, AlbumPeak
  • Sorting: TitleSort, ArtistSort, AlbumSort, AlbumArtistSort
  • And many more...

See Tag Name Constants for the complete reference.

Memory Management

Automatic Cleanup

The Simple API automatically manages memory:

// Memory is automatically cleaned up
const tags = await readTags("song.mp3");

Manual Cleanup (Full API)

With the Full API, you must manually dispose of files:

const file = await taglib.open("song.mp3");
try {
  // ... do work
} finally {
  file.dispose(); // Always dispose!
}

Memory Configuration

The WebAssembly module automatically configures memory based on your environment. For most use cases, the default configuration works well.

// Default initialization (recommended)
const taglib = await TagLib.initialize();

// With worker pool for parallel processing
const taglib = await TagLib.initialize({
  useWorkerPool: true,
  workerPoolOptions: {
    size: 4, // Number of workers
    debug: false,
  },
});

// With custom WASM URL
const taglib = await TagLib.initialize({
  wasmUrl: "/custom/path/taglib.wasm",
});

Memory Usage Guidelines

  • Base overhead: ~2-4MB for Wasm module
  • Per-file overhead: ~2x file size (for processing)
  • Recommended initial memory: 16MB for most use cases
  • Maximum memory: Set based on largest expected file size × 2

Preventing Memory Leaks

  1. Always dispose of AudioFile instances
  2. Process files sequentially in memory-constrained environments
  3. Monitor memory usage in long-running applications
  4. Use the Simple API when possible (automatic cleanup)

Complete Example

import { TagLib } from "taglib-wasm";

async function processAudioFile(filePath: string) {
  // Initialize TagLib
  const taglib = await TagLib.initialize();

  try {
    // Open file directly from path
    const file = await taglib.open(filePath);

    // Validate
    if (!file.isValid()) {
      throw new Error("Invalid audio file");
    }

    // Read current metadata
    console.log("Current tags:", file.tag());
    console.log("Format:", file.getFormat());
    console.log("Properties:", file.audioProperties());

    // Update metadata
    const tag = file.tag();
    tag.setTitle("New Title");
    tag.setArtist("New Artist");
    tag.setAlbum("New Album");
    tag.setYear(2024);

    // Add extended metadata using properties
    file.setProperties({
      ALBUMARTIST: "Various Artists",
      COMPOSER: "Composer Name",
      BPM: "120",
      REPLAYGAIN_TRACK_GAIN: "-6.5 dB",
    });

    // Add identifiers
    file.setAcoustIdFingerprint("AQADtMmybfGO8NCN...");
    file.setMusicBrainzTrackId("f4d1b6b8-8c1e-4d9a-9f2a-1234567890ab");

    // Save changes to a new file
    const outputPath = filePath.replace(/\.(\w+)$/, "-modified.$1");
    await file.saveToFile(outputPath);
    console.log("Saved to:", outputPath);

    // Clean up
    file.dispose();
  } catch (error) {
    console.error("Error:", error);
  }
}

// Usage
await processAudioFile("song.mp3");

// Alternative: Using the simple API
import { updateTags } from "taglib-wasm";

await updateTags("song.mp3", {
  title: "New Title",
  artist: "New Artist",
  album: "New Album",
  year: 2024,
});
// File on disk now has updated tags
Edit this page on GitHub
Last Updated:: 6/23/25, 2:58 AM
Contributors: Charles Wiltgen, Claude
Next
/api/tag-name-constants.html