import 'dart:async'; import 'dart:convert'; import 'dart:developer'; import 'package:flutter/material.dart'; import 'package:flutter_secure_storage/flutter_secure_storage.dart'; import 'package:get/get.dart'; import 'package:get/get_connect/http/src/request/request.dart'; import 'package:mutex/mutex.dart'; import 'package:solian/controllers/chat_events_controller.dart'; import 'package:solian/providers/account.dart'; import 'package:solian/providers/chat.dart'; import 'package:solian/services.dart'; class TokenSet { final String accessToken; final String refreshToken; final DateTime? expiredAt; TokenSet({ required this.accessToken, required this.refreshToken, this.expiredAt, }); factory TokenSet.fromJson(Map json) => TokenSet( accessToken: json['access_token'], refreshToken: json['refresh_token'], expiredAt: json['expired_at'] != null ? DateTime.parse(json['expired_at']) : null, ); Map toJson() => { 'access_token': accessToken, 'refresh_token': refreshToken, 'expired_at': expiredAt?.toIso8601String(), }; bool get isExpired => expiredAt?.isBefore(DateTime.now()) ?? true; } class RiskyAuthenticateException implements Exception { final int ticketId; RiskyAuthenticateException(this.ticketId); } class AuthProvider extends GetConnect { final tokenEndpoint = Uri.parse('${ServiceFinder.services['passport']}/api/auth/token'); static const clientId = 'solian'; static const clientSecret = '_F4%q2Eea3'; static const storage = FlutterSecureStorage(); TokenSet? credentials; Mutex credentialsRefreshMutex = Mutex(); @override void onInit() { httpClient.baseUrl = ServiceFinder.services['passport']; loadCredentials(); } Future refreshCredentials() async { try { credentialsRefreshMutex.acquire(); if (!credentials!.isExpired) return; final resp = await post('/api/auth/token', { 'refresh_token': credentials!.refreshToken, 'grant_type': 'refresh_token', }); if (resp.statusCode != 200) { throw Exception(resp.bodyString); } credentials = TokenSet( accessToken: resp.body['access_token'], refreshToken: resp.body['refresh_token'], expiredAt: DateTime.now().add(const Duration(minutes: 3)), ); storage.write( key: 'auth_credentials', value: jsonEncode(credentials!.toJson()), ); } catch (_) { rethrow; } finally { credentialsRefreshMutex.release(); } } Future> requestAuthenticator(Request request) async { try { await ensureCredentials(); request.headers['Authorization'] = 'Bearer ${credentials!.accessToken}'; } catch (_) {} return request; } GetConnect configureClient( String service, { timeout = const Duration(seconds: 5), }) { final client = GetConnect( maxAuthRetries: 3, timeout: timeout, userAgent: 'Solian/1.1', sendUserAgent: true, ); client.httpClient.addAuthenticator(requestAuthenticator); client.httpClient.baseUrl = ServiceFinder.services[service]; return client; } Future ensureCredentials() async { if (!await isAuthorized) throw Exception('unauthorized'); if (credentials == null) await loadCredentials(); if (credentials!.isExpired) { await refreshCredentials(); log('Refreshed credentials at ${DateTime.now()}'); } } Future loadCredentials() async { if (await isAuthorized) { final content = await storage.read(key: 'auth_credentials'); credentials = TokenSet.fromJson(jsonDecode(content!)); } } Future signin( BuildContext context, String username, String password, ) async { _cachedUserProfileResponse = null; final client = ServiceFinder.configureClient('passport'); // Create ticket final resp = await client.post('/api/auth', { 'username': username, 'password': password, }); if (resp.statusCode != 200) { throw Exception(resp.body); } else if (resp.body['is_finished'] == false) { throw RiskyAuthenticateException(resp.body['ticket']['id']); } // Assign token final tokenResp = await post('/api/auth/token', { 'code': resp.body['ticket']['grant_token'], 'grant_type': 'grant_token', }); if (tokenResp.statusCode != 200) { throw Exception(tokenResp.bodyString); } credentials = TokenSet( accessToken: tokenResp.body['access_token'], refreshToken: tokenResp.body['refresh_token'], expiredAt: DateTime.now().add(const Duration(minutes: 3)), ); storage.write( key: 'auth_credentials', value: jsonEncode(credentials!.toJson()), ); Get.find().connect(); Get.find().notifyPrefetch(); Get.find().connect(); return credentials!; } void signout() { _cachedUserProfileResponse = null; Get.find().disconnect(); Get.find().disconnect(); Get.find().notifications.clear(); Get.find().notificationUnread.value = 0; final chatHistory = ChatEventController(); chatHistory.initialize().then((_) async { await chatHistory.database.localEvents.wipeLocalEvents(); }); storage.deleteAll(); } // Data Layer Response? _cachedUserProfileResponse; Future get isAuthorized => storage.containsKey(key: 'auth_credentials'); Future getProfile({noCache = false}) async { if (!noCache && _cachedUserProfileResponse != null) { return _cachedUserProfileResponse!; } final client = configureClient('passport'); final resp = await client.get('/api/users/me'); if (resp.statusCode != 200) { throw Exception(resp.bodyString); } else { _cachedUserProfileResponse = resp; } return resp; } Future getProfileWithCheck({noCache = false}) async { if (!await isAuthorized) return null; return await getProfile(noCache: noCache); } }