Expo Audio (expo-audio) iconExpo Audio (expo-audio)

GitHub

npm

A library that provides an API to implement audio playback and recording in apps.

Android
iOS
Web

This page documents an upcoming version of the Audio library. Expo audio is currently in alpha and subject to breaking changes.

expo-audio is a cross-platform audio library for accessing the native audio capabilities of the device.

Audio recording APIs are not available on tvOS (Apple TV).

Note that audio automatically stops if headphones/bluetooth audio devices are disconnected.

Installation

Terminal
npx expo install expo-audio

If you are installing this in an existing React Native app, start by installing expo in your project. Then, follow the additional instructions as mentioned by the library's README under "Installation in bare React Native projects" section.

Configuration in app config

You can configure expo-audio using its built-in config plugin if you use config plugins in your project (EAS Build or npx expo run:[android|ios]). The plugin allows you to configure various properties that cannot be set at runtime and require building a new app binary to take effect. If your app does not use EAS Build, then you'll need to manually configure the package.

Example app.json with config plugin

app.json
{
  "expo": {
    "plugins": [
      [
        "expo-audio",
        {
          "microphonePermission": "Allow $(PRODUCT_NAME) to access your microphone."
        }
      ]
    ]
  }
}

Configurable properties

NameDefaultDescription
microphonePermission"Allow $(PRODUCT_NAME) to access your microphone"
Only for:
iOS

A string to set the NSMicrophoneUsageDescription permission message.

Usage

Playing sounds

Playing sounds
import { useEffect, useState } from 'react';
import { View, StyleSheet, Button } from 'react-native';
import { useAudioPlayer } from 'expo-audio';

export default function App() {
  const player = useAudioPlayer(audioSource);

  return (
    <View style={styles.container}>
      <Button title="Play Sound" onPress={() => player.play()} />
    </View>
  );
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    justifyContent: 'center',
    backgroundColor: '#ecf0f1',
    padding: 10,
  },
});

Recording sounds

Recording sounds
import { useState } from 'react';
import { View, StyleSheet, Button } from 'react-native';
import { useAudioRecorder, RecordingOptions, AudioModule, RecordingPresets } from 'expo-audio';

export default function App() {
  const audioRecorder = useAudioRecorder(RecordingPresets.HIGH_QUALITY;);

  const record = () => audioRecorder.record();

  const stopRecording = async () => {
    // The recording will be available on `audioRecorder.uri`.
    await audioRecorder.stop();
  };

  useEffect(() => {
    (async () => {
      const status = await AudioModule.requestRecordingPermissionsAsync();
      if (!status.granted) {
        Alert.alert('Permission to access microphone was denied');
      }
    })();
  }, []);

  return (
    <View style={styles.container}>
      <Button
        title={audioRecorder.isRecording ? 'Stop Recording' : 'Start Recording'}
        onPress={audioRecorder.isRecording ? stopRecording : record}
      />
    </View>
  );
}

const styles = StyleSheet.create({
  container: {
    flex: 1,
    justifyContent: 'center',
    backgroundColor: '#ecf0f1',
    padding: 10,
  },
});

Playing or recording audio in background 
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"
        ]
      }
    }
  }
}

Notes on web usage

  • A MediaRecorder issue on Chrome produces WebM files missing the duration metadata. See the open Chromium issue.
  • MediaRecorder encoding options and other configurations are inconsistent across browsers, utilizing a Polyfill such as kbumsik/opus-media-recorder or ai/audio-recorder-polyfill in your application will improve your experience. Any options passed to prepareToRecordAsync will be passed directly to the MediaRecorder API and as such the polyfill.
  • Web browsers require sites to be served securely for them to listen to a mic. See MediaDevices getUserMedia() security for more details.

API

import { useAudioPlayer, useAudioRecorder } from 'expo-audio';

Constants

Android
iOS
Web

Audio.AUDIO_SAMPLE_UPDATE

Type: 'audioSampleUpdate'

Android
iOS
Web

Audio.PLAYBACK_STATUS_UPDATE

Type: 'playbackStatusUpdate'

