npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@avplay/core

v0.9.9

Published

Framework-agnostic video player library powered by MediaBunny

Downloads

42

Readme

AVPlay

A framework-agnostic, TypeScript-first video player library powered by Mediabunny. AVPlay provides an ergonomic API for media playback with complete control over rendering and UI.

Features

  • Framework Agnostic - Works with React, Vue, Angular, or vanilla JavaScript
  • Complete Media Support - Video, audio, and subtitle tracks
  • Performance First - Efficient frame buffering and audio scheduling
  • Small & Tree-shakable - Only include what you use
  • UI Flexibility - You control the interface completely
  • TypeScript Native - Full type safety and excellent IDE support
  • Advanced Features - Screenshot, frame extraction, quality switching
  • Plugin System - Extend functionality easily

Installation

bun add @avplay/core
# or
npm install @avplay/core
# or
yarn add @avplay/core

Quick Start

import { AVPlay } from '@avplay/core';

// Create player instance
const player = new AVPlay({
  renderTarget: document.querySelector('canvas'),
  volume: 0.8
});

// Load media
await player.load(videoFile); // File, Blob, URL, or ArrayBuffer

// Control playback
await player.play();
player.pause();
player.currentTime = 30; // Seek to 30 seconds
player.volume = 0.5;

// Subscribe to state changes
player.subscribe(state => {
  console.log(`Time: ${state.currentTime}/${state.duration}`);
  console.log(`State: ${state.state}`);
});

// Handle events
player.on('play', () => console.log('Playing'));
player.on('pause', () => console.log('Paused'));
player.on('timeupdate', ({ currentTime }) => {
  updateProgressBar(currentTime);
});

Framework Integration Examples

React

import { useEffect, useRef, useState } from 'react';
import { AVPlay, type PlayerStateData } from '@avplay/core';

function VideoPlayer({ src }: { src: File | string }) {
  const canvasRef = useRef<HTMLCanvasElement>(null);
  const playerRef = useRef<AVPlay>();
  const [state, setState] = useState<PlayerStateData>();

  useEffect(() => {
    const player = new AVPlay({
      renderTarget: canvasRef.current!
    });

    playerRef.current = player;

    // Subscribe to state changes
    const subscription = player.subscribe(setState);

    // Load media
    player.load(src);

    return () => {
      subscription.unsubscribe();
      player.dispose();
    };
  }, [src]);

  return (
    <div>
      <canvas ref={canvasRef} />
      <div>
        <button onClick={() => playerRef.current?.play()}>Play</button>
        <button onClick={() => playerRef.current?.pause()}>Pause</button>
        <div>{state?.currentTime} / {state?.duration}</div>
      </div>
    </div>
  );
}

Vue 3

<template>
  <div>
    <canvas ref="canvasRef" />
    <div>
      <button @click="play">Play</button>
      <button @click="pause">Pause</button>
      <div>{{ currentTime }} / {{ duration }}</div>
    </div>
  </div>
</template>

<script setup lang="ts">
import { ref, onMounted, onUnmounted } from 'vue';
import { AVPlay } from '@avplay/core';

const props = defineProps<{ src: File | string }>();

const canvasRef = ref<HTMLCanvasElement>();
const player = ref<AVPlay>();
const currentTime = ref(0);
const duration = ref(0);

onMounted(async () => {
  player.value = new AVPlay({
    renderTarget: canvasRef.value
  });

  player.value.subscribe(state => {
    currentTime.value = state.currentTime;
    duration.value = state.duration;
  });

  await player.value.load(props.src);
});

onUnmounted(() => {
  player.value?.dispose();
});

const play = () => player.value?.play();
const pause = () => player.value?.pause();
</script>

Advanced Usage

Track Management

// Get available tracks
const videoTracks = player.getVideoTracks();
const audioTracks = player.getAudioTracks();

// Switch tracks
await player.selectVideoTrack(videoTracks[0].id);
await player.selectAudioTrack(audioTracks[1].id);

// Track info
videoTracks.forEach(track => {
  console.log(`${track.codec} ${track.width}x${track.height} @${track.frameRate}fps`);
});

Screenshot & Frame Extraction

// Take screenshot at current time
const blob = await player.screenshot({
  format: 'png',
  quality: 0.9
});

// Extract specific frame
player.currentTime = 10.5;
const frameBlob = await player.screenshot();

Event Handling

// All events are strongly typed
player.on('loadedmetadata', (info) => {
  console.log(`Duration: ${info.duration}`);
  console.log(`Format: ${info.format}`);
  console.log(`Has video: ${info.hasVideo}`);
  console.log(`Has audio: ${info.hasAudio}`);
});

player.on('error', (error) => {
  console.error('Playback error:', error);
});

player.on('trackchange', ({ type, trackId }) => {
  console.log(`${type} track changed to ${trackId}`);
});

Custom Rendering

// Use your own canvas
const canvas = document.createElement('canvas');
player.setRenderTarget(canvas);

// Or use OffscreenCanvas for worker rendering
const offscreen = canvas.transferControlToOffscreen();
player.setRenderTarget(offscreen);

API Reference

Constructor Options

interface PlayerOptions {
  renderTarget?: HTMLCanvasElement | OffscreenCanvas;
  audioContext?: AudioContext;
  volume?: number;
  muted?: boolean;
  playbackRate?: number;
  autoplay?: boolean;
  preload?: 'none' | 'metadata' | 'auto';
  crossOrigin?: string;
  maxCacheSize?: number;
}

Main Methods

  • load(source: MediaSource, options?: LoadOptions): Promise<void> - Load media file
  • play(): Promise<void> - Start playback
  • pause(): void - Pause playback
  • seek(time: number): Promise<void> - Seek to time
  • stop(): void - Stop playback and reset
  • screenshot(options?: ScreenshotOptions): Promise<Blob> - Take screenshot
  • dispose(): void - Clean up resources
  • destroy(): void - Destroy player completely

Properties

  • currentTime: number - Current playback position
  • duration: number - Total duration (readonly)
  • volume: number - Volume level (0-1)
  • muted: boolean - Mute state
  • playbackRate: number - Playback speed
  • paused: boolean - Pause state (readonly)
  • ended: boolean - Ended state (readonly)
  • seeking: boolean - Seeking state (readonly)

State Management

// Subscribe to all state changes
const subscription = player.subscribe(state => {
  // state contains all player state
});

// Get current state
const state = player.getState();

// Unsubscribe
subscription.unsubscribe();

Events

All events follow the pattern:

player.on(eventName, callback);
player.once(eventName, callback);
player.off(eventName, callback);

Available events:

  • loadstart, loadedmetadata, loadeddata, canplay, canplaythrough
  • play, pause, playing, ended
  • timeupdate, durationchange, volumechange, ratechange
  • seeking, seeked, waiting, progress
  • error, trackchange, qualitychange, resize

Browser Support

AVPlay requires a modern browser with support for:

  • WebCodecs API
  • Web Audio API
  • Canvas API
  • ES2022+

License

MIT

Credits

Powered by Mediabunny - the powerful media processing library for the web.