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-nitro-media-metadata

v0.3.0

Published

Module to retrieve metadata from a any media (image,video,audio) supports Expo and React Native with nitro modules

Readme

react-native-nitro-media-metadata

A high-performance React Native library for extracting comprehensive video metadata across iOS and Android platforms. Built with Nitro Modules for optimal performance.

Features

  • 🎥 Extract comprehensive video metadata including duration, dimensions, codec, bitrate, and more
  • 🎵 Audio metadata extraction including duration, sample rate, channels, artist, and title
  • 🖼️ Image metadata extraction including dimensions, format, EXIF data, and orientation
  • 🌐 Cross-platform support for iOS and Android
  • High performance using native modules via Nitro Modules
  • 📱 Local and remote files support from device storage or URLs
  • 🎯 TypeScript support with full type definitions
  • 📊 Advanced metadata including HDR detection, orientation, location data, and codec details

Installation

npm install react-native-nitro-media-metadata react-native-nitro-modules

Note: react-native-nitro-modules is required as this library relies on Nitro Modules.

Additional Setup

iOS

For iOS, you need to install the pods:

cd ios && pod install

Android

No additional setup required for Android.

Expo

This library works with Expo, but requires Expo Dev Client for native module support.

Usage

Basic Usage

import { getVideoInfoAsync, getAudioInfoAsync, getImageInfoAsync } from 'react-native-nitro-media-metadata';

// Get metadata from a local video file
const videoInfo = await getVideoInfoAsync('file://path/to/video.mp4', {});
console.log('Video duration:', videoInfo.duration);

// Get metadata from an audio file
const audioInfo = await getAudioInfoAsync('file://path/to/audio.mp3', {});
console.log('Audio artist:', audioInfo.artist);

// Get metadata from an image file
const imageInfo = await getImageInfoAsync('file://path/to/image.jpg', {});
console.log('Image dimensions:', imageInfo.width, 'x', imageInfo.height);

Example with React Component

import React, { useState } from 'react';
import { View, Text, Button } from 'react-native';
import { launchImageLibrary } from 'react-native-image-picker';
import { getVideoInfoAsync } from 'react-native-nitro-media-metadata';

export default function VideoMetadataExample() {
  const [videoInfo, setVideoInfo] = useState(null);

  const pickVideo = async () => {
    try {
      const result = await launchImageLibrary({
        mediaType: 'video',
      });

      if (result.assets?.[0]?.uri) {
        const info = await getVideoInfoAsync(result.assets[0].uri, {});
        setVideoInfo(info);
      }
    } catch (error) {
      console.error('Error getting video info:', error);
    }
  };

  return (
    <View style={{ padding: 20 }}>
      <Button title="Pick Video" onPress={pickVideo} />
      {videoInfo && (
        <View>
          <Text>Duration: {videoInfo.duration}s</Text>
          <Text>Resolution: {videoInfo.width}x{videoInfo.height}</Text>
          <Text>Codec: {videoInfo.codec}</Text>
          <Text>FPS: {videoInfo.fps}</Text>
          <Text>Bitrate: {videoInfo.bitRate} bps</Text>
        </View>
      )}
    </View>
  );
}

Remote Video URL

// Get metadata from a remote video URL
const videoInfo = await getVideoInfoAsync('https://example.com/video.mp4', {
  headers: {
    Authorization: 'Bearer your-token',
  },
});

API Reference

getVideoInfoAsync(source: string, options: MediaInfoOptions): Promise<VideoInfoResult>

Parameters

  • source (string): The video source URI. Can be:

    • Local file URI: file://path/to/video.mp4
    • Remote URL: https://example.com/video.mp4
    • Asset URI from camera roll
  • options (MediaInfoOptions): Configuration options

    • headers (Record<string, string>): Optional headers for remote video requests

Return Value (Video)

Returns a promise that resolves to a VideoInfoResult object with the following properties:

| Property | Type | Description | Platform Support | | -------------------- | --------------------------- | --------------------------------------------- | ---------------------------- | | duration | number | Duration in seconds (float) | All | | hasAudio | boolean | Whether video has audio track | All | | isHDR | boolean or null | HDR video detection | iOS ≥14, Android | | width | number | Video width in pixels | All | | height | number | Video height in pixels | All | | fps | number | Frame rate (frames per second) | iOS, Android (except Safari) | | bitRate | number | Bit rate in bits per second | All | | fileSize | number | File size in bytes (0 for remote files) | All | | codec | string | Video codec | All | | orientation | string | Video orientation (Portrait, Landscape, etc.) | All | | naturalOrientation | string | Natural orientation without rotation | All | | aspectRatio | number | Aspect ratio | All | | is16_9 | boolean | Whether video is 16:9 aspect ratio | All | | audioSampleRate | number | Audio sample rate (samples per second) | All | | audioChannels | number | Audio channel count | All | | audioCodec | string | Audio codec | All | | location | VideoLocationType or null | GPS location data | iOS, Android |