Android
iOS
Web

Audio.RECORDING_STATUS_UPDATE

Type: 'recordingStatusUpdate'

Android
iOS
Web

Audio.RecordingPresets

Type: Record<string, RecordingOptions>


Constant which contains definitions of the two preset examples of RecordingOptions, as implemented in the Audio SDK.

HIGH_QUALITY

RecordingPresets.HIGH_QUALITY = {
 extension: '.m4a',
  sampleRate: 44100,
  numberOfChannels: 2,
  bitRate: 128000,
  android: {
    outputFormat: 'mpeg4',
    audioEncoder: 'aac',
  },
  ios: {
    outputFormat: IOSOutputFormat.MPEG4AAC,
    audioQuality: AudioQuality.MAX,
    linearPCMBitDepth: 16,
    linearPCMIsBigEndian: false,
    linearPCMIsFloat: false,
  },
  web: {
    mimeType: 'audio/webm',
    bitsPerSecond: 128000,
  },
};

LOW_QUALITY

RecordingPresets.LOW_QUALITY = {
  extension: '.m4a',
  sampleRate: 44100,
  numberOfChannels: 2,
  bitRate: 64000,
  android: {
    extension: '.3gp',
    outputFormat: '3gp',
    audioEncoder: 'amr_nb',
  },
  ios: {
    audioQuality: AudioQuality.MIN,
    outputFormat: IOSOutputFormat.MPEG4AAC,
    linearPCMBitDepth: 16,
    linearPCMIsBigEndian: false,
    linearPCMIsFloat: false,
  },
  web: {
    mimeType: 'audio/webm',
    bitsPerSecond: 128000,
  },
};

Hooks

Android
iOS
Web

useAudioPlayer(source, updateInterval)

ParameterType
source
(optional)
number | AudioSource
updateInterval
(optional)
number

Returns:

AudioPlayer

Android
iOS
Web

useAudioPlayerStatus(player)

ParameterType
playerAudioPlayer

Returns:

AudioStatus

Android
iOS
Web

useAudioRecorder(options, statusListener)

ParameterType
optionsRecordingOptions
statusListener
(optional)
(status: RecordingStatus) => void

Android
iOS
Web

useAudioRecorderState(recorder, interval)

ParameterType
recorderAudioRecorder
interval
(optional)
number

Android
iOS
Web

useAudioSampleListener(player, listener)

ParameterType
playerAudioPlayer
listener(data: AudioSample) => void

Returns:

void

Classes

Android
iOS
Web

AudioPlayer

Type: Class extends SharedObject<AudioEvents>

AudioPlayer Properties

Android
iOS
Web

currentTime

Type: number

The current position through the audio item, in seconds.

Android
iOS
Web

duration

Type: number

The total duration of the audio in seconds.

Android
iOS
Web

id

Type: number

Unique identifier for the player object.

Android
iOS
Web

isAudioSamplingSupported

Type: boolean

Boolean value indicating whether audio sampling is supported on the platform.

Android
iOS
Web

isBuffering

Type: boolean

Boolean value indicating whether the player is buffering.

Android
iOS
Web

isLoaded

Type: boolean

Boolean value indicating whether the player is finished loading.

Android
iOS
Web

loop

Type: boolean

Boolean value indicating whether the player is currently looping.

Android
iOS
Web

muted

Type: boolean

Boolean value indicating whether the player is currently muted.

Android
iOS
Web

paused

Type: boolean

Boolean value indicating whether the player is currently paused.

Android
iOS
Web

playbackRate

Type: number

The current playback rate of the audio.

Android
iOS
Web

playing

Type: boolean

Boolean value indicating whether the player is currently playing.

Android
iOS
Web

shouldCorrectPitch

Type: boolean

A boolean describing if we are correcting the pitch for a changed rate.

Android
iOS
Web

volume

Type: number

The current volume of the audio.

AudioPlayer Methods

Android
iOS
Web

pause()

Pauses the player.

Returns:

void

Android
iOS
Web

play()

Start playing audio.

Returns:

void

Android
iOS
Web

