wip: new player_screen fixes

This commit is contained in:
Pato05 2021-09-02 22:45:14 +02:00
parent 2bd29f4cea
commit cdf990a3d8
14 changed files with 721 additions and 632 deletions

View file

@ -3,4 +3,4 @@ distributionBase=GRADLE_USER_HOME
distributionPath=wrapper/dists distributionPath=wrapper/dists
zipStoreBase=GRADLE_USER_HOME zipStoreBase=GRADLE_USER_HOME
zipStorePath=wrapper/dists zipStorePath=wrapper/dists
distributionUrl=https\://services.gradle.org/distributions/gradle-5.6.4-all.zip distributionUrl=https\://services.gradle.org/distributions/gradle-6.7-all.zip

View file

@ -578,7 +578,8 @@ class DownloadManager {
int? playlistCount = (await db int? playlistCount = (await db
.rawQuery('SELECT COUNT(*) FROM Playlists'))[0]['COUNT(*)'] as int?; .rawQuery('SELECT COUNT(*) FROM Playlists'))[0]['COUNT(*)'] as int?;
//Free space //Free space
double diskSpace = await (DiskSpace.getFreeDiskSpace as FutureOr<double>); double diskSpace =
await DiskSpace.getFreeDiskSpace.then((value) => value ?? 0.0);
//Used space //Used space
List<FileSystemEntity> offlineStat = List<FileSystemEntity> offlineStat =
await Directory(offlinePath).list().toList(); await Directory(offlinePath).list().toList();

View file

@ -189,7 +189,7 @@ class PlayerHelper {
List<Track>? tracks = []; List<Track>? tracks = [];
switch (queueSource!.source) { switch (queueSource!.source) {
case 'flow': case 'flow':
tracks = await (deezerAPI.flow() as FutureOr<List<Track>>); tracks = await deezerAPI.flow();
break; break;
//SmartRadio/Artist radio //SmartRadio/Artist radio
case 'smartradio': case 'smartradio':
@ -198,22 +198,26 @@ class PlayerHelper {
break; break;
//Library shuffle //Library shuffle
case 'libraryshuffle': case 'libraryshuffle':
tracks = await (deezerAPI.libraryShuffle( tracks = await deezerAPI.libraryShuffle(
start: audioHandler.queue.value.length) as FutureOr<List<Track>>); start: audioHandler.queue.value.length);
break; break;
case 'mix': case 'mix':
tracks = tracks = await deezerAPI.playMix(queueSource!.id);
await (deezerAPI.playMix(queueSource!.id) as FutureOr<List<Track>>);
// Deduplicate tracks with the same id // Deduplicate tracks with the same id
List<String> queueIds = List<String> queueIds =
audioHandler.queue.value.map((e) => e.id).toList(); audioHandler.queue.value.map((e) => e.id).toList();
tracks.removeWhere((track) => queueIds.contains(track.id)); tracks?.removeWhere((track) => queueIds.contains(track.id));
break; break;
default: default:
// print(queueSource.toJson()); // print(queueSource.toJson());
break; break;
} }
if (tracks == null) {
// try again i guess?
return await onQueueEnd();
}
List<MediaItem> mi = tracks.map<MediaItem>((t) => t.toMediaItem()).toList(); List<MediaItem> mi = tracks.map<MediaItem>((t) => t.toMediaItem()).toList();
await audioHandler.addQueueItems(mi); await audioHandler.addQueueItems(mi);
// AudioService.skipToNext(); // AudioService.skipToNext();
@ -546,9 +550,9 @@ class AudioPlayerTask extends BaseAudioHandler {
void _broadcastState() { void _broadcastState() {
playbackState.add(PlaybackState( playbackState.add(PlaybackState(
controls: [ controls: [
MediaControl.skipToPrevious, if (_queueIndex != 0) MediaControl.skipToPrevious,
if (_player.playing) MediaControl.pause else MediaControl.play, _player.playing ? MediaControl.pause : MediaControl.play,
MediaControl.skipToNext, if (_queueIndex != _queue!.length - 1) MediaControl.skipToNext,
//Stop //Stop
MediaControl( MediaControl(
androidIcon: 'drawable/ic_action_stop', androidIcon: 'drawable/ic_action_stop',
@ -725,8 +729,8 @@ class AudioPlayerTask extends BaseAudioHandler {
case 'screenAndroidAuto': case 'screenAndroidAuto':
if (_androidAutoCallback != null) if (_androidAutoCallback != null)
_androidAutoCallback!.complete( _androidAutoCallback!.complete(
(args!['value'] as List<Map<String, dynamic>>) (args!['value'] as List<Map<String, dynamic>>?)
.map<MediaItem>(mediaItemFromJson) ?.map<MediaItem>(mediaItemFromJson)
.toList()); .toList());
break; break;
//Reorder tracks, args = [old, new] //Reorder tracks, args = [old, new]

View file

@ -46,13 +46,14 @@ void main() async {
audioHandler = await AudioService.init<AudioPlayerTask>( audioHandler = await AudioService.init<AudioPlayerTask>(
builder: () => AudioPlayerTask(), builder: () => AudioPlayerTask(),
config: AudioServiceConfig( config: AudioServiceConfig(
notificationColor: settings.primaryColor,
androidStopForegroundOnPause: false, androidStopForegroundOnPause: false,
androidNotificationOngoing: false, androidNotificationOngoing: false,
androidNotificationClickStartsActivity: true, androidNotificationClickStartsActivity: true,
androidNotificationChannelDescription: 'Freezer', androidNotificationChannelDescription: 'Freezer',
androidNotificationChannelName: 'Freezer', androidNotificationChannelName: 'Freezer',
androidNotificationIcon: 'drawable/ic_logo', androidNotificationIcon: 'drawable/ic_logo',
preloadArtwork: true, preloadArtwork: false,
), ),
); );
@ -69,7 +70,6 @@ class _FreezerAppState extends State<FreezerApp> {
void initState() { void initState() {
//Make update theme global //Make update theme global
updateTheme = _updateTheme; updateTheme = _updateTheme;
_updateTheme();
super.initState(); super.initState();
} }
@ -82,11 +82,6 @@ class _FreezerAppState extends State<FreezerApp> {
setState(() { setState(() {
settings.themeData; settings.themeData;
}); });
SystemChrome.setSystemUIOverlayStyle(SystemUiOverlayStyle(
systemNavigationBarColor: settings.themeData!.bottomAppBarColor,
systemNavigationBarIconBrightness:
settings.isDark ? Brightness.light : Brightness.dark,
));
} }
Locale? _locale() { Locale? _locale() {
@ -171,8 +166,18 @@ class _LoginMainWrapperState extends State<LoginMainWrapper> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
if (settings.arl == null) if (settings.arl == null)
return LoginWidget( return AnnotatedRegion<SystemUiOverlayStyle>(
callback: () => setState(() => {}), value: (Theme.of(context).brightness == Brightness.dark
? SystemUiOverlayStyle.dark
: SystemUiOverlayStyle.light)
.copyWith(
statusBarColor: Colors.transparent,
systemNavigationBarColor: Theme.of(context).scaffoldBackgroundColor,
statusBarIconBrightness: Brightness.light,
),
child: LoginWidget(
callback: () => setState(() => {}),
),
); );
return MainScreen(); return MainScreen();
} }
@ -190,6 +195,9 @@ class _MainScreenState extends State<MainScreen>
StreamSubscription? _urlLinkStream; StreamSubscription? _urlLinkStream;
int _keyPressed = 0; int _keyPressed = 0;
bool textFieldVisited = false; bool textFieldVisited = false;
final _slideTween = Tween<Offset>(
begin: const Offset(0.0, 0.025), end: const Offset(0.0, 0.0));
final _scaleTween = Tween(begin: 0.975, end: 1.0);
@override @override
void initState() { void initState() {
@ -394,7 +402,7 @@ class _MainScreenState extends State<MainScreen>
} }
await navigatorKey.currentState!.maybePop(); await navigatorKey.currentState!.maybePop();
_selected.value = s; if (_selected.value != s) _selected.value = s;
}, },
selectedItemColor: Theme.of(context).primaryColor, selectedItemColor: Theme.of(context).primaryColor,
items: <BottomNavigationBarItem>[ items: <BottomNavigationBarItem>[
@ -420,7 +428,22 @@ class _MainScreenState extends State<MainScreen>
canRequestFocus: false, canRequestFocus: false,
child: ValueListenableBuilder<int>( child: ValueListenableBuilder<int>(
valueListenable: _selected, valueListenable: _selected,
builder: (context, value, _) => _screens[value]))), builder: (context, value, _) => AnimatedSwitcher(
duration: Duration(milliseconds: 250),
transitionBuilder: (child, animation) =>
SlideTransition(
position: _slideTween.animate(animation),
child: ScaleTransition(
scale: _scaleTween.animate(animation),
child: FadeTransition(
opacity: animation,
child: child,
),
)),
layoutBuilder: (currentChild, previousChildren) =>
currentChild!,
child: _screens[value],
)))),
)); ));
} }
} }

View file

@ -37,9 +37,13 @@ class FreezerAppBar extends StatelessWidget implements PreferredSizeWidget {
final Widget? bottom; final Widget? bottom;
//Should be specified if bottom is specified //Should be specified if bottom is specified
final double height; final double height;
final SystemUiOverlayStyle? systemUiOverlayStyle;
FreezerAppBar(this.title, const FreezerAppBar(this.title,
{this.actions = const [], this.bottom, this.height = 56.0}); {this.actions = const [],
this.bottom,
this.height = 56.0,
this.systemUiOverlayStyle});
Size get preferredSize => Size.fromHeight(this.height); Size get preferredSize => Size.fromHeight(this.height);
@ -51,9 +55,7 @@ class FreezerAppBar extends StatelessWidget implements PreferredSizeWidget {
? Colors.white ? Colors.white
: Colors.black), : Colors.black),
child: AppBar( child: AppBar(
systemOverlayStyle: Theme.of(context).brightness == Brightness.dark systemOverlayStyle: systemUiOverlayStyle,
? SystemUiOverlayStyle.dark
: SystemUiOverlayStyle.light,
elevation: 0.0, elevation: 0.0,
backgroundColor: Theme.of(context).scaffoldBackgroundColor, backgroundColor: Theme.of(context).scaffoldBackgroundColor,
title: Text( title: Text(

View file

@ -124,12 +124,7 @@ class _HomePageScreenState extends State<HomePageScreen> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
if (_homePage == null) if (_homePage == null) return Center(child: CircularProgressIndicator());
return Center(
child: Padding(
padding: EdgeInsets.all(8.0),
child: CircularProgressIndicator(),
));
if (_error) return ErrorScreen(); if (_error) return ErrorScreen();
return Column( return Column(
children: List.generate( children: List.generate(

View file

@ -351,7 +351,7 @@ class _EmailLoginState extends State<EmailLogin> {
setState(() => _loading = true); setState(() => _loading = true);
//Try logging in //Try logging in
String? arl; String? arl;
late String exception; String? exception;
try { try {
arl = await DeezerAPI.getArlByEmail(_email, _password!); arl = await DeezerAPI.getArlByEmail(_email, _password!);
} catch (e, st) { } catch (e, st) {
@ -376,7 +376,7 @@ class _EmailLoginState extends State<EmailLogin> {
title: Text("Error logging in!".i18n), title: Text("Error logging in!".i18n),
content: Text( content: Text(
"Error logging in using email, please check your credentials.\nError: " + "Error logging in using email, please check your credentials.\nError: " +
exception), (exception ?? 'Unknown')),
actions: [ actions: [
TextButton( TextButton(
child: Text('Dismiss'.i18n), child: Text('Dismiss'.i18n),

View file

@ -2,6 +2,7 @@ import 'dart:async';
import 'package:audio_service/audio_service.dart'; import 'package:audio_service/audio_service.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:flutter/scheduler.dart';
import 'package:flutter/services.dart'; import 'package:flutter/services.dart';
import 'package:freezer/api/deezer.dart'; import 'package:freezer/api/deezer.dart';
import 'package:freezer/api/definitions.dart'; import 'package:freezer/api/definitions.dart';
@ -35,17 +36,20 @@ class _LyricsScreenState extends State<LyricsScreen> {
Future _loadForId(String trackId) async { Future _loadForId(String trackId) async {
//Fetch //Fetch
if (_loading == false && lyrics != null) if (_loading == false && lyrics != null) {
setState(() { setState(() {
_freeScroll = false;
_loading = true; _loading = true;
lyrics = null; lyrics = null;
}); });
}
try { try {
Lyrics l = await deezerAPI.lyrics(trackId); Lyrics l = await deezerAPI.lyrics(trackId);
setState(() { setState(() {
_loading = false; _loading = false;
lyrics = l; lyrics = l;
}); });
_scrollToLyric();
} catch (e) { } catch (e) {
setState(() { setState(() {
_error = e; _error = e;
@ -68,20 +72,22 @@ class _LyricsScreenState extends State<LyricsScreen> {
@override @override
void initState() { void initState() {
//Enable visualizer SchedulerBinding.instance!.addPostFrameCallback((_) {
// if (settings.lyricsVisualizer) playerHelper.startVisualizer(); //Enable visualizer
_playbackStateSub = AudioService.position.listen((position) { // if (settings.lyricsVisualizer) playerHelper.startVisualizer();
if (_loading) return; _playbackStateSub = AudioService.position.listen((position) {
_currentIndex = if (_loading) return;
lyrics?.lyrics?.lastIndexWhere((l) => l.offset! <= position); _currentIndex =
//Scroll to current lyric lyrics?.lyrics?.lastIndexWhere((l) => l.offset! <= position);
if (_currentIndex! < 0) return; //Scroll to current lyric
if (_prevIndex == _currentIndex) return; if (_currentIndex! < 0) return;
//Update current lyric index if (_prevIndex == _currentIndex) return;
setState(() => null); //Update current lyric index
_prevIndex = _currentIndex; setState(() => null);
if (_freeScroll) return; _prevIndex = _currentIndex;
_scrollToLyric(); if (_freeScroll) return;
_scrollToLyric();
});
}); });
if (audioHandler.mediaItem.value != null) if (audioHandler.mediaItem.value != null)
_loadForId(audioHandler.mediaItem.value!.id); _loadForId(audioHandler.mediaItem.value!.id);
@ -89,7 +95,7 @@ class _LyricsScreenState extends State<LyricsScreen> {
/// Track change = ~exit~ reload lyrics /// Track change = ~exit~ reload lyrics
_mediaItemSub = audioHandler.mediaItem.listen((mediaItem) { _mediaItemSub = audioHandler.mediaItem.listen((mediaItem) {
if (mediaItem == null) return; if (mediaItem == null) return;
_controller.jumpTo(0.0); if (_controller.hasClients) _controller.jumpTo(0.0);
_loadForId(mediaItem.id); _loadForId(mediaItem.id);
}); });
@ -107,144 +113,145 @@ class _LyricsScreenState extends State<LyricsScreen> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return AnnotatedRegion<SystemUiOverlayStyle>( return Scaffold(
value: Theme.of(context).brightness == Brightness.dark appBar: FreezerAppBar('Lyrics'.i18n,
? SystemUiOverlayStyle.dark systemUiOverlayStyle: SystemUiOverlayStyle(
: SystemUiOverlayStyle.light, statusBarColor: Colors.transparent,
child: Scaffold( statusBarIconBrightness: Brightness.light,
appBar: FreezerAppBar('Lyrics'.i18n), statusBarBrightness: Brightness.light,
body: SafeArea( systemNavigationBarColor: Theme.of(context).scaffoldBackgroundColor,
child: Column( systemNavigationBarDividerColor: Color(
children: [ Theme.of(context).scaffoldBackgroundColor.value - 0x00111111),
Theme( systemNavigationBarIconBrightness: Brightness.light,
data: settings.themeData!.copyWith(
textButtonTheme: TextButtonThemeData(
style: ButtonStyle(
foregroundColor:
MaterialStateProperty.all(Colors.white)))),
child: Column(
crossAxisAlignment: CrossAxisAlignment.center,
mainAxisAlignment: MainAxisAlignment.center,
children: [
if (_freeScroll && !_loading)
TextButton(
onPressed: () {
setState(() => _freeScroll = false);
_scrollToLyric();
},
child: Text(
_currentIndex! >= 0
? (lyrics?.lyrics?[_currentIndex!].text ??
'...')
: '...',
textAlign: TextAlign.center,
),
style: ButtonStyle(
foregroundColor:
MaterialStateProperty.all(Colors.white)))
],
),
),
Expanded(
child: Stack(children: [
//Lyrics
_error != null
?
//Shouldn't really happen, empty lyrics have own text
ErrorScreen(message: _error.toString())
:
// Loading lyrics
_loading
? Center(child: CircularProgressIndicator())
: NotificationListener(
onNotification: (Notification notification) {
if (_freeScroll ||
notification is! ScrollStartNotification)
return false;
if (!_animatedScroll && !_loading)
setState(() => _freeScroll = true);
return false;
},
child: ListView.builder(
controller: _controller,
padding: EdgeInsets.fromLTRB(
0,
0,
0,
settings.lyricsVisualizer! && false
? 100
: 0),
itemCount: lyrics!.lyrics!.length,
itemBuilder: (BuildContext context, int i) {
return Padding(
padding: EdgeInsets.symmetric(
horizontal: 8.0),
child: Container(
decoration: BoxDecoration(
borderRadius:
BorderRadius.circular(8.0),
color: _currentIndex == i
? Colors.grey
.withOpacity(0.25)
: Colors.transparent,
),
height: height,
child: InkWell(
borderRadius:
BorderRadius.circular(8.0),
onTap: lyrics!.id != null
? () => audioHandler.seek(
lyrics!
.lyrics![i].offset!)
: null,
child: Center(
child: Text(
lyrics!.lyrics![i].text!,
textAlign: TextAlign.center,
style: TextStyle(
fontSize: 26.0,
fontWeight:
(_currentIndex == i)
? FontWeight
.bold
: FontWeight
.normal),
),
))));
},
)),
//Visualizer
//if (settings.lyricsVisualizer)
// Positioned(
// bottom: 0,
// left: 0,
// right: 0,
// child: StreamBuilder(
// stream: playerHelper.visualizerStream,
// builder: (BuildContext context, AsyncSnapshot snapshot) {
// List<double> data = snapshot.data ?? [];
// double width = MediaQuery.of(context).size.width /
// data.length; //- 0.25;
// return Row(
// crossAxisAlignment: CrossAxisAlignment.end,
// children: List.generate(
// data.length,
// (i) => AnimatedContainer(
// duration: Duration(milliseconds: 130),
// color: settings.primaryColor,
// height: data[i] * 100,
// width: width,
// )),
// );
// }),
// ),
]),
),
PlayerBar(shouldHandleClicks: false),
],
),
)), )),
body: SafeArea(
child: Column(
children: [
Theme(
data: settings.themeData!.copyWith(
textButtonTheme: TextButtonThemeData(
style: ButtonStyle(
foregroundColor:
MaterialStateProperty.all(Colors.white)))),
child: Column(
crossAxisAlignment: CrossAxisAlignment.center,
mainAxisAlignment: MainAxisAlignment.center,
children: [
if (_freeScroll && !_loading)
TextButton(
onPressed: () {
setState(() => _freeScroll = false);
_scrollToLyric();
},
child: Text(
_currentIndex! >= 0
? (lyrics?.lyrics?[_currentIndex!].text ?? '...')
: '...',
textAlign: TextAlign.center,
),
style: ButtonStyle(
foregroundColor:
MaterialStateProperty.all(Colors.white)))
],
),
),
Expanded(
child: Stack(children: [
//Lyrics
_error != null
?
//Shouldn't really happen, empty lyrics have own text
ErrorScreen(message: _error.toString())
:
// Loading lyrics
_loading
? Center(child: CircularProgressIndicator())
: NotificationListener(
onNotification: (Notification notification) {
if (_freeScroll ||
notification is! ScrollStartNotification)
return false;
if (!_animatedScroll && !_loading)
setState(() => _freeScroll = true);
return false;
},
child: ListView.builder(
controller: _controller,
padding: EdgeInsets.fromLTRB(
0,
0,
0,
settings.lyricsVisualizer! && false
? 100
: 0),
itemCount: lyrics!.lyrics!.length,
itemBuilder: (BuildContext context, int i) {
return Padding(
padding:
EdgeInsets.symmetric(horizontal: 8.0),
child: Container(
decoration: BoxDecoration(
borderRadius:
BorderRadius.circular(8.0),
color: _currentIndex == i
? Colors.grey.withOpacity(0.25)
: Colors.transparent,
),
height: height,
child: InkWell(
borderRadius:
BorderRadius.circular(8.0),
onTap: lyrics!.id != null
? () => audioHandler.seek(
lyrics!.lyrics![i].offset!)
: null,
child: Center(
child: Text(
lyrics!.lyrics![i].text!,
textAlign: TextAlign.center,
style: TextStyle(
fontSize: 26.0,
fontWeight:
(_currentIndex == i)
? FontWeight.bold
: FontWeight
.normal),
),
))));
},
)),
//Visualizer
//if (settings.lyricsVisualizer)
// Positioned(
// bottom: 0,
// left: 0,
// right: 0,
// child: StreamBuilder(
// stream: playerHelper.visualizerStream,
// builder: (BuildContext context, AsyncSnapshot snapshot) {
// List<double> data = snapshot.data ?? [];
// double width = MediaQuery.of(context).size.width /
// data.length; //- 0.25;
// return Row(
// crossAxisAlignment: CrossAxisAlignment.end,
// children: List.generate(
// data.length,
// (i) => AnimatedContainer(
// duration: Duration(milliseconds: 130),
// color: settings.primaryColor,
// height: data[i] * 100,
// width: width,
// )),
// );
// }),
// ),
]),
),
PlayerBar(shouldHandleClicks: false),
],
),
),
); );
} }
} }

View file

@ -32,15 +32,17 @@ class MenuSheet {
isScrollControlled: true, isScrollControlled: true,
context: context, context: context,
builder: (BuildContext context) { builder: (BuildContext context) {
return ConstrainedBox( return SafeArea(
constraints: BoxConstraints( child: ConstrainedBox(
maxHeight: constraints: BoxConstraints(
(MediaQuery.of(context).orientation == Orientation.landscape) maxHeight: (MediaQuery.of(context).orientation ==
? 220 Orientation.landscape)
: 350, ? 220
), : 350,
child: SingleChildScrollView( ),
child: Column(children: options), child: SingleChildScrollView(
child: Column(children: options),
),
), ),
); );
}); });
@ -55,75 +57,73 @@ class MenuSheet {
isScrollControlled: true, isScrollControlled: true,
context: context, context: context,
builder: (BuildContext context) { builder: (BuildContext context) {
return Column( return SafeArea(
mainAxisSize: MainAxisSize.min, child: Column(
children: <Widget>[ mainAxisSize: MainAxisSize.min,
Container( children: <Widget>[
height: 16.0, const SizedBox(height: 16.0),
), Row(
Row( mainAxisSize: MainAxisSize.max,
mainAxisSize: MainAxisSize.max, mainAxisAlignment: MainAxisAlignment.spaceEvenly,
mainAxisAlignment: MainAxisAlignment.spaceEvenly, children: <Widget>[
children: <Widget>[ Semantics(
Semantics( child: CachedImage(
child: CachedImage( url: track.albumArt!.full,
url: track.albumArt!.full, height: 128,
height: 128, width: 128,
width: 128, ),
label: "Album art".i18n,
image: true,
), ),
label: "Album art".i18n, SizedBox(
image: true, width: 240.0,
), child: Column(
Container( mainAxisSize: MainAxisSize.min,
width: 240.0, children: <Widget>[
child: Column( Text(
mainAxisSize: MainAxisSize.min, track.title!,
children: <Widget>[ maxLines: 1,
Text( textAlign: TextAlign.center,
track.title!, overflow: TextOverflow.ellipsis,
maxLines: 1, style: TextStyle(
textAlign: TextAlign.center, fontSize: 22.0, fontWeight: FontWeight.bold),
overflow: TextOverflow.ellipsis, ),
style: TextStyle( Text(
fontSize: 22.0, fontWeight: FontWeight.bold), track.artistString,
), textAlign: TextAlign.center,
Text( overflow: TextOverflow.ellipsis,
track.artistString, maxLines: 1,
textAlign: TextAlign.center, style: TextStyle(fontSize: 20.0),
overflow: TextOverflow.ellipsis, ),
maxLines: 1, Container(
style: TextStyle(fontSize: 20.0), height: 8.0,
), ),
Container( Text(
height: 8.0, track.album!.title!,
), textAlign: TextAlign.center,
Text( overflow: TextOverflow.ellipsis,
track.album!.title!, maxLines: 1,
textAlign: TextAlign.center, ),
overflow: TextOverflow.ellipsis, Text(track.durationString)
maxLines: 1, ],
), ),
Text(track.durationString)
],
), ),
],
),
const SizedBox(height: 16.0),
ConstrainedBox(
constraints: BoxConstraints(
maxHeight: (MediaQuery.of(context).orientation ==
Orientation.landscape)
? 220
: 350,
), ),
], child: SingleChildScrollView(
), child: Column(children: options),
Container( ),
height: 16.0, )
), ],
ConstrainedBox( ),
constraints: BoxConstraints(
maxHeight: (MediaQuery.of(context).orientation ==
Orientation.landscape)
? 220
: 350,
),
child: SingleChildScrollView(
child: Column(children: options),
),
)
],
); );
}); });
} }

View file

@ -1,3 +1,5 @@
import 'dart:async';
import 'package:audio_service/audio_service.dart'; import 'package:audio_service/audio_service.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:freezer/settings.dart'; import 'package:freezer/settings.dart';
@ -17,6 +19,8 @@ class PlayerBar extends StatefulWidget {
class _PlayerBarState extends State<PlayerBar> { class _PlayerBarState extends State<PlayerBar> {
final double iconSize = 28; final double iconSize = 28;
late StreamSubscription mediaItemSub;
late bool _isNothingPlaying = audioHandler.mediaItem.value == null;
double parsePosition(Duration position) { double parsePosition(Duration position) {
if (audioHandler.mediaItem.value == null) return 0.0; if (audioHandler.mediaItem.value == null) return 0.0;
@ -26,98 +30,119 @@ class _PlayerBarState extends State<PlayerBar> {
audioHandler.mediaItem.value!.duration!.inSeconds; audioHandler.mediaItem.value!.duration!.inSeconds;
} }
@override
void initState() {
mediaItemSub = audioHandler.mediaItem.listen((playingItem) {
if ((playingItem == null && !_isNothingPlaying) ||
(playingItem != null && _isNothingPlaying))
setState(() => _isNothingPlaying = playingItem == null);
});
super.initState();
}
@override
void dispose() {
mediaItemSub.cancel();
super.dispose();
}
bool _gestureRegistered = false; bool _gestureRegistered = false;
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
var focusNode = FocusNode(); var focusNode = FocusNode();
return GestureDetector( return _isNothingPlaying
onHorizontalDragUpdate: (details) async { ? const SizedBox()
if (_gestureRegistered) return; : GestureDetector(
final double sensitivity = 12.69; onHorizontalDragUpdate: (details) async {
//Right swipe if (_gestureRegistered) return;
_gestureRegistered = true; final double sensitivity = 12.69;
if (details.delta.dx > sensitivity) { //Right swipe
await audioHandler.skipToPrevious(); _gestureRegistered = true;
} if (details.delta.dx > sensitivity) {
//Left await audioHandler.skipToPrevious();
if (details.delta.dx < -sensitivity) { }
await audioHandler.skipToNext(); //Left
} if (details.delta.dx < -sensitivity) {
_gestureRegistered = false; await audioHandler.skipToNext();
return; }
}, _gestureRegistered = false;
child: Column(mainAxisSize: MainAxisSize.min, children: <Widget>[ return;
StreamBuilder<MediaItem?>( },
stream: audioHandler.mediaItem, child: Column(mainAxisSize: MainAxisSize.min, children: <Widget>[
builder: (context, snapshot) { StreamBuilder<MediaItem?>(
if (!snapshot.hasData) return const SizedBox(); stream: audioHandler.mediaItem,
final currentMediaItem = snapshot.data!; builder: (context, snapshot) {
return DecoratedBox( if (!snapshot.hasData) return const SizedBox();
// For Android TV: indicate focus by grey final currentMediaItem = snapshot.data!;
decoration: BoxDecoration( return DecoratedBox(
color: focusNode.hasFocus // For Android TV: indicate focus by grey
? Colors.black26 decoration: BoxDecoration(
: Theme.of(context).bottomAppBarColor), color: focusNode.hasFocus
child: ListTile( ? Colors.black26
dense: true, : Theme.of(context).bottomAppBarColor),
focusNode: focusNode, child: ListTile(
contentPadding: EdgeInsets.symmetric(horizontal: 8.0), dense: true,
onTap: widget.shouldHandleClicks focusNode: focusNode,
? () { contentPadding:
Navigator.of(context).push(MaterialPageRoute( EdgeInsets.symmetric(horizontal: 8.0),
builder: (BuildContext context) => onTap: widget.shouldHandleClicks
PlayerScreen())); ? () {
} Navigator.of(context).push(
: null, MaterialPageRoute(
leading: CachedImage( builder: (BuildContext context) =>
width: 50, PlayerScreen()));
height: 50, }
url: currentMediaItem.extras!['thumb'] ?? : null,
audioHandler.mediaItem.value!.artUri as String?, leading: CachedImage(
), width: 50,
title: Text( height: 50,
currentMediaItem.displayTitle!, url: currentMediaItem.extras!['thumb'] ??
overflow: TextOverflow.clip, audioHandler.mediaItem.value!.artUri
maxLines: 1, as String?,
),
subtitle: Text(
currentMediaItem.displaySubtitle ?? '',
overflow: TextOverflow.clip,
maxLines: 1,
),
trailing: IconTheme(
data: IconThemeData(
color: settings.isDark
? Colors.white
: Colors.grey[600]),
child: Row(
mainAxisSize: MainAxisSize.min,
children: <Widget>[
PrevNextButton(
iconSize,
prev: true,
), ),
PlayPauseButton(iconSize), title: Text(
PrevNextButton(iconSize) currentMediaItem.displayTitle!,
], overflow: TextOverflow.clip,
), maxLines: 1,
))); ),
}), subtitle: Text(
SizedBox( currentMediaItem.displaySubtitle ?? '',
height: 3.0, overflow: TextOverflow.clip,
child: StreamBuilder<Duration>( maxLines: 1,
stream: AudioService.position, ),
builder: (context, snapshot) { trailing: IconTheme(
return LinearProgressIndicator( data: IconThemeData(
backgroundColor: color: settings.isDark
Theme.of(context).primaryColor.withOpacity(0.1), ? Colors.white
value: parsePosition(snapshot.data ?? Duration.zero), : Colors.grey[600]),
); child: Row(
}), mainAxisSize: MainAxisSize.min,
), children: <Widget>[
]), PrevNextButton(
); iconSize,
prev: true,
),
PlayPauseButton(iconSize),
PrevNextButton(iconSize)
],
),
)));
}),
SizedBox(
height: 3.0,
child: StreamBuilder<Duration>(
stream: AudioService.position,
builder: (context, snapshot) {
return LinearProgressIndicator(
backgroundColor:
Theme.of(context).primaryColor.withOpacity(0.1),
value: parsePosition(snapshot.data ?? Duration.zero),
);
}),
),
]),
);
} }
} }
@ -205,7 +230,6 @@ class _PlayPauseButtonState extends State<PlayPauseButton>
_controller.reverse(); _controller.reverse();
return IconButton( return IconButton(
splashRadius: widget.size,
icon: AnimatedIcon( icon: AnimatedIcon(
icon: AnimatedIcons.play_pause, icon: AnimatedIcons.play_pause,
progress: _animation, progress: _animation,

View file

@ -4,6 +4,7 @@ import 'package:cached_network_image/cached_network_image.dart';
import 'package:flutter/foundation.dart'; import 'package:flutter/foundation.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:audio_service/audio_service.dart'; import 'package:audio_service/audio_service.dart';
import 'package:flutter/scheduler.dart';
import 'package:flutter/services.dart'; import 'package:flutter/services.dart';
import 'package:flutter_screenutil/flutter_screenutil.dart'; import 'package:flutter_screenutil/flutter_screenutil.dart';
import 'package:fluttertoast/fluttertoast.dart'; import 'package:fluttertoast/fluttertoast.dart';
@ -21,6 +22,7 @@ import 'package:freezer/ui/tiles.dart';
import 'package:just_audio/just_audio.dart'; import 'package:just_audio/just_audio.dart';
import 'package:marquee/marquee.dart'; import 'package:marquee/marquee.dart';
import 'package:palette_generator/palette_generator.dart'; import 'package:palette_generator/palette_generator.dart';
import 'package:photo_view/photo_view.dart';
import 'cached_image.dart'; import 'cached_image.dart';
import '../api/definitions.dart'; import '../api/definitions.dart';
@ -176,110 +178,85 @@ class PlayerScreenHorizontal extends StatefulWidget {
class _PlayerScreenHorizontalState extends State<PlayerScreenHorizontal> { class _PlayerScreenHorizontalState extends State<PlayerScreenHorizontal> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Row( return Padding(
mainAxisSize: MainAxisSize.max, padding: const EdgeInsets.all(16.0),
mainAxisAlignment: MainAxisAlignment.spaceAround, child: Row(
children: <Widget>[ mainAxisSize: MainAxisSize.max,
Padding( children: <Widget>[
padding: EdgeInsets.fromLTRB(16, 0, 16, 8), Expanded(
child: Container( flex: 5,
width: ScreenUtil().setWidth(500), child: BigAlbumArt(),
child: Stack( ),
//Right side
Expanded(
flex: 5,
child: Column(
mainAxisSize: MainAxisSize.max,
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[ children: <Widget>[
BigAlbumArt(), Padding(
padding: EdgeInsets.fromLTRB(8, 0, 8, 0),
child: Container(
child: PlayerScreenTopRow(
textSize: ScreenUtil().setSp(24),
iconSize: ScreenUtil().setSp(36),
textWidth: ScreenUtil().setWidth(350),
short: true),
)),
Column(
mainAxisSize: MainAxisSize.min,
children: <Widget>[
Container(
height: ScreenUtil().setSp(50),
child: audioHandler
.mediaItem.value!.displayTitle!.length >=
22
? Marquee(
text:
audioHandler.mediaItem.value!.displayTitle!,
style: TextStyle(
fontSize: 40.sp,
fontWeight: FontWeight.bold),
blankSpace: 32.0,
startPadding: 10.0,
accelerationDuration: Duration(seconds: 1),
pauseAfterRound: Duration(seconds: 2),
)
: Text(
audioHandler.mediaItem.value!.displayTitle!,
maxLines: 1,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: 40.sp,
fontWeight: FontWeight.bold),
)),
const SizedBox(height: 4.0),
Text(
audioHandler.mediaItem.value!.displaySubtitle ?? '',
maxLines: 1,
textAlign: TextAlign.center,
overflow: TextOverflow.clip,
style: TextStyle(
fontSize: 32.sp,
color: Theme.of(context).primaryColor,
),
),
],
),
const Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: SeekBar(),
),
PlaybackControls(56.sp),
Padding(
padding: const EdgeInsets.symmetric(horizontal: 10.0),
child: BottomBarControls(size: 42.sp),
)
], ],
), ),
), )
), ],
//Right side ),
SizedBox(
width: ScreenUtil().setWidth(500),
child: Column(
mainAxisSize: MainAxisSize.max,
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[
Padding(
padding: EdgeInsets.fromLTRB(8, 16, 8, 0),
child: Container(
child: PlayerScreenTopRow(
textSize: ScreenUtil().setSp(24),
iconSize: ScreenUtil().setSp(36),
textWidth: ScreenUtil().setWidth(350),
short: true),
)),
Column(
mainAxisSize: MainAxisSize.min,
children: <Widget>[
Container(
height: ScreenUtil().setSp(50),
child: audioHandler
.mediaItem.value!.displayTitle!.length >=
22
? Marquee(
text: audioHandler.mediaItem.value!.displayTitle!,
style: TextStyle(
fontSize: ScreenUtil().setSp(40),
fontWeight: FontWeight.bold),
blankSpace: 32.0,
startPadding: 10.0,
accelerationDuration: Duration(seconds: 1),
pauseAfterRound: Duration(seconds: 2),
)
: Text(
audioHandler.mediaItem.value!.displayTitle!,
maxLines: 1,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: ScreenUtil().setSp(40),
fontWeight: FontWeight.bold),
)),
const SizedBox(height: 4.0),
Text(
audioHandler.mediaItem.value!.displaySubtitle ?? '',
maxLines: 1,
textAlign: TextAlign.center,
overflow: TextOverflow.clip,
style: TextStyle(
fontSize: ScreenUtil().setSp(32),
color: Theme.of(context).primaryColor,
),
),
],
),
Container(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: SeekBar(),
),
PlaybackControls(ScreenUtil().setSp(60)),
Padding(
padding: EdgeInsets.fromLTRB(8, 0, 8, 16),
child: Container(
padding: EdgeInsets.symmetric(horizontal: 2.0),
child: Row(
mainAxisSize: MainAxisSize.max,
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[
IconButton(
icon: Icon(
Icons.subtitles,
size: ScreenUtil().setWidth(32),
semanticLabel: "Lyrics".i18n,
),
onPressed: () {
Navigator.of(context).push(MaterialPageRoute(
builder: (context) => LyricsScreen()));
},
),
QualityInfoWidget(),
RepeatButton(ScreenUtil().setWidth(32)),
PlayerMenuButton()
],
),
))
],
),
)
],
); );
} }
} }
@ -293,116 +270,68 @@ class PlayerScreenVertical extends StatefulWidget {
class _PlayerScreenVerticalState extends State<PlayerScreenVertical> { class _PlayerScreenVerticalState extends State<PlayerScreenVertical> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Column( return Padding(
mainAxisSize: MainAxisSize.max, padding: EdgeInsets.fromLTRB(30, 4, 16, 0),
mainAxisAlignment: MainAxisAlignment.spaceBetween, child: Column(
children: <Widget>[ mainAxisSize: MainAxisSize.max,
Padding( mainAxisAlignment: MainAxisAlignment.spaceBetween,
padding: EdgeInsets.fromLTRB(30, 4, 16, 0),
child: PlayerScreenTopRow()),
Padding(
padding: EdgeInsets.symmetric(horizontal: 16.0),
child: SizedBox(
child: BigAlbumArt(),
width: min(MediaQuery.of(context).size.width,
MediaQuery.of(context).size.height) *
0.9,
height: min(MediaQuery.of(context).size.width,
MediaQuery.of(context).size.height) *
0.9,
),
),
const SizedBox(height: 4.0),
Column(
mainAxisSize: MainAxisSize.min,
children: <Widget>[ children: <Widget>[
Container( PlayerScreenTopRow(),
height: ScreenUtil().setSp(80), Padding(
child: audioHandler.mediaItem.value!.displayTitle!.length >= 26 padding: EdgeInsets.symmetric(horizontal: 16.0),
? Marquee( child: SizedBox(
text: audioHandler.mediaItem.value!.displayTitle!, child: BigAlbumArt(),
style: TextStyle( width: 1000.w,
fontSize: ScreenUtil().setSp(64), height: 1000.w,
fontWeight: FontWeight.bold),
blankSpace: 32.0,
startPadding: 10.0,
accelerationDuration: Duration(seconds: 1),
pauseAfterRound: Duration(seconds: 2),
)
: Text(
audioHandler.mediaItem.value!.displayTitle!,
maxLines: 1,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: ScreenUtil().setSp(64),
fontWeight: FontWeight.bold),
)),
const SizedBox(height: 4),
Text(
audioHandler.mediaItem.value!.displaySubtitle ?? '',
maxLines: 1,
textAlign: TextAlign.center,
overflow: TextOverflow.clip,
style: TextStyle(
fontSize: ScreenUtil().setSp(52),
color: Theme.of(context).primaryColor,
), ),
), ),
const SizedBox(height: 4.0),
Column(
mainAxisSize: MainAxisSize.min,
children: <Widget>[
Container(
height: ScreenUtil().setSp(80),
child: audioHandler.mediaItem.value!.displayTitle!.length >=
26
? Marquee(
text: audioHandler.mediaItem.value!.displayTitle!,
style: TextStyle(
fontSize: ScreenUtil().setSp(64),
fontWeight: FontWeight.bold),
blankSpace: 32.0,
startPadding: 10.0,
accelerationDuration: Duration(seconds: 1),
pauseAfterRound: Duration(seconds: 2),
)
: Text(
audioHandler.mediaItem.value!.displayTitle!,
maxLines: 1,
overflow: TextOverflow.ellipsis,
style: TextStyle(
fontSize: ScreenUtil().setSp(64),
fontWeight: FontWeight.bold),
)),
const SizedBox(height: 4),
Text(
audioHandler.mediaItem.value!.displaySubtitle ?? '',
maxLines: 1,
textAlign: TextAlign.center,
overflow: TextOverflow.clip,
style: TextStyle(
fontSize: ScreenUtil().setSp(52),
color: Theme.of(context).primaryColor,
),
),
],
),
SeekBar(),
PlaybackControls(86.sp),
Padding(
padding: EdgeInsets.symmetric(vertical: 0, horizontal: 16.0),
child: BottomBarControls(size: 56.sp),
)
], ],
), ));
SeekBar(),
PlaybackControls(ScreenUtil().setWidth(100)),
Padding(
padding: EdgeInsets.symmetric(vertical: 0, horizontal: 16.0),
child: Row(
mainAxisSize: MainAxisSize.max,
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[
IconButton(
icon: Icon(
Icons.subtitles,
size: ScreenUtil().setWidth(46),
semanticLabel: "Lyrics".i18n,
),
onPressed: () async {
//Fix bottom buttons
SystemChrome.setSystemUIOverlayStyle(SystemUiOverlayStyle(
systemNavigationBarColor:
settings.themeData!.bottomAppBarColor,
statusBarColor: Colors.transparent));
await Navigator.of(context).push(
MaterialPageRoute(builder: (context) => LyricsScreen()));
updateColor();
},
),
IconButton(
icon: Icon(
Icons.file_download,
semanticLabel: "Download".i18n,
),
onPressed: () async {
Track t = Track.fromMediaItem(audioHandler.mediaItem.value!);
if (await downloadManager.addOfflineTrack(t,
private: false,
context: context,
isSingleton: true) !=
false)
Fluttertoast.showToast(
msg: 'Downloads added!'.i18n,
gravity: ToastGravity.BOTTOM,
toastLength: Toast.LENGTH_SHORT);
},
),
QualityInfoWidget(),
RepeatButton(ScreenUtil().setWidth(46)),
PlayerMenuButton()
],
),
)
],
);
} }
} }
@ -422,7 +351,7 @@ class _QualityInfoWidgetState extends State<QualityInfoWidget> {
"getStreamInfo", {"id": audioHandler.mediaItem.value!.id}); "getStreamInfo", {"id": audioHandler.mediaItem.value!.id});
//N/A //N/A
if (data == null) { if (data == null) {
setState(() => value = ''); if (mounted) setState(() => value = '');
//If not show, try again later //If not show, try again later
if (audioHandler.mediaItem.value!.extras!['show'] == null) if (audioHandler.mediaItem.value!.extras!['show'] == null)
Future.delayed(Duration(milliseconds: 200), _load); Future.delayed(Duration(milliseconds: 200), _load);
@ -439,10 +368,8 @@ class _QualityInfoWidgetState extends State<QualityInfoWidget> {
@override @override
void initState() { void initState() {
_load(); SchedulerBinding.instance!.addPostFrameCallback((_) => _load());
streamSubscription = audioHandler.mediaItem.listen((event) async { streamSubscription = audioHandler.mediaItem.listen((_) => _load());
_load();
});
super.initState(); super.initState();
} }
@ -465,12 +392,15 @@ class _QualityInfoWidgetState extends State<QualityInfoWidget> {
} }
class PlayerMenuButton extends StatelessWidget { class PlayerMenuButton extends StatelessWidget {
final double size;
const PlayerMenuButton({required this.size});
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return IconButton( return IconButton(
icon: Icon( icon: Icon(
Icons.more_vert, Icons.more_vert,
size: ScreenUtil().setWidth(46), size: size,
semanticLabel: "Options".i18n, semanticLabel: "Options".i18n,
), ),
onPressed: () { onPressed: () {
@ -552,13 +482,11 @@ class _PlaybackControlsState extends State<PlaybackControls> {
Track.fromMediaItem(audioHandler.mediaItem.value!))) { Track.fromMediaItem(audioHandler.mediaItem.value!))) {
return Icon( return Icon(
Icons.favorite, Icons.favorite,
size: widget.iconSize * 0.64,
semanticLabel: "Unlove".i18n, semanticLabel: "Unlove".i18n,
); );
} }
return Icon( return Icon(
Icons.favorite_border, Icons.favorite_border,
size: widget.iconSize * 0.64,
semanticLabel: "Love".i18n, semanticLabel: "Love".i18n,
); );
} }
@ -574,9 +502,9 @@ class _PlaybackControlsState extends State<PlaybackControls> {
IconButton( IconButton(
icon: Icon( icon: Icon(
Icons.sentiment_very_dissatisfied, Icons.sentiment_very_dissatisfied,
size: ScreenUtil().setWidth(46),
semanticLabel: "Dislike".i18n, semanticLabel: "Dislike".i18n,
), ),
iconSize: widget.iconSize * 0.75,
onPressed: () async { onPressed: () async {
await deezerAPI.dislikeTrack(audioHandler.mediaItem.value!.id); await deezerAPI.dislikeTrack(audioHandler.mediaItem.value!.id);
if (playerHelper.queueIndex < if (playerHelper.queueIndex <
@ -589,6 +517,7 @@ class _PlaybackControlsState extends State<PlaybackControls> {
PrevNextButton(widget.iconSize), PrevNextButton(widget.iconSize),
IconButton( IconButton(
icon: libraryIcon, icon: libraryIcon,
iconSize: widget.iconSize * 0.75,
onPressed: () async { onPressed: () async {
if (cache.libraryTracks == null) cache.libraryTracks = []; if (cache.libraryTracks == null) cache.libraryTracks = [];
@ -624,6 +553,7 @@ class BigAlbumArt extends StatefulWidget {
class _BigAlbumArtState extends State<BigAlbumArt> { class _BigAlbumArtState extends State<BigAlbumArt> {
PageController _pageController = PageController( PageController _pageController = PageController(
initialPage: playerHelper.queueIndex, initialPage: playerHelper.queueIndex,
viewportFraction: 1.0,
); );
StreamSubscription? _currentItemSub; StreamSubscription? _currentItemSub;
bool _animationLock = true; bool _animationLock = true;
@ -632,6 +562,7 @@ class _BigAlbumArtState extends State<BigAlbumArt> {
void initState() { void initState() {
_currentItemSub = audioHandler.mediaItem.listen((event) async { _currentItemSub = audioHandler.mediaItem.listen((event) async {
_animationLock = true; _animationLock = true;
// TODO: a lookup in the entire queue isn't that good, this can definitely be improved in some way
await _pageController.animateToPage(playerHelper.queueIndex, await _pageController.animateToPage(playerHelper.queueIndex,
duration: Duration(milliseconds: 300), curve: Curves.easeInOut); duration: Duration(milliseconds: 300), curve: Curves.easeInOut);
_animationLock = false; _animationLock = false;
@ -653,6 +584,22 @@ class _BigAlbumArtState extends State<BigAlbumArt> {
Navigator.of(context).pop(); Navigator.of(context).pop();
} }
}, },
onTap: () => Navigator.push(
context,
PageRouteBuilder(
opaque: false, // transparent background
barrierDismissible: true,
pageBuilder: (context, _, __) {
return PhotoView(
imageProvider: CachedNetworkImageProvider(
audioHandler.mediaItem.value!.artUri.toString()),
maxScale: 8.0,
minScale: 0.2,
heroAttributes: PhotoViewHeroAttributes(
tag: audioHandler.mediaItem.value!.id),
backgroundDecoration:
BoxDecoration(color: Color.fromARGB(0x90, 0, 0, 0)));
})),
child: PageView( child: PageView(
controller: _pageController, controller: _pageController,
onPageChanged: (int index) { onPageChanged: (int index) {
@ -665,8 +612,14 @@ class _BigAlbumArtState extends State<BigAlbumArt> {
}, },
children: List.generate( children: List.generate(
audioHandler.queue.value.length, audioHandler.queue.value.length,
(i) => ZoomableImage( (i) => Padding(
url: audioHandler.queue.value[i].artUri.toString(), padding: const EdgeInsets.all(8.0),
child: Hero(
tag: audioHandler.queue.value[i].id,
child: CachedImage(
url: audioHandler.queue.value[i].artUri.toString(),
),
),
)), )),
), ),
); );
@ -719,6 +672,8 @@ class PlayerScreenTopRow extends StatelessWidget {
} }
class SeekBar extends StatefulWidget { class SeekBar extends StatefulWidget {
const SeekBar();
@override @override
_SeekBarState createState() => _SeekBarState(); _SeekBarState createState() => _SeekBarState();
} }
@ -763,26 +718,6 @@ class _SeekBarState extends State<SeekBar> {
return Column( return Column(
mainAxisSize: MainAxisSize.min, mainAxisSize: MainAxisSize.min,
children: <Widget>[ children: <Widget>[
Padding(
padding: EdgeInsets.symmetric(horizontal: 24.0),
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[
ValueListenableBuilder<Duration>(
valueListenable: position,
builder: (context, value, _) => Text(
_timeString(value),
style: TextStyle(fontSize: ScreenUtil().setSp(35)),
)),
StreamBuilder<MediaItem?>(
stream: audioHandler.mediaItem,
builder: (context, snapshot) => Text(
_timeString(snapshot.data?.duration ?? Duration.zero),
style: TextStyle(fontSize: ScreenUtil().setSp(35)),
)),
],
),
),
ValueListenableBuilder<Duration>( ValueListenableBuilder<Duration>(
valueListenable: position, valueListenable: position,
builder: (context, value, _) => Slider( builder: (context, value, _) => Slider(
@ -804,6 +739,38 @@ class _SeekBarState extends State<SeekBar> {
audioHandler.seek(Duration(milliseconds: d.toInt())); audioHandler.seek(Duration(milliseconds: d.toInt()));
}, },
)), )),
Padding(
padding: EdgeInsets.symmetric(horizontal: 24.0),
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[
ValueListenableBuilder<Duration>(
valueListenable: position,
builder: (context, value, _) => Text(
_timeString(value),
style: TextStyle(
fontSize: ScreenUtil().setSp(35),
color: Theme.of(context)
.textTheme
.bodyText1!
.color!
.withOpacity(.75)),
)),
StreamBuilder<MediaItem?>(
stream: audioHandler.mediaItem,
builder: (context, snapshot) => Text(
_timeString(snapshot.data?.duration ?? Duration.zero),
style: TextStyle(
fontSize: ScreenUtil().setSp(35),
color: Theme.of(context)
.textTheme
.bodyText1!
.color!
.withOpacity(.75)),
)),
],
),
),
], ],
); );
} }
@ -816,6 +783,20 @@ class QueueScreen extends StatefulWidget {
class _QueueScreenState extends State<QueueScreen> { class _QueueScreenState extends State<QueueScreen> {
late StreamSubscription _queueSub; late StreamSubscription _queueSub;
static const _dismissibleBackground = DecoratedBox(
decoration: BoxDecoration(color: Colors.red),
child: Align(
child: Padding(
padding: EdgeInsets.symmetric(horizontal: 24.0),
child: Icon(Icons.delete)),
alignment: Alignment.centerLeft));
static const _dismissibleSecondaryBackground = DecoratedBox(
decoration: BoxDecoration(color: Colors.red),
child: Align(
child: Padding(
padding: EdgeInsets.symmetric(horizontal: 24.0),
child: Icon(Icons.delete)),
alignment: Alignment.centerRight));
/// Basically a simple list that keeps itself synchronized with [AudioHandler.queue], /// Basically a simple list that keeps itself synchronized with [AudioHandler.queue],
/// so that the [ReorderableListView] is updated instanly (as it should be) /// so that the [ReorderableListView] is updated instanly (as it should be)
@ -827,7 +808,10 @@ class _QueueScreenState extends State<QueueScreen> {
_queueSub = audioHandler.queue.listen((newQueue) { _queueSub = audioHandler.queue.listen((newQueue) {
print('got queue $newQueue'); print('got queue $newQueue');
// avoid rebuilding if the cache has got the right update // avoid rebuilding if the cache has got the right update
if (listEquals(_queueCache, newQueue)) return; if (listEquals(_queueCache, newQueue)) {
print('avoiding rebuilding queue since they are the same');
return;
}
setState(() => _queueCache = newQueue); setState(() => _queueCache = newQueue);
}); });
super.initState(); super.initState();
@ -842,22 +826,32 @@ class _QueueScreenState extends State<QueueScreen> {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Scaffold( return Scaffold(
appBar: FreezerAppBar( appBar: FreezerAppBar(
'Queue'.i18n, 'Queue'.i18n,
actions: <Widget>[ systemUiOverlayStyle: SystemUiOverlayStyle(
IconButton( statusBarColor: Colors.transparent,
icon: Icon( statusBarIconBrightness: Brightness.light,
Icons.shuffle, statusBarBrightness: Brightness.light,
semanticLabel: "Shuffle".i18n, systemNavigationBarColor: Theme.of(context).scaffoldBackgroundColor,
), systemNavigationBarDividerColor: Color(
onPressed: () async { Theme.of(context).scaffoldBackgroundColor.value - 0x00111111),
await playerHelper.toggleShuffle(); systemNavigationBarIconBrightness: Brightness.light,
setState(() {});
},
)
],
), ),
body: ReorderableListView.builder( actions: <Widget>[
IconButton(
icon: Icon(
Icons.shuffle,
semanticLabel: "Shuffle".i18n,
),
onPressed: () async {
await playerHelper.toggleShuffle();
setState(() {});
},
)
],
),
body: SafeArea(
child: ReorderableListView.builder(
onReorder: (int oldIndex, int newIndex) { onReorder: (int oldIndex, int newIndex) {
if (oldIndex == playerHelper.queueIndex) return; if (oldIndex == playerHelper.queueIndex) return;
setState(() => _queueCache.reorder(oldIndex, newIndex)); setState(() => _queueCache.reorder(oldIndex, newIndex));
@ -868,20 +862,8 @@ class _QueueScreenState extends State<QueueScreen> {
Track track = Track.fromMediaItem(audioHandler.queue.value[i]); Track track = Track.fromMediaItem(audioHandler.queue.value[i]);
return Dismissible( return Dismissible(
key: Key(track.id), key: Key(track.id),
background: DecoratedBox( background: _dismissibleBackground,
decoration: BoxDecoration(color: Colors.red), secondaryBackground: _dismissibleSecondaryBackground,
child: Align(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0),
child: Icon(Icons.delete)),
alignment: Alignment.centerLeft)),
secondaryBackground: DecoratedBox(
decoration: BoxDecoration(color: Colors.red),
child: Align(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0),
child: Icon(Icons.delete)),
alignment: Alignment.centerRight)),
onDismissed: (_) { onDismissed: (_) {
audioHandler.removeQueueItemAt(i); audioHandler.removeQueueItemAt(i);
setState(() => _queueCache.removeAt(i)); setState(() => _queueCache.removeAt(i));
@ -898,6 +880,56 @@ class _QueueScreenState extends State<QueueScreen> {
), ),
); );
}, },
)); ),
),
);
}
}
class BottomBarControls extends StatelessWidget {
final double size;
const BottomBarControls({Key? key, required this.size}) : super(key: key);
@override
Widget build(BuildContext context) {
return Row(
mainAxisSize: MainAxisSize.max,
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: <Widget>[
IconButton(
icon: Icon(
Icons.subtitles,
size: size,
semanticLabel: "Lyrics".i18n,
),
onPressed: () async {
await Navigator.of(context)
.push(MaterialPageRoute(builder: (context) => LyricsScreen()));
updateColor();
},
),
IconButton(
iconSize: size,
icon: Icon(
Icons.file_download,
semanticLabel: "Download".i18n,
),
onPressed: () async {
Track t = Track.fromMediaItem(audioHandler.mediaItem.value!);
if (await downloadManager.addOfflineTrack(t,
private: false, context: context, isSingleton: true) !=
false)
Fluttertoast.showToast(
msg: 'Downloads added!'.i18n,
gravity: ToastGravity.BOTTOM,
toastLength: Toast.LENGTH_SHORT);
},
),
QualityInfoWidget(),
RepeatButton(size),
PlayerMenuButton(size: size)
],
);
} }
} }

View file

@ -240,19 +240,20 @@ class _AppearanceSettingsState extends State<AppearanceSettings> {
.i18n), .i18n),
secondary: Icon(Icons.equalizer), secondary: Icon(Icons.equalizer),
value: settings.lyricsVisualizer!, value: settings.lyricsVisualizer!,
onChanged: (bool v) async { onChanged: null, // TODO: visualizer
if (await Permission.microphone.request().isGranted) { //(bool v) async {
setState(() => settings.lyricsVisualizer = v); // if (await Permission.microphone.request().isGranted) {
await settings.save(); // setState(() => settings.lyricsVisualizer = v);
return; // await settings.save();
} // return;
}, // }
//},
), ),
ListTile( ListTile(
title: Text('Primary color'.i18n), title: Text('Primary color'.i18n),
leading: Icon(Icons.format_paint), leading: Icon(Icons.format_paint),
trailing: Padding( trailing: Padding(
padding: EdgeInsets.only(left: 8.0), padding: EdgeInsets.only(right: 8.0),
child: CircleAvatar( child: CircleAvatar(
backgroundColor: settings.primaryColor, backgroundColor: settings.primaryColor,
)), )),

View file

@ -548,10 +548,10 @@ packages:
description: description:
path: just_audio path: just_audio
ref: dev ref: dev
resolved-ref: "7ac783939a758be2799faefc8877c34a84fe1554" resolved-ref: "27a777fbb5e0fca2c9db6bdf1cdc9672b3fe9971"
url: "https://github.com/ryanheise/just_audio.git" url: "https://github.com/ryanheise/just_audio.git"
source: git source: git
version: "0.9.7" version: "0.9.8"
just_audio_platform_interface: just_audio_platform_interface:
dependency: transitive dependency: transitive
description: description:

View file

@ -50,7 +50,7 @@ dependencies:
disk_space: disk_space:
git: https://github.com/phipps980316/disk_space git: https://github.com/phipps980316/disk_space
random_string: ^2.0.1 random_string: ^2.0.1
async: ^2.8.1 async: ^2.6.1
html: ^0.15.0 html: ^0.15.0
flutter_screenutil: ^5.0.0+2 flutter_screenutil: ^5.0.0+2
marquee: ^2.2.0 marquee: ^2.2.0