getAudioInfoAsync(source: string, options: MediaInfoOptions): Promise<AudioInfoResult>

Return Value (Audio)

Returns a promise that resolves to an AudioInfoResult object:

| Property | Type | Description | Platform Support | | ------------ | -------- | --------------------------------------- | ---------------- | | duration | number | Duration in seconds (float) | All | | fileSize | number | File size in bytes | All | | codec | string | Audio codec (aac, mp3, etc.) | All | | sampleRate | number | Audio sample rate (samples per second) | All | | channels | number | Audio channel count | All | | bitRate | number | Bit rate in bits per second | All | | artist | string | Artist name | All | | title | string | Title | All | | album | string | Album name | All |

getImageInfoAsync(source: string, options: MediaInfoOptions): Promise<ImageInfoResult>

Return Value (Image)

Returns a promise that resolves to an ImageInfoResult object:

| Property | Type | Description | Platform Support | | ------------- | --------------------------- | --------------------------------------- | ---------------- | | width | number | Image width in pixels | All | | height | number | Image height in pixels | All | | fileSize | number | File size in bytes | All | | format | string | Image format (jpeg, png, etc.) | All | | orientation | string | Image orientation | All | | exif | Record<string, any> | EXIF data | All | | location | VideoLocationType or null | GPS location data | All |

VideoLocationType

type VideoLocationType = {
  latitude: number;
  longitude: number;
  altitude?: number;
};

Platform-Specific Notes

iOS Notes

  • Full metadata support including HDR detection (iOS 14+)
  • Location data extraction from video metadata
  • Excellent codec and format support

Android Notes

  • Comprehensive metadata extraction
  • HDR video detection support
  • Location data extraction

Error Handling

try {
  const videoInfo = await getVideoInfoAsync(videoUri, {});
  // Handle successful result
} catch (error) {
  console.error('Failed to get video metadata:', error);
  // Handle errors:
  // - Invalid video file
  // - Network errors for remote videos
  // - Permission issues
  // - Unsupported video format
}

Common Use Cases

1. Video Upload with Metadata

const uploadVideoWithMetadata = async (videoUri: string) => {
  const metadata = await getVideoInfoAsync(videoUri, {});

  // Upload video with metadata to your server
  await fetch('/api/upload', {
    method: 'POST',
    body: JSON.stringify({
      videoUri,
      metadata: {
        duration: metadata.duration,
        resolution: `${metadata.width}x${metadata.height}`,
        codec: metadata.codec,
        fileSize: metadata.fileSize,
      },
    }),
  });
};

2. Video Quality Assessment

const assessVideoQuality = (metadata: VideoInfoResult) => {
  const quality = {
    isHD: metadata.width >= 1280 && metadata.height >= 720,
    isHDR: metadata.isHDR === true,
    hasGoodBitrate: metadata.bitRate > 2000000, // 2 Mbps
    hasAudio: metadata.hasAudio,
  };

  return quality;
};

3. Video Processing Pipeline

const processVideo = async (videoUri: string) => {
  const metadata = await getVideoInfoAsync(videoUri, {});

  if (metadata.duration > 300) {
    // 5 minutes
    throw new Error('Video too long');
  }

  if (!metadata.hasAudio) {
    console.warn('Video has no audio track');
  }

  return {
    metadata,
    requiresProcessing: metadata.width > 1920, // Needs downscaling
  };
};

Troubleshooting

Common Issues

  1. "Module not found" error

    • Ensure react-native-nitro-modules is installed
    • Run pod install for iOS
    • Restart Metro bundler
  2. "Invalid video source" error

    • Verify the video URI is valid and accessible
    • For local files, ensure proper file permissions
    • For remote videos, check network connectivity
  3. Performance issues with large videos

    • Metadata extraction is fast, but consider using worker threads for very large files
    • Cache metadata results when possible

Debugging

Enable debug logging to see detailed information:

const videoInfo = await getVideoInfoAsync(videoUri, {});
console.log('Video metadata:', JSON.stringify(videoInfo, null, 2));

Contributing

We welcome contributions! Please see our Contributing Guide for details.

Development Workflow

  1. Fork the repository
  2. Create a feature branch
  3. Make your changes
  4. Add tests if applicable
  5. Submit a pull request

Code of Conduct

Please read our Code of Conduct before contributing.

License

MIT © Yogesh Solanki


Built with create-react-native-library and powered by Nitro Modules.