
Security News
Nx npm Packages Compromised in Supply Chain Attack Weaponizing AI CLI Tools
Malicious Nx npm versions stole secrets and wallet info using AI CLI tools; Socketโs AI scanner detected the supply chain attack and flagged the malware.
react-native-audio-recorder-player
Advanced tools
๐ Version 4.1.0 Released with NitroModule Support!
โ ๏ธ Important: Version 4.0.0 had issues with Nitro integration. Please install version 4.1.0 or later.
๐ด Critical for v4.x: Recording operations now run in background threads. You MUST implement loading states to handle the async delays, or your UI may appear unresponsive. See Component Examples for proper implementation.
This is a high-performance React Native module for audio recording and playback, now powered by NitroModules for direct native module access without bridge overhead. The library provides simple recorder and player functionalities for iOS, Android, and Web platforms with full TypeScript support and type safety.
Version 4.0.0 introduces a complete rewrite using NitroModules, offering:
If you're upgrading from version 3.x or earlier, please refer to our Migration Guide for detailed instructions and breaking changes.
โ ๏ธ Important: Install version 4.1.0 or later to avoid Nitro integration issues from version 4.0.0.
Install packages:
yarn add react-native-audio-recorder-player react-native-nitro-modules
Or using npm:
npm install react-native-audio-recorder-player react-native-nitro-modules
After installing the packages, follow these steps:
iOS Setup:
cd ios && pod install
Android Setup: No additional steps required. The module uses autolinking.
Web Setup: For React Native Web, install the additional dependency:
yarn add react-native-web
Then configure your webpack to include the web-specific implementation:
// webpack.config.js
module.exports = {
resolve: {
alias: {
'react-native': 'react-native-web'
}
}
};
Note: The
nitro-codegen
command is already run during the library's build process. You don't need to run it in your application.
Microphone Permission: Add to your Info.plist
:
<key>NSMicrophoneUsageDescription</key>
<string>Give $(PRODUCT_NAME) permission to use your microphone. Your record wont be shared without your permission.</string>
Minimum iOS Version: Ensure your minimum deployment target is iOS 13.0 or higher in your Podfile
:
platform :ios, '13.0'
On Android you need to add permissions to AndroidManifest.xml
:
<uses-permission android:name="android.permission.INTERNET" />
<uses-permission android:name="android.permission.RECORD_AUDIO" />
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" />
Also, android above Marshmallow
needs runtime permission to record audio. Below are two approaches:
Minimal Approach (Recommended for Android 13+):
if (Platform.OS === 'android') {
try {
const granted = await PermissionsAndroid.request(
PermissionsAndroid.PERMISSIONS.RECORD_AUDIO,
{
title: 'Audio Recording Permission',
message: 'This app needs access to your microphone to record audio.',
buttonNeutral: 'Ask Me Later',
buttonNegative: 'Cancel',
buttonPositive: 'OK',
}
);
if (granted === PermissionsAndroid.RESULTS.GRANTED) {
console.log('Recording permission granted');
} else {
console.log('Recording permission denied');
return;
}
} catch (err) {
console.warn(err);
return;
}
}
Full Permissions Approach (For older Android versions):
if (Platform.OS === 'android') {
try {
const grants = await PermissionsAndroid.requestMultiple([
PermissionsAndroid.PERMISSIONS.WRITE_EXTERNAL_STORAGE,
PermissionsAndroid.PERMISSIONS.READ_EXTERNAL_STORAGE,
PermissionsAndroid.PERMISSIONS.RECORD_AUDIO,
]);
if (
grants['android.permission.WRITE_EXTERNAL_STORAGE'] ===
PermissionsAndroid.RESULTS.GRANTED &&
grants['android.permission.READ_EXTERNAL_STORAGE'] ===
PermissionsAndroid.RESULTS.GRANTED &&
grants['android.permission.RECORD_AUDIO'] ===
PermissionsAndroid.RESULTS.GRANTED
) {
console.log('All permissions granted');
} else {
console.log('All required permissions not granted');
return;
}
} catch (err) {
console.warn(err);
return;
}
}
Method | Param | Return | Description |
---|---|---|---|
mmss | number seconds | string | Convert seconds to minute:second string |
mmssss | number seconds | string | Convert seconds to minute:second:millisecond string |
setSubscriptionDuration | number duration | void | Set callback interval in ms (default 500ms) |
startRecorder | string? uri, AudioSet? audioSet, | Promise<string> | Start recording with optional path and audio settings |
boolean? meteringEnabled | |||
pauseRecorder | Promise<string> | Pause recording | |
resumeRecorder | Promise<string> | Resume recording | |
stopRecorder | Promise<string> | Stop recording and return file path | |
startPlayer | string? uri, Record<string, string>? headers | Promise<string> | Start playback with optional URI and HTTP headers |
stopPlayer | Promise<string> | Stop playback | |
pausePlayer | Promise<string> | Pause playback | |
resumePlayer | Promise<string> | Resume playback | |
seekToPlayer | number milliseconds | Promise<string> | Seek to position in milliseconds |
setVolume | number value | Promise<string> | Set volume (0.0 - 1.0) |
setPlaybackSpeed | number speed | Promise<string> | Set playback speed (0.5 - 2.0) |
addRecordBackListener | Function callback | void | Add recording progress listener |
removeRecordBackListener | void | Remove recording progress listener | |
addPlayBackListener | Function callback | void | Add playback progress listener |
removePlayBackListener | void | Remove playback progress listener | |
addPlaybackEndListener | Function callback | void | Add playback completion listener |
removePlaybackEndListener | void | Remove playback completion listener |
import AudioRecorderPlayer, {
AudioEncoderAndroidType,
AudioSourceAndroidType,
AVEncoderAudioQualityIOSType,
AVEncodingOption,
RecordBackType,
PlayBackType,
} from 'react-native-audio-recorder-player';
// AudioRecorderPlayer is a singleton instance, use directly
// Recording
const onStartRecord = async () => {
// Set up recording progress listener
AudioRecorderPlayer.addRecordBackListener((e: RecordBackType) => {
console.log('Recording progress:', e.currentPosition, e.currentMetering);
setRecordSecs(e.currentPosition);
setRecordTime(AudioRecorderPlayer.mmssss(Math.floor(e.currentPosition)));
});
const result = await AudioRecorderPlayer.startRecorder();
console.log('Recording started:', result);
};
const onStopRecord = async () => {
const result = await AudioRecorderPlayer.stopRecorder();
AudioRecorderPlayer.removeRecordBackListener();
console.log('Recording stopped:', result);
};
// Pause/Resume Recording
const onPauseRecord = async () => {
await AudioRecorderPlayer.pauseRecorder();
console.log('Recording paused');
};
const onResumeRecord = async () => {
await AudioRecorderPlayer.resumeRecorder();
console.log('Recording resumed');
};
// Playback
const onStartPlay = async () => {
// Set up playback progress listener
AudioRecorderPlayer.addPlayBackListener((e: PlayBackType) => {
console.log('Playback progress:', e.currentPosition, e.duration);
setCurrentPosition(e.currentPosition);
setTotalDuration(e.duration);
setPlayTime(AudioRecorderPlayer.mmssss(Math.floor(e.currentPosition)));
setDuration(AudioRecorderPlayer.mmssss(Math.floor(e.duration)));
});
// Set up playback end listener
AudioRecorderPlayer.addPlaybackEndListener((e: PlaybackEndType) => {
console.log('Playback completed:', e);
// Handle playback completion
setIsPlaying(false);
setCurrentPosition(0);
});
const result = await AudioRecorderPlayer.startPlayer();
console.log('Playback started:', result);
};
const onPausePlay = async () => {
await AudioRecorderPlayer.pausePlayer();
};
const onStopPlay = async () => {
AudioRecorderPlayer.stopPlayer();
AudioRecorderPlayer.removePlayBackListener();
AudioRecorderPlayer.removePlaybackEndListener();
};
// Seeking
const seekTo = async (milliseconds: number) => {
await AudioRecorderPlayer.seekToPlayer(milliseconds);
};
// Volume control
const setVolume = async (volume: number) => {
await AudioRecorderPlayer.setVolume(volume); // 0.0 - 1.0
};
// Speed control
const setSpeed = async (speed: number) => {
await AudioRecorderPlayer.setPlaybackSpeed(speed); // 0.5 - 2.0
};
const audioSet: AudioSet = {
// iOS Settings
AVSampleRateKeyIOS: 44100,
AVFormatIDKeyIOS: AVEncodingOption.aac,
AVEncoderAudioQualityKeyIOS: AVEncoderAudioQualityIOSType.high,
AVNumberOfChannelsKeyIOS: 2,
// Android Settings
AudioEncoderAndroid: AudioEncoderAndroidType.AAC,
AudioSourceAndroid: AudioSourceAndroidType.MIC,
};
const meteringEnabled = true; // Enable audio metering
const uri = await AudioRecorderPlayer.startRecorder(
undefined, // Use default path
audioSet,
meteringEnabled
);
{cacheDir}/sound.mp4
.{cacheDir}/sound.m4a
.Tip: Store the file path returned by
startRecorder()
immediately for later use in playback or file management.
For better code organization, consider separating recording and playback into separate components:
Note: Starting from version 4.x, recording operations (start/stop) are processed in the background to prevent UI blocking. This means there's a slight delay between calling the method and the actual operation completing. We strongly recommend implementing loading states to provide better user experience.
import React, { useState } from 'react';
import { View, Button, Text, ActivityIndicator } from 'react-native';
import AudioRecorderPlayer from 'react-native-audio-recorder-player';
export const AudioRecorder = ({ onRecordingComplete }) => {
const [isRecording, setIsRecording] = useState(false);
const [isLoading, setIsLoading] = useState(false);
const [recordTime, setRecordTime] = useState('00:00:00');
const onStartRecord = async () => {
setIsLoading(true);
try {
const result = await AudioRecorderPlayer.startRecorder();
AudioRecorderPlayer.addRecordBackListener((e) => {
setRecordTime(AudioRecorderPlayer.mmssss(Math.floor(e.currentPosition)));
});
setIsRecording(true);
} catch (error) {
console.error('Failed to start recording:', error);
} finally {
setIsLoading(false);
}
};
const onStopRecord = async () => {
setIsLoading(true);
try {
const result = await AudioRecorderPlayer.stopRecorder();
AudioRecorderPlayer.removeRecordBackListener();
setIsRecording(false);
onRecordingComplete?.(result);
} catch (error) {
console.error('Failed to stop recording:', error);
} finally {
setIsLoading(false);
}
};
return (
<View>
<Text>{recordTime}</Text>
<Button
title={isRecording ? 'Stop Recording' : 'Start Recording'}
onPress={isRecording ? onStopRecord : onStartRecord}
disabled={isLoading}
/>
{isLoading && <ActivityIndicator />}
</View>
);
};
import React, { useState } from 'react';
import { View, Button, Text, ActivityIndicator } from 'react-native';
import AudioRecorderPlayer from 'react-native-audio-recorder-player';
export const AudioPlayer = ({ audioPath }) => {
const [isPlaying, setIsPlaying] = useState(false);
const [isLoading, setIsLoading] = useState(false);
const [playTime, setPlayTime] = useState('00:00:00');
const [duration, setDuration] = useState('00:00:00');
const onStartPlay = async () => {
setIsLoading(true);
try {
const msg = await AudioRecorderPlayer.startPlayer(audioPath);
AudioRecorderPlayer.addPlayBackListener((e) => {
setPlayTime(AudioRecorderPlayer.mmssss(Math.floor(e.currentPosition)));
setDuration(AudioRecorderPlayer.mmssss(Math.floor(e.duration)));
});
// Use the proper playback end listener
AudioRecorderPlayer.addPlaybackEndListener((e) => {
console.log('Playback completed', e);
setIsPlaying(false);
setPlayTime('00:00:00');
});
setIsPlaying(true);
} catch (error) {
console.error('Failed to start playback:', error);
} finally {
setIsLoading(false);
}
};
const onStopPlay = async () => {
setIsLoading(true);
try {
await AudioRecorderPlayer.stopPlayer();
AudioRecorderPlayer.removePlayBackListener();
AudioRecorderPlayer.removePlaybackEndListener();
setIsPlaying(false);
setPlayTime('00:00:00');
setDuration('00:00:00');
} catch (error) {
console.error('Failed to stop playback:', error);
} finally {
setIsLoading(false);
}
};
return (
<View>
<Text>{playTime} / {duration}</Text>
<Button
title={isPlaying ? 'Stop' : 'Play'}
onPress={isPlaying ? onStopPlay : onStartPlay}
disabled={!audioPath || isLoading}
/>
{isLoading && <ActivityIndicator />}
</View>
);
};
Navigate to the example directory:
cd example
Install dependencies:
yarn install
Start the development server:
yarn start
Run on your platform:
# iOS
yarn ios
# Android
yarn android
If you encounter this error when trying to record on iOS:
Ensure microphone permissions are properly configured in your Info.plist
:
<key>NSMicrophoneUsageDescription</key>
<string>Your app needs microphone access to record audio</string>
Clean and rebuild your iOS project:
cd ios
rm -rf build Pods
pod install
cd ..
yarn ios
Make sure you're testing on a real device if using the simulator doesn't work. Some audio features require real hardware.
Verify the Nitro modules are properly linked by checking that the [NitroModules] ๐ฅ AudioRecorderPlayer is boosted by nitro!
message appears during pod install
.
pod install
after installing the package.minSdkVersion
is 24 or higher in android/build.gradle
.If you're experiencing build issues or runtime errors after updating the library:
cd ios
rm -rf ~/Library/Caches/CocoaPods
rm -rf Pods
rm -rf ~/Library/Developer/Xcode/DerivedData/*
pod cache clean --all
pod install
cd ..
Then in Xcode:
cd android
./gradlew clean
rm -rf ~/.gradle/caches/
cd ..
Then rebuild:
yarn android
# or
npx react-native run-android
You can also try resetting Metro cache:
npx react-native start --reset-cache
See the contributing guide to learn how to contribute to the repository and the development workflow.
MIT
Made with create-react-native-library
FAQs
React Native Audio Recorder and Player.
The npm package react-native-audio-recorder-player receives a total of 24,123 weekly downloads. As such, react-native-audio-recorder-player popularity was classified as popular.
We found that react-native-audio-recorder-player demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago.ย It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
Malicious Nx npm versions stole secrets and wallet info using AI CLI tools; Socketโs AI scanner detected the supply chain attack and flagged the malware.
Security News
CISAโs 2025 draft SBOM guidance adds new fields like hashes, licenses, and tool metadata to make software inventories more actionable.
Security News
A clarification on our recent research investigating 60 malicious Ruby gems.