Lock Screen Notification Bar Display#
Background#
When playing audio, it is desired that the notification interface can display and control audio playback. Previously, the requirement was to pause playback when entering the background, so every time the notification interface was opened, playback would pause, and there was no effect similar to that of a music player. Later, it was found that after removing the code that paused playback when entering the background, the notification interface could display the player, but it could not control it and had no progress.
Implementation#
Support Background Playback#
First, the app needs to support background playback, which means removing the code logic that pauses playback when entering the background; on the other hand, set Target -> Signing & Capabilities, add Background Modes, and enable Audio, AirPlay, and Picture in Picture. The image is as follows:
Note to set AVAudioSession
, configure it according to actual needs before playback, and close it after playback.
AVAudioSessionCategory
Types
Category Type | Is it muted when "Silent" or locked? | Can it mix with other apps? | Supports background? | Scene Example Description |
---|---|---|---|---|
AVAudioSessionCategoryAmbient | Yes | Yes | No | Commonly used for background sound in apps, such as listening to music while playing games |
AVAudioSessionCategorySoloAmbient | Yes | No | No | Also background sound, but for scenarios where you don't want to hear music while playing games |
AVAudioSessionCategoryPlayback | No | Default not allowed, but can support | Yes | Music playback, can still listen to music when locked |
AVAudioSessionCategoryRecord | No | No, only for recording | Yes | Recorder, cannot play other music while recording |
AVAudioSessionCategoryPlayAndRecord | No | Default allowed, can record and play | Yes | Playing and recording simultaneously, such as in VOIP scenarios |
AVAudioSessionCategoryAudioProcessing | No | No, hardware decodes audio, cannot play or record | Yes | Used for audio format processing |
AVAudioSessionCategoryMultiRoute | No | Yes | No | Simultaneous playback through headphones and USB devices |
AVAudioSessionCategoryOption
Types
Category Option Type | Description | Applicable Categories |
---|---|---|
AVAudioSessionCategoryOptionMixWithOthers | Supports mixing playback with other apps | AVAudioSessionCategoryPlayAndRecord, AVAudioSessionCategoryPlayback, AVAudioSessionCategoryMultiRoute |
AVAudioSessionCategoryOptionDuckOthers | Lower the volume of other app audio, highlight this app's volume | AVAudioSessionCategoryPlayAndRecord, AVAudioSessionCategoryPlayback, AVAudioSessionCategoryMultiRoute |
AVAudioSessionCategoryOptionAllowBluetooth | Supports Bluetooth audio input | AVAudioSessionCategoryRecord, AVAudioSessionCategoryPlayAndRecord |
AVAudioSessionCategoryOptionDefaultToSpeaker | Set default audio output to speaker | AVAudioSessionCategoryPlayAndRecord |
AVAudioSessionCategoryOptionInterruptSpokenAudioAndMixWithOthers | App occasionally uses audio playback and stops audio from other applications during playback | AVAudioSessionCategoryPlayback, AVAudioSessionCategoryPlayAndRecord, AVAudioSessionCategoryMultiRoute |
AVAudioSessionCategoryOptionAllowBluetoothA2DP | Supports stereo Bluetooth | AVAudioSessionCategoryPlayAndRecord |
AVAudioSessionCategoryOptionAllowAirPlay | Supports AirPlay devices | AVAudioSessionCategoryPlayAndRecord |
func setupAudioSession() {
do {
// Set .notifyOthersOnDeactivation, effective when Active is false, notifying the system that this app's playback has ended, allowing other apps to continue playback
try AVAudioSession.sharedInstance().setActive(true, options: AVAudioSession.SetActiveOptions.notifyOthersOnDeactivation)
// Switch to different categories as needed
try AVAudioSession.sharedInstance().setCategory(AVAudioSession.Category.playback, options: AVAudioSession.CategoryOptions.duckOthers)
} catch {
print("set AudioSession error: %@", error)
}
}
Lock Screen Notification Bar Display#
After the app supports background playback, it can be seen that the notification bar already displays, but there is no progress during playback, no title, no image, only the app's name and small icon. The code to modify this information is as follows:
#import <MediaPlayer/MPNowPlayingInfoCenter.h>
#import <MediaPlayer/MPRemoteCommandCenter.h>
#import <MediaPlayer/MPRemoteCommand.h>
#import <MediaPlayer/MPMediaItem.h>
// Update notification bar display
- (void)updateNowPlaingInfo {
NSMutableDictionary *dict = [NSMutableDictionary dictionary];
// Set song title
[dict setValue:@"Title" forKey:MPMediaItemPropertyTitle];
// Set artist name
[dict setValue:@"Artist" forKey:MPMediaItemPropertyArtist];
// Set album name
[dict setValue:@"AlbumTItle" forKey:MPMediaItemPropertyAlbumTitle];
// Set displayed image
MPMediaItemArtwork *artwork = [[MPMediaItemArtwork alloc] initWithImage:ArtImage];
[dict setValue:artwork forKey:MPMediaItemPropertyArtwork];
// Set song duration
NSTimeInterval duration = self.player.duration;
[dict setValue:[NSNumber numberWithDouble:duration] forKey:MPMediaItemPropertyPlaybackDuration];
// Set already played duration
NSTimeInterval currentTime = self.player.currentTime;
[dict setValue:[NSNumber numberWithDouble:currentTime] forKey:MPNowPlayingInfoPropertyElapsedPlaybackTime];
// Set playback rate
[dict setValue:@(1.0) forKey:MPNowPlayingInfoPropertyPlaybackRate];
// Update
[[MPNowPlayingInfoCenter defaultCenter] setNowPlayingInfo:dict];
}
If you want to stop displaying in the notification bar after playback is complete, you can set it as follows:
[[MPNowPlayingInfoCenter defaultCenter] setNowPlayingInfo:@{}];
To control playback pause, previous track, next track in the notification bar, you can control whether the corresponding functions are enabled by setting properties in MPRemoteCommandCenter
, and there are two methods to handle the response events:
- Method 1: Respond to the corresponding event through the
remoteControlReceivedWithEvent:
method - Method 2: Use
MPRemoteCommandCenter
'sCommand
toaddTarget
to handle the corresponding event
The code to set whether the corresponding functions in the notification bar are enabled is as follows:
// In AppDelegate or the corresponding playback Controller, start receiving system control events
// Receive system control events
[[UIApplication sharedApplication] beginReceivingRemoteControlEvents];
[self becomeFirstResponder];
- (void)setupCommandCenter {
MPRemoteCommandCenter *commandCenter = [MPRemoteCommandCenter sharedCommandCenter];
[commandCenter.playCommand removeTarget:self];
[commandCenter.pauseCommand removeTarget:self];
// Disable previous, next
commandCenter.previousTrackCommand.enabled = NO;
commandCenter.nextTrackCommand.enabled = NO;
// Play
commandCenter.playCommand.enabled = YES;
// Pause
commandCenter.pauseCommand.enabled = YES;
// Play and pause (headphone control)
commandCenter.togglePlayPauseCommand.enabled = NO;
// Drag progress
commandCenter.changePlaybackPositionCommand.enable = YES;
}
The code for handling event responses using Method 1 is as follows:
// Respond to remote events
- (void)remoteControlReceivedWithEvent:(UIEvent *)event {
if (event.type == UIEventTypeRemoteControl) {
switch (event.subtype) {
case UIEventSubtypeRemoteControlPlay:
{
NSLog(@"RemoteControlEvents: play");
}
break;
case UIEventSubtypeRemoteControlPause:
{
NSLog(@"RemoteControlEvents: pause");
}
break;
case UIEventSubtypeRemoteControlTogglePlayPause:
NSLog(@"Headphone control: pause || play");
break;
case UIEventSubtypeRemoteControlNextTrack:
{
NSLog(@"RemoteControlEvents: next");
}
break;
case UIEventSubtypeRemoteControlPreviousTrack:
{
NSLog(@"RemoteControlEvents: previous");
}
break;
default:
break;
}
}
}
The code for handling event responses using Method 2 is as follows:
- (void)setupCommandCenter {
MPRemoteCommandCenter *commandCenter = [MPRemoteCommandCenter sharedCommandCenter];
// Play
[commandCenter.playCommand addTargetWithHandler:^MPRemoteCommandHandlerStatus(MPRemoteCommandEvent * _Nonnull event) {
NSLog(@"play");
return MPRemoteCommandHandlerStatusSuccess;
}];
// Pause
[commandCenter.pauseCommand addTarget:self action:@selector(handlePauseCommand:)];
// Drag progress
[commandCenter.changePlaybackPositionCommand addTarget:self action:@selector(handlePlaybackPositionCommand:)];
}
- (MPRemoteCommandHandlerStatus):(id)sender {
NSLog(@"pause");
return MPRemoteCommandHandlerStatusSuccess;
}
- (MPRemoteCommandHandlerStatus)handlePlaybackPositionCommand:
(MPChangePlaybackPositionCommandEvent *) event
{
[self.palyer seekToTime:CMTimeMakeWithSeconds(event.positionTime, 1)];
NSLog(@"changePlaybackPosition to %f", event.positionTime);
return MPRemoteCommandHandlerStatusSuccess;
}
Issues#
#
If beginReceivingRemoteControlEvents
is not added, will the notification bar display, and will it affect the handling of the two methods?
The response of Method 2 will be triggered twice.
Custom playback progress and notification bar progress are inconsistent.