File: audio-av.md | Updated: 11/15/2025
Hide navigation
Search
Ctrl K
Home Guides EAS Reference Learn
Reference version
SDK 53
Archive Expo Snack Discord and Forums Newsletter
Expo Audio (expo-av)A library that provides an API to implement audio playback and recording in apps.
Android
iOS
tvOS
Web
Bundled version:
~15.1.7
Copy page
Deprecated: The
Audiocomponent fromexpo-av, which is documented on this page, has now been deprecated and replaced by an improved version inexpo-audio. Learn aboutexpo-audio.
Audio from expo-av allows you to implement audio playback and recording in your app.
Note that audio automatically stops if headphones/bluetooth audio devices are disconnected.
See the playlist example app for an example on the media playback API, and the recording example app for an example of the recording API.
Terminal
Copy
- npx expo install expo-av
If you are installing this in an existing React Native app
, make sure to install expo
in your project.
Playing sounds
Copy
Open in Snack
import { useEffect, useState } from 'react'; import { View, StyleSheet, Button } from 'react-native'; import { Audio } from 'expo-av'; export default function App() { const [sound, setSound] = useState(); async function playSound() { console.log('Loading Sound'); const { sound } = await Audio.Sound.createAsync( require('./assets/Hello.mp3') ); setSound(sound); console.log('Playing Sound'); await sound.playAsync(); } useEffect(() => { return sound ? () => { console.log('Unloading Sound'); sound.unloadAsync(); } : undefined; }, [sound]); return ( <View style={styles.container}> <Button title="Play Sound" onPress={playSound} /> </View> ); } const styles = StyleSheet.create({ container: { flex: 1, justifyContent: 'center', backgroundColor: '#ecf0f1', padding: 10, }, });
Show More
Recording sounds
Copy
Open in Snack
import { useState } from 'react'; import { View, StyleSheet, Button } from 'react-native'; import { Audio } from 'expo-av'; export default function App() { const [recording, setRecording] = useState(); const [permissionResponse, requestPermission] = Audio.usePermissions(); async function startRecording() { try { if (permissionResponse.status !== 'granted') { console.log('Requesting permission..'); await requestPermission(); } await Audio.setAudioModeAsync({ allowsRecordingIOS: true, playsInSilentModeIOS: true, }); console.log('Starting recording..'); const { recording } = await Audio.Recording.createAsync( Audio.RecordingOptionsPresets.HIGH_QUALITY ); setRecording(recording); console.log('Recording started'); } catch (err) { console.error('Failed to start recording', err); } } async function stopRecording() { console.log('Stopping recording..'); setRecording(undefined); await recording.stopAndUnloadAsync(); await Audio.setAudioModeAsync( { allowsRecordingIOS: false, } ); const uri = recording.getURI(); console.log('Recording stopped and stored at', uri); } return ( <View style={styles.container}> <Button title={recording ? 'Stop Recording' : 'Start Recording'} onPress={recording ? stopRecording : startRecording} /> </View> ); } const styles = StyleSheet.create({ container: { flex: 1, justifyContent: 'center', backgroundColor: '#ecf0f1', padding: 10, }, });
Show More
iOS
On iOS, audio playback and recording in background is only available in standalone apps, and it requires some extra configuration. On iOS, each background feature requires a special key in UIBackgroundModes array in your Info.plist file. In standalone apps this array is empty by default, so to use background features you will need to add appropriate keys to your app.json configuration.
See an example of app.json that enables audio playback in background:
{ "expo": { ... "ios": { ... "infoPlist": { ... "UIBackgroundModes": [ "audio" ] } } } }
prepareToRecordAsync will be passed directly to the MediaRecorder API and as such the polyfill.getUserMedia() security
for more details.import { Audio } from 'expo-av';
Audio.RecordingOptionsPresetsType: Record<string, [RecordingOptions](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingoptions) >
Constant which contains definitions of the two preset examples of RecordingOptions, as implemented in the Audio SDK.
HIGH_QUALITYRecordingOptionsPresets.HIGH_QUALITY = { isMeteringEnabled: true, android: { extension: '.m4a', outputFormat: AndroidOutputFormat.MPEG_4, audioEncoder: AndroidAudioEncoder.AAC, sampleRate: 44100, numberOfChannels: 2, bitRate: 128000, }, ios: { extension: '.m4a', outputFormat: IOSOutputFormat.MPEG4AAC, audioQuality: IOSAudioQuality.MAX, sampleRate: 44100, numberOfChannels: 2, bitRate: 128000, linearPCMBitDepth: 16, linearPCMIsBigEndian: false, linearPCMIsFloat: false, }, web: { mimeType: 'audio/webm', bitsPerSecond: 128000, }, };
Show More
LOW_QUALITYRecordingOptionsPresets.LOW_QUALITY = { isMeteringEnabled: true, android: { extension: '.3gp', outputFormat: AndroidOutputFormat.THREE_GPP, audioEncoder: AndroidAudioEncoder.AMR_NB, sampleRate: 44100, numberOfChannels: 2, bitRate: 128000, }, ios: { extension: '.caf', audioQuality: IOSAudioQuality.MIN, sampleRate: 44100, numberOfChannels: 2, bitRate: 128000, linearPCMBitDepth: 16, linearPCMIsBigEndian: false, linearPCMIsFloat: false, }, web: { mimeType: 'audio/webm', bitsPerSecond: 128000, }, };
Show More
usePermissions(options)| Parameter | Type |
| --- | --- |
| options(optional) | PermissionHookOptions<object> |
Check or request permissions to record audio. This uses both requestPermissionAsync and getPermissionsAsync to interact with the permissions.
Returns:
[null | PermissionResponse, RequestPermissionMethod<PermissionResponse>, GetPermissionMethod<PermissionResponse>]
Example
const [permissionResponse, requestPermission] = Audio.usePermissions();
RecordingOnly for:
Android
iOS
Warning: Experimental for web.
This class represents an audio recording. After creating an instance of this class, prepareToRecordAsync must be called in order to record audio. Once recording is finished, call stopAndUnloadAsync. Note that only one recorder is allowed to exist in the state between prepareToRecordAsync and stopAndUnloadAsync at any given time.
Note that your experience must request audio recording permissions in order for recording to function. See the Permissions module
for more details.
Additionally, audio recording is not supported in the iOS Simulator .
Returns
A newly constructed instance of Audio.Recording.
Example
const recording = new Audio.Recording(); try { await recording.prepareToRecordAsync(Audio.RecordingOptionsPresets.HIGH_QUALITY); await recording.startAsync(); // You are now recording! } catch (error) { // An error occurred! }
Recording Methods
createAsync(options, onRecordingStatusUpdate, progressUpdateIntervalMillis)| Parameter | Type | Description |
| --- | --- | --- |
| options(optional) | [RecordingOptions](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingoptions) | Options for the recording, including sample rate, bitrate, channels, format, encoder, and extension. If no options are passed to, the recorder will be created with options Audio.RecordingOptionsPresets.LOW_QUALITY. See below for details on RecordingOptions.<br><br>Default:RecordingOptionsPresets.LOW_QUALITY |
| onRecordingStatusUpdate(optional) | null \| (status: [RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) ) => void | A function taking a single parameter status (a dictionary, described in getStatusAsync).<br><br>Default:null |
| progressUpdateIntervalMillis(optional) | null \| number | The interval between calls of onRecordingStatusUpdate. This value defaults to 500 milliseconds.<br><br>Default:null |
Creates and starts a recording using the given options, with optional onRecordingStatusUpdate and progressUpdateIntervalMillis.
const { recording, status } = await Audio.Recording.createAsync( options, onRecordingStatusUpdate, progressUpdateIntervalMillis ); // Which is equivalent to the following: const recording = new Audio.Recording(); await recording.prepareToRecordAsync(options); recording.setOnRecordingStatusUpdate(onRecordingStatusUpdate); await recording.startAsync();
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingObject](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingobject) >
A Promise that is rejected if creation failed, or fulfilled with the following dictionary if creation succeeded.
Example
try { const { recording: recordingObject, status } = await Audio.Recording.createAsync( Audio.RecordingOptionsPresets.HIGH_QUALITY ); // You are now recording! } catch (error) { // An error occurred! }
Deprecated Use
createNewLoadedSoundAsync()instead.
createNewLoadedSound(initialStatus, onPlaybackStatusUpdate)| Parameter | Type |
| --- | --- |
| initialStatus(optional) | [AVPlaybackStatusToSet](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatustoset) |
| onPlaybackStatusUpdate(optional) | null \| (status: [AVPlaybackStatus](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatus) ) => void |
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[SoundObject](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#soundobject) >
createNewLoadedSoundAsync(initialStatus, onPlaybackStatusUpdate)| Parameter | Type | Description |
| --- | --- | --- |
| initialStatus(optional) | [AVPlaybackStatusToSet](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatustoset) | The initial intended PlaybackStatusToSet of the sound, whose values will override the default initial playback status. This value defaults to {} if no parameter is passed. See the AV documentation<br> for details on PlaybackStatusToSet and the default initial playback status.<br><br>Default:{} |
| onPlaybackStatusUpdate(optional) | null \| (status: [AVPlaybackStatus](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatus) ) => void | A function taking a single parameter PlaybackStatus. This value defaults to null if no parameter is passed. See the AV documentation<br> for details on the functionality provided by onPlaybackStatusUpdate<br><br>Default:null |
Creates and loads a new Sound object to play back the Recording. Note that this will only succeed once the Recording is done recording and stopAndUnloadAsync() has been called.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[SoundObject](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#soundobject) >
A Promise that is rejected if creation failed, or fulfilled with the SoundObject.
getAvailableInputs()Returns a list of available recording inputs. This method can only be called if the Recording has been prepared.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingInput[]](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordinginput) >
A Promise that is fulfilled with an array of RecordingInput objects.
getCurrentInput()Returns the currently-selected recording input. This method can only be called if the Recording has been prepared.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingInput](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordinginput) >
A Promise that is fulfilled with a RecordingInput object.
getStatusAsync()Gets the status of the Recording.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) >
A Promise that is resolved with the RecordingStatus object.
getURI()Gets the local URI of the Recording. Note that this will only succeed once the Recording is prepared to record. On web, this will not return the URI until the recording is finished.
Returns:
null | string
A string with the local URI of the Recording, or null if the Recording is not prepared to record (or, on Web, if the recording has not finished).
pauseAsync()Pauses recording. This method can only be called if the Recording has been prepared.
This is only available on Android API version 24 and later.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) >
A Promise that is fulfilled when recording has paused, or rejects if recording could not be paused. If the Android API version is less than 24, the Promise will reject. The promise is resolved with the RecordingStatus of the recording.
prepareToRecordAsync(options)| Parameter | Type | Description |
| --- | --- | --- |
| options(optional) | [RecordingOptions](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingoptions) | RecordingOptions for the recording, including sample rate, bitrate, channels, format, encoder, and extension. If no options are passed to prepareToRecordAsync(), the recorder will be created with options Audio.RecordingOptionsPresets.LOW_QUALITY.<br><br>Default:RecordingOptionsPresets.LOW_QUALITY |
Loads the recorder into memory and prepares it for recording. This must be called before calling startAsync(). This method can only be called if the Recording instance has never yet been prepared.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) >
A Promise that is fulfilled when the recorder is loaded and prepared, or rejects if this failed. If another Recording exists in your experience that is currently prepared to record, the Promise will reject. If the RecordingOptions provided are invalid, the Promise will also reject. The promise is resolved with the RecordingStatus of the recording.
setInput(inputUid)| Parameter | Type | Description |
| --- | --- | --- |
| inputUid | string | The uid of a RecordingInput. |
Sets the current recording input.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <void>
A Promise that is resolved if successful or rejected if not.
setOnRecordingStatusUpdate(onRecordingStatusUpdate)| Parameter | Type | Description |
| --- | --- | --- |
| onRecordingStatusUpdate | null \| (status: [RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) ) => void | A function taking a single parameter RecordingStatus. |
Sets a function to be called regularly with the RecordingStatus of the Recording.
onRecordingStatusUpdate will be called when another call to the API for this recording completes (such as prepareToRecordAsync(), startAsync(), getStatusAsync(), or stopAndUnloadAsync()), and will also be called at regular intervals while the recording can record. Call setProgressUpdateInterval() to modify the interval with which onRecordingStatusUpdate is called while the recording can record.
Returns:
void
setProgressUpdateInterval(progressUpdateIntervalMillis)| Parameter | Type | Description |
| --- | --- | --- |
| progressUpdateIntervalMillis | number | The new interval between calls of onRecordingStatusUpdate. |
Sets the interval with which onRecordingStatusUpdate is called while the recording can record. See setOnRecordingStatusUpdate for details. This value defaults to 500 milliseconds.
Returns:
void
startAsync()Begins recording. This method can only be called if the Recording has been prepared.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) >
A Promise that is fulfilled when recording has begun, or rejects if recording could not be started. The promise is resolved with the RecordingStatus of the recording.
stopAndUnloadAsync()Stops the recording and deallocates the recorder from memory. This reverts the Recording instance to an unprepared state, and another Recording instance must be created in order to record again. This method can only be called if the Recording has been prepared.
On Android this method may fail with
E_AUDIO_NODATAwhen called too soon afterstartAsyncand no audio data has been recorded yet. In that case the recorded file will be invalid and should be discarded.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) >
A Promise that is fulfilled when recording has stopped, or rejects if recording could not be stopped. The promise is resolved with the RecordingStatus of the recording.
SoundType: Class implements [Playback](https://docs.expo.dev/versions/latest/sdk/av#playback)
This class represents a sound corresponding to an Asset or URL.
Returns
A newly constructed instance of Audio.Sound.
Example
const sound = new Audio.Sound(); try { await sound.loadAsync(require('./assets/sounds/hello.mp3')); await sound.playAsync(); // Your sound is playing! // Don't forget to unload the sound from memory // when you are done using the Sound object await sound.unloadAsync(); } catch (error) { // An error occurred! }
Method not described below and the rest of the API for
Audio.Soundis the same as the imperative playback API forVideo. See the AV documentation for further information.
Sound Methods
Deprecated Use
Sound.createAsync()instead
create(source, initialStatus, onPlaybackStatusUpdate, downloadFirst)| Parameter | Type |
| --- | --- |
| source | [AVPlaybackSource](https://docs.expo.dev/versions/latest/sdk/av#avplaybacksource) |
| initialStatus(optional) | [AVPlaybackStatusToSet](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatustoset) |
| onPlaybackStatusUpdate(optional) | null \| (status: [AVPlaybackStatus](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatus) ) => void |
| downloadFirst(optional) | boolean |
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[SoundObject](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#soundobject) >
createAsync(source, initialStatus, onPlaybackStatusUpdate, downloadFirst)| Parameter | Type | Description |
| --- | --- | --- |
| source | [AVPlaybackSource](https://docs.expo.dev/versions/latest/sdk/av#avplaybacksource) | The source of the sound. See the AV documentation<br> for details on the possible source values. |
| initialStatus(optional) | [AVPlaybackStatusToSet](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatustoset) | The initial intended PlaybackStatusToSet of the sound, whose values will override the default initial playback status. This value defaults to {} if no parameter is passed. See the AV documentation<br> for details on PlaybackStatusToSet and the default initial playback status.<br><br>Default:{} |
| onPlaybackStatusUpdate(optional) | null \| (status: [AVPlaybackStatus](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatus) ) => void | A function taking a single parameter PlaybackStatus. This value defaults to null if no parameter is passed. See the AV documentation<br> for details on the functionality provided by onPlaybackStatusUpdate<br><br>Default:null |
| downloadFirst(optional) | boolean | If set to true, the system will attempt to download the resource to the device before loading. This value defaults to true. Note that at the moment, this will only work for sources of the form require('path/to/file') or Asset objects.<br><br>Default:true |
Creates and loads a sound from source.
const { sound } = await Audio.Sound.createAsync( source, initialStatus, onPlaybackStatusUpdate, downloadFirst ); // Which is equivalent to the following: const sound = new Audio.Sound(); sound.setOnPlaybackStatusUpdate(onPlaybackStatusUpdate); await sound.loadAsync(source, initialStatus, downloadFirst);
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <[SoundObject](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#soundobject) >
A Promise that is rejected if creation failed, or fulfilled with the SoundObject if creation succeeded.
Example
try { const { sound: soundObject, status } = await Audio.Sound.createAsync( require('./assets/sounds/hello.mp3'), { shouldPlay: true } ); // Your sound is playing! } catch (error) { // An error occurred! }
setOnAudioSampleReceived(callback)| Parameter | Type | Description |
| --- | --- | --- |
| callback | [AudioSampleCallback](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatustoset) | A function taking the AudioSampleCallback as parameter. |
Sets a function to be called during playback, receiving the audio sample as parameter.
Returns:
void
setOnMetadataUpdate(onMetadataUpdate)Only for:
iOS
| Parameter | Type | Description |
| --- | --- | --- |
| onMetadataUpdate | (metadata: [AVMetadata](https://docs.expo.dev/versions/latest/sdk/av#avmetadata) ) => void | A function taking a single object of type AVMetadata as a parameter. |
Sets a function to be called whenever the metadata of the sound object changes, if one is set.
Returns:
void
setOnPlaybackStatusUpdate(onPlaybackStatusUpdate)| Parameter | Type | Description |
| --- | --- | --- |
| onPlaybackStatusUpdate | null \| (status: [AVPlaybackStatus](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatus) ) => void | A function taking a single parameter AVPlaybackStatus. |
Sets a function to be called regularly with the AVPlaybackStatus of the playback object.
onPlaybackStatusUpdate will be called whenever a call to the API for this playback object completes (such as setStatusAsync(), getStatusAsync(), or unloadAsync()), nd will also be called at regular intervals while the media is in the loaded state.
Set progressUpdateIntervalMillis via setStatusAsync() or setProgressUpdateIntervalAsync() to modify the interval with which onPlaybackStatusUpdate is called while loaded.
Returns:
void
Audio.getPermissionsAsync()Only for:
Android
iOS
Checks user's permissions for audio recording.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <PermissionResponse>
A promise that resolves to an object of type PermissionResponse.
Audio.requestPermissionsAsync()Only for:
Android
iOS
Asks the user to grant permissions for audio recording.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <PermissionResponse>
A promise that resolves to an object of type PermissionResponse.
Audio.setAudioModeAsync(partialMode)| Parameter | Type |
| --- | --- |
| partialMode | [Partial](https://www.typescriptlang.org/docs/handbook/utility-types.html#partialtype) <[AudioMode](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#audiomode) > |
We provide this API to customize the audio experience on iOS and Android.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <void>
A Promise that will reject if the audio mode could not be enabled for the device.
Audio.setIsEnabledAsync(value)| Parameter | Type | Description |
| --- | --- | --- |
| value | boolean | true enables Audio, and false disables it. |
Audio is enabled by default, but if you want to write your own Audio API in a bare workflow app, you might want to disable the Audio API.
Returns:
[Promise](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise) <void>
A Promise that will reject if audio playback could not be enabled for the device.
AudioChannel| Property | Type | Description |
| --- | --- | --- |
| frames | number[] | All samples for this specific Audio Channel in PCM Buffer format (-1 to 1). |
AudioMode| Property | Type | Description |
| --- | --- | --- |
| allowsRecordingIOS(optional) | boolean | A boolean selecting if recording is enabled on iOS.<br><br>> When this flag is set to true, playback may be routed to the phone earpiece instead of to the speaker. Set it back to false after stopping recording to reenable playback through the speaker.<br><br>Default:false |
| interruptionModeAndroid | [InterruptionModeAndroid](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#interruptionmodeandroid) | An enum selecting how your experience's audio should interact with the audio from other apps on Android. |
| interruptionModeIOS | [InterruptionModeIOS](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#interruptionmodeios) | An enum selecting how your experience's audio should interact with the audio from other apps on iOS. |
| playsInSilentModeIOS(optional) | boolean | A boolean selecting if your experience's audio should play in silent mode on iOS.<br><br>Default:false |
| playThroughEarpieceAndroid(optional) | boolean | A boolean selecting if the audio is routed to earpiece on Android.<br><br>Default:false |
| shouldDuckAndroid(optional) | boolean | A boolean selecting if your experience's audio should automatically be lowered in volume ("duck") if audio from another app interrupts your experience. If false, audio from other apps will pause your audio.<br><br>Default:true |
| staysActiveInBackground(optional) | boolean | A boolean selecting if the audio session (playback or recording) should stay active even when the app goes into background.<br><br>> This is not available in Expo Go for iOS, it will only work in standalone apps. To enable it for standalone apps, follow the instructions below<br>> to add UIBackgroundModes to your app configuration.<br><br>Default:false |
AudioSampleObject passed to the onAudioSampleReceived function. Represents a single sample from an audio source. The sample contains all frames (PCM Buffer values) for each channel of the audio, so if the audio is stereo (interleaved), there will be two channels, one for left and one for right audio.
| Property | Type | Description |
| --- | --- | --- |
| channels | [AudioChannel[]](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#audiochannel) | An array representing the data from each channel in PCM Buffer format. Array elements are objects in the following format: { frames: number[] }, where each frame is a number in PCM Buffer format (-1 to 1 range). |
| timestamp | number | A number representing the timestamp of the current sample in seconds, relative to the audio track's timeline.<br><br>> Known issue: When using the ExoPlayer Android implementation, the timestamp is always -1. |
AudioSampleCallbackType: null or object shaped as below:
(sample) => `void`| Parameter | Type | Description |
| --- | --- | --- |
| sample(index signature) | [AudioSample](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#audiosample) | - |
PermissionHookOptionsLiteral Type: union
Acceptable values are: PermissionHookBehavior | Options
PermissionResponseAn object obtained by permissions get and request functions.
| Property | Type | Description |
| --- | --- | --- |
| canAskAgain | boolean | Indicates if user can be asked again for specific permission. If not, one should be directed to the Settings app in order to enable/disable the permission. |
| expires | [PermissionExpiration](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#permissionexpiration) | Determines time when the permission expires. |
| granted | boolean | A convenience boolean that indicates if the permission is granted. |
| status | [PermissionStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#permissionstatus) | Determines the status of the permission. |
RecordingInputOnly for:
Android
iOS
| Property | Type | Description |
| --- | --- | --- |
| name | string | - |
| type | string | - |
| uid | string | - |
RecordingObjectOnly for:
Android
iOS
| Property | Type | Description |
| --- | --- | --- |
| recording | [Recording](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recording) | The newly created and started Recording object. |
| status | [RecordingStatus](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingstatus) | The RecordingStatus of the Recording object. See the AV documentation<br> for further information. |
RecordingOptionsThe recording extension, sample rate, bitrate, channels, format, encoder, etc. which can be customized by passing options to prepareToRecordAsync().
We provide the following preset options for convenience, as used in the example above. See below for the definitions of these presets.
Audio.RecordingOptionsPresets.HIGH_QUALITYAudio.RecordingOptionsPresets.LOW_QUALITYWe also provide the ability to define your own custom recording options, but we recommend you use the presets, as not all combinations of options will allow you to successfully prepareToRecordAsync(). You will have to test your custom options on iOS and Android to make sure it's working. In the future, we will enumerate all possible valid combinations, but at this time, our goal is to make the basic use-case easy (with presets) and the advanced use-case possible (by exposing all the functionality available on all supported platforms).
| Property | Type | Description |
| --- | --- | --- |
| android | [RecordingOptionsAndroid](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingoptionsandroid) | Recording options for the Android platform. |
| ios | [RecordingOptionsIOS](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingoptionsios) | Recording options for the iOS platform. |
| isMeteringEnabled(optional) | boolean | A boolean that determines whether audio level information will be part of the status object under the "metering" key. |
| keepAudioActiveHint(optional) | boolean | A boolean that hints to keep the audio active after prepareToRecordAsync completes. Setting this value can improve the speed at which the recording starts. Only set this value to true when you call startAsync immediately after prepareToRecordAsync. This value is automatically set when using Audio.recording.createAsync(). |
| web | [RecordingOptionsWeb](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#recordingoptionsweb) | Recording options for the Web platform. |
RecordingOptionsAndroidOnly for:
Android
| Property | Type | Description |
| --- | --- | --- |
| audioEncoder | [AndroidAudioEncoder](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#androidaudioencoder) \| number | The desired audio encoder. See the AndroidAudioEncoder<br> enum for all valid values. |
| bitRate(optional) | number | The desired bit rate.<br><br>Note that prepareToRecordAsync() may perform additional checks on the parameter to make sure whether the specified bit rate is applicable, and sometimes the passed bitRate will be clipped internally to ensure the audio recording can proceed smoothly based on the capabilities of the platform.<br><br>Example<br><br>128000 |
| extension | string | The desired file extension. Example valid values are .3gp and .m4a. For more information, see the Android docs<br> for supported output formats. |
| maxFileSize(optional) | number | The desired maximum file size in bytes, after which the recording will stop (but stopAndUnloadAsync() must still be called after this point).<br><br>Example<br><br>65536 |
| numberOfChannels(optional) | number | The desired number of channels.<br><br>Note that prepareToRecordAsync() may perform additional checks on the parameter to make sure whether the specified number of audio channels are applicable.<br><br>Example<br><br>1, 2 |
| outputFormat | [AndroidOutputFormat](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#androidoutputformat) \| number | The desired file format. See the AndroidOutputFormat<br> enum for all valid values. |
| sampleRate(optional) | number | The desired sample rate.<br><br>Note that the sampling rate depends on the format for the audio recording, as well as the capabilities of the platform. For instance, the sampling rate supported by AAC audio coding standard ranges from 8 to 96 kHz, the sampling rate supported by AMRNB is 8kHz, and the sampling rate supported by AMRWB is 16kHz. Please consult with the related audio coding standard for the supported audio sampling rate.<br><br>Example<br><br>44100 |
RecordingOptionsIOSOnly for:
iOS
| Property | Type | Description |
| --- | --- | --- |
| audioQuality | [IOSAudioQuality](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#iosaudioquality) \| number | The desired audio quality. See the IOSAudioQuality<br> enum for all valid values. |
| bitDepthHint(optional) | number | The desired bit depth hint.<br><br>Example<br><br>16 |
| bitRate | number | The desired bit rate.<br><br>Example<br><br>128000 |
| bitRateStrategy(optional) | number | The desired bit rate strategy. See the next section for an enumeration of all valid values of bitRateStrategy. |
| extension | string | The desired file extension.<br><br>Example<br><br>'.caf' |
| linearPCMBitDepth(optional) | number | The desired PCM bit depth.<br><br>Example<br><br>16 |
| linearPCMIsBigEndian(optional) | boolean | A boolean describing if the PCM data should be formatted in big endian. |
| linearPCMIsFloat(optional) | boolean | A boolean describing if the PCM data should be encoded in floating point or integral values. |
| numberOfChannels | number | The desired number of channels.<br><br>Example<br><br>1, 2 |
| outputFormat(optional) | string \| [IOSOutputFormat](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#iosoutputformat) \| number | The desired file format. See the IOSOutputFormat<br> enum for all valid values. |
| sampleRate | number | The desired sample rate.<br><br>Example<br><br>44100 |
RecordingOptionsWeb| Property | Type | Description |
| --- | --- | --- |
| bitsPerSecond(optional) | number | - |
| mimeType(optional) | string | - |
RecordingStatus| Property | Type | Description |
| --- | --- | --- |
| canRecord | boolean | Only for: <br><br>Android<br><br>iOS<br><br> <br><br>A boolean describing if the Recording can initiate the recording. |
| durationMillis | number | Only for: <br><br>Android<br><br>iOS<br><br> <br><br>The current duration of the recorded audio or the final duration is the recording has been stopped. |
| isDoneRecording | boolean | Only for: <br><br>Android<br><br>iOS<br><br> <br><br>A boolean describing if the Recording has been stopped. |
| isRecording | boolean | Only for: <br><br>Android<br><br>iOS<br><br> <br><br>A boolean describing if the Recording is currently recording. |
| mediaServicesDidReset(optional) | boolean | Only for: <br><br>iOS<br><br> <br><br>A boolean indicating whether media services were reset during recording. This may occur if the active input ceases to be available during recording.<br><br>For example: airpods are the active input and they run out of batteries during recording. |
| metering(optional) | number | Only for: <br><br>Android<br><br>iOS<br><br> <br><br>A number that's the most recent reading of the loudness in dB. The value ranges from –160 dBFS, indicating minimum power, to 0 dBFS, indicating maximum power. Present or not based on Recording options. See RecordingOptions for more information. |
| uri(optional) | string \| null | - |
SoundObject| Property | Type | Description |
| --- | --- | --- |
| sound | [Sound](https://docs.expo.dev/versions/v53.0.0/sdk/audio-av#sound) | The newly created and loaded Sound object. |
| status | [AVPlaybackStatus](https://docs.expo.dev/versions/latest/sdk/av#avplaybackstatus) | The PlaybackStatus of the Sound object. See the AV documentation<br> for further information. |
AndroidAudioEncoderOnly for:
Android
Defines the audio encoding.
DEFAULTAndroidAudioEncoder.DEFAULT = 0
AMR_NBAndroidAudioEncoder.AMR_NB = 1
AMR (Narrowband) audio codec.
AMR_WBAndroidAudioEncoder.AMR_WB = 2
AMR (Wideband) audio codec.
AACAndroidAudioEncoder.AAC = 3
AAC Low Complexity (AAC-LC) audio codec.
HE_AACAndroidAudioEncoder.HE_AAC = 4
High Efficiency AAC (HE-AAC) audio codec.
AAC_ELDAndroidAudioEncoder.AAC_ELD = 5
Enhanced Low Delay AAC (AAC-ELD) audio codec.
AndroidOutputFormatOnly for:
Android
Defines the output format.
DEFAULTAndroidOutputFormat.DEFAULT = 0
THREE_GPPAndroidOutputFormat.THREE_GPP = 1
3GPP media file format.
MPEG_4AndroidOutputFormat.MPEG_4 = 2
MPEG4 media file format.
AMR_NBAndroidOutputFormat.AMR_NB = 3
AMR NB file format.
AMR_WBAndroidOutputFormat.AMR_WB = 4
AMR WB file format.
AAC_ADIFAndroidOutputFormat.AAC_ADIF = 5
AAC_ADTSAndroidOutputFormat.AAC_ADTS = 6
AAC ADTS file format.
RTP_AVPAndroidOutputFormat.RTP_AVP = 7
MPEG2TSAndroidOutputFormat.MPEG2TS = 8
H.264/AAC data encapsulated in MPEG2/TS.
WEBMAndroidOutputFormat.WEBM = 9
VP8/VORBIS data in a WEBM container.
InterruptionModeAndroidOnly for:
Android
DoNotMixInterruptionModeAndroid.DoNotMix = 1
If this option is set, your experience's audio interrupts audio from other apps.
DuckOthersInterruptionModeAndroid.DuckOthers = 2
This is the default option. If this option is set, your experience's audio lowers the volume ("ducks") of audio from other apps while your audio plays.
InterruptionModeIOSOnly for:
iOS
MixWithOthersInterruptionModeIOS.MixWithOthers = 0
This is the default option. If this option is set, your experience's audio is mixed with audio playing in background apps.
DoNotMixInterruptionModeIOS.DoNotMix = 1
If this option is set, your experience's audio interrupts audio from other apps.
DuckOthersInterruptionModeIOS.DuckOthers = 2
If this option is set, your experience's audio lowers the volume ("ducks") of audio from other apps while your audio plays.
IOSAudioQualityOnly for:
iOS
MINIOSAudioQuality.MIN = 0
LOWIOSAudioQuality.LOW = 32
MEDIUMIOSAudioQuality.MEDIUM = 64
HIGHIOSAudioQuality.HIGH = 96
MAXIOSAudioQuality.MAX = 127
IOSBitRateStrategyOnly for:
iOS
CONSTANTIOSBitRateStrategy.CONSTANT = 0
LONG_TERM_AVERAGEIOSBitRateStrategy.LONG_TERM_AVERAGE = 1
VARIABLE_CONSTRAINEDIOSBitRateStrategy.VARIABLE_CONSTRAINED = 2
VARIABLEIOSBitRateStrategy.VARIABLE = 3
IOSOutputFormatOnly for:
iOS
Note: Not all of the iOS formats included in this list of constants are currently supported by iOS, in spite of appearing in the Apple source code. For an accurate list of formats supported by iOS, see Core Audio Codecs and iPhone Audio File Formats .
MPEGLAYER1IOSOutputFormat.MPEGLAYER1 = ".mp1"
MPEGLAYER2IOSOutputFormat.MPEGLAYER2 = ".mp2"
MPEGLAYER3IOSOutputFormat.MPEGLAYER3 = ".mp3"
MPEG4AACIOSOutputFormat.MPEG4AAC = "aac "
MPEG4AAC_ELDIOSOutputFormat.MPEG4AAC_ELD = "aace"
MPEG4AAC_ELD_SBRIOSOutputFormat.MPEG4AAC_ELD_SBR = "aacf"
MPEG4AAC_ELD_V2IOSOutputFormat.MPEG4AAC_ELD_V2 = "aacg"
MPEG4AAC_HEIOSOutputFormat.MPEG4AAC_HE = "aach"
MPEG4AAC_LDIOSOutputFormat.MPEG4AAC_LD = "aacl"
MPEG4AAC_HE_V2IOSOutputFormat.MPEG4AAC_HE_V2 = "aacp"
MPEG4AAC_SPATIALIOSOutputFormat.MPEG4AAC_SPATIAL = "aacs"
AC3IOSOutputFormat.AC3 = "ac-3"
AES3IOSOutputFormat.AES3 = "aes3"
APPLELOSSLESSIOSOutputFormat.APPLELOSSLESS = "alac"
ALAWIOSOutputFormat.ALAW = "alaw"
AUDIBLEIOSOutputFormat.AUDIBLE = "AUDB"
60958AC3IOSOutputFormat.60958AC3 = "cac3"
MPEG4CELPIOSOutputFormat.MPEG4CELP = "celp"
ENHANCEDAC3IOSOutputFormat.ENHANCEDAC3 = "ec-3"
MPEG4HVXCIOSOutputFormat.MPEG4HVXC = "hvxc"
ILBCIOSOutputFormat.ILBC = "ilbc"
APPLEIMA4IOSOutputFormat.APPLEIMA4 = "ima4"
LINEARPCMIOSOutputFormat.LINEARPCM = "lpcm"
MACE3IOSOutputFormat.MACE3 = "MAC3"
MACE6IOSOutputFormat.MACE6 = "MAC6"
AMRIOSOutputFormat.AMR = "samr"
AMR_WBIOSOutputFormat.AMR_WB = "sawb"
DVIINTELIMAIOSOutputFormat.DVIINTELIMA = 1836253201
MICROSOFTGSMIOSOutputFormat.MICROSOFTGSM = 1836253233
QUALCOMMIOSOutputFormat.QUALCOMM = "Qclp"
QDESIGN2IOSOutputFormat.QDESIGN2 = "QDM2"
QDESIGNIOSOutputFormat.QDESIGN = "QDMC"
MPEG4TWINVQIOSOutputFormat.MPEG4TWINVQ = "twvq"
ULAWIOSOutputFormat.ULAW = "ulaw"
PermissionStatusDENIEDPermissionStatus.DENIED = "denied"
User has denied the permission.
GRANTEDPermissionStatus.GRANTED = "granted"
User has granted the permission.
UNDETERMINEDPermissionStatus.UNDETERMINED = "undetermined"
User hasn't granted or denied the permission yet.
PitchCorrectionQualityCheck official Apple documentation for more information.
HighPitchCorrectionQuality.High = number
Equivalent to AVAudioTimePitchAlgorithmSpectral.
LowPitchCorrectionQuality.Low = number
Equivalent to AVAudioTimePitchAlgorithmLowQualityZeroLatency.
MediumPitchCorrectionQuality.Medium = number
Equivalent to AVAudioTimePitchAlgorithmTimeDomain.
The rest of the API on the Sound.Audio is the same as the API for Video component ref. See the AV documentation
for more information.