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

react-native-unified-player

v1.0.15

Published

Unified Player

Readme


Features

| Feature | iOS | Android | |---------|:---:|:-------:| | HLS / DASH Streaming | ✅ | ✅ | | Local & Remote Files | ✅ | ✅ | | Fullscreen Mode | ✅ | ✅ | | Picture-in-Picture | ✅ | ✅ | | Background Playback | ✅ | ✅ | | Notification Controls | ✅ | ✅ | | Subtitles / Text Tracks | ✅ | ✅ | | Playback Speed Control | ✅ | ✅ | | Frame Capture | ✅ | ✅ | | DRM Support | 🔜 | 🔜 |

Why Unified Player?

  • Nitro Modules - Direct native calls without bridge overhead
  • AVPlayer & ExoPlayer - Industry-standard players under the hood
  • Declarative API - Modern React hooks-based architecture
  • TypeScript First - Full type safety out of the box

Installation

# Using yarn
yarn add react-native-unified-player react-native-nitro-modules

# Using npm
npm install react-native-unified-player react-native-nitro-modules

iOS Setup

cd ios && pod install

Android Setup

No additional configuration required.


Quick Start

import React from 'react';
import { View, StyleSheet } from 'react-native';
import { UnifiedPlayerView, useVideoPlayer } from 'react-native-unified-player';

export default function App() {
  const player = useVideoPlayer({
    uri: 'https://commondatastorage.googleapis.com/gtv-videos-bucket/sample/BigBuckBunny.mp4',
  });

  return (
    <View style={styles.container}>
      <UnifiedPlayerView
        player={player}
        style={styles.video}
        controls
      />
    </View>
  );
}

const styles = StyleSheet.create({
  container: { flex: 1, backgroundColor: '#000' },
  video: { width: '100%', aspectRatio: 16 / 9 },
});

Examples

import React, { useState } from 'react';
import { View, Text, TouchableOpacity, StyleSheet } from 'react-native';
import { UnifiedPlayerView, useVideoPlayer } from 'react-native-unified-player';

export default function PlayerWithControls() {
  const [isPlaying, setIsPlaying] = useState(false);
  const [progress, setProgress] = useState({ current: 0, duration: 0 });

  const player = useVideoPlayer({ uri: 'https://example.com/video.mp4' }, (p) => {
    p.loop = true;

    p.addEventListener('onPlaybackStateChange', ({ isPlaying }) => {
      setIsPlaying(isPlaying);
    });

    p.addEventListener('onProgress', ({ currentTime, duration }) => {
      setProgress({ current: currentTime, duration });
    });
  });

  const formatTime = (seconds: number) => {
    const mins = Math.floor(seconds / 60);
    const secs = Math.floor(seconds % 60);
    return `${mins}:${secs.toString().padStart(2, '0')}`;
  };

  return (
    <View style={styles.container}>
      <UnifiedPlayerView player={player} style={styles.video} />

      <View style={styles.controls}>
        <TouchableOpacity onPress={() => player.seekBy(-10)}>
          <Text style={styles.button}>-10s</Text>
        </TouchableOpacity>

        <TouchableOpacity onPress={() => isPlaying ? player.pause() : player.play()}>
          <Text style={styles.button}>{isPlaying ? '⏸️' : '▶️'}</Text>
        </TouchableOpacity>

        <TouchableOpacity onPress={() => player.seekBy(10)}>
          <Text style={styles.button}>+10s</Text>
        </TouchableOpacity>
      </View>

      <Text style={styles.time}>
        {formatTime(progress.current)} / {formatTime(progress.duration)}
      </Text>
    </View>
  );
}
import React, { useState } from 'react';
import { View, Button } from 'react-native';
import { UnifiedPlayerView, useVideoPlayer } from 'react-native-unified-player';

export default function FullscreenExample() {
  const [isFullscreen, setIsFullscreen] = useState(false);
  const player = useVideoPlayer({ uri: 'https://example.com/video.mp4' });

  return (
    <View style={{ flex: 1 }}>
      <UnifiedPlayerView
        player={player}
        style={{ width: '100%', aspectRatio: 16 / 9 }}
        fullscreen={isFullscreen}
        onFullscreenChange={setIsFullscreen}
      />

      <Button
        title={isFullscreen ? 'Exit Fullscreen' : 'Enter Fullscreen'}
        onPress={() => setIsFullscreen(!isFullscreen)}
      />
    </View>
  );
}
import React, { useState } from 'react';
import { View, Button, Image } from 'react-native';
import { UnifiedPlayerView, useVideoPlayer } from 'react-native-unified-player';

export default function FrameCaptureExample() {
  const [thumbnail, setThumbnail] = useState<string | null>(null);
  const player = useVideoPlayer({ uri: 'https://example.com/video.mp4' });

  const captureFrame = async () => {
    try {
      const base64 = await player.captureFrame();
      setThumbnail(`data:image/png;base64,${base64}`);
    } catch (error) {
      console.error('Capture failed:', error);
    }
  };

  return (
    <View style={{ flex: 1 }}>
      <UnifiedPlayerView
        player={player}
        style={{ width: '100%', aspectRatio: 16 / 9 }}
      />

      <Button title="Capture Frame" onPress={captureFrame} />

      {thumbnail && (
        <Image
          source={{ uri: thumbnail }}
          style={{ width: 200, height: 112, marginTop: 20 }}
        />
      )}
    </View>
  );
}
import React, { useState } from 'react';
import { View, Text, TouchableOpacity, StyleSheet } from 'react-native';
import { UnifiedPlayerView, useVideoPlayer } from 'react-native-unified-player';

