just_audio/just_audio/lib/just_audio.dart

2115 lines
73 KiB
Dart

import 'dart:async';
import 'dart:io';
import 'dart:math';
import 'package:audio_session/audio_session.dart';
import 'package:flutter/foundation.dart';
import 'package:flutter/services.dart';
import 'package:flutter/widgets.dart';
import 'package:just_audio_platform_interface/just_audio_platform_interface.dart';
import 'package:path/path.dart' as p;
import 'package:path_provider/path_provider.dart';
import 'package:rxdart/rxdart.dart';
import 'package:uuid/uuid.dart';
final _uuid = Uuid();
/// An object to manage playing audio from a URL, a locale file or an asset.
///
/// ```
/// final player = AudioPlayer();
/// await player.setUrl('https://foo.com/bar.mp3');
/// player.play();
/// await player.pause();
/// await player.setClip(start: Duration(seconds: 10), end: Duration(seconds: 20));
/// await player.play();
/// await player.setUrl('https://foo.com/baz.mp3');
/// await player.seek(Duration(minutes: 5));
/// player.play();
/// await player.pause();
/// await player.dispose();
/// ```
///
/// You must call [dispose] to release the resources used by this player,
/// including any temporary files created to cache assets.
class AudioPlayer {
/// This is `true` when the audio player needs to engage the native platform
/// side of the plugin to decode or play audio, and is `false` when the native
/// resources are not needed (i.e. after initial instantiation and after [stop]).
bool _active;
/// This is set to [_nativePlatform] when [_active] is `true` and
/// [_idlePlatform] otherwise.
Future<AudioPlayerPlatform> _platform;
/// The interface to the native portion of the plugin. This will be disposed
/// and set to `null` when not in use.
Future<AudioPlayerPlatform> _nativePlatform;
/// A pure Dart implementation of the platform interface for use when the
/// native platform is not needed.
_IdleAudioPlayer _idlePlatform;
/// The subscription to the event channel of the current platform
/// implementation. When switching between active and inactive modes, this is
/// used to cancel the subscription to the previous platform's events and
/// subscribe to the new platform's events.
StreamSubscription _playbackEventSubscription;
final String _id;
_ProxyHttpServer _proxy;
AudioSource _audioSource;
Map<String, AudioSource> _audioSources = {};
bool _disposed = false;
_InitialSeekValues _initialSeekValues;
PlaybackEvent _playbackEvent;
final _playbackEventSubject = BehaviorSubject<PlaybackEvent>(sync: true);
Future<Duration> _durationFuture;
final _durationSubject = BehaviorSubject<Duration>();
final _processingStateSubject = BehaviorSubject<ProcessingState>();
final _playingSubject = BehaviorSubject.seeded(false);
final _volumeSubject = BehaviorSubject.seeded(1.0);
final _speedSubject = BehaviorSubject.seeded(1.0);
final _bufferedPositionSubject = BehaviorSubject<Duration>();
final _icyMetadataSubject = BehaviorSubject<IcyMetadata>();
final _playerStateSubject = BehaviorSubject<PlayerState>();
final _sequenceSubject = BehaviorSubject<List<IndexedAudioSource>>();
final _shuffleIndicesSubject = BehaviorSubject<List<int>>();
final _shuffleIndicesInv = <int>[];
final _currentIndexSubject = BehaviorSubject<int>(sync: true);
final _sequenceStateSubject = BehaviorSubject<SequenceState>();
final _loopModeSubject = BehaviorSubject<LoopMode>();
final _shuffleModeEnabledSubject = BehaviorSubject<bool>();
final _androidAudioSessionIdSubject = BehaviorSubject<int>();
BehaviorSubject<Duration> _positionSubject;
bool _automaticallyWaitsToMinimizeStalling = true;
bool _playInterrupted = false;
AndroidAudioAttributes _androidAudioAttributes;
/// Creates an [AudioPlayer]. The player will automatically pause/duck and
/// resume/unduck when audio interruptions occur (e.g. a phone call) or when
/// headphones are unplugged. If you wish to handle audio interruptions
/// manually, set [handleInterruptions] to `false` and interface directly
/// with the audio session via the
/// [audio_session](https://pub.dev/packages/audio_session) package.
AudioPlayer({bool handleInterruptions = true}) : _id = _uuid.v4() {
_idlePlatform = _IdleAudioPlayer(id: _id, sequenceStream: sequenceStream);
_playbackEventSubject.add(_playbackEvent = PlaybackEvent());
_processingStateSubject.addStream(playbackEventStream
.map((event) => event.processingState)
.distinct()
.handleError((err, stack) {/* noop */}));
_bufferedPositionSubject.addStream(playbackEventStream
.map((event) => event.bufferedPosition)
.distinct()
.handleError((err, stack) {/* noop */}));
_icyMetadataSubject.addStream(playbackEventStream
.map((event) => event.icyMetadata)
.distinct()
.handleError((err, stack) {/* noop */}));
_currentIndexSubject.addStream(playbackEventStream
.map((event) => event.currentIndex)
.distinct()
.handleError((err, stack) {/* noop */}));
_androidAudioSessionIdSubject.addStream(playbackEventStream
.map((event) => event.androidAudioSessionId)
.distinct()
.handleError((err, stack) {/* noop */}));
_sequenceStateSubject.addStream(Rx.combineLatest5<List<IndexedAudioSource>,
List<int>, int, bool, LoopMode, SequenceState>(
sequenceStream,
shuffleIndicesStream,
currentIndexStream,
shuffleModeEnabledStream,
loopModeStream,
(sequence, shuffleIndices, currentIndex, shuffleModeEnabled, loopMode) {
if (sequence == null) return null;
if (currentIndex == null) currentIndex = 0;
currentIndex = min(sequence.length - 1, max(0, currentIndex));
return SequenceState(
sequence,
currentIndex,
shuffleIndices,
shuffleModeEnabled,
loopMode,
);
},
).distinct().handleError((err, stack) {/* noop */}));
_playerStateSubject.addStream(
Rx.combineLatest2<bool, PlaybackEvent, PlayerState>(
playingStream,
playbackEventStream,
(playing, event) => PlayerState(playing, event.processingState))
.distinct()
.handleError((err, stack) {/* noop */}));
_shuffleModeEnabledSubject.add(false);
_loopModeSubject.add(LoopMode.off);
_setPlatformActive(false);
_sequenceSubject.add(null);
// Respond to changes to AndroidAudioAttributes configuration.
AudioSession.instance.then((audioSession) {
audioSession.configurationStream
.map((conf) => conf?.androidAudioAttributes)
.where((attributes) => attributes != null)
.distinct()
.listen(setAndroidAudioAttributes);
});
if (handleInterruptions) {
AudioSession.instance.then((session) {
session.becomingNoisyEventStream.listen((_) {
pause();
});
session.interruptionEventStream.listen((event) {
if (event.begin) {
switch (event.type) {
case AudioInterruptionType.duck:
if (session.androidAudioAttributes.usage ==
AndroidAudioUsage.game) {
setVolume(volume / 2);
}
_playInterrupted = false;
break;
case AudioInterruptionType.pause:
case AudioInterruptionType.unknown:
if (playing) {
pause();
// Although pause is async and sets _playInterrupted = false,
// this is done in the sync portion.
_playInterrupted = true;
}
break;
}
} else {
switch (event.type) {
case AudioInterruptionType.duck:
setVolume(min(1.0, volume * 2));
_playInterrupted = false;
break;
case AudioInterruptionType.pause:
if (_playInterrupted) play();
_playInterrupted = false;
break;
case AudioInterruptionType.unknown:
_playInterrupted = false;
break;
}
}
});
});
}
}
/// The latest [PlaybackEvent].
PlaybackEvent get playbackEvent => _playbackEvent;
/// A stream of [PlaybackEvent]s.
Stream<PlaybackEvent> get playbackEventStream => _playbackEventSubject.stream;
/// The duration of the current audio or null if unknown.
Duration get duration => _playbackEvent.duration;
/// The duration of the current audio or null if unknown.
Future<Duration> get durationFuture => _durationFuture;
/// The duration of the current audio.
Stream<Duration> get durationStream => _durationSubject.stream;
/// The current [ProcessingState].
ProcessingState get processingState => _playbackEvent.processingState;
/// A stream of [ProcessingState]s.
Stream<ProcessingState> get processingStateStream =>
_processingStateSubject.stream;
/// Whether the player is playing.
bool get playing => _playingSubject.value;
/// A stream of changing [playing] states.
Stream<bool> get playingStream => _playingSubject.stream;
/// The current volume of the player.
double get volume => _volumeSubject.value;
/// A stream of [volume] changes.
Stream<double> get volumeStream => _volumeSubject.stream;
/// The current speed of the player.
double get speed => _speedSubject.value;
/// A stream of current speed values.
Stream<double> get speedStream => _speedSubject.stream;
/// The position up to which buffered audio is available.
Duration get bufferedPosition => _bufferedPositionSubject.value;
/// A stream of buffered positions.
Stream<Duration> get bufferedPositionStream =>
_bufferedPositionSubject.stream;
/// The latest ICY metadata received through the audio source.
IcyMetadata get icyMetadata => _playbackEvent.icyMetadata;
/// A stream of ICY metadata received through the audio source.
Stream<IcyMetadata> get icyMetadataStream => _icyMetadataSubject.stream;
/// The current player state containing only the processing and playing
/// states.
PlayerState get playerState => _playerStateSubject.value;
/// A stream of [PlayerState]s.
Stream<PlayerState> get playerStateStream => _playerStateSubject.stream;
/// The current sequence of indexed audio sources.
List<IndexedAudioSource> get sequence => _sequenceSubject.value;
/// A stream broadcasting the current sequence of indexed audio sources.
Stream<List<IndexedAudioSource>> get sequenceStream =>
_sequenceSubject.stream;
/// The current shuffled sequence of indexed audio sources.
List<int> get shuffleIndices => _shuffleIndicesSubject.value;
/// A stream broadcasting the current shuffled sequence of indexed audio
/// sources.
Stream<List<int>> get shuffleIndicesStream => _shuffleIndicesSubject.stream;
//List<IndexedAudioSource> get _effectiveSequence =>
// shuffleModeEnabled ? shuffleIndices : sequence;
/// The index of the current item.
int get currentIndex => _currentIndexSubject.value;
/// A stream broadcasting the current item.
Stream<int> get currentIndexStream => _currentIndexSubject.stream;
/// The current [SequenceState], or `null` if either [sequence]] or
/// [currentIndex] is `null`.
SequenceState get sequenceState => _sequenceStateSubject.value;
/// A stream broadcasting the current [SequenceState].
Stream<SequenceState> get sequenceStateStream => _sequenceStateSubject.stream;
/// Whether there is another item after the current index.
bool get hasNext => nextIndex != null;
/// Whether there is another item before the current index.
bool get hasPrevious => previousIndex != null;
/// Returns [shuffleIndices] if [shuffleModeEnabled] is `true`, otherwise
/// returns the unshuffled indices.
List<int> get effectiveIndices {
if (shuffleIndices == null || sequence == null) return null;
return shuffleModeEnabled
? shuffleIndices
: List.generate(sequence.length, (i) => i);
}
List<int> get _effectiveIndicesInv {
if (shuffleIndices == null || sequence == null) return null;
return shuffleModeEnabled
? _shuffleIndicesInv
: List.generate(sequence.length, (i) => i);
}
int get nextIndex => _getRelativeIndex(1);
int get previousIndex => _getRelativeIndex(-1);
int _getRelativeIndex(int offset) {
if (_audioSource == null ||
currentIndex == null ||
shuffleModeEnabled == null) return null;
if (loopMode == LoopMode.one) return currentIndex;
final effectiveIndices = this.effectiveIndices;
if (effectiveIndices == null) return null;
final effectiveIndicesInv = _effectiveIndicesInv;
final invPos = effectiveIndicesInv[currentIndex];
var newInvPos = invPos + offset;
if (newInvPos >= effectiveIndices.length || newInvPos < 0) {
if (loopMode == LoopMode.all) {
newInvPos %= effectiveIndices.length;
} else {
return null;
}
}
final result = effectiveIndices[newInvPos];
return result;
}
/// The current loop mode.
LoopMode get loopMode => _loopModeSubject.value;
/// A stream of [LoopMode]s.
Stream<LoopMode> get loopModeStream => _loopModeSubject.stream;
/// Whether shuffle mode is currently enabled.
bool get shuffleModeEnabled => _shuffleModeEnabledSubject.value;
/// A stream of the shuffle mode status.
Stream<bool> get shuffleModeEnabledStream =>
_shuffleModeEnabledSubject.stream;
/// The current Android AudioSession ID or `null` if not set.
int get androidAudioSessionId => _playbackEvent.androidAudioSessionId;
/// Broadcasts the current Android AudioSession ID or `null` if not set.
Stream<int> get androidAudioSessionIdStream =>
_androidAudioSessionIdSubject.stream;
/// Whether the player should automatically delay playback in order to
/// minimize stalling. (iOS 10.0 or later only)
bool get automaticallyWaitsToMinimizeStalling =>
_automaticallyWaitsToMinimizeStalling;
/// The current position of the player.
Duration get position {
if (playing && processingState == ProcessingState.ready) {
final result = _playbackEvent.updatePosition +
(DateTime.now().difference(_playbackEvent.updateTime)) * speed;
return _playbackEvent.duration == null ||
result <= _playbackEvent.duration
? result
: _playbackEvent.duration;
} else {
return _playbackEvent.updatePosition;
}
}
/// A stream tracking the current position of this player, suitable for
/// animating a seek bar. To ensure a smooth animation, this stream emits
/// values more frequently on short items where the seek bar moves more
/// quickly, and less frequenly on long items where the seek bar moves more
/// slowly. The interval between each update will be no quicker than once
/// every 16ms and no slower than once every 200ms.
///
/// See [createPositionStream] for more control over the stream parameters.
Stream<Duration> get positionStream {
if (_disposed) return null;
if (_positionSubject == null) {
_positionSubject = BehaviorSubject<Duration>();
_positionSubject.addStream(createPositionStream(
steps: 800,
minPeriod: Duration(milliseconds: 16),
maxPeriod: Duration(milliseconds: 200)));
}
return _positionSubject.stream;
}
/// Creates a new stream periodically tracking the current position of this
/// player. The stream will aim to emit [steps] position updates from the
/// beginning to the end of the current audio source, at intervals of
/// [duration] / [steps]. This interval will be clipped between [minPeriod]
/// and [maxPeriod]. This stream will not emit values while audio playback is
/// paused or stalled.
///
/// Note: each time this method is called, a new stream is created. If you
/// intend to use this stream multiple times, you should hold a reference to
/// the returned stream and close it once you are done.
Stream<Duration> createPositionStream({
int steps = 800,
Duration minPeriod = const Duration(milliseconds: 200),
Duration maxPeriod = const Duration(milliseconds: 200),
}) {
assert(minPeriod <= maxPeriod);
assert(minPeriod > Duration.zero);
if (_disposed) return null;
Duration duration() => this.duration ?? Duration.zero;
Duration step() {
var s = duration() ~/ steps;
if (s < minPeriod) s = minPeriod;
if (s > maxPeriod) s = maxPeriod;
return s;
}
StreamController<Duration> controller = StreamController.broadcast();
Timer currentTimer;
StreamSubscription durationSubscription;
StreamSubscription playbackEventSubscription;
void yieldPosition(Timer timer) {
if (controller.isClosed) {
timer.cancel();
durationSubscription?.cancel();
playbackEventSubscription?.cancel();
return;
}
if (_durationSubject.isClosed) {
timer.cancel();
durationSubscription?.cancel();
playbackEventSubscription?.cancel();
// This will in turn close _positionSubject.
controller.close();
return;
}
controller.add(position);
}
currentTimer = Timer.periodic(step(), yieldPosition);
durationSubscription = durationStream.listen((duration) {
currentTimer.cancel();
currentTimer = Timer.periodic(step(), yieldPosition);
});
playbackEventSubscription = playbackEventStream.listen((event) {
controller.add(position);
});
return controller.stream.distinct();
}
/// Convenience method to set the audio source to a URL with optional headers,
/// preloaded by default, with an initial position of zero by default.
///
/// This is equivalent to:
///
/// ```
/// setAudioSource(AudioSource.uri(Uri.parse(url), headers: headers),
/// initialPosition: Duration.zero, preload: true);
/// ```
///
/// See [setAudioSource] for a detailed explanation of the options.
Future<Duration> setUrl(
String url, {
Map headers,
Duration initialPosition,
bool preload = true,
}) =>
setAudioSource(AudioSource.uri(Uri.parse(url), headers: headers),
initialPosition: initialPosition, preload: preload);
/// Convenience method to set the audio source to a file, preloaded by
/// default, with an initial position of zero by default.
///
/// ```
/// setAudioSource(AudioSource.uri(Uri.file(filePath)), headers: headers,
/// initialPosition: Duration.zero, preload: true);
/// ```
///
/// See [setAudioSource] for a detailed explanation of the options.
Future<Duration> setFilePath(
String filePath, {
Duration initialPosition,
bool preload = true,
}) =>
setAudioSource(AudioSource.uri(Uri.file(filePath)),
initialPosition: initialPosition, preload: preload);
/// Convenience method to set the audio source to an asset, preloaded by
/// default, with an initial position of zero by default.
///
/// ```
/// setAudioSource(AudioSource.uri(Uri.parse('asset:///$assetPath')),
/// headers: headers, initialPosition: Duration.zero, preload: true);
/// ```
///
/// See [setAudioSource] for a detailed explanation of the options.
Future<Duration> setAsset(
String assetPath, {
bool preload = true,
Duration initialPosition,
}) =>
setAudioSource(AudioSource.uri(Uri.parse('asset:///$assetPath')),
initialPosition: initialPosition, preload: preload);
/// Sets the source from which this audio player should fetch audio.
///
/// By default, this method will immediately start loading audio and return
/// its duration as soon as it is known, or `null` if that information is
/// unavailable. Set [preload] to `false` if you would prefer to delay loading
/// until some later point, either via an explicit call to [load] or via a
/// call to [play] which implicitly loads the audio. If [preload] is `false`,
/// a `null` duration will be returned. Note that the [preload] option will
/// automatically be assumed as `true` if `playing` is currently `true`.
///
/// Optionally specify [initialPosition] and [initialIndex] to seek to an
/// initial position within a particular item (defaulting to position zero of
/// the first item).
///
/// When [preload] is `true`, this method may throw:
///
/// * [Exception] if no audio source has been previously set.
/// * [PlayerException] if the audio source was unable to be loaded.
/// * [PlayerInterruptedException] if another audio source was loaded before
/// this call completed or the player was stopped or disposed of before the
/// call completed.
Future<Duration> setAudioSource(
AudioSource source, {
bool preload = true,
int initialIndex,
Duration initialPosition,
}) async {
if (_disposed) return null;
_audioSource = null;
_initialSeekValues =
_InitialSeekValues(position: initialPosition, index: initialIndex);
_playbackEventSubject.add(_playbackEvent = PlaybackEvent(
currentIndex: initialIndex, updatePosition: initialPosition));
_audioSource = source;
_broadcastSequence();
Duration duration;
if (playing) preload = true;
if (preload) {
duration = await load();
} else {
await _setPlatformActive(false);
}
return duration;
}
/// Starts loading the current audio source and returns the audio duration as
/// soon as it is known, or `null` if unavailable.
///
/// This method throws:
///
/// * [Exception] if no audio source has been previously set.
/// * [PlayerException] if the audio source was unable to be loaded.
/// * [PlayerInterruptedException] if another call to [load] happened before
/// this call completed or the player was stopped or disposed of before the
/// call could complete.
Future<Duration> load() async {
if (_disposed) return null;
if (_audioSource == null) {
throw Exception('Must set AudioSource before loading');
}
if (_active) {
return await _load(await _platform, _audioSource,
initialSeekValues: _initialSeekValues);
} else {
// This will implicitly load the current audio source.
return await _setPlatformActive(true);
}
}
void _broadcastSequence() {
_sequenceSubject.add(_audioSource?.sequence);
_updateShuffleIndices();
}
_updateShuffleIndices() {
_shuffleIndicesSubject.add(_audioSource?.shuffleIndices);
final shuffleIndicesLength = shuffleIndices?.length ?? 0;
if (_shuffleIndicesInv.length > shuffleIndicesLength) {
_shuffleIndicesInv.removeRange(
shuffleIndicesLength, _shuffleIndicesInv.length);
} else if (_shuffleIndicesInv.length < shuffleIndicesLength) {
_shuffleIndicesInv.addAll(
List.filled(shuffleIndicesLength - _shuffleIndicesInv.length, 0));
}
for (var i = 0; i < shuffleIndicesLength; i++) {
_shuffleIndicesInv[shuffleIndices[i]] = i;
}
}
_registerAudioSource(AudioSource source) {
_audioSources[source._id] = source;
}
Future<Duration> _load(AudioPlayerPlatform platform, AudioSource source,
{_InitialSeekValues initialSeekValues}) async {
try {
if (!kIsWeb && source._requiresHeaders) {
if (_proxy == null) {
_proxy = _ProxyHttpServer();
await _proxy.start();
}
}
await source._setup(this);
source._shuffle(initialIndex: initialSeekValues?.index ?? 0);
_updateShuffleIndices();
platform ??= await _platform;
_durationFuture = platform
.load(LoadRequest(
audioSourceMessage: source._toMessage(),
initialPosition: initialSeekValues?.position,
initialIndex: initialSeekValues?.index,
))
.then((response) => response.duration);
final duration = await _durationFuture;
_durationSubject.add(duration);
// Wait for loading state to pass.
await processingStateStream
.firstWhere((state) => state != ProcessingState.loading);
return duration;
} on PlatformException catch (e) {
try {
throw PlayerException(int.parse(e.code), e.message);
} on FormatException catch (_) {
if (e.code == 'abort') {
throw PlayerInterruptedException(e.message);
} else {
throw PlayerException(9999999, e.message);
}
}
}
}
/// Clips the current [AudioSource] to the given [start] and [end]
/// timestamps. If [start] is null, it will be reset to the start of the
/// original [AudioSource]. If [end] is null, it will be reset to the end of
/// the original [AudioSource]. This method cannot be called from the
/// [ProcessingState.idle] state.
Future<Duration> setClip({Duration start, Duration end}) async {
if (_disposed) return null;
_setPlatformActive(true);
final duration = await _load(
await _platform,
start == null && end == null
? _audioSource
: ClippingAudioSource(
child: _audioSource,
start: start,
end: end,
));
return duration;
}
/// Tells the player to play audio as soon as an audio source is loaded and
/// ready to play. If an audio source has been set but not preloaded, this
/// method will also initiate the loading. The [Future] returned by this
/// method completes when the playback completes or is paused or stopped. If
/// the player is already playing, this method completes immediately.
///
/// This method causes [playing] to become true, and it will remain true
/// until [pause] or [stop] is called. This means that if playback completes,
/// and then you [seek] to an earlier position in the audio, playback will
/// continue playing from that position. If you instead wish to [pause] or
/// [stop] playback on completion, you can call either method as soon as
/// [processingState] becomes [ProcessingState.completed] by listening to
/// [processingStateStream].
///
/// This method activates the audio session before playback, and will do
/// nothing if activation of the audio session fails for any reason.
Future<void> play() async {
if (_disposed) return;
if (playing) return;
_playInterrupted = false;
// Broadcast to clients immediately, but revert to false if we fail to
// activate the audio session. This allows setAudioSource to be aware of a
// prior play request.
_playbackEvent = _playbackEvent.copyWith(
updatePosition: position,
updateTime: DateTime.now(),
);
_playingSubject.add(true);
_playbackEventSubject.add(_playbackEvent);
final playCompleter = Completer();
final audioSession = await AudioSession.instance;
if (await audioSession.setActive(true)) {
// TODO: rewrite this to more cleanly handle simultaneous load/play
// requests which each may result in platform play requests.
final requireActive = _audioSource != null;
if (requireActive) {
if (_active) {
// If the native platform is already active, send it a play request.
// NOTE: If a load() request happens simultaneously, this may result
// in two play requests being sent. The platform implementation should
// ignore the second play request since it is already playing.
_sendPlayRequest(await _platform, playCompleter);
} else {
// If the native platform wasn't already active, activating it will
// implicitly restore the playing state and send a play request.
_setPlatformActive(true, playCompleter);
}
}
} else {
// Revert if we fail to activate the audio session.
_playingSubject.add(false);
}
await playCompleter.future;
}
/// Pauses the currently playing media. This method does nothing if
/// ![playing].
Future<void> pause() async {
if (_disposed) return;
if (!playing) return;
//_setPlatformActive(true);
_playInterrupted = false;
// Update local state immediately so that queries aren't surprised.
_playbackEvent = _playbackEvent.copyWith(
updatePosition: position,
updateTime: DateTime.now(),
);
_playingSubject.add(false);
_playbackEventSubject.add(_playbackEvent);
// TODO: perhaps modify platform side to ensure new state is broadcast
// before this method returns.
await (await _platform).pause(PauseRequest());
}
Future<void> _sendPlayRequest(
AudioPlayerPlatform platform, Completer<void> playCompleter) async {
await platform.play(PlayRequest());
playCompleter?.complete();
}
/// Stops playing audio and releases decoders and other native platform
/// resources needed to play audio. The current audio source state will be
/// retained and playback can be resumed at a later point in time.
///
/// Use [stop] if the app is done playing audio for now but may need still
/// want to resume playback later. Use [dispose] when the app is completely
/// finished playing audio. Use [pause] instead if you would like to keep the
/// decoders alive so that the app can quickly resume audio playback.
Future<void> stop() async {
if (_disposed) return;
final future = _setPlatformActive(false);
_playInterrupted = false;
// Update local state immediately so that queries aren't surprised.
_playingSubject.add(false);
await future;
}
/// Sets the volume of this player, where 1.0 is normal volume.
Future<void> setVolume(final double volume) async {
if (_disposed) return;
_volumeSubject.add(volume);
await (await _platform).setVolume(SetVolumeRequest(volume: volume));
}
/// Sets the playback speed of this player, where 1.0 is normal speed. Note
/// that values in excess of 1.0 may result in stalls if the playback speed is
/// faster than the player is able to downloaded the audio.
Future<void> setSpeed(final double speed) async {
if (_disposed) return;
_playbackEvent = _playbackEvent.copyWith(
updatePosition: position,
updateTime: DateTime.now(),
);
_playbackEventSubject.add(_playbackEvent);
_speedSubject.add(speed);
await (await _platform).setSpeed(SetSpeedRequest(speed: speed));
}
/// Sets the [LoopMode]. The gapless looping support is as follows:
///
/// * Android: supported
/// * iOS/macOS: not supported, however, gapless looping can be achieved by
/// using [LoopingAudioSource].
/// * Web: not supported
Future<void> setLoopMode(LoopMode mode) async {
if (_disposed) return;
_loopModeSubject.add(mode);
await (await _platform).setLoopMode(
SetLoopModeRequest(loopMode: LoopModeMessage.values[mode.index]));
}
/// Sets whether shuffle mode is enabled.
Future<void> setShuffleModeEnabled(bool enabled) async {
if (_disposed) return;
_shuffleModeEnabledSubject.add(enabled);
await (await _platform).setShuffleMode(SetShuffleModeRequest(
shuffleMode:
enabled ? ShuffleModeMessage.all : ShuffleModeMessage.none));
}
/// Recursively shuffles the children of the currently loaded [AudioSource].
Future<void> shuffle() async {
if (_disposed) return;
if (_audioSource == null) return;
_audioSource._shuffle(initialIndex: currentIndex);
_updateShuffleIndices();
await (await _platform).setShuffleOrder(
SetShuffleOrderRequest(audioSourceMessage: _audioSource._toMessage()));
}
/// Sets automaticallyWaitsToMinimizeStalling for AVPlayer in iOS 10.0 or later, defaults to true.
/// Has no effect on Android clients
Future<void> setAutomaticallyWaitsToMinimizeStalling(
final bool automaticallyWaitsToMinimizeStalling) async {
if (_disposed) return;
_automaticallyWaitsToMinimizeStalling =
automaticallyWaitsToMinimizeStalling;
await (await _platform).setAutomaticallyWaitsToMinimizeStalling(
SetAutomaticallyWaitsToMinimizeStallingRequest(
enabled: automaticallyWaitsToMinimizeStalling));
}
/// Seeks to a particular [position]. If a composition of multiple
/// [AudioSource]s has been loaded, you may also specify [index] to seek to a
/// particular item within that sequence. This method has no effect unless
/// an audio source has been loaded.
Future<void> seek(final Duration position, {int index}) async {
if (_disposed) return;
_initialSeekValues = null;
switch (processingState) {
case ProcessingState.loading:
return;
default:
_playbackEvent = _playbackEvent.copyWith(
updatePosition: position,
updateTime: DateTime.now(),
);
_playbackEventSubject.add(_playbackEvent);
await (await _platform)
.seek(SeekRequest(position: position, index: index));
}
}
/// Seek to the next item, or does nothing if there is no next item.
Future<void> seekToNext() async {
if (hasNext) {
await seek(Duration.zero, index: nextIndex);
}
}
/// Seek to the previous item, or does nothing if there is no previous item.
Future<void> seekToPrevious() async {
if (hasPrevious) {
await seek(Duration.zero, index: previousIndex);
}
}
/// Set the Android audio attributes for this player. Has no effect on other
/// platforms. This will cause a new Android AudioSession ID to be generated.
Future<void> setAndroidAudioAttributes(
AndroidAudioAttributes audioAttributes) async {
if (_disposed) return;
if (audioAttributes == null) return;
if (audioAttributes == _androidAudioAttributes) return;
_androidAudioAttributes = audioAttributes;
await _internalSetAndroidAudioAttributes(await _platform, audioAttributes);
}
Future<void> _internalSetAndroidAudioAttributes(AudioPlayerPlatform platform,
AndroidAudioAttributes audioAttributes) async {
await platform.setAndroidAudioAttributes(SetAndroidAudioAttributesRequest(
contentType: audioAttributes.contentType.index,
flags: audioAttributes.flags.value,
usage: audioAttributes.usage.value));
}
/// Release all resources associated with this player. You must invoke this
/// after you are done with the player.
Future<void> dispose() async {
if (_disposed) return;
_disposed = true;
if (_nativePlatform != null) {
await _disposePlatform(await _nativePlatform);
_nativePlatform = null;
}
if (_idlePlatform != null) {
await _disposePlatform(_idlePlatform);
_idlePlatform = null;
}
_platform = null;
_audioSource = null;
_audioSources.values.forEach((s) => s._dispose());
_audioSources.clear();
_proxy?.stop();
await _durationSubject.close();
await _loopModeSubject.close();
await _shuffleModeEnabledSubject.close();
await _playingSubject.close();
await _volumeSubject.close();
await _speedSubject.close();
await _sequenceSubject.close();
await _shuffleIndicesSubject.close();
}
/// Switch to using the native platform when [active] is `true` and using the
/// idle platform when [active] is `false`. If an audio source has been set,
/// the returned future completes with its duration if known, or `null`
/// otherwise.
Future<Duration> _setPlatformActive(bool active,
[Completer<void> playCompleter]) {
if (active == _active) return _durationFuture;
// This method updates _active and _platform before yielding to the next
// task in the event loop.
_active = active;
final oldPlatformFuture = _platform;
final position = this.position;
final currentIndex = this.currentIndex;
final audioSource = _audioSource;
final durationCompleter = Completer<Duration>();
_platform = Future<AudioPlayerPlatform>(() async {
_playbackEventSubscription?.cancel();
if (oldPlatformFuture != null) {
final oldPlatform = await oldPlatformFuture;
if (oldPlatform != _idlePlatform) {
await _disposePlatform(oldPlatform);
}
}
// During initialisation, we must only use this platform reference in case
// _platform is updated again during initialisation.
final platform = active
? await (_nativePlatform =
JustAudioPlatform.instance.init(InitRequest(id: _id)))
: _idlePlatform;
_playbackEventSubscription =
platform.playbackEventMessageStream.listen((message) {
var duration = message.duration;
var index = message.currentIndex ?? currentIndex;
if (index != null && sequence != null && index < sequence.length) {
if (duration == null) {
duration = sequence[index].duration;
} else {
sequence[index].duration = duration;
}
}
final playbackEvent = PlaybackEvent(
processingState:
ProcessingState.values[message.processingState.index],
updateTime: message.updateTime,
updatePosition: message.updatePosition,
bufferedPosition: message.bufferedPosition,
duration: duration,
icyMetadata: message.icyMetadata == null
? null
: IcyMetadata._fromMessage(message.icyMetadata),
currentIndex: index,
androidAudioSessionId: message.androidAudioSessionId,
);
_durationFuture = Future.value(playbackEvent.duration);
if (playbackEvent.duration != _playbackEvent.duration) {
_durationSubject.add(playbackEvent.duration);
}
_playbackEventSubject.add(_playbackEvent = playbackEvent);
}, onError: _playbackEventSubject.addError);
if (active) {
final automaticallyWaitsToMinimizeStalling =
this.automaticallyWaitsToMinimizeStalling;
final playing = this.playing;
// To avoid a glitch in ExoPlayer, ensure that any requested audio
// attributes are set before loading the audio source.
final audioSession = await AudioSession.instance;
if (_androidAudioAttributes == null) {
_androidAudioAttributes =
audioSession.configuration?.androidAudioAttributes;
}
if (_androidAudioAttributes != null) {
await _internalSetAndroidAudioAttributes(
platform, _androidAudioAttributes);
}
if (!automaticallyWaitsToMinimizeStalling) {
// Only set if different from default.
await platform.setAutomaticallyWaitsToMinimizeStalling(
SetAutomaticallyWaitsToMinimizeStallingRequest(
enabled: automaticallyWaitsToMinimizeStalling));
}
await platform.setVolume(SetVolumeRequest(volume: volume));
await platform.setSpeed(SetSpeedRequest(speed: speed));
await platform.setLoopMode(SetLoopModeRequest(
loopMode: LoopModeMessage.values[loopMode.index]));
await platform.setShuffleMode(SetShuffleModeRequest(
shuffleMode: shuffleModeEnabled
? ShuffleModeMessage.all
: ShuffleModeMessage.none));
if (playing) {
_sendPlayRequest(platform, playCompleter);
}
}
if (audioSource != null) {
try {
final duration = await _load(platform, _audioSource,
initialSeekValues: _initialSeekValues ??
_InitialSeekValues(position: position, index: currentIndex));
durationCompleter.complete(duration);
} catch (e, stackTrace) {
_audioSource = null;
durationCompleter.completeError(e, stackTrace);
}
} else {
durationCompleter.complete(null);
}
return platform;
});
return durationCompleter.future;
}
/// Dispose of the given platform.
Future<void> _disposePlatform(AudioPlayerPlatform platform) async {
if (platform is _IdleAudioPlayer) {
await platform.dispose(DisposeRequest());
} else {
_nativePlatform = null;
try {
await JustAudioPlatform.instance
.disposePlayer(DisposePlayerRequest(id: _id));
} catch (e) {
// Fallback if disposePlayer hasn't been implemented.
await platform.dispose(DisposeRequest());
}
}
}
}
/// Captures the details of any error accessing, loading or playing an audio
/// source, including an invalid or inaccessible URL, or an audio encoding that
/// could not be understood.
class PlayerException {
/// On iOS and macOS, maps to `NSError.code`. On Android, maps to
/// `ExoPlaybackException.type`. On Web, maps to `MediaError.code`.
final int code;
/// On iOS and macOS, maps to `NSError.localizedDescription`. On Android,
/// maps to `ExoPlaybackException.getMessage()`. On Web, a generic message
/// is provided.
final String message;
PlayerException(this.code, this.message);
@override
String toString() => "($code) $message";
}
/// An error that occurs when one operation on the player has been interrupted
/// (e.g. by another simultaneous operation).
class PlayerInterruptedException {
final String message;
PlayerInterruptedException(this.message);
@override
String toString() => "$message";
}
/// Encapsulates the playback state and current position of the player.
class PlaybackEvent {
/// The current processing state.
final ProcessingState processingState;
/// When the last time a position discontinuity happened, as measured in time
/// since the epoch.
final DateTime updateTime;
/// The position at [updateTime].
final Duration updatePosition;
/// The buffer position.
final Duration bufferedPosition;
/// The media duration, or null if unknown.
final Duration duration;
/// The latest ICY metadata received through the audio stream.
final IcyMetadata icyMetadata;
/// The index of the currently playing item.
final int currentIndex;
/// The current Android AudioSession ID.
final int androidAudioSessionId;
PlaybackEvent({
this.processingState = ProcessingState.idle,
DateTime updateTime,
this.updatePosition = Duration.zero,
this.bufferedPosition = Duration.zero,
this.duration,
this.icyMetadata,
this.currentIndex,
this.androidAudioSessionId,
}) : this.updateTime = updateTime ?? DateTime.now();
PlaybackEvent copyWith({
ProcessingState processingState,
DateTime updateTime,
Duration updatePosition,
Duration bufferedPosition,
double speed,
Duration duration,
IcyMetadata icyMetadata,
UriAudioSource currentIndex,
int androidAudioSessionId,
}) =>
PlaybackEvent(
processingState: processingState ?? this.processingState,
updateTime: updateTime ?? this.updateTime,
updatePosition: updatePosition ?? this.updatePosition,
bufferedPosition: bufferedPosition ?? this.bufferedPosition,
duration: duration ?? this.duration,
icyMetadata: icyMetadata ?? this.icyMetadata,
currentIndex: currentIndex ?? this.currentIndex,
androidAudioSessionId:
androidAudioSessionId ?? this.androidAudioSessionId,
);
@override
String toString() =>
"{processingState=$processingState, updateTime=$updateTime, updatePosition=$updatePosition}";
}
/// Enumerates the different processing states of a player.
enum ProcessingState {
/// The player has not loaded an [AudioSource].
idle,
/// The player is loading an [AudioSource].
loading,
/// The player is buffering audio and unable to play.
buffering,
/// The player is has enough audio buffered and is able to play.
ready,
/// The player has reached the end of the audio.
completed,
}
/// Encapsulates the playing and processing states. These two states vary
/// orthogonally, and so if [processingState] is [ProcessingState.buffering],
/// you can check [playing] to determine whether the buffering occurred while
/// the player was playing or while the player was paused.
class PlayerState {
/// Whether the player will play when [processingState] is
/// [ProcessingState.ready].
final bool playing;
/// The current processing state of the player.
final ProcessingState processingState;
PlayerState(this.playing, this.processingState);
@override
String toString() => 'playing=$playing,processingState=$processingState';
@override
int get hashCode => toString().hashCode;
@override
bool operator ==(dynamic other) =>
other is PlayerState &&
other?.playing == playing &&
other?.processingState == processingState;
}
class IcyInfo {
final String title;
final String url;
static IcyInfo _fromMessage(IcyInfoMessage message) => IcyInfo(
title: message.title,
url: message.url,
);
IcyInfo({@required this.title, @required this.url});
@override
String toString() => 'title=$title,url=$url';
@override
int get hashCode => toString().hashCode;
@override
bool operator ==(dynamic other) =>
other is IcyInfo && other?.toString() == toString();
}
class IcyHeaders {
final int bitrate;
final String genre;
final String name;
final int metadataInterval;
final String url;
final bool isPublic;
static IcyHeaders _fromMessage(IcyHeadersMessage message) => IcyHeaders(
bitrate: message.bitrate,
genre: message.genre,
name: message.name,
metadataInterval: message.metadataInterval,
url: message.url,
isPublic: message.isPublic,
);
IcyHeaders({
@required this.bitrate,
@required this.genre,
@required this.name,
@required this.metadataInterval,
@required this.url,
@required this.isPublic,
});
@override
String toString() =>
'bitrate=$bitrate,genre=$genre,name=$name,metadataInterval=$metadataInterval,url=$url,isPublic=$isPublic';
@override
int get hashCode => toString().hashCode;
@override
bool operator ==(dynamic other) =>
other is IcyHeaders && other?.toString() == toString();
}
class IcyMetadata {
final IcyInfo info;
final IcyHeaders headers;
static IcyMetadata _fromMessage(IcyMetadataMessage message) => IcyMetadata(
info: message.info == null ? null : IcyInfo._fromMessage(message.info),
headers: message.headers == null
? null
: IcyHeaders._fromMessage(message.headers),
);
IcyMetadata({@required this.info, @required this.headers});
@override
int get hashCode => info.hashCode ^ headers.hashCode;
@override
bool operator ==(dynamic other) =>
other is IcyMetadata && other?.info == info && other?.headers == headers;
}
/// Encapsulates the [sequence] and [currentIndex] state and ensures
/// consistency such that [currentIndex] is within the range of
/// [sequence.length]. If [sequence.length] is 0, then [currentIndex] is also
/// 0.
class SequenceState {
/// The sequence of the current [AudioSource].
final List<IndexedAudioSource> sequence;
/// The index of the current source in the sequence.
final int currentIndex;
/// The current shuffle order
final List<int> shuffleIndices;
/// Whether shuffle mode is enabled.
final bool shuffleModeEnabled;
/// The current loop mode.
final LoopMode loopMode;
SequenceState(this.sequence, this.currentIndex, this.shuffleIndices,
this.shuffleModeEnabled, this.loopMode);
/// The current source in the sequence.
IndexedAudioSource get currentSource => sequence[currentIndex];
/// The effective sequence. This is equivalent to [sequence]. If
/// [shuffleModeEnabled] is true, this is modulated by [shuffleIndices].
List<IndexedAudioSource> get effectiveSequence => shuffleModeEnabled
? shuffleIndices.map((i) => sequence[i]).toList()
: sequence;
}
/// A local proxy HTTP server for making remote GET requests with headers.
///
/// TODO: Recursively attach headers to items in playlists like m3u8.
class _ProxyHttpServer {
HttpServer _server;
/// Maps request keys to [_ProxyRequest]s.
final Map<String, _ProxyRequest> _uriMap = {};
/// The port this server is bound to on localhost. This is set only after
/// [start] has completed.
int get port => _server.port;
/// Associate headers with a URL. This may be called only after [start] has
/// completed.
Uri addUrl(Uri url, Map<String, String> headers) {
final path = _requestKey(url);
_uriMap[path] = _ProxyRequest(url, headers);
return url.replace(
scheme: 'http',
host: InternetAddress.loopbackIPv4.address,
port: port,
);
}
/// A unique key for each request that can be processed by this proxy,
/// made up of the URL path and query string. It is not possible to
/// simultaneously track requests that have the same URL path and query
/// but differ in other respects such as the port or headers.
String _requestKey(Uri uri) => '${uri.path}?${uri.query}';
/// Starts the server.
Future start() async {
_server = await HttpServer.bind(InternetAddress.loopbackIPv4, 0);
_server.listen((request) async {
if (request.method == 'GET') {
final path = _requestKey(request.uri);
final proxyRequest = _uriMap[path];
final originRequest = await HttpClient().getUrl(proxyRequest.uri);
// Rewrite request headers
final host = originRequest.headers.value('host');
originRequest.headers.clear();
request.headers.forEach((name, value) {
originRequest.headers.set(name, value);
});
for (var name in proxyRequest.headers.keys) {
originRequest.headers.set(name, proxyRequest.headers[name]);
}
originRequest.headers.set('host', host);
// Try to make normal request
try {
final originResponse = await originRequest.close();
request.response.headers.clear();
originResponse.headers.forEach((name, value) {
request.response.headers.set(name, value);
});
request.response.statusCode = originResponse.statusCode;
// Pipe response
await originResponse.pipe(request.response);
await request.response.close();
} on HttpException {
// We likely are dealing with a streaming protocol
if (proxyRequest.uri.scheme == 'http') {
// Try parsing HTTP 0.9 response
//request.response.headers.clear();
final socket = await Socket.connect(
proxyRequest.uri.host, proxyRequest.uri.port);
final clientSocket =
await request.response.detachSocket(writeHeaders: false);
Completer done = Completer();
socket.listen(
clientSocket.add,
onDone: () async {
await clientSocket.flush();
socket.close();
clientSocket.close();
done.complete();
},
);
// Rewrite headers
final headers = <String, String>{};
request.headers.forEach((name, value) {
if (name.toLowerCase() != 'host') {
headers[name] = value.join(",");
}
});
for (var name in proxyRequest.headers.keys) {
headers[name] = proxyRequest.headers[name];
}
socket.write("GET ${proxyRequest.uri.path} HTTP/1.1\n");
if (host != null) {
socket.write("Host: $host\n");
}
for (var name in headers.keys) {
socket.write("$name: ${headers[name]}\n");
}
socket.write("\n");
await socket.flush();
await done.future;
}
}
}
});
}
/// Stops the server
Future stop() => _server.close();
}
/// A request for a URL and headers made by a [_ProxyHttpServer].
class _ProxyRequest {
final Uri uri;
final Map<String, String> headers;
_ProxyRequest(this.uri, this.headers);
}
/// Specifies a source of audio to be played. Audio sources are composable
/// using the subclasses of this class. The same [AudioSource] instance should
/// not be used simultaneously by more than one [AudioPlayer].
abstract class AudioSource {
final String _id;
AudioPlayer _player;
/// Creates an [AudioSource] from a [Uri] with optional headers by
/// attempting to guess the type of stream. On iOS, this uses Apple's SDK to
/// automatically detect the stream type. On Android, the type of stream will
/// be guessed from the extension.
///
/// If you are loading DASH or HLS streams that do not have standard "mpd" or
/// "m3u8" extensions in their URIs, this method will fail to detect the
/// stream type on Android. If you know in advance what type of audio stream
/// it is, you should instantiate [DashAudioSource] or [HlsAudioSource]
/// directly.
static AudioSource uri(Uri uri, {Map headers, dynamic tag}) {
bool hasExtension(Uri uri, String extension) =>
uri.path.toLowerCase().endsWith('.$extension') ||
uri.fragment.toLowerCase().endsWith('.$extension');
if (hasExtension(uri, 'mpd')) {
return DashAudioSource(uri, headers: headers, tag: tag);
} else if (hasExtension(uri, 'm3u8')) {
return HlsAudioSource(uri, headers: headers, tag: tag);
} else {
return ProgressiveAudioSource(uri, headers: headers, tag: tag);
}
}
AudioSource() : _id = _uuid.v4();
@mustCallSuper
Future<void> _setup(AudioPlayer player) async {
_player = player;
player._registerAudioSource(this);
}
void _shuffle({int initialIndex});
@mustCallSuper
void _dispose() {
_player = null;
}
AudioSourceMessage _toMessage();
bool get _requiresHeaders;
List<IndexedAudioSource> get sequence;
List<int> get shuffleIndices;
@override
int get hashCode => _id.hashCode;
@override
bool operator ==(dynamic other) => other is AudioSource && other._id == _id;
}
/// An [AudioSource] that can appear in a sequence.
abstract class IndexedAudioSource extends AudioSource {
final dynamic tag;
Duration duration;
IndexedAudioSource(this.tag, {this.duration});
@override
void _shuffle({int initialIndex}) {}
@override
List<IndexedAudioSource> get sequence => [this];
@override
List<int> get shuffleIndices => [0];
}
/// An abstract class representing audio sources that are loaded from a URI.
abstract class UriAudioSource extends IndexedAudioSource {
final Uri uri;
final Map headers;
Uri _overrideUri;
File _cacheFile;
UriAudioSource(this.uri, {this.headers, dynamic tag, Duration duration})
: super(tag, duration: duration);
/// If [uri] points to an asset, this gives us [_overrideUri] which is the URI
/// of the copied asset on the filesystem, otherwise it gives us the original
/// [uri].
Uri get _effectiveUri => _overrideUri ?? uri;
@override
Future<void> _setup(AudioPlayer player) async {
await super._setup(player);
if (uri.scheme == 'asset') {
_overrideUri = Uri.file(
(await _loadAsset(uri.path.replaceFirst(RegExp(r'^/'), ''))).path);
} else if (headers != null) {
_overrideUri = player._proxy.addUrl(uri, headers.cast<String, String>());
}
}
@override
void _dispose() {
if (_cacheFile?.existsSync() == true) {
_cacheFile?.deleteSync();
}
super._dispose();
}
Future<File> _loadAsset(String assetPath) async {
final file = await _getCacheFile(assetPath);
this._cacheFile = file;
if (!file.existsSync()) {
await file.create(recursive: true);
await file.writeAsBytes(
(await rootBundle.load(assetPath)).buffer.asUint8List());
}
return file;
}
/// Get file for caching asset media with proper extension
Future<File> _getCacheFile(final String assetPath) async => File(p.join(
(await getTemporaryDirectory()).path,
'just_audio_asset_cache',
'${_player._id}_$_id${p.extension(assetPath)}'));
@override
bool get _requiresHeaders => headers != null;
}
/// An [AudioSource] representing a regular media file such as an MP3 or M4A
/// file. The following URI schemes are supported:
///
/// * file: loads from a local file (provided you give your app permission to
/// access that file).
/// * asset: loads from a Flutter asset (not supported on Web).
/// * http(s): loads from an HTTP(S) resource.
///
/// On platforms except for the web, the supplied [headers] will be passed with
/// the HTTP(S) request.
class ProgressiveAudioSource extends UriAudioSource {
ProgressiveAudioSource(Uri uri, {Map headers, dynamic tag, Duration duration})
: super(uri, headers: headers, tag: tag, duration: duration);
@override
AudioSourceMessage _toMessage() => ProgressiveAudioSourceMessage(
id: _id, uri: _effectiveUri.toString(), headers: headers);
}
/// An [AudioSource] representing a DASH stream. The following URI schemes are
/// supported:
///
/// * file: loads from a local file (provided you give your app permission to
/// access that file).
/// * asset: loads from a Flutter asset (not supported on Web).
/// * http(s): loads from an HTTP(S) resource.
///
/// On platforms except for the web, the supplied [headers] will be passed with
/// the HTTP(S) request. Currently headers are not recursively applied to items
/// the HTTP(S) request. Currently headers are not applied recursively.
class DashAudioSource extends UriAudioSource {
DashAudioSource(Uri uri, {Map headers, dynamic tag, Duration duration})
: super(uri, headers: headers, tag: tag, duration: duration);
@override
AudioSourceMessage _toMessage() => DashAudioSourceMessage(
id: _id, uri: _effectiveUri.toString(), headers: headers);
}
/// An [AudioSource] representing an HLS stream. The following URI schemes are
/// supported:
///
/// * file: loads from a local file (provided you give your app permission to
/// access that file).
/// * asset: loads from a Flutter asset (not supported on Web).
/// * http(s): loads from an HTTP(S) resource.
///
/// On platforms except for the web, the supplied [headers] will be passed with
/// the HTTP(S) request. Currently headers are not applied recursively.
class HlsAudioSource extends UriAudioSource {
HlsAudioSource(Uri uri, {Map headers, dynamic tag, Duration duration})
: super(uri, headers: headers, tag: tag, duration: duration);
@override
AudioSourceMessage _toMessage() => HlsAudioSourceMessage(
id: _id, uri: _effectiveUri.toString(), headers: headers);
}
/// An [AudioSource] representing a concatenation of multiple audio sources to
/// be played in succession. This can be used to create playlists. Playback
/// between items will be gapless on Android, iOS and macOS, while there will
/// be a slight gap on Web.
///
/// (Untested) Audio sources can be dynamically added, removed and reordered
/// while the audio is playing.
class ConcatenatingAudioSource extends AudioSource {
final List<AudioSource> children;
final bool useLazyPreparation;
ShuffleOrder _shuffleOrder;
ConcatenatingAudioSource({
@required this.children,
this.useLazyPreparation = true,
ShuffleOrder shuffleOrder,
}) : _shuffleOrder = shuffleOrder ?? DefaultShuffleOrder()
..insert(0, children.length);
@override
Future<void> _setup(AudioPlayer player) async {
await super._setup(player);
for (var source in children) {
await source._setup(player);
}
}
@override
void _shuffle({int initialIndex}) {
int localInitialIndex;
// si = index in [sequence]
// ci = index in [children] array.
for (var ci = 0, si = 0; ci < children.length; ci++) {
final child = children[ci];
final childLength = child.sequence.length;
final initialIndexWithinThisChild = initialIndex != null &&
initialIndex >= si &&
initialIndex < si + childLength;
if (initialIndexWithinThisChild) {
localInitialIndex = ci;
}
final childInitialIndex =
initialIndexWithinThisChild ? (initialIndex - si) : null;
child._shuffle(initialIndex: childInitialIndex);
si += childLength;
}
_shuffleOrder.shuffle(initialIndex: localInitialIndex);
}
/// (Untested) Appends an [AudioSource].
Future<void> add(AudioSource audioSource) async {
final index = children.length;
children.add(audioSource);
_shuffleOrder.insert(index, 1);
if (_player != null) {
_player._broadcastSequence();
await audioSource._setup(_player);
await (await _player._platform).concatenatingInsertAll(
ConcatenatingInsertAllRequest(
id: _id,
index: index,
children: [audioSource._toMessage()],
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Inserts an [AudioSource] at [index].
Future<void> insert(int index, AudioSource audioSource) async {
children.insert(index, audioSource);
_shuffleOrder.insert(index, 1);
if (_player != null) {
_player._broadcastSequence();
await audioSource._setup(_player);
await (await _player._platform).concatenatingInsertAll(
ConcatenatingInsertAllRequest(
id: _id,
index: index,
children: [audioSource._toMessage()],
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Appends multiple [AudioSource]s.
Future<void> addAll(List<AudioSource> children) async {
int index = this.children.length;
this.children.addAll(children);
_shuffleOrder.insert(index, children.length);
if (_player != null) {
_player._broadcastSequence();
for (var child in children) {
await child._setup(_player);
}
await (await _player._platform).concatenatingInsertAll(
ConcatenatingInsertAllRequest(
id: _id,
index: index,
children: children.map((child) => child._toMessage()).toList(),
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Insert multiple [AudioSource]s at [index].
Future<void> insertAll(int index, List<AudioSource> children) async {
this.children.insertAll(index, children);
_shuffleOrder.insert(index, children.length);
if (_player != null) {
_player._broadcastSequence();
for (var child in children) {
await child._setup(_player);
}
await (await _player._platform).concatenatingInsertAll(
ConcatenatingInsertAllRequest(
id: _id,
index: index,
children: children.map((child) => child._toMessage()).toList(),
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Dynmaically remove an [AudioSource] at [index] after this
/// [ConcatenatingAudioSource] has already been loaded.
Future<void> removeAt(int index) async {
children.removeAt(index);
_shuffleOrder.removeRange(index, index + 1);
if (_player != null) {
_player._broadcastSequence();
await (await _player._platform).concatenatingRemoveRange(
ConcatenatingRemoveRangeRequest(
id: _id,
startIndex: index,
endIndex: index + 1,
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Removes a range of [AudioSource]s from index [start] inclusive
/// to [end] exclusive.
Future<void> removeRange(int start, int end) async {
children.removeRange(start, end);
_shuffleOrder.removeRange(start, end);
if (_player != null) {
_player._broadcastSequence();
await (await _player._platform).concatenatingRemoveRange(
ConcatenatingRemoveRangeRequest(
id: _id,
startIndex: start,
endIndex: end,
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Moves an [AudioSource] from [currentIndex] to [newIndex].
Future<void> move(int currentIndex, int newIndex) async {
children.insert(newIndex, children.removeAt(currentIndex));
_shuffleOrder.removeRange(currentIndex, currentIndex + 1);
_shuffleOrder.insert(newIndex, 1);
if (_player != null) {
_player._broadcastSequence();
await (await _player._platform).concatenatingMove(
ConcatenatingMoveRequest(
id: _id,
currentIndex: currentIndex,
newIndex: newIndex,
shuffleOrder: _shuffleOrder.indices));
}
}
/// (Untested) Removes all [AudioSources].
Future<void> clear() async {
children.clear();
_shuffleOrder.clear();
if (_player != null) {
_player._broadcastSequence();
await (await _player._platform).concatenatingRemoveRange(
ConcatenatingRemoveRangeRequest(
id: _id,
startIndex: 0,
endIndex: children.length,
shuffleOrder: _shuffleOrder.indices));
}
}
/// The number of [AudioSource]s.
int get length => children.length;
operator [](int index) => children[index];
@override
List<IndexedAudioSource> get sequence =>
children.expand((s) => s.sequence).toList();
@override
List<int> get shuffleIndices {
var offset = 0;
final childIndicesList = <List<int>>[];
for (var child in children) {
final childIndices = child.shuffleIndices.map((i) => i + offset).toList();
childIndicesList.add(childIndices);
offset += childIndices.length;
}
final indices = <int>[];
for (var index in _shuffleOrder.indices) {
indices.addAll(childIndicesList[index]);
}
return indices;
}
@override
bool get _requiresHeaders =>
children.any((source) => source._requiresHeaders);
@override
AudioSourceMessage _toMessage() => ConcatenatingAudioSourceMessage(
id: _id,
children: children.map((child) => child._toMessage()).toList(),
useLazyPreparation: useLazyPreparation,
shuffleOrder: _shuffleOrder.indices);
}
/// An [AudioSource] that clips the audio of a [UriAudioSource] between a
/// certain start and end time.
class ClippingAudioSource extends IndexedAudioSource {
final UriAudioSource child;
final Duration start;
final Duration end;
/// Creates an audio source that clips [child] to the range [start]..[end],
/// where [start] and [end] default to the beginning and end of the original
/// [child] source.
ClippingAudioSource({
@required this.child,
this.start,
this.end,
dynamic tag,
Duration duration,
}) : super(tag, duration: duration);
@override
Future<void> _setup(AudioPlayer player) async {
await super._setup(player);
await child._setup(player);
}
@override
bool get _requiresHeaders => child._requiresHeaders;
@override
AudioSourceMessage _toMessage() => ClippingAudioSourceMessage(
id: _id, child: child._toMessage(), start: start, end: end);
}
// An [AudioSource] that loops a nested [AudioSource] a finite number of times.
// NOTE: this can be inefficient when using a large loop count. If you wish to
// loop an infinite number of times, use [AudioPlayer.setLoopMode].
//
// On iOS and macOS, note that [LoopingAudioSource] will provide gapless
// playback while [AudioPlayer.setLoopMode] will not. (This will be supported
// in a future release.)
class LoopingAudioSource extends AudioSource {
AudioSource child;
final int count;
LoopingAudioSource({
@required this.child,
this.count,
}) : super();
@override
Future<void> _setup(AudioPlayer player) async {
await super._setup(player);
await child._setup(player);
}
@override
void _shuffle({int initialIndex}) {}
@override
List<IndexedAudioSource> get sequence =>
List.generate(count, (i) => child).expand((s) => s.sequence).toList();
@override
List<int> get shuffleIndices => List.generate(count, (i) => i);
@override
bool get _requiresHeaders => child._requiresHeaders;
@override
AudioSourceMessage _toMessage() => LoopingAudioSourceMessage(
id: _id, child: child._toMessage(), count: count);
}
/// Defines the algorithm for shuffling the order of a
/// [ConcatenatingAudioSource]. See [DefaultShuffleOrder] for a default
/// implementation.
abstract class ShuffleOrder {
/// The shuffled list of indices of [AudioSource]s to play. For example,
/// [2,0,1] specifies to play the 3rd, then the 1st, then the 2nd item.
List<int> get indices;
/// Shuffles the [indices]. If [initialIndex] is provided, the [indices]
/// should be shuffled so that [initialIndex] appears in `indices[0]`.
void shuffle({int initialIndex});
/// Inserts [count] new consecutive indices starting from [index] into
/// [indices], at random positions.
void insert(int index, int count);
/// Removes the indices that are `>= start` and `< end`.
void removeRange(int start, int end);
/// Removes all indices.
void clear();
}
/// A default implementation of [ShuffleOrder].
class DefaultShuffleOrder extends ShuffleOrder {
final _random;
@override
final indices = <int>[];
DefaultShuffleOrder({Random random}) : _random = random ?? Random();
@override
void shuffle({int initialIndex}) {
assert(initialIndex == null || indices.contains(initialIndex));
if (indices.length <= 1) return;
indices.shuffle(_random);
if (initialIndex == null) return;
final initialPos = 0;
final swapPos = indices.indexOf(initialIndex);
// Swap the indices at initialPos and swapPos.
final swapIndex = indices[initialPos];
indices[initialPos] = initialIndex;
indices[swapPos] = swapIndex;
}
@override
void insert(int index, int count) {
// Offset indices after insertion point.
for (var i = 0; i < indices.length; i++) {
if (indices[i] >= index) {
indices[i] += count;
}
}
// Insert new indices at random positions after currentIndex.
final newIndices = List.generate(count, (i) => index + i);
for (var newIndex in newIndices) {
final insertionIndex = _random.nextInt(indices.length + 1);
indices.insert(insertionIndex, newIndex);
}
}
@override
void removeRange(int start, int end) {
final count = end - start;
// Remove old indices.
final oldIndices = List.generate(count, (i) => start + i).toSet();
indices.removeWhere(oldIndices.contains);
// Offset indices after deletion point.
for (var i = 0; i < indices.length; i++) {
if (indices[i] >= end) {
indices[i] -= count;
}
}
}
@override
void clear() {
indices.clear();
}
}
enum LoopMode { off, one, all }
class _IdleAudioPlayer extends AudioPlayerPlatform {
final _eventSubject = BehaviorSubject<PlaybackEventMessage>();
Duration _position;
int _index;
List<IndexedAudioSource> _sequence;
/// Holds a pending request.
SetAndroidAudioAttributesRequest setAndroidAudioAttributesRequest;
_IdleAudioPlayer({
@required String id,
@required Stream<List<IndexedAudioSource>> sequenceStream,
}) : super(id) {
sequenceStream.listen((sequence) => _sequence = sequence);
}
_broadcastPlaybackEvent() {
var updateTime = DateTime.now();
_eventSubject.add(PlaybackEventMessage(
processingState: ProcessingStateMessage.idle,
updatePosition: _position,
updateTime: updateTime,
bufferedPosition: Duration.zero,
icyMetadata: null,
duration: _getDurationAtIndex(_index),
currentIndex: _index,
androidAudioSessionId: null,
));
}
Duration _getDurationAtIndex(int index) =>
index != null && _sequence != null && index < _sequence.length
? _sequence[index].duration
: null;
@override
Stream<PlaybackEventMessage> get playbackEventMessageStream =>
_eventSubject.stream;
@override
Future<LoadResponse> load(LoadRequest request) async {
_index = request.initialIndex ?? 0;
_position = request.initialPosition ?? Duration.zero;
_broadcastPlaybackEvent();
return LoadResponse(duration: _getDurationAtIndex(_index));
}
@override
Future<PlayResponse> play(PlayRequest request) async {
return PlayResponse();
}
@override
Future<PauseResponse> pause(PauseRequest request) async {
return PauseResponse();
}
@override
Future<SetVolumeResponse> setVolume(SetVolumeRequest request) async {
return SetVolumeResponse();
}
@override
Future<SetSpeedResponse> setSpeed(SetSpeedRequest request) async {
return SetSpeedResponse();
}
@override
Future<SetLoopModeResponse> setLoopMode(SetLoopModeRequest request) async {
return SetLoopModeResponse();
}
@override
Future<SetShuffleModeResponse> setShuffleMode(
SetShuffleModeRequest request) async {
return SetShuffleModeResponse();
}
@override
Future<SetShuffleOrderResponse> setShuffleOrder(
SetShuffleOrderRequest request) async {
return SetShuffleOrderResponse();
}
@override
Future<SetAutomaticallyWaitsToMinimizeStallingResponse>
setAutomaticallyWaitsToMinimizeStalling(
SetAutomaticallyWaitsToMinimizeStallingRequest request) async {
return SetAutomaticallyWaitsToMinimizeStallingResponse();
}
@override
Future<SeekResponse> seek(SeekRequest request) async {
_position = request.position ?? Duration.zero;
_index = request.index ?? _index;
_broadcastPlaybackEvent();
return SeekResponse();
}
@override
Future<SetAndroidAudioAttributesResponse> setAndroidAudioAttributes(
SetAndroidAudioAttributesRequest request) async {
setAndroidAudioAttributesRequest = request;
return SetAndroidAudioAttributesResponse();
}
@override
Future<DisposeResponse> dispose(DisposeRequest request) async {
return DisposeResponse();
}
@override
Future<ConcatenatingInsertAllResponse> concatenatingInsertAll(
ConcatenatingInsertAllRequest request) async {
return ConcatenatingInsertAllResponse();
}
@override
Future<ConcatenatingRemoveRangeResponse> concatenatingRemoveRange(
ConcatenatingRemoveRangeRequest request) async {
return ConcatenatingRemoveRangeResponse();
}
@override
Future<ConcatenatingMoveResponse> concatenatingMove(
ConcatenatingMoveRequest request) async {
return ConcatenatingMoveResponse();
}
}
/// Holds the initial requested position and index for a newly loaded audio
/// source.
class _InitialSeekValues {
final Duration position;
final int index;
_InitialSeekValues({@required this.position, @required this.index});
}