remove()

Remove the player from memory to free up resources.

Returns:

void

Android
iOS
Web

seekTo(seconds)

ParameterTypeDescription
secondsnumber

The number of seconds to seek by.


Seeks the playback by the given number of seconds.

Returns:

Promise<void>

Android
iOS
Web

setPlaybackRate(rate, pitchCorrectionQuality)

ParameterTypeDescription
ratenumber

The playback rate of the audio.

pitchCorrectionQuality
(optional)
PitchCorrectionQuality

The quality of the pitch correction.


Sets the current playback rate of the audio.

Returns:

void

Android
iOS
Web

AudioRecorder

Type: Class extends SharedObject<RecordingEvents>

AudioRecorder Properties

Android
iOS
Web

currentTime

Type: number

The current length of the recording, in seconds.

Android
iOS
Web

id

Type: number

Unique identifier for the recorder object.

Android
iOS
Web

isRecording

Type: boolean

Boolean value indicating whether the recording is in progress.

Android
iOS
Web

uri

Type: null | string

The uri of the recording.

AudioRecorder Methods

Android
iOS
Web

getAvailableInputs()

Returns a list of available recording inputs. This method can only be called if the Recording has been prepared.

A Promise that is fulfilled with an array of RecordingInput objects.

Android
iOS
Web

getCurrentInput()

Returns the currently-selected recording input. This method can only be called if the Recording has been prepared.

A Promise that is fulfilled with a RecordingInput object.

Android
iOS
Web

getStatus()

Status of the current recording.

Android
iOS
Web

pause()

Pause the recording.

Returns:

void

Android
iOS
Web

prepareToRecordAsync(options)

ParameterType
options
(optional)
Partial<RecordingOptions>

Prepares the recording for recording.

Returns:

Promise<void>

Android
iOS
Web

record()

Starts the recording.

Returns:

void

Android
iOS
Web

recordForDuration(seconds)

ParameterTypeDescription
secondsnumber

The time in seconds to stop recording at.


Stops the recording once the specified time has elapsed.

Returns:

void

Android
iOS
Web

setInput(inputUid)

ParameterTypeDescription
inputUidstring

The uid of a RecordingInput.


Sets the current recording input.

Returns:

void

A Promise that is resolved if successful or rejected if not.

Android
iOS
Web

startRecordingAtTime(seconds)

ParameterTypeDescription
secondsnumber

The time in seconds to start recording at.


Starts the recording at the given time.

Returns:

void

Android
iOS
Web

stop()

Stop the recording.

Returns:

Promise<void>

Methods

Android
iOS
Web

Audio.setAudioModeAsync(mode)

ParameterType
modePartial<AudioMode>

Returns:

Promise<void>

Android
iOS
Web

Audio.setIsAudioActiveAsync(active)

ParameterType
activeboolean

Returns:

Promise<void>

Event Subscriptions

Android
iOS
Web

Audio.useAudioSampleListener(player, listener)

ParameterType
playerAudioPlayer
listener(data: AudioSample) => void

Returns:

void

Interfaces

Android
iOS
Web

PermissionResponse

An object obtained by permissions get and request functions.

PermissionResponse Properties

NameTypeDescription
canAskAgainboolean

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.

expiresPermissionExpiration

Determines time when the permission expires.

grantedboolean

A convenience boolean that indicates if the permission is granted.

statusPermissionStatus

Determines the status of the permission.


Types

Android
iOS
Web

AndroidAudioEncoder

Literal Type: string

Acceptable values are: 'default' | 'amr_nb' | 'amr_wb' | 'aac' | 'he_aac' | 'aac_eld'

Android
iOS
Web

AndroidOutputFormat

Literal Type: string

Acceptable values are: 'default' | '3gp' | 'mpeg4' | 'amrnb' | 'amrwb' | 'aac_adts' | 'mpeg2ts' | 'webm'

Android
iOS
Web

AudioEvents

NameTypeDescription
audioSampleUpdate(data: AudioSample) => void-
playbackStatusUpdate(status: AudioStatus) => void-
Android
iOS
Web