const SPEEDS = [0.5, 1.0, 1.25, 1.5, 2.0];

export default function SpeedControlExample() {
  const [speed, setSpeed] = useState(1.0);
  const player = useVideoPlayer({ uri: 'https://example.com/video.mp4' });

  const changeSpeed = (newSpeed: number) => {
    player.rate = newSpeed;
    setSpeed(newSpeed);
  };

  return (
    <View style={{ flex: 1 }}>
      <UnifiedPlayerView
        player={player}
        style={{ width: '100%', aspectRatio: 16 / 9 }}
      />

      <View style={styles.speedButtons}>
        {SPEEDS.map((s) => (
          <TouchableOpacity
            key={s}
            onPress={() => changeSpeed(s)}
            style={[styles.speedBtn, speed === s && styles.activeSpeed]}
          >
            <Text>{s}x</Text>
          </TouchableOpacity>
        ))}
      </View>
    </View>
  );
}
const player = useVideoPlayer({
  uri: 'https://example.com/video.mp4',
  externalSubtitles: [
    {
      label: 'English',
      language: 'en',
      uri: 'https://example.com/subs-en.vtt',
      type: 'vtt',
    },
    {
      label: 'Spanish',
      language: 'es',
      uri: 'https://example.com/subs-es.vtt',
      type: 'vtt',
    },
  ],
});

// Get available tracks
const tracks = player.getAvailableTextTracks();

// Select a track
player.selectTextTrack(tracks[0]);

// Disable subtitles
player.selectTextTrack(null);

API Reference

useVideoPlayer(source, setup?)

Creates a video player instance.

const player = useVideoPlayer(
  { uri: 'https://example.com/video.mp4' },
  (player) => {
    // Optional setup callback
    player.loop = true;
    player.volume = 0.8;
  }
);

Source Options

| Property | Type | Description | |----------|------|-------------| | uri | string | Video URL (required) | | headers | Record<string, string> | HTTP headers for the request | | bufferConfig | BufferConfig | Buffer configuration | | externalSubtitles | ExternalSubtitle[] | External subtitle tracks |


<UnifiedPlayerView />

Video player component.

Props

| Prop | Type | Default | Description | |------|------|---------|-------------| | player | VideoPlayer | required | Player instance from useVideoPlayer | | style | ViewStyle | - | View styling | | controls | boolean | false | Show native controls | | fullscreen | boolean | false | Fullscreen mode | | autoplay | boolean | true | Auto-start playback | | resizeMode | ResizeMode | 'none' | 'contain' | 'cover' | 'stretch' | 'none' | | pictureInPicture | boolean | false | Enable PiP button | | autoEnterPictureInPicture | boolean | false | Auto-enter PiP on background | | keepScreenAwake | boolean | true | Prevent screen sleep | | surfaceType | SurfaceType | 'surface' | Android: 'surface' | 'texture' |

Events

| Event | Callback | |-------|----------| | onFullscreenChange | (isFullscreen: boolean) => void | | onPictureInPictureChange | (isInPiP: boolean) => void | | willEnterFullscreen | () => void | | willExitFullscreen | () => void | | willEnterPictureInPicture | () => void | | willExitPictureInPicture | () => void |


VideoPlayer Instance

Properties

| Property | Type | Description | |----------|------|-------------| | currentTime | number | Current position (seconds) | | duration | number | Total duration (seconds) | | volume | number | Volume (0.0 - 1.0) | | muted | boolean | Mute state | | rate | number | Playback speed (1.0 = normal) | | loop | boolean | Loop playback | | isPlaying | boolean | Playing state | | status | VideoPlayerStatus | 'idle' | 'loading' | 'readyToPlay' | 'error' |

Methods

| Method | Returns | Description | |--------|---------|-------------| | play() | void | Start playback | | pause() | void | Pause playback | | seekTo(seconds) | void | Seek to position | | seekBy(seconds) | void | Seek relative | | captureFrame() | Promise<string> | Capture frame as base64 PNG | | getAvailableTextTracks() | TextTrack[] | Get subtitle tracks | | selectTextTrack(track) | void | Select subtitle track | | release() | void | Release resources |

Events

Subscribe with player.addEventListener(event, callback):

| Event | Payload | |-------|---------| | onLoad | { currentTime, duration, width, height, orientation } | | onProgress | { currentTime, duration, bufferDuration } | | onPlaybackStateChange | { isPlaying, isBuffering } | | onStatusChange | VideoPlayerStatus | | onEnd | - | | onError | VideoRuntimeError | | onBuffer | boolean | | onSeek | number | | onPlaybackRateChange | number | | onVolumeChange | { volume, muted } |


Requirements

| Platform | Minimum Version | |----------|-----------------| | React Native | 0.76.0 | | iOS | 15.1 | | Android | SDK 24 (Android 7.0) | | Nitro Modules | 0.27.2 |


Migration from v0.x

Version 1.0.0 introduces a new architecture. Here's how to migrate:

- import { UnifiedPlayerView, UnifiedPlayer } from 'react-native-unified-player';
+ import { UnifiedPlayerView, useVideoPlayer } from 'react-native-unified-player';

- const playerRef = useRef(null);
+ const player = useVideoPlayer({ uri: videoUrl });

- <UnifiedPlayerView
-   ref={playerRef}
-   videoUrl={videoUrl}
-   onReadyToPlay={() => console.log('Ready')}
- />
+ <UnifiedPlayerView
+   player={player}
+   controls
+ />

- UnifiedPlayer.play(playerRef.current.getNativeTag());
+ player.play();

Contributing

Contributions are welcome! Please read our Contributing Guide before submitting a PR.

License

MIT © Yaşar Özyurt