Files
sheetless/lib/api.dart

193 lines
5.1 KiB
Dart

import 'dart:convert';
import 'dart:developer';
import 'dart:io';
import 'package:http/http.dart' as http;
import 'package:path_provider/path_provider.dart'; // For cache storage
import 'sheet.dart';
class ApiClient {
final String baseUrl;
String? token;
ApiClient({required this.baseUrl, this.token});
/// Login and store the JWT token
Future<bool> login(String username, String password) async {
log("Logging in...");
try {
final url = '$baseUrl/login';
final response = await http.post(
Uri.parse(url),
headers: {'Content-Type': 'application/json'},
body: jsonEncode({
'email': username,
'password': password,
}),
);
if (response.statusCode == 200) {
token = jsonDecode(response.body);
log('Login successful');
return true;
} else {
log('Login failed: ${response.statusCode}, ${response.body}');
}
} catch (e) {
log('Error during login: $e');
}
return false;
}
/// Logout and clear the token
void logout() {
token = null;
log('Logged out successfully.');
}
/// Make a GET request
Future<http.Response?> get(String endpoint, {bool isBinary = false}) async {
try {
final url = '$baseUrl$endpoint';
final headers = {
'Authorization': 'Bearer $token',
if (!isBinary) 'Content-Type': 'application/json',
};
final response = await http.get(Uri.parse(url), headers: headers);
if (response.statusCode == 200) {
return response;
} else {
log('GET request failed: ${response.statusCode} ${response.body}');
}
} catch (e) {
log('Error during GET request: $e');
}
return null;
}
/// Make a POST request
Future<http.Response?> post(
String endpoint, Map<String, dynamic> body) async {
try {
final url = '$baseUrl$endpoint';
final headers = {
'Authorization': 'Bearer $token',
'Content-Type': 'application/json',
};
final response = await http.post(
Uri.parse(url),
headers: headers,
body: jsonEncode(body),
);
if (response.statusCode == 200 || response.statusCode == 201) {
return response;
} else {
log('POST request failed: ${response.statusCode} ${response.body}');
}
} catch (e) {
log('Error during POST request: $e');
}
return null;
}
/// Make a POST request with form data
Future<http.Response?> postFormData(String endpoint, String body) async {
try {
final url = '$baseUrl$endpoint';
final headers = {
'Authorization': 'Bearer $token',
'Content-Type': 'application/x-www-form-urlencoded',
};
final response = await http.post(
Uri.parse(url),
headers: headers,
body: body,
);
if (response.statusCode == 200 || response.statusCode == 201) {
return response;
} else {
log('POST Form Data request failed: ${response.statusCode} ${response.body}');
}
} catch (e) {
log('Error during POST Form Data request: $e');
}
return null;
}
Future<List<Sheet>> fetchSheets({String sortBy = "last_opened desc"}) async {
try {
final bodyFormData = {
"page": 1,
"limit": "1000",
"sort_by": sortBy,
};
final response = await postFormData("/sheets", jsonEncode(bodyFormData));
if (response == null) {
return List.empty();
}
if (response.statusCode == 200) {
final data = jsonDecode(response.body);
log("Data: $data");
return (data['rows'] as List<dynamic>)
.map((sheet) => Sheet.fromJson(sheet as Map<String, dynamic>))
.toList();
} else {
log('Failed to fetch sheets with status: ${response.statusCode}');
log('Response: ${response.body}');
}
} catch (e) {
log('Error during fetching sheets: $e');
}
return List.empty();
}
Future<File?> getPdfFileCached(String sheetUuid) async {
try {
// Get the cache directory
// final cacheDir = kIsWeb
// ? await MemoryFileSystem().systemTempDirectory.createTemp('cache')
// : await getTemporaryDirectory();
final cacheDir = await getTemporaryDirectory();
final cachedPdfPath = '${cacheDir.path}/$sheetUuid.pdf';
// Check if the file already exists in the cache
final cachedFile = File(cachedPdfPath);
if (await cachedFile.exists()) {
log("PDF found in cache: $cachedPdfPath");
return cachedFile;
}
// Make the authenticated API call
final response = await this.get('/sheet/pdf/$sheetUuid', isBinary: true);
if (response != null && response.statusCode == 200) {
// Save the fetched file to the cache
//
await cachedFile.writeAsBytes(response.bodyBytes);
log("PDF downloaded and cached at: $cachedPdfPath");
return cachedFile;
} else {
log("Failed to fetch PDF from API. Status: ${response?.statusCode}");
}
} catch (e) {
log("Error fetching PDF: $e");
}
return null;
}
}