AudioMode

NameTypeDescription
allowsRecordingboolean-
interruptionModeInterruptionMode-
playsInSilentModeboolean-
shouldPlayInBackgroundboolean-
shouldRouteThroughEarpieceboolean-
Android
iOS
Web

AudioSample

NameTypeDescription
channelsAudioSampleChannel[]-
timestampnumber-
Android
iOS
Web

AudioSampleChannel

NameTypeDescription
framesnumber[]-
Android
iOS
Web

AudioSource

Type: string or null or object shaped as below:


NameTypeDescription
headers
(optional)
Record<string, string>

An object representing the HTTP headers to send along with the request for a remote audio source. On web requires the Access-Control-Allow-Origin header returned by the server to include the current domain.

uri
(optional)
string

A string representing the resource identifier for the audio, which could be an HTTPS address, a local file path, or the name of a static audio file resource.

Android
iOS
Web

AudioStatus

NameTypeDescription
currentTimenumber-
durationnumber-
idnumber-
isBufferingboolean-
isLoadedboolean-
loopboolean-
muteboolean-
playbackRatenumber-
playbackStatestring-
playingboolean-
reasonForWaitingToPlaystring-
shouldCorrectPitchboolean-
timeControlStatusstring-
Android
iOS
Web

BitRateStrategy

Literal Type: string

Acceptable values are: 'constant' | 'longTermAverage' | 'variableConstrained' | 'variable'

Android
iOS
Web

InterruptionMode

Literal Type: string

Acceptable values are: 'mixWithOthers' | 'doNotMix' | 'duckOthers'

Android
iOS
Web

PermissionExpiration

Literal Type: multiple types

Permission expiration time. Currently, all permissions are granted permanently.

Acceptable values are: 'never' | number

Android
iOS
Web

PitchCorrectionQuality

Literal Type: string

Acceptable values are: 'low' | 'medium' | 'high'

Android
iOS
Web

RecorderState

NameTypeDescription
canRecordboolean-
durationMillisnumber-
isRecordingboolean-
mediaServicesDidResetboolean-
metering
(optional)
number-
urlstring | null-
Android
iOS
Web

RecordingEvents

NameTypeDescription
recordingStatusUpdate(status: RecordingStatus) => void-
Android
iOS
Web

RecordingInput

NameTypeDescription
namestring-
typestring-
uidstring-
Android
iOS
Web

RecordingOptions

NameTypeDescription
androidRecordingOptionsAndroid

Recording options for the Android platform.

bitRatenumber

The desired bit rate.

Example
extensionstring

The desired file extension.

Example
iosRecordingOptionsIos

Recording options for the iOS platform.

numberOfChannelsnumber

The desired number of channels.

Example
sampleRatenumber

The desired sample rate.

Example
web
(optional)
RecordingOptionsWeb

Recording options for the Web platform.

Android
iOS
Web

RecordingOptionsAndroid

NameTypeDescription
audioEncoderAndroidAudioEncoder

The desired audio encoder. See the AndroidAudioEncoder enum for all valid values.

extension
(optional)
string

The desired file extension.

Example
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).

Example

65536

outputFormatAndroidOutputFormat

The desired file format. See the AndroidOutputFormat enum for all valid values.

sampleRate
(optional)
number

The desired sample rate.

Example
Android
iOS
Web

RecordingOptionsIos

NameTypeDescription
audioQualityAudioQuality | number

The desired audio quality. See the AudioQuality enum for all valid values.

bitDepthHint
(optional)
number

The desired bit depth hint.

Example
bitRateStrategy
(optional)
number

The desired bit rate strategy. See the next section for an enumeration of all valid values of bitRateStrategy.

extension
(optional)
string

The desired file extension.

Example
linearPCMBitDepth
(optional)
number

The desired PCM bit depth.

Example
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.

outputFormat
(optional)
string | IOSOutputFormat | number

The desired file format. See the IOSOutputFormat enum for all valid values.

sampleRate
(optional)
number

The desired sample rate.

Example
Android
iOS
Web

