A react native module for the Apple MusicKit ( iOS ).
Supports both the React Native legacy (bridge) and new architecture
An Example project was developed to exercise and test all functionality within this library. If you are curious about how to use something, or need to compare your application setup to something that works, check there first.
To run the example app: Override the example app with your own bundle ID that has the MusicKit capability enabled in your Apple Developer account. Replace the bundle identifier in the example’s Xcode project and entitlements with yours; otherwise MusicKit APIs will not be authorized.
The following table shows the platform support for various Apple Music functionality within this library.
| Feature | iOS |
|---|---|
| Auth | |
authorize |
✅ |
checkSubscription |
✅ |
| Player | |
play |
✅ |
pause |
✅ |
togglePlayerState |
✅ |
skipToNextEntry |
✅ |
skipToPreviousEntry |
✅ |
restartCurrentEntry |
✅ |
seekToTime |
✅ |
getCurrentState |
✅ |
configurePlayer |
✅ |
addListener |
✅ |
removeListener |
✅ |
| MusicKit | |
catalogSearch |
✅ |
getTracksFromLibrary |
✅ |
getUserPlaylists |
✅ |
getLibrarySongs |
✅ |
getPlaylistSongs |
✅ |
setPlaybackQueue |
✅ |
npm install @lomray/react-native-apple-music- In your Podfile, set minimum IOS target for Pod installation:
platform :ios, 15.0npx pod-install- Ensure your iOS deployment target is 15.0 or higher, as this library relies on the Apple MusicKit, which requires iOS 15.0+.
- Add the following line to your info.plist file to include a description for the Media Library usage permission:
<key>NSAppleMusicUsageDescription</key>
<string>Allow to continue</string>
- Ensure that your Apple Developer account has the MusicKit entitlement enabled and the appropriate MusicKit capabilities are set in your app's bundle identifier.
- It's highly recommended to set a minimum deployment target of your application to 16.0 and above, because MusicKit requires it to perform a catalog search and some convertation methods.
As of React Native > 0.61, auto linking should work for iOS. There shouldn't be any modifications necessary and it Should work out of the box.
The @lomray/react-native-apple-music package provides a set of tools to interact with Apple MusicKit in your React Native application. Here's how to get started:
First, import the necessary modules from the package:
import {
Auth,
Player,
MusicKit,
useCurrentSong,
useIsPlaying,
usePlaybackTime,
} from '@lomray/react-native-apple-music';Before accessing Apple Music data, you need to authenticate the user and obtain permissions:
async function authenticate() {
try {
const authStatus = await Auth.authorize();
console.log('Authorization Status:', authStatus);
} catch (error) {
console.error('Authorization failed:', error);
}
}Check the user’s Apple Music subscription capabilities via MusicKit’s MusicSubscription.current (async). The response matches the MusicSubscription struct:
import { Auth, isMusicSubscriptionError } from '@lomray/react-native-apple-music';
async function checkSubscription() {
try {
const subscription = await Auth.checkSubscription();
if (subscription.canPlayCatalogContent) {
console.log('User can play Apple Music catalog');
}
if (subscription.canBecomeSubscriber) {
console.log('App can present subscription offers');
}
if (subscription.hasCloudLibraryEnabled) {
console.log('User has iCloud Music Library enabled');
}
} catch (error) {
// MusicSubscription.Error: code is 'unknown' | 'permissionDenied' | 'privacyAcknowledgementRequired'
if (isMusicSubscriptionError(error)) {
if (error.code === 'permissionDenied') {
console.warn('User denied access to Apple Music data');
} else if (error.code === 'privacyAcknowledgementRequired') {
console.warn('User must acknowledge the latest Apple Music privacy policy');
}
} else {
console.error('Subscription check failed', error?.message ?? error);
}
}
}Use isMusicSubscriptionError(error) from the package to narrow the error type and access error.code safely.
Control playback using the Player module:
Player.play();
Player.pause();
Player.togglePlayerState();
Player.skipToNextEntry();
Player.skipToPreviousEntry();
Player.restartCurrentEntry();
Player.seekToTime(30); // Seek to 30 secondsGet the current playback state and listen for changes:
Player.getCurrentState().then((state) => {
console.log('Current Playback State:', state);
});
// Listen for playback state changes
const playbackListener = Player.addListener('onPlaybackStateChange', (state) => {
console.log('New Playback State:', state);
});
// Don't forget to remove the listener when it's no longer needed
playbackListener.remove();To maintain optimal performance and prevent memory leaks, it's important to manage your event listeners effectively. Here's how you can add and remove listeners using the Player class.
const playbackListener = Player.addListener('onPlaybackStateChange', (state) => {
console.log('New Playback State:', state);
});// This will remove all listeners for 'onPlaybackStateChange' event
Player.removeAllListeners('onPlaybackStateChange');Search the Apple Music catalog:
async function searchCatalog(query) {
try {
const types = ['songs', 'albums']; // Define the types of items you're searching for. The result will contain items among songs/albums
const results = await MusicKit.catalogSearch(query, types);
console.log('Search Results:', results);
} catch (error) {
console.error('Search failed:', error);
}
}Get a list of recently played items:
async function getTracksFromLibrary() {
try {
const results = await MusicKit.getTracksFromLibrary();
console.log('User`s library Results:', results);
} catch (error) {
console.error('Getting user tracks failed:', error);
}
}Fetch playlists and songs from the user's library:
// Get user's playlists
const { playlists } = await MusicKit.getUserPlaylists({ limit: 50 });
// Get songs from user's library
const { songs } = await MusicKit.getLibrarySongs({ limit: 50 });
// Get songs from a specific playlist
const { songs } = await MusicKit.getPlaylistSongs(playlistId);Load the player with Song, Album, Playlist or Station using their ID:
await MusicKit.setPlaybackQueue('123456', 'album');Configure the audio session behavior for mixing with other audio sources:
// Default: Exclusive playback (pauses other audio)
await Player.configurePlayer(false);
// Enable audio mixing (for use alongside react-native-track-player or other audio sources)
await Player.configurePlayer(true);When mixWithOthers is true, the audio session uses .mixWithOthers and .duckOthers options, allowing Apple Music to play alongside other audio sources while lowering their volume.
The package provides hooks for reactive states in your components:
import { useCurrentSong, useIsPlaying, usePlaybackState } from '@lomray/react-native-apple-music';
function MusicPlayerComponent() {
const { song } = useCurrentSong();
const { isPlaying } = useIsPlaying();
const { playbackTime } = usePlaybackState();
const duration = Number(song?.duration ?? 0);
const currentTime = playbackTime ?? 0;
const progress = duration > 0 ? currentTime / duration : 0;
return (
<View>
<Text>{song?.title || 'No song playing'}</Text>
<Text>{isPlaying ? 'Playing' : 'Paused'}</Text>
<Text>
{currentTime}s / {duration}s
</Text>
</View>
);
}Bug or a feature request, please open a new issue.
Made with 💚
Published under Apache License.