1138 lines
37 KiB
Dart
1138 lines
37 KiB
Dart
import 'dart:math';
|
|
|
|
import 'package:dropdown_button2/dropdown_button2.dart';
|
|
import 'package:easy_localization/easy_localization.dart';
|
|
import 'package:flutter/material.dart';
|
|
import 'package:flutter_hooks/flutter_hooks.dart';
|
|
import 'package:gap/gap.dart';
|
|
import 'package:hooks_riverpod/hooks_riverpod.dart';
|
|
import 'package:island/models/dev_project.dart';
|
|
import 'package:island/models/developer.dart';
|
|
import 'package:island/models/publisher.dart';
|
|
import 'package:island/pods/network.dart';
|
|
import 'package:island/screens/creators/publishers_form.dart';
|
|
import 'package:island/screens/developers/project_detail_view.dart';
|
|
import 'package:island/services/responsive.dart';
|
|
import 'package:island/widgets/alert.dart';
|
|
import 'package:island/widgets/app_scaffold.dart';
|
|
import 'package:island/widgets/content/cloud_files.dart';
|
|
import 'package:island/widgets/content/sheet.dart';
|
|
import 'package:island/widgets/response.dart';
|
|
import 'package:material_symbols_icons/symbols.dart';
|
|
import 'package:riverpod_annotation/riverpod_annotation.dart';
|
|
import 'package:styled_widget/styled_widget.dart';
|
|
import 'package:url_launcher/url_launcher_string.dart';
|
|
|
|
part 'hub.g.dart';
|
|
|
|
@riverpod
|
|
Future<DeveloperStats?> developerStats(Ref ref, String? uname) async {
|
|
if (uname == null) return null;
|
|
final apiClient = ref.watch(apiClientProvider);
|
|
final resp = await apiClient.get('/develop/developers/$uname/stats');
|
|
return DeveloperStats.fromJson(resp.data);
|
|
}
|
|
|
|
@riverpod
|
|
Future<List<SnDeveloper>> developers(Ref ref) async {
|
|
final client = ref.watch(apiClientProvider);
|
|
final resp = await client.get('/develop/developers');
|
|
return resp.data
|
|
.map((e) => SnDeveloper.fromJson(e))
|
|
.cast<SnDeveloper>()
|
|
.toList();
|
|
}
|
|
|
|
@riverpod
|
|
Future<List<DevProject>> devProjects(Ref ref, String pubName) async {
|
|
if (pubName.isEmpty) return [];
|
|
final client = ref.watch(apiClientProvider);
|
|
final resp = await client.get('/develop/developers/$pubName/projects');
|
|
return (resp.data as List)
|
|
.map((e) => DevProject.fromJson(e))
|
|
.cast<DevProject>()
|
|
.toList();
|
|
}
|
|
|
|
class DeveloperHubScreen extends HookConsumerWidget {
|
|
final String? initialPublisherName;
|
|
final String? initialProjectId;
|
|
|
|
const DeveloperHubScreen({
|
|
super.key,
|
|
this.initialPublisherName,
|
|
this.initialProjectId,
|
|
});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
final developers = ref.watch(developersProvider);
|
|
final currentDeveloper = useState<SnDeveloper?>(
|
|
developers.value?.firstOrNull,
|
|
);
|
|
|
|
final projects =
|
|
currentDeveloper.value?.publisher?.name != null
|
|
? ref.watch(
|
|
devProjectsProvider(currentDeveloper.value!.publisher!.name),
|
|
)
|
|
: const AsyncValue<List<DevProject>>.data([]);
|
|
|
|
final currentProject = useState<DevProject?>(
|
|
projects.value?.where((p) => p.id == initialProjectId).firstOrNull,
|
|
);
|
|
|
|
final developerStats = ref.watch(
|
|
developerStatsProvider(currentDeveloper.value?.publisher?.name),
|
|
);
|
|
|
|
return AppScaffold(
|
|
isNoBackground: false,
|
|
appBar: _ConsoleAppBar(
|
|
currentDeveloper: currentDeveloper.value,
|
|
currentProject: currentProject.value,
|
|
onProjectChanged: (value) {
|
|
currentProject.value = value;
|
|
},
|
|
onDeveloperChanged: (value) {
|
|
currentDeveloper.value = value;
|
|
},
|
|
),
|
|
body: Column(
|
|
children: [
|
|
if (currentProject.value == null)
|
|
...([
|
|
// Welcome Section
|
|
_WelcomeSection(currentDeveloper: currentDeveloper.value),
|
|
|
|
// Navigation Tabs
|
|
_NavigationTabs(),
|
|
]),
|
|
|
|
// Main Content
|
|
if (currentProject.value != null)
|
|
Expanded(
|
|
child: ProjectDetailView(
|
|
publisherName: currentDeveloper.value!.publisher!.name,
|
|
project: currentProject.value!,
|
|
onBackToHub: () {
|
|
currentProject.value = null;
|
|
},
|
|
),
|
|
)
|
|
else
|
|
_MainContentSection(
|
|
currentDeveloper: currentDeveloper.value,
|
|
projects: projects,
|
|
developerStats: developerStats,
|
|
onProjectSelected: (project) {
|
|
currentProject.value = project;
|
|
},
|
|
onDeveloperSelected: (developer) {
|
|
currentDeveloper.value = developer;
|
|
},
|
|
onCreateProject: () {
|
|
if (currentDeveloper.value != null) {
|
|
showModalBottomSheet(
|
|
context: context,
|
|
isScrollControlled: true,
|
|
builder:
|
|
(context) => SheetScaffold(
|
|
titleText: 'createProject'.tr(),
|
|
child: ProjectForm(
|
|
publisherName:
|
|
currentDeveloper.value!.publisher!.name,
|
|
),
|
|
),
|
|
).then((value) {
|
|
if (value != null) {
|
|
ref.invalidate(
|
|
devProjectsProvider(
|
|
currentDeveloper.value!.publisher!.name,
|
|
),
|
|
);
|
|
}
|
|
});
|
|
}
|
|
},
|
|
),
|
|
],
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class _ConsoleAppBar extends StatelessWidget implements PreferredSizeWidget {
|
|
final SnDeveloper? currentDeveloper;
|
|
final DevProject? currentProject;
|
|
final ValueChanged<DevProject?> onProjectChanged;
|
|
final ValueChanged<SnDeveloper?> onDeveloperChanged;
|
|
|
|
const _ConsoleAppBar({
|
|
required this.currentDeveloper,
|
|
required this.currentProject,
|
|
required this.onProjectChanged,
|
|
required this.onDeveloperChanged,
|
|
});
|
|
|
|
@override
|
|
Size get preferredSize => const Size.fromHeight(56);
|
|
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
return AppBar(
|
|
leading: const PageBackButton(),
|
|
title: Text('developerHub').tr(),
|
|
actions: [
|
|
if (currentProject != null)
|
|
ProjectSelector(
|
|
currentDeveloper: currentDeveloper,
|
|
currentProject: currentProject,
|
|
onProjectChanged: onProjectChanged,
|
|
),
|
|
IconButton(
|
|
icon: const Icon(Symbols.help, color: Color(0xFF5F6368)),
|
|
onPressed: () {
|
|
launchUrlString('https://kb.solsynth.dev');
|
|
},
|
|
),
|
|
const Gap(12),
|
|
],
|
|
);
|
|
}
|
|
}
|
|
|
|
// Welcome Section
|
|
class _WelcomeSection extends StatelessWidget {
|
|
final SnDeveloper? currentDeveloper;
|
|
|
|
const _WelcomeSection({required this.currentDeveloper});
|
|
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
final isDark = Theme.of(context).brightness == Brightness.dark;
|
|
return Stack(
|
|
children: [
|
|
Positioned.fill(
|
|
child: Container(
|
|
decoration: BoxDecoration(
|
|
gradient: LinearGradient(
|
|
colors:
|
|
isDark
|
|
? [
|
|
Theme.of(context).colorScheme.surfaceContainerHighest,
|
|
Theme.of(context).colorScheme.surfaceContainerLow,
|
|
]
|
|
: [const Color(0xFFE8F0FE), const Color(0xFFF1F3F4)],
|
|
begin: Alignment.topLeft,
|
|
end: Alignment.bottomRight,
|
|
),
|
|
),
|
|
),
|
|
),
|
|
Positioned(
|
|
right: 16,
|
|
top: 0,
|
|
bottom: 0,
|
|
child: _RandomStickerImage(
|
|
width: 180,
|
|
height: 180,
|
|
).opacity(isWideScreen(context) ? 1 : 0.5),
|
|
),
|
|
Container(
|
|
height: 180,
|
|
width: double.infinity,
|
|
padding: const EdgeInsets.symmetric(horizontal: 32, vertical: 16),
|
|
child: Column(
|
|
crossAxisAlignment: CrossAxisAlignment.start,
|
|
mainAxisAlignment: MainAxisAlignment.center,
|
|
children: [
|
|
Text(
|
|
'Good morning!',
|
|
style: TextStyle(
|
|
fontSize: 32,
|
|
fontWeight: FontWeight.w400,
|
|
color: Theme.of(context).colorScheme.onSurface,
|
|
),
|
|
),
|
|
const Gap(4),
|
|
Text(
|
|
currentDeveloper != null
|
|
? "You're working as ${currentDeveloper!.publisher!.nick}"
|
|
: "Choose a developer and continue.",
|
|
style: TextStyle(
|
|
fontSize: 16,
|
|
color: Theme.of(context).colorScheme.onSurfaceVariant,
|
|
),
|
|
),
|
|
],
|
|
),
|
|
),
|
|
],
|
|
);
|
|
}
|
|
}
|
|
|
|
// Random Sticker Image Widget
|
|
class _RandomStickerImage extends StatelessWidget {
|
|
final double? width;
|
|
final double? height;
|
|
|
|
const _RandomStickerImage({this.width, this.height});
|
|
|
|
static const List<String> _stickers = [
|
|
'assets/images/stickers/clap.png',
|
|
'assets/images/stickers/confuse.png',
|
|
'assets/images/stickers/pray.png',
|
|
'assets/images/stickers/thumb_up.png',
|
|
];
|
|
|
|
String _getRandomSticker() {
|
|
final random = Random();
|
|
return _stickers[random.nextInt(_stickers.length)];
|
|
}
|
|
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
return Image.asset(
|
|
_getRandomSticker(),
|
|
width: width ?? 80,
|
|
height: height ?? 80,
|
|
fit: BoxFit.contain,
|
|
);
|
|
}
|
|
}
|
|
|
|
// Navigation Tabs
|
|
class _NavigationTabs extends StatelessWidget {
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
return Container(
|
|
decoration: BoxDecoration(color: Theme.of(context).colorScheme.surface),
|
|
child: Row(
|
|
children: [
|
|
const Gap(24),
|
|
_NavTabItem(title: 'Dashboard', isActive: true),
|
|
],
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class _NavTabItem extends StatelessWidget {
|
|
final String title;
|
|
final bool isActive;
|
|
|
|
const _NavTabItem({required this.title, this.isActive = false});
|
|
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
return Container(
|
|
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 12),
|
|
decoration: BoxDecoration(
|
|
border: Border(
|
|
bottom: BorderSide(
|
|
color:
|
|
isActive
|
|
? Theme.of(context).colorScheme.primary
|
|
: Colors.transparent,
|
|
width: 2,
|
|
),
|
|
),
|
|
),
|
|
child: Row(
|
|
children: [
|
|
Text(
|
|
title,
|
|
style: TextStyle(
|
|
color:
|
|
isActive
|
|
? Theme.of(context).colorScheme.primary
|
|
: Theme.of(context).colorScheme.onSurface,
|
|
fontWeight: isActive ? FontWeight.w500 : FontWeight.w400,
|
|
),
|
|
),
|
|
],
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
// Main Content Section
|
|
class _MainContentSection extends HookConsumerWidget {
|
|
final SnDeveloper? currentDeveloper;
|
|
final AsyncValue<List<DevProject>> projects;
|
|
final AsyncValue<DeveloperStats?> developerStats;
|
|
final ValueChanged<DevProject> onProjectSelected;
|
|
final ValueChanged<SnDeveloper> onDeveloperSelected;
|
|
final VoidCallback onCreateProject;
|
|
|
|
const _MainContentSection({
|
|
required this.currentDeveloper,
|
|
required this.projects,
|
|
required this.developerStats,
|
|
required this.onProjectSelected,
|
|
required this.onDeveloperSelected,
|
|
required this.onCreateProject,
|
|
});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
return Container(
|
|
padding: const EdgeInsets.all(8),
|
|
child: developerStats.when(
|
|
data:
|
|
(stats) =>
|
|
currentDeveloper == null
|
|
? _DeveloperUnselectedWidget(
|
|
onDeveloperSelected: onDeveloperSelected,
|
|
)
|
|
: Padding(
|
|
padding: const EdgeInsets.all(16),
|
|
child: Column(
|
|
crossAxisAlignment: CrossAxisAlignment.start,
|
|
children: [
|
|
// Developer Stats
|
|
if (stats != null) ...[
|
|
Text(
|
|
'Overview',
|
|
style: Theme.of(
|
|
context,
|
|
).textTheme.titleLarge?.copyWith(
|
|
color: Theme.of(context).colorScheme.onSurface,
|
|
),
|
|
),
|
|
const Gap(16),
|
|
_DeveloperStatsWidget(stats: stats),
|
|
const Gap(24),
|
|
],
|
|
|
|
// Projects Section
|
|
Row(
|
|
children: [
|
|
Text(
|
|
'Projects',
|
|
style: Theme.of(
|
|
context,
|
|
).textTheme.titleLarge?.copyWith(
|
|
color:
|
|
Theme.of(context).colorScheme.onSurface,
|
|
),
|
|
),
|
|
const Spacer(),
|
|
ElevatedButton.icon(
|
|
onPressed: onCreateProject,
|
|
icon: const Icon(Symbols.add),
|
|
label: const Text('Create Project'),
|
|
style: ElevatedButton.styleFrom(
|
|
backgroundColor: const Color(0xFF1A73E8),
|
|
foregroundColor: Colors.white,
|
|
padding: const EdgeInsets.symmetric(
|
|
horizontal: 16,
|
|
vertical: 8,
|
|
),
|
|
),
|
|
),
|
|
],
|
|
),
|
|
const Gap(16),
|
|
|
|
// Projects List
|
|
projects.value?.isNotEmpty ?? false
|
|
? Column(
|
|
children:
|
|
projects.value!
|
|
.map(
|
|
(project) => _ProjectListTile(
|
|
project: project,
|
|
publisherName:
|
|
currentDeveloper!
|
|
.publisher!
|
|
.name,
|
|
onProjectSelected:
|
|
onProjectSelected,
|
|
),
|
|
)
|
|
.toList(),
|
|
)
|
|
: Container(
|
|
padding: const EdgeInsets.all(48),
|
|
alignment: Alignment.center,
|
|
child: Text(
|
|
'No projects available',
|
|
style: TextStyle(
|
|
color:
|
|
Theme.of(context).colorScheme.onSurface,
|
|
fontSize: 16,
|
|
),
|
|
),
|
|
),
|
|
],
|
|
),
|
|
),
|
|
loading: () => const Center(child: CircularProgressIndicator()),
|
|
error:
|
|
(err, stack) => ResponseErrorWidget(
|
|
error: err,
|
|
onRetry: () {
|
|
ref.invalidate(
|
|
developerStatsProvider(currentDeveloper?.publisher?.name),
|
|
);
|
|
},
|
|
),
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class DeveloperSelector extends HookConsumerWidget {
|
|
final bool isReadOnly;
|
|
final SnDeveloper? currentDeveloper;
|
|
final ValueChanged<SnDeveloper?> onDeveloperChanged;
|
|
|
|
const DeveloperSelector({
|
|
super.key,
|
|
required this.isReadOnly,
|
|
required this.currentDeveloper,
|
|
required this.onDeveloperChanged,
|
|
});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
final developers = ref.watch(developersProvider);
|
|
|
|
final List<DropdownMenuItem<SnDeveloper>> developersMenu = developers.when(
|
|
data:
|
|
(data) =>
|
|
data
|
|
.map(
|
|
(item) => DropdownMenuItem<SnDeveloper>(
|
|
value: item,
|
|
child: ListTile(
|
|
minTileHeight: 48,
|
|
leading: ProfilePictureWidget(
|
|
radius: 16,
|
|
fileId: item.publisher?.picture?.id,
|
|
),
|
|
title: Text(item.publisher!.nick),
|
|
subtitle: Text('@${item.publisher!.name}'),
|
|
trailing:
|
|
currentDeveloper?.id == item.id
|
|
? const Icon(Icons.check)
|
|
: null,
|
|
contentPadding: EdgeInsets.symmetric(horizontal: 8),
|
|
),
|
|
),
|
|
)
|
|
.toList(),
|
|
loading: () => [],
|
|
error: (_, _) => [],
|
|
);
|
|
|
|
if (isReadOnly || currentDeveloper == null) {
|
|
return ProfilePictureWidget(
|
|
radius: 16,
|
|
fileId: currentDeveloper?.publisher?.picture?.id,
|
|
).center().padding(right: 8);
|
|
}
|
|
|
|
return DropdownButtonHideUnderline(
|
|
child: DropdownButton2<SnDeveloper>(
|
|
alignment: Alignment.centerRight,
|
|
value: currentDeveloper,
|
|
hint: CircleAvatar(
|
|
radius: 16,
|
|
child: Icon(
|
|
Symbols.person,
|
|
color: Theme.of(
|
|
context,
|
|
).colorScheme.onSecondaryContainer.withOpacity(0.9),
|
|
fill: 1,
|
|
),
|
|
).center().padding(right: 8),
|
|
items: [...developersMenu],
|
|
onChanged: onDeveloperChanged,
|
|
selectedItemBuilder: (context) {
|
|
return [
|
|
...developersMenu.map(
|
|
(e) => ProfilePictureWidget(
|
|
radius: 16,
|
|
fileId: e.value?.publisher?.picture?.id,
|
|
).center().padding(right: 8),
|
|
),
|
|
];
|
|
},
|
|
buttonStyleData: ButtonStyleData(
|
|
height: 40,
|
|
padding: const EdgeInsets.only(left: 14, right: 8),
|
|
decoration: BoxDecoration(borderRadius: BorderRadius.circular(20)),
|
|
),
|
|
dropdownStyleData: DropdownStyleData(
|
|
width: 320,
|
|
padding: const EdgeInsets.symmetric(vertical: 6),
|
|
decoration: BoxDecoration(borderRadius: BorderRadius.circular(4)),
|
|
),
|
|
menuItemStyleData: const MenuItemStyleData(
|
|
height: 64,
|
|
padding: EdgeInsets.only(left: 14, right: 14),
|
|
),
|
|
iconStyleData: IconStyleData(
|
|
icon: Icon(Icons.arrow_drop_down),
|
|
iconSize: 19,
|
|
iconEnabledColor: Theme.of(context).appBarTheme.foregroundColor!,
|
|
iconDisabledColor: Theme.of(context).appBarTheme.foregroundColor!,
|
|
),
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class ProjectSelector extends HookConsumerWidget {
|
|
final SnDeveloper? currentDeveloper;
|
|
final DevProject? currentProject;
|
|
final ValueChanged<DevProject?> onProjectChanged;
|
|
|
|
const ProjectSelector({
|
|
super.key,
|
|
required this.currentDeveloper,
|
|
required this.currentProject,
|
|
required this.onProjectChanged,
|
|
});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
if (currentDeveloper == null) {
|
|
return const SizedBox.shrink();
|
|
}
|
|
|
|
final projects = ref.watch(
|
|
devProjectsProvider(currentDeveloper!.publisher!.name),
|
|
);
|
|
|
|
if (projects.value == null) {
|
|
return const SizedBox.shrink();
|
|
}
|
|
|
|
final List<DropdownMenuItem<DevProject>> projectsMenu =
|
|
projects.value!
|
|
.map(
|
|
(item) => DropdownMenuItem<DevProject>(
|
|
value: item,
|
|
child: ListTile(
|
|
minTileHeight: 48,
|
|
leading: CircleAvatar(
|
|
radius: 16,
|
|
backgroundColor: Theme.of(context).colorScheme.primary,
|
|
child: Text(
|
|
item.name.isNotEmpty ? item.name[0].toUpperCase() : '?',
|
|
style: TextStyle(
|
|
color: Theme.of(context).colorScheme.onPrimary,
|
|
),
|
|
),
|
|
),
|
|
title: Text(item.name),
|
|
subtitle: Text(
|
|
item.description ?? '',
|
|
maxLines: 1,
|
|
overflow: TextOverflow.ellipsis,
|
|
),
|
|
trailing:
|
|
currentProject?.id == item.id
|
|
? const Icon(Icons.check)
|
|
: null,
|
|
contentPadding: EdgeInsets.symmetric(horizontal: 8),
|
|
),
|
|
),
|
|
)
|
|
.toList();
|
|
|
|
return DropdownButtonHideUnderline(
|
|
child: DropdownButton2<DevProject>(
|
|
value: currentProject,
|
|
hint: CircleAvatar(
|
|
radius: 16,
|
|
backgroundColor: Theme.of(context).colorScheme.primary,
|
|
child: Text(
|
|
'?',
|
|
style: TextStyle(color: Theme.of(context).colorScheme.onPrimary),
|
|
),
|
|
).center().padding(right: 8),
|
|
items: projectsMenu,
|
|
onChanged: onProjectChanged,
|
|
selectedItemBuilder: (context) {
|
|
final isWider = isWiderScreen(context);
|
|
return projectsMenu
|
|
.map(
|
|
(e) =>
|
|
isWider
|
|
? Row(
|
|
mainAxisSize: MainAxisSize.min,
|
|
children: [
|
|
CircleAvatar(
|
|
radius: 16,
|
|
backgroundColor:
|
|
Theme.of(context).colorScheme.primary,
|
|
child: Text(
|
|
e.value?.name.isNotEmpty ?? false
|
|
? e.value!.name[0].toUpperCase()
|
|
: '?',
|
|
style: TextStyle(
|
|
color:
|
|
Theme.of(context).colorScheme.onPrimary,
|
|
),
|
|
),
|
|
),
|
|
const Gap(8),
|
|
Text(
|
|
e.value?.name ?? '?',
|
|
style: TextStyle(
|
|
color:
|
|
Theme.of(
|
|
context,
|
|
).appBarTheme.foregroundColor,
|
|
),
|
|
),
|
|
],
|
|
).padding(right: 8)
|
|
: CircleAvatar(
|
|
radius: 16,
|
|
backgroundColor:
|
|
Theme.of(context).colorScheme.primary,
|
|
child: Text(
|
|
e.value?.name.isNotEmpty ?? false
|
|
? e.value!.name[0].toUpperCase()
|
|
: '?',
|
|
style: TextStyle(
|
|
color: Theme.of(context).colorScheme.onPrimary,
|
|
),
|
|
),
|
|
).center().padding(right: 8),
|
|
)
|
|
.toList();
|
|
},
|
|
buttonStyleData: ButtonStyleData(
|
|
height: 40,
|
|
padding: const EdgeInsets.only(left: 14, right: 8),
|
|
decoration: BoxDecoration(borderRadius: BorderRadius.circular(20)),
|
|
),
|
|
dropdownStyleData: DropdownStyleData(
|
|
width: 320,
|
|
padding: const EdgeInsets.symmetric(vertical: 6),
|
|
decoration: BoxDecoration(borderRadius: BorderRadius.circular(4)),
|
|
),
|
|
menuItemStyleData: const MenuItemStyleData(
|
|
height: 64,
|
|
padding: EdgeInsets.only(left: 14, right: 14),
|
|
),
|
|
iconStyleData: IconStyleData(
|
|
icon: Icon(Icons.arrow_drop_down),
|
|
iconSize: 19,
|
|
iconEnabledColor: Theme.of(context).appBarTheme.foregroundColor!,
|
|
iconDisabledColor: Theme.of(context).appBarTheme.foregroundColor!,
|
|
),
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class _ProjectListTile extends HookConsumerWidget {
|
|
final DevProject project;
|
|
final String publisherName;
|
|
final ValueChanged<DevProject>? onProjectSelected;
|
|
|
|
const _ProjectListTile({
|
|
required this.project,
|
|
required this.publisherName,
|
|
this.onProjectSelected,
|
|
});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
return ListTile(
|
|
shape: RoundedRectangleBorder(
|
|
borderRadius: const BorderRadius.all(Radius.circular(8)),
|
|
),
|
|
leading: const Icon(Symbols.folder_managed),
|
|
title: Text(project.name),
|
|
subtitle: Text(project.description ?? ''),
|
|
contentPadding: const EdgeInsets.only(left: 16, right: 17),
|
|
trailing: PopupMenuButton(
|
|
itemBuilder:
|
|
(context) => [
|
|
PopupMenuItem(
|
|
value: 'edit',
|
|
child: Row(
|
|
children: [
|
|
const Icon(Symbols.edit),
|
|
const SizedBox(width: 12),
|
|
Text('edit').tr(),
|
|
],
|
|
),
|
|
),
|
|
PopupMenuItem(
|
|
value: 'delete',
|
|
child: Row(
|
|
children: [
|
|
const Icon(Symbols.delete, color: Colors.red),
|
|
const SizedBox(width: 12),
|
|
Text(
|
|
'delete',
|
|
style: const TextStyle(color: Colors.red),
|
|
).tr(),
|
|
],
|
|
),
|
|
),
|
|
],
|
|
onSelected: (value) {
|
|
if (value == 'edit') {
|
|
showModalBottomSheet(
|
|
context: context,
|
|
isScrollControlled: true,
|
|
builder:
|
|
(context) => SheetScaffold(
|
|
titleText: 'editProject'.tr(),
|
|
child: ProjectForm(
|
|
publisherName: publisherName,
|
|
project: project,
|
|
),
|
|
),
|
|
).then((value) {
|
|
if (value != null) {
|
|
ref.invalidate(devProjectsProvider(publisherName));
|
|
}
|
|
});
|
|
} else if (value == 'delete') {
|
|
showConfirmAlert(
|
|
'deleteProjectHint'.tr(),
|
|
'deleteProject'.tr(),
|
|
).then((confirm) {
|
|
if (confirm) {
|
|
final client = ref.read(apiClientProvider);
|
|
client.delete(
|
|
'/develop/developers/$publisherName/projects/${project.id}',
|
|
);
|
|
ref.invalidate(devProjectsProvider(publisherName));
|
|
}
|
|
});
|
|
}
|
|
},
|
|
),
|
|
onTap: () {
|
|
onProjectSelected?.call(project);
|
|
},
|
|
);
|
|
}
|
|
}
|
|
|
|
class _DeveloperStatsWidget extends StatelessWidget {
|
|
final DeveloperStats stats;
|
|
const _DeveloperStatsWidget({required this.stats});
|
|
|
|
@override
|
|
Widget build(BuildContext context) {
|
|
return SingleChildScrollView(
|
|
child: Column(
|
|
spacing: 8,
|
|
children: [
|
|
Row(
|
|
spacing: 8,
|
|
children: [
|
|
Expanded(
|
|
child: _buildStatsCard(
|
|
context,
|
|
stats.totalCustomApps.toString(),
|
|
'totalCustomApps',
|
|
),
|
|
),
|
|
],
|
|
),
|
|
],
|
|
),
|
|
);
|
|
}
|
|
|
|
Widget _buildStatsCard(
|
|
BuildContext context,
|
|
String statValue,
|
|
String statLabel,
|
|
) {
|
|
return Card(
|
|
margin: EdgeInsets.zero,
|
|
child: SizedBox(
|
|
height: 100,
|
|
child: Padding(
|
|
padding: const EdgeInsets.symmetric(horizontal: 24, vertical: 8),
|
|
child: Column(
|
|
crossAxisAlignment: CrossAxisAlignment.stretch,
|
|
mainAxisAlignment: MainAxisAlignment.center,
|
|
children: [
|
|
Text(
|
|
statValue,
|
|
style: Theme.of(context).textTheme.headlineMedium,
|
|
),
|
|
const Gap(4),
|
|
Text(
|
|
statLabel,
|
|
maxLines: 1,
|
|
overflow: TextOverflow.ellipsis,
|
|
).tr(),
|
|
],
|
|
),
|
|
),
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class _DeveloperUnselectedWidget extends HookConsumerWidget {
|
|
final ValueChanged<SnDeveloper> onDeveloperSelected;
|
|
|
|
const _DeveloperUnselectedWidget({required this.onDeveloperSelected});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
final developers = ref.watch(developersProvider);
|
|
|
|
final hasDevelopers = developers.value?.isNotEmpty ?? false;
|
|
|
|
return Card(
|
|
margin: const EdgeInsets.all(16),
|
|
child: Column(
|
|
children: [
|
|
if (!hasDevelopers) ...[
|
|
const Icon(
|
|
Symbols.info,
|
|
fill: 1,
|
|
size: 32,
|
|
).padding(bottom: 6, top: 24),
|
|
Text(
|
|
'developerHubUnselectedHint',
|
|
textAlign: TextAlign.center,
|
|
style: Theme.of(context).textTheme.bodyLarge,
|
|
).tr(),
|
|
const Gap(24),
|
|
],
|
|
if (hasDevelopers)
|
|
...(developers.value?.map(
|
|
(developer) => ListTile(
|
|
shape: RoundedRectangleBorder(
|
|
borderRadius: const BorderRadius.all(Radius.circular(8)),
|
|
),
|
|
leading: ProfilePictureWidget(
|
|
file: developer.publisher?.picture,
|
|
),
|
|
title: Text(developer.publisher!.nick),
|
|
subtitle: Text('@${developer.publisher!.name}'),
|
|
onTap: () => onDeveloperSelected(developer),
|
|
),
|
|
) ??
|
|
[]),
|
|
const Divider(height: 1),
|
|
ListTile(
|
|
shape: RoundedRectangleBorder(
|
|
borderRadius: const BorderRadius.all(Radius.circular(8)),
|
|
),
|
|
leading: const CircleAvatar(child: Icon(Symbols.add)),
|
|
title: Text('enrollDeveloper').tr(),
|
|
subtitle: Text('enrollDeveloperHint').tr(),
|
|
trailing: const Icon(Symbols.chevron_right),
|
|
onTap: () {
|
|
showModalBottomSheet(
|
|
context: context,
|
|
isScrollControlled: true,
|
|
builder: (_) => const _DeveloperEnrollmentSheet(),
|
|
).then((value) {
|
|
if (value == true) {
|
|
ref.invalidate(developersProvider);
|
|
}
|
|
});
|
|
},
|
|
),
|
|
],
|
|
),
|
|
);
|
|
}
|
|
}
|
|
|
|
class ProjectForm extends HookConsumerWidget {
|
|
final String publisherName;
|
|
final DevProject? project;
|
|
|
|
const ProjectForm({super.key, required this.publisherName, this.project});
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
final isEditing = project != null;
|
|
final formKey = useMemoized(() => GlobalKey<FormState>());
|
|
final nameController = useTextEditingController(text: project?.name ?? '');
|
|
final slugController = useTextEditingController(text: project?.slug ?? '');
|
|
final descriptionController = useTextEditingController(
|
|
text: project?.description ?? '',
|
|
);
|
|
final submitting = useState(false);
|
|
|
|
Future<void> submit() async {
|
|
if (!(formKey.currentState?.validate() ?? false)) return;
|
|
|
|
try {
|
|
submitting.value = true;
|
|
final client = ref.read(apiClientProvider);
|
|
final data = {
|
|
'name': nameController.text,
|
|
'slug': slugController.text,
|
|
'description': descriptionController.text,
|
|
};
|
|
|
|
final resp =
|
|
isEditing
|
|
? await client.put(
|
|
'/develop/developers/$publisherName/projects/${project!.id}',
|
|
data: data,
|
|
)
|
|
: await client.post(
|
|
'/develop/developers/$publisherName/projects',
|
|
data: data,
|
|
);
|
|
|
|
if (!context.mounted) return;
|
|
Navigator.of(context).pop(DevProject.fromJson(resp.data));
|
|
} catch (err) {
|
|
showErrorAlert(err);
|
|
} finally {
|
|
submitting.value = false;
|
|
}
|
|
}
|
|
|
|
return Column(
|
|
children: [
|
|
Form(
|
|
key: formKey,
|
|
child: Column(
|
|
crossAxisAlignment: CrossAxisAlignment.stretch,
|
|
spacing: 16,
|
|
children: [
|
|
TextFormField(
|
|
controller: nameController,
|
|
decoration: InputDecoration(
|
|
labelText: 'name'.tr(),
|
|
border: const OutlineInputBorder(
|
|
borderRadius: BorderRadius.all(Radius.circular(12)),
|
|
),
|
|
),
|
|
validator: (value) {
|
|
if (value == null || value.isEmpty) {
|
|
return 'fieldCannotBeEmpty'.tr();
|
|
}
|
|
return null;
|
|
},
|
|
onTapOutside:
|
|
(_) => FocusManager.instance.primaryFocus?.unfocus(),
|
|
),
|
|
TextFormField(
|
|
controller: slugController,
|
|
decoration: InputDecoration(
|
|
labelText: 'slug'.tr(),
|
|
border: const OutlineInputBorder(
|
|
borderRadius: BorderRadius.all(Radius.circular(12)),
|
|
),
|
|
helperText: 'slugHint'.tr(),
|
|
),
|
|
validator: (value) {
|
|
if (value == null || value.isEmpty) {
|
|
return 'fieldCannotBeEmpty'.tr();
|
|
}
|
|
return null;
|
|
},
|
|
onTapOutside:
|
|
(_) => FocusManager.instance.primaryFocus?.unfocus(),
|
|
),
|
|
TextFormField(
|
|
controller: descriptionController,
|
|
decoration: InputDecoration(
|
|
labelText: 'description'.tr(),
|
|
border: const OutlineInputBorder(
|
|
borderRadius: BorderRadius.all(Radius.circular(12)),
|
|
),
|
|
alignLabelWithHint: true,
|
|
),
|
|
minLines: 3,
|
|
maxLines: null,
|
|
onTapOutside:
|
|
(_) => FocusManager.instance.primaryFocus?.unfocus(),
|
|
),
|
|
],
|
|
),
|
|
),
|
|
const Gap(12),
|
|
Align(
|
|
alignment: Alignment.centerRight,
|
|
child: TextButton.icon(
|
|
onPressed: submitting.value ? null : submit,
|
|
icon: const Icon(Symbols.save),
|
|
label: Text(isEditing ? 'saveChanges'.tr() : 'create'.tr()),
|
|
),
|
|
),
|
|
],
|
|
).padding(horizontal: 24, vertical: 16);
|
|
}
|
|
}
|
|
|
|
class _DeveloperEnrollmentSheet extends HookConsumerWidget {
|
|
const _DeveloperEnrollmentSheet();
|
|
|
|
@override
|
|
Widget build(BuildContext context, WidgetRef ref) {
|
|
final publishers = ref.watch(publishersManagedProvider);
|
|
|
|
Future<void> enroll(SnPublisher publisher) async {
|
|
try {
|
|
final client = ref.read(apiClientProvider);
|
|
await client.post('/develop/developers/${publisher.name}/enroll');
|
|
if (context.mounted) {
|
|
Navigator.pop(context, true);
|
|
}
|
|
} catch (err) {
|
|
showErrorAlert(err);
|
|
}
|
|
}
|
|
|
|
return SheetScaffold(
|
|
titleText: 'enrollDeveloper'.tr(),
|
|
child: publishers.when(
|
|
data:
|
|
(items) =>
|
|
items.isEmpty
|
|
? Center(
|
|
child:
|
|
Text(
|
|
'noDevelopersToEnroll',
|
|
textAlign: TextAlign.center,
|
|
).tr(),
|
|
)
|
|
: ListView.builder(
|
|
shrinkWrap: true,
|
|
itemCount: items.length,
|
|
itemBuilder: (context, index) {
|
|
final publisher = items[index];
|
|
return ListTile(
|
|
leading: ProfilePictureWidget(
|
|
fileId: publisher.picture?.id,
|
|
fallbackIcon: Symbols.group,
|
|
),
|
|
title: Text(publisher.nick),
|
|
subtitle: Text('@${publisher.name}'),
|
|
onTap: () => enroll(publisher),
|
|
);
|
|
},
|
|
),
|
|
loading: () => const Center(child: CircularProgressIndicator()),
|
|
error:
|
|
(error, _) => ResponseErrorWidget(
|
|
error: error,
|
|
onRetry: () => ref.invalidate(publishersManagedProvider),
|
|
),
|
|
),
|
|
);
|
|
}
|
|
}
|