RecordingOptionsWeb

NameTypeDescription
bitsPerSecond
(optional)
number-
mimeType
(optional)
string-
Android
iOS
Web

RecordingStatus

NameTypeDescription
errorstring | null-
hasErrorboolean-
idnumber-
isFinishedboolean-
urlstring | null-

Enums

Android
iOS
Web

AudioQuality

AudioQuality Values

MIN

AudioQuality.MIN = 0

LOW

AudioQuality.LOW = 32

MEDIUM

AudioQuality.MEDIUM = 64

HIGH

AudioQuality.HIGH = 96

MAX

AudioQuality.MAX = 127
Android
iOS
Web

IOSOutputFormat

IOSOutputFormat Values

MPEGLAYER1

IOSOutputFormat.MPEGLAYER1 = ".mp1"

MPEGLAYER2

IOSOutputFormat.MPEGLAYER2 = ".mp2"

MPEGLAYER3

IOSOutputFormat.MPEGLAYER3 = ".mp3"

MPEG4AAC

IOSOutputFormat.MPEG4AAC = "aac "

MPEG4AAC_ELD

IOSOutputFormat.MPEG4AAC_ELD = "aace"

MPEG4AAC_ELD_SBR

IOSOutputFormat.MPEG4AAC_ELD_SBR = "aacf"

MPEG4AAC_ELD_V2

IOSOutputFormat.MPEG4AAC_ELD_V2 = "aacg"

MPEG4AAC_HE

IOSOutputFormat.MPEG4AAC_HE = "aach"

MPEG4AAC_LD

IOSOutputFormat.MPEG4AAC_LD = "aacl"

MPEG4AAC_HE_V2

IOSOutputFormat.MPEG4AAC_HE_V2 = "aacp"

MPEG4AAC_SPATIAL

IOSOutputFormat.MPEG4AAC_SPATIAL = "aacs"

AC3

IOSOutputFormat.AC3 = "ac-3"

AES3

IOSOutputFormat.AES3 = "aes3"

APPLELOSSLESS

IOSOutputFormat.APPLELOSSLESS = "alac"

ALAW

IOSOutputFormat.ALAW = "alaw"

AUDIBLE

IOSOutputFormat.AUDIBLE = "AUDB"

60958AC3

IOSOutputFormat.60958AC3 = "cac3"

MPEG4CELP

IOSOutputFormat.MPEG4CELP = "celp"

ENHANCEDAC3

IOSOutputFormat.ENHANCEDAC3 = "ec-3"

MPEG4HVXC

IOSOutputFormat.MPEG4HVXC = "hvxc"

ILBC

IOSOutputFormat.ILBC = "ilbc"

APPLEIMA4

IOSOutputFormat.APPLEIMA4 = "ima4"

LINEARPCM

IOSOutputFormat.LINEARPCM = "lpcm"

MACE3

IOSOutputFormat.MACE3 = "MAC3"

MACE6

IOSOutputFormat.MACE6 = "MAC6"

AMR

IOSOutputFormat.AMR = "samr"

AMR_WB

IOSOutputFormat.AMR_WB = "sawb"

DVIINTELIMA

IOSOutputFormat.DVIINTELIMA = 1836253201

MICROSOFTGSM

IOSOutputFormat.MICROSOFTGSM = 1836253233

QUALCOMM

IOSOutputFormat.QUALCOMM = "Qclp"

QDESIGN2

IOSOutputFormat.QDESIGN2 = "QDM2"

QDESIGN

IOSOutputFormat.QDESIGN = "QDMC"

MPEG4TWINVQ

IOSOutputFormat.MPEG4TWINVQ = "twvq"

ULAW

IOSOutputFormat.ULAW = "ulaw"
Android
iOS
Web

PermissionStatus

PermissionStatus Values

DENIED

PermissionStatus.DENIED = "denied"

User has denied the permission.

GRANTED

PermissionStatus.GRANTED = "granted"

User has granted the permission.

UNDETERMINED

PermissionStatus.UNDETERMINED = "undetermined"

User hasn't granted or denied the permission yet.