- Overview
- Installation
- Quick Start
- API Reference
- Configuration Options
- Platform Setup
- Advanced Features
- Examples
- Troubleshooting
A powerful, easy-to-use video and audio trimming library for React Native applications.
- 📹 Video & Audio Support - Trim both video and audio files with waveform visualization
- 🔄 Flip, Rotate & Crop - Built-in video transforms with undo/redo support
- 🎯 Precise Trimming - Optional frame-accurate cuts via hardware-accelerated re-encoding
- 🔇 Mute / Remove Audio - Strip audio track via editor toggle or headless option
- ⏩ Speed Adjustment - Change playback speed (0.25x–4x) in editor or headless
- 🗜️ Video Compression - Reduce file size with quality presets or custom bitrate/resolution
- 🖼️ Frame Extraction - Extract a single frame as JPEG/PNG at any timestamp
- 🎵 Extract Audio - Pull the audio track out of a video file
- 🎞️ GIF Conversion - Convert a video segment to an animated GIF
- 🔗 Video Merge - Concatenate multiple clips into a single file (headless)
- 🌐 Local & Remote Files - Support for local storage and HTTPS URLs
- 💾 Multiple Save Options - Photos, Documents, or Share to other apps
- ✅ File Validation - Built-in validation for media files
- 🗂️ File Management - List, clean up, and delete specific files
- 🔄 Universal Architecture - Works with both New and Old React Native architectures
- 🎨 Dark & Light Theme - Built-in dark and light theme support
| Feature | Description |
|---|---|
| Trimming | Video/audio trimming with visual timeline controls and audio waveform |
| Transforms | Horizontal flip, 90° rotation, and freeform crop with undo/redo |
| Precise Trimming | Frame-accurate cuts using hardware re-encoding (opt-in) |
| Mute Audio | Strip audio track from output — editor toggle + headless option |
| Speed Control | 0.25x–4x playback speed — editor selector + headless option |
| Compression | Reduce file size via quality presets or custom bitrate/resolution |
| Frame Extraction | Extract a single frame as JPEG/PNG at a given timestamp |
| Audio Extraction | Extract the audio track from a video into a separate file |
| GIF Conversion | Convert a video segment to an animated GIF with palette optimization |
| Video Merge | Concatenate multiple clips into one file (headless API) |
| Validation | Check if files are valid video/audio before processing |
| Save Options | Photos, Documents, Share sheet integration |
| File Management | Complete file lifecycle management |
| Customization | Extensive UI and behavior customization |
| Theming | Dark and light theme with automatic color adaptation |
npm install react-native-video-trim
# or
yarn add react-native-video-trim📱 iOS Setup (React Native CLI)
npx pod-install iosPermissions Required:
- For saving to Photos: Add
NSPhotoLibraryUsageDescriptiontoInfo.plist
🤖 Android Setup (React Native CLI)
For New Architecture:
cd android && ./gradlew generateCodegenArtifactsFromSchemaPermissions Required:
- For saving to Photos: Add to
AndroidManifest.xml:
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />For Share Sheet functionality, add to AndroidManifest.xml:
<application>
<!-- your other configs -->
<provider
android:name="androidx.core.content.FileProvider"
android:authorities="${applicationId}.provider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/file_paths" />
</provider>
</application>Create android/app/src/main/res/xml/file_paths.xml:
<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
<files-path name="internal_files" path="." />
<cache-path name="cache_files" path="." />
<external-path name="external_files" path="." />
</paths>🔧 Expo Setup
npx expo prebuildThen rebuild your app. Note: Expo Go may not work due to native dependencies - use development builds or expo run:ios/expo run:android.
Get up and running in 3 simple steps:
import { showEditor } from 'react-native-video-trim';
// 1. Basic usage - open video editor
showEditor(videoUrl);
// 2. With duration limit
showEditor(videoUrl, {
maxDuration: 20,
});
// 3. With save options
showEditor(videoUrl, {
maxDuration: 30,
saveToPhoto: true,
openShareSheetOnFinish: true,
});import { showEditor } from 'react-native-video-trim';
import { launchImageLibrary } from 'react-native-image-picker';
const trimVideo = () => {
// Pick a video
launchImageLibrary({ mediaType: 'video' }, (response) => {
if (response.assets && response.assets[0]) {
const videoUri = response.assets[0].uri;
// Open editor
showEditor(videoUri, {
maxDuration: 60, // 60 seconds max
saveToPhoto: true,
});
}
});
};💡 More Examples: Check the example folder for complete implementation details with event listeners for both New and Old architectures.
Opens the video trimmer interface.
showEditor(videoPath: string, config?: EditorConfig): voidParameters:
videoPath(string): Path to video file (local or remote HTTPS URL)config(EditorConfig, optional): Configuration options (see Configuration Options)
Example:
showEditor('/path/to/video.mp4', {
maxDuration: 30,
saveToPhoto: true,
});Programmatically trim a video without showing the UI.
trim(url: string, options: TrimOptions): Promise<TrimResult>Returns: Promise resolving to the TrimResult interface
Example:
const outputPath = await trim('/path/to/video.mp4', {
startTime: 5000, // 5 seconds
endTime: 25000, // 25 seconds
});Extract a single video frame as a JPEG or PNG image.
getFrameAt(url: string, options?: Partial<FrameExtractionOptions>): Promise<FrameResult>Options:
| Option | Type | Default | Description |
|---|---|---|---|
time |
number |
0 |
Timestamp in milliseconds |
format |
string |
"jpeg" |
Output format: "jpeg" or "png" |
quality |
number |
80 |
JPEG quality (0–100). Ignored for PNG |
maxWidth |
number |
-1 |
Max width in pixels (-1 for original) |
maxHeight |
number |
-1 |
Max height in pixels (-1 for original) |
Example:
import { getFrameAt } from 'react-native-video-trim';
const { outputPath } = await getFrameAt('/path/to/video.mp4', {
time: 5000, // 5 seconds
format: 'jpeg',
quality: 90,
maxWidth: 640,
});Extract the audio track from a video file into a separate audio file.
extractAudio(url: string, options?: Partial<ExtractAudioOptions>): Promise<ExtractAudioResult>Options:
| Option | Type | Default | Description |
|---|---|---|---|
outputExt |
string |
"m4a" |
Output format: "m4a", "wav", "mp3" (requires FFmpegKit with libmp3lame), etc. |
Returns: { outputPath: string, duration: number } (duration in milliseconds)
Example:
import { extractAudio } from 'react-native-video-trim';
const { outputPath, duration } = await extractAudio('/path/to/video.mp4', {
outputExt: 'm4a',
});Compress a video file to reduce its size.
compress(url: string, options?: Partial<CompressOptions>): Promise<CompressResult>Options:
| Option | Type | Default | Description |
|---|---|---|---|
quality |
string |
"medium" |
Preset: "low", "medium", or "high" |
bitrate |
number |
-1 |
Explicit bitrate in bps. Overrides quality when set |
width |
number |
-1 |
Target width (-1 to keep original) |
height |
number |
-1 |
Target height (-1 to keep original) |
frameRate |
number |
-1 |
Target frame rate (-1 to keep original) |
outputExt |
string |
"mp4" |
Output file extension |
removeAudio |
boolean |
false |
Strip audio from the output |
Example:
import { compress } from 'react-native-video-trim';
// Quality preset
const { outputPath } = await compress('/path/to/video.mp4', {
quality: 'medium',
});
// Custom settings
const { outputPath } = await compress('/path/to/video.mp4', {
width: 720,
bitrate: 2_000_000,
removeAudio: true,
});Convert a video segment to an animated GIF using FFmpeg's palette-based encoding for good quality.
toGif(url: string, options?: Partial<GifOptions>): Promise<GifResult>Options:
| Option | Type | Default | Description |
|---|---|---|---|
startTime |
number |
0 |
Start time in milliseconds |
endTime |
number |
-1 |
End time in milliseconds (-1 for end of video) |
fps |
number |
10 |
Frame rate of the GIF |
width |
number |
-1 |
Width in pixels (-1 for original). Height auto-scales |
Example:
import { toGif } from 'react-native-video-trim';
const { outputPath } = await toGif('/path/to/video.mp4', {
startTime: 2000,
endTime: 7000,
fps: 15,
width: 320,
});Concatenate multiple media files into a single file. Headless only (no editor UI).
merge(urls: string[], options?: Partial<MergeOptions>): Promise<MergeResult>Options:
| Option | Type | Default | Description |
|---|---|---|---|
outputExt |
string |
"mp4" |
Output file extension |
Returns: { outputPath: string, duration: number } (duration in milliseconds)
Note: Merge uses FFmpeg's concat filter with hardware-accelerated re-encoding (h264_videotoolbox on iOS, h264_mediacodec on Android). Input clips can have different codecs, resolutions, or frame rates — each input is automatically scaled, padded (letterboxed/pillarboxed), and frame-rate-normalized to match the first clip's dimensions and fps (capped at 30 fps). The output bitrate matches the highest-quality input to preserve quality.
Limitation: Only local file paths are supported. Remote URLs are not supported because the default FFmpegKit build does not include OpenSSL.
Example:
import { merge } from 'react-native-video-trim';
const { outputPath, duration } = await merge([
'/path/to/clip1.mp4',
'/path/to/clip2.mp4',
'/path/to/clip3.mp4',
]);Standalone functions for saving, sharing, or exporting any output file. These work with output from any API (compress, toGif, merge, trim, etc.).
| Method | Description | Returns |
|---|---|---|
saveToPhoto(filePath) |
Save a file to the device's photo library (requires permission) | Promise<SaveToPhotoResult> |
saveToDocuments(filePath) |
Open the system document picker to save a file | Promise<SaveToDocumentsResult> |
share(filePath) |
Open the system share sheet for a file | Promise<ShareResult> |
Examples:
import { compress, saveToPhoto, share, deleteFile } from 'react-native-video-trim';
// Compress then save to photo library
const { outputPath } = await compress('/path/to/video.mp4', { quality: 'medium' });
await saveToPhoto(outputPath);
await deleteFile(outputPath);
// Merge then share
const { outputPath: merged } = await merge(['/clip1.mp4', '/clip2.mp4']);
await share(merged);Note: Headless API outputs (
getFrameAt,extractAudio,compress,toGif,merge) are written to the cache directory, which the OS may purge under storage pressure when your app is not running. Files fromshowEditorandtrimare written to the persistent documents directory. For all outputs, calldeleteFile(outputPath)when you are done with the file, or usecleanFiles()periodically to free space.
| Method | Description | Returns |
|---|---|---|
isValidFile(videoPath) |
Check if file is valid video/audio | Promise<boolean> |
listFiles() |
List all generated output files | Promise<string[]> |
cleanFiles() |
Delete all generated files | Promise<number> |
deleteFile(filePath) |
Delete specific file | Promise<boolean> |
closeEditor() |
Close the editor interface | void |
Examples:
// Validate file before processing
const isValid = await isValidFile('/path/to/video.mp4');
if (!isValid) {
console.log('Invalid video file');
return;
}
// Clean up generated files
const deletedCount = await cleanFiles();
console.log(`Deleted ${deletedCount} files`);All configuration options are optional. Here are the most commonly used ones:
| Option | Type | Default | Description |
|---|---|---|---|
type |
'video' | 'audio' |
'video' |
Media type to trim |
outputExt |
string |
'mp4' |
Output file extension |
maxDuration |
number |
video duration |
Maximum duration in milliseconds |
minDuration |
number |
1000 |
Minimum duration in milliseconds |
autoplay |
boolean |
false |
Auto-play media on load |
jumpToPositionOnLoad |
number |
- | Initial position in milliseconds |
removeAudio |
boolean |
false |
Strip the audio track from the output (see Mute Audio) |
speed |
number |
1.0 |
Playback speed multiplier (0.25–4.0). Forces re-encoding when ≠ 1.0 (see Speed Adjustment) |
| Option | Type | Default | Description |
|---|---|---|---|
saveToPhoto |
boolean |
false |
Save to photo gallery (requires permissions) |
openDocumentsOnFinish |
boolean |
false |
Open document picker when done |
openShareSheetOnFinish |
boolean |
false |
Open share sheet when done |
removeAfterSavedToPhoto |
boolean |
false |
Delete file after saving to photos |
removeAfterFailedToSavePhoto |
boolean |
false |
Delete file if saving to photos fails |
removeAfterSavedToDocuments |
boolean |
false |
Delete file after saving to documents |
removeAfterFailedToSaveDocuments |
boolean |
false |
Delete file if saving to documents fails |
removeAfterShared |
boolean |
false |
Delete file after sharing (iOS only) |
removeAfterFailedToShare |
boolean |
false |
Delete file if sharing fails (iOS only) |
| Option | Type | Default | Description |
|---|---|---|---|
theme |
'dark' | 'light' |
'dark' |
Editor color theme (see Theming) |
cancelButtonText |
string |
"Cancel" |
Cancel button text |
saveButtonText |
string |
"Save" |
Save button text |
trimmingText |
string |
"Trimming video..." |
Progress dialog text |
headerText |
string |
- | Header text |
headerTextSize |
number |
16 |
Header text size |
headerTextColor |
string |
- | Header text color (defaults to black in light theme, white in dark theme) |
trimmerColor |
string |
- | Trimmer bar color |
handleIconColor |
string |
- | Trimmer left/right handles color (defaults to black in light theme, white in dark theme) |
fullScreenModalIOS |
boolean |
false |
Use fullscreen modal on iOS |
These options only apply when type: 'audio'. The waveform replaces the thumbnail track with a bar visualization of the audio amplitude.
| Option | Type | Default | Description |
|---|---|---|---|
waveformColor |
string |
"white" |
Fill color of the waveform bars |
waveformBackgroundColor |
string |
"#3478F6" |
Background color behind the bars |
waveformBarWidth |
number |
3 |
Width of each bar in dp/pt |
waveformBarGap |
number |
2 |
Gap between bars in dp/pt |
waveformBarCornerRadius |
number |
1.5 |
Corner radius of each bar in dp/pt |
Cancel Dialog
| Option | Type | Default | Description |
|---|---|---|---|
enableCancelDialog |
boolean |
true |
Show confirmation dialog on cancel |
cancelDialogTitle |
string |
"Warning!" |
Cancel dialog title |
cancelDialogMessage |
string |
"Are you sure want to cancel?" |
Cancel dialog message |
cancelDialogCancelText |
string |
"Close" |
Cancel dialog cancel button text |
cancelDialogConfirmText |
string |
"Proceed" |
Cancel dialog confirm button text |
Save Dialog
| Option | Type | Default | Description |
|---|---|---|---|
enableSaveDialog |
boolean |
true |
Show confirmation dialog on save |
saveDialogTitle |
string |
"Confirmation!" |
Save dialog title |
saveDialogMessage |
string |
"Are you sure want to save?" |
Save dialog message |
saveDialogCancelText |
string |
"Close" |
Save dialog cancel button text |
saveDialogConfirmText |
string |
"Proceed" |
Save dialog confirm button text |
Trimming Cancel Dialog
| Option | Type | Default | Description |
|---|---|---|---|
enableCancelTrimming |
boolean |
true |
Enable cancel during trimming |
cancelTrimmingButtonText |
string |
"Cancel" |
Cancel trimming button text |
enableCancelTrimmingDialog |
boolean |
true |
Show cancel trimming confirmation |
cancelTrimmingDialogTitle |
string |
"Warning!" |
Cancel trimming dialog title |
cancelTrimmingDialogMessage |
string |
"Are you sure want to cancel trimming?" |
Cancel trimming dialog message |
cancelTrimmingDialogCancelText |
string |
"Close" |
Cancel trimming dialog cancel button |
cancelTrimmingDialogConfirmText |
string |
"Proceed" |
Cancel trimming dialog confirm button |
Error Dialog
| Option | Type | Default | Description |
|---|---|---|---|
alertOnFailToLoad |
boolean |
true |
Show alert dialog on load failure |
alertOnFailTitle |
string |
"Error" |
Error dialog title |
alertOnFailMessage |
string |
"Fail to load media..." |
Error dialog message |
alertOnFailCloseText |
string |
"Close" |
Error dialog close button text |
| Option | Type | Default | Description |
|---|---|---|---|
enableHapticFeedback |
boolean |
true |
Enable haptic feedback |
closeWhenFinish |
boolean |
true |
Close editor when done |
enablePreciseTrimming |
boolean |
false |
Re-encode for frame-accurate cuts (slower, see Precise Frame Trimming) |
changeStatusBarColorOnOpen |
boolean |
false |
Change status bar color (Android only) |
zoomOnWaitingDuration |
number |
5000 |
Duration for zoom-on-waiting feature in milliseconds (default: 5000) |
showEditor(videoPath, {
// Basic settings
maxDuration: 60000,
minDuration: 3000,
// Save options
saveToPhoto: true,
openShareSheetOnFinish: true,
removeAfterSavedToPhoto: true,
// Audio & speed
removeAudio: false,
speed: 1.0,
// UI customization
theme: 'light',
headerText: "Trim Your Video",
cancelButtonText: "Back",
saveButtonText: "Done",
trimmerColor: "#007AFF",
// Behavior
autoplay: true,
enableCancelTrimming: true,
});You can override SDK versions in android/build.gradle:
buildscript {
ext {
VideoTrim_kotlinVersion = '2.0.21'
VideoTrim_minSdkVersion = 24
VideoTrim_targetSdkVersion = 34
VideoTrim_compileSdkVersion = 35
VideoTrim_ndkVersion = '27.1.12297006'
}
}Strip the audio track from the output. Available in both the editor UI and headless APIs.
Editor UI: A mute toggle button appears in the toolbar (speaker icon). Tap to toggle audio on/off. The mute state carries over to the exported file.
Headless / Config: Set removeAudio: true on showEditor(), trim(), or compress().
// Editor with audio muted by default
showEditor(videoUrl, {
removeAudio: true,
});
// Headless trim without audio
const result = await trim(videoUrl, {
startTime: 0,
endTime: 10000,
removeAudio: true,
});Change the playback speed of the output (0.25x to 4x). Available in both the editor UI and headless APIs.
Editor UI: A speed button appears in the toolbar showing the current speed (e.g. "1x"). Tap to open a native speed menu — UIMenu on iOS 14+ (with UIAlertController fallback on older versions), PopupMenu on Android. Choose from: 0.25x, 0.5x, 1x, 1.5x, 2x, 3x, 4x. The preview updates in real time, and the selected speed is applied during export.
Headless / Config: Set the speed option. When speed ≠ 1.0, re-encoding is automatically forced (video via setpts filter, audio via atempo chain).
// Editor starting at 2x speed
showEditor(videoUrl, {
speed: 2.0,
});
// Headless trim at half speed
const result = await trim(videoUrl, {
startTime: 0,
endTime: 30000,
speed: 0.5,
});Note: Speed adjustment forces re-encoding regardless of the
enablePreciseTrimmingflag, since FFmpeg filters are required to alter the tempo.
The editor supports dark and light themes. Set the theme option to switch between them:
// Light theme
showEditor(videoUrl, {
theme: 'light',
});
// Dark theme (default)
showEditor(videoUrl, {
theme: 'dark',
});| Dark (default) | Light | |
|---|---|---|
| Background | Black | White |
| Icons & text | White | Black |
| Cancel/Save text | White | Black |
| Crop brackets & grid | White | Black |
| Progress indicator | White | White |
| Trimmer handle chevrons | White | White |
| Dialogs | Dark style | Light style |
The headerTextColor and handleIconColor options automatically adapt to the active theme but can still be overridden explicitly.
For audio-only trimming, specify the media type and output format. The editor automatically displays an audio waveform visualization in place of the thumbnail track. The waveform updates on zoom for higher resolution.
showEditor(audioUrl, {
type: 'audio', // Enable audio mode
outputExt: 'wav', // Output format (mp3, wav, m4a, etc.)
maxDuration: 30000, // 30 seconds max
});Customize the waveform appearance:
showEditor(audioUrl, {
type: 'audio',
outputExt: 'mp3',
waveformColor: '#FFFFFF',
waveformBackgroundColor: '#3478F6',
waveformBarWidth: 3,
waveformBarGap: 2,
waveformBarCornerRadius: 1.5,
});To trim remote files, you need the HTTPS-enabled version of FFmpeg:
Android:
// android/build.gradle
buildscript {
ext {
VideoTrim_ffmpeg_package = 'https'
// Optional: VideoTrim_ffmpeg_version = '6.0.1'
}
}iOS:
FFMPEGKIT_PACKAGE=https FFMPEG_KIT_PACKAGE_VERSION=6.0 pod installUsage:
showEditor('https://example.com/video.mp4', {
maxDuration: 60000,
});The editor includes built-in transform controls — horizontal flip, 90° left rotation, and freeform crop — with full undo/redo support. These appear as toolbar buttons in the editor UI on both iOS and Android.
When any transform is applied, FFmpeg automatically re-encodes the video using the platform's hardware encoder (h264_videotoolbox on iOS, h264_mediacodec on Android) at the source bitrate to preserve quality. No additional configuration is needed.
By default, trimming uses FFmpeg's stream copy (-c copy), which is very fast but can only cut at keyframes. The actual start/end points may drift by several seconds from what the user selected.
Enable enablePreciseTrimming for frame-accurate cuts:
// Editor mode
showEditor(videoUrl, {
enablePreciseTrimming: true,
});
// Headless mode
const result = await trim(videoUrl, {
startTime: 5000,
endTime: 15000,
enablePreciseTrimming: true,
});enablePreciseTrimming: false (default) |
enablePreciseTrimming: true |
|
|---|---|---|
| Speed | Very fast (stream copy) | Slower (hardware re-encode) |
| Accuracy | Keyframe-aligned (may drift 1-5s) | Frame-accurate |
| Quality | Lossless (original bitstream) | Near-lossless (matched bitrate) |
Note: When transforms (flip/rotate/crop) are applied, re-encoding already happens regardless of this flag, so precise trimming comes for free in that case.
Users can cancel trimming while in progress:
showEditor(videoUrl, {
enableCancelTrimming: true,
cancelTrimmingButtonText: "Stop",
trimmingText: "Processing video...",
});Handle loading errors gracefully:
showEditor(videoUrl, {
alertOnFailToLoad: true,
alertOnFailTitle: "Oops!",
alertOnFailMessage: "Cannot load this video file",
alertOnFailCloseText: "OK",
});import React, { useEffect, useRef } from 'react';
import { TouchableOpacity, Text, View } from 'react-native';
import { showEditor, isValidFile, type Spec } from 'react-native-video-trim';
import { launchImageLibrary } from 'react-native-image-picker';
export default function VideoTrimmer() {
const listeners = useRef({});
useEffect(() => {
// Set up event listeners
listeners.current.onFinishTrimming = (NativeVideoTrim as Spec)
.onFinishTrimming(({ outputPath, startTime, endTime, duration }) => {
console.log('Trimming completed:', {
outputPath,
startTime,
endTime,
duration
});
});
listeners.current.onError = (NativeVideoTrim as Spec)
.onError(({ message, errorCode }) => {
console.error('Trimming error:', message, errorCode);
});
return () => {
// Cleanup listeners
Object.values(listeners.current).forEach(listener =>
listener?.remove()
);
};
}, []);
const selectAndTrimVideo = async () => {
const result = await launchImageLibrary({
mediaType: 'video',
quality: 1,
});
if (result.assets?.[0]?.uri) {
const videoUri = result.assets[0].uri;
// Validate file first
const isValid = await isValidFile(videoUri);
if (!isValid) {
console.log('Invalid video file');
return;
}
// Open editor
showEditor(videoUri, {
maxDuration: 60000, // 1 minute max
saveToPhoto: true, // Save to gallery
openShareSheetOnFinish: true,
headerText: "Trim Video",
trimmerColor: "#007AFF",
});
}
};
return (
<View style={{ flex: 1, justifyContent: 'center', alignItems: 'center' }}>
<TouchableOpacity
onPress={selectAndTrimVideo}
style={{
backgroundColor: '#007AFF',
padding: 15,
borderRadius: 8
}}
>
<Text style={{ color: 'white', fontSize: 16 }}>
Select & Trim Video
</Text>
</TouchableOpacity>
</View>
);
}import React, { useEffect } from 'react';
import { NativeEventEmitter, NativeModules } from 'react-native';
import { showEditor } from 'react-native-video-trim';
export default function VideoTrimmer() {
useEffect(() => {
const eventEmitter = new NativeEventEmitter(NativeModules.VideoTrim);
const subscription = eventEmitter.addListener('VideoTrim', (event) => {
switch (event.name) {
case 'onFinishTrimming':
console.log('Video trimmed:', event.outputPath);
break;
case 'onError':
console.error('Trimming failed:', event.message);
break;
// Handle other events...
}
});
return () => subscription.remove();
}, []);
// Rest of implementation...
}Android Build Errors:
- Ensure
file_paths.xmlexists for share functionality - Check SDK versions match your project requirements
- Verify permissions in
AndroidManifest.xml
iOS Build Errors:
- Run
pod installafter installation - Check Info.plist permissions for photo access
- Use development builds with Expo (not Expo Go)
Runtime Issues:
- Validate files with
isValidFile()before processing - Use HTTPS version for remote files
- Check network connectivity for remote files
- Ensure proper permissions for save operations
- Use
trim()for batch processing without UI - Clean up generated files regularly with
cleanFiles() - Use
compress()to reduce large videos before upload merge()always re-encodes via the concat filter — expect longer processing for large files or many clips- Speed adjustment, compression, and merge force re-encoding — expect longer processing for large files
- Android: Based on Android-Video-Trimmer
- iOS: UI from VideoTrimmerControl







