upload image to nostr working

master
gitea 2 months ago
parent 49dd0fdaf1
commit 2c5f0eaefc

@ -1,8 +1,14 @@
<manifest xmlns:android="http://schemas.android.com/apk/res/android"> <manifest xmlns:android="http://schemas.android.com/apk/res/android">
<!-- Permissions for image picker -->
<uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE" android:maxSdkVersion="32" />
<uses-permission android:name="android.permission.READ_MEDIA_IMAGES" />
<uses-permission android:name="android.permission.READ_MEDIA_VIDEO" />
<application <application
android:label="app_boilerplate" android:label="app_boilerplate"
android:name="${applicationName}" android:name="${applicationName}"
android:icon="@mipmap/ic_launcher"> android:icon="@mipmap/ic_launcher"
android:requestLegacyExternalStorage="true">
<activity <activity
android:name=".MainActivity" android:name=".MainActivity"
android:exported="true" android:exported="true"

@ -1,6 +1,7 @@
import 'dart:convert';
import 'dart:io'; import 'dart:io';
import 'dart:typed_data';
import 'package:dio/dio.dart'; import 'package:dio/dio.dart';
import 'package:flutter/foundation.dart';
import '../local/local_storage_service.dart'; import '../local/local_storage_service.dart';
import '../local/models/item.dart'; import '../local/models/item.dart';
import 'models/immich_asset.dart'; import 'models/immich_asset.dart';
@ -64,7 +65,9 @@ class ImmichService {
_dio = dio ?? Dio() { _dio = dio ?? Dio() {
_dio.options.baseUrl = baseUrl; _dio.options.baseUrl = baseUrl;
_dio.options.headers['x-api-key'] = apiKey; _dio.options.headers['x-api-key'] = apiKey;
_dio.options.headers['Content-Type'] = 'application/json'; // Don't set Content-Type globally - it should be set per request
// For JSON requests, it will be set automatically
// For multipart uploads, Dio will set it with the correct boundary
} }
/// Uploads an image file to Immich. /// Uploads an image file to Immich.
@ -85,35 +88,183 @@ class ImmichService {
throw ImmichException('Image file does not exist: ${imageFile.path}'); throw ImmichException('Image file does not exist: ${imageFile.path}');
} }
// Get file metadata
final fileName = imageFile.path.split('/').last;
final fileStat = await imageFile.stat();
final fileCreatedAt = fileStat.changed;
final fileModifiedAt = fileStat.modified;
// Determine MIME type from file extension
String mimeType = 'image/jpeg'; // default
final extension = fileName.split('.').last.toLowerCase();
switch (extension) {
case 'png':
mimeType = 'image/png';
break;
case 'jpg':
case 'jpeg':
mimeType = 'image/jpeg';
break;
case 'gif':
mimeType = 'image/gif';
break;
case 'webp':
mimeType = 'image/webp';
break;
case 'heic':
case 'heif':
mimeType = 'image/heic';
break;
}
// Generate device IDs (required by Immich API)
// Using a consistent device ID based on the app
const deviceId = 'flutter-app-boilerplate';
final deviceAssetId = 'device-asset-${fileCreatedAt.millisecondsSinceEpoch}';
// Format dates in ISO 8601 format (UTC)
final fileCreatedAtIso = fileCreatedAt.toUtc().toIso8601String();
final fileModifiedAtIso = fileModifiedAt.toUtc().toIso8601String();
// Prepare metadata according to Immich API format
// Format: [{"key":"mobile-app","value":{"caption":"...","tags":[]}}]
final metadata = [
{
'key': 'mobile-app',
'value': {
'caption': fileName,
'tags': <String>[],
}
}
];
final metadataJson = jsonEncode(metadata);
// Prepare form data for multipart upload // Prepare form data for multipart upload
// Based on working curl command:
// curl -X POST "https://photos.satoshinakamoto.win/api/assets" \
// -H "x-api-key: ..." \
// -H "Content-Type: multipart/form-data" \
// -F "assetData=@file.png;type=image/png" \
// -F "deviceAssetId=device-asset-001" \
// -F "deviceId=device-123" \
// -F "fileCreatedAt=2025-11-06T12:34:56Z" \
// -F "fileModifiedAt=2025-11-06T12:34:56Z" \
// -F 'metadata=[{"key":"mobile-app","value":{"caption":"Test image","tags":[]}}]'
final formData = FormData.fromMap({ final formData = FormData.fromMap({
'assetData': await MultipartFile.fromFile( 'assetData': await MultipartFile.fromFile(
imageFile.path, imageFile.path,
filename: imageFile.path.split('/').last, filename: fileName,
), ),
'deviceAssetId': deviceAssetId,
'deviceId': deviceId,
'fileCreatedAt': fileCreatedAtIso,
'fileModifiedAt': fileModifiedAtIso,
'metadata': metadataJson,
if (albumId != null) 'albumId': albumId, if (albumId != null) 'albumId': albumId,
}); });
// Upload to Immich // Upload to Immich
// According to Immich API documentation: POST /api/assets
// Note: Don't set Content-Type header manually for multipart/form-data
// Dio will set it automatically with the correct boundary
// Determine the correct endpoint path
// If baseUrl already ends with /api, don't add it again
String endpointPath;
if (_baseUrl.endsWith('/api')) {
endpointPath = '/assets';
} else if (_baseUrl.endsWith('/api/')) {
endpointPath = 'assets';
} else {
endpointPath = '/api/assets';
}
final uploadUrl = '$_baseUrl$endpointPath';
debugPrint('=== Immich Upload Request ===');
debugPrint('URL: $uploadUrl');
debugPrint('Base URL: $_baseUrl');
debugPrint('File: $fileName, Size: ${await imageFile.length()} bytes');
debugPrint('Device ID: $deviceId');
debugPrint('Device Asset ID: $deviceAssetId');
debugPrint('File Created At: $fileCreatedAtIso');
debugPrint('File Modified At: $fileModifiedAtIso');
debugPrint('Metadata: $metadataJson');
final response = await _dio.post( final response = await _dio.post(
'/api/asset/upload', endpointPath,
data: formData, data: formData,
options: Options(
headers: {
'x-api-key': _apiKey,
// Don't set Content-Type - Dio handles it automatically for FormData
},
),
); );
debugPrint('=== Immich Upload Response ===');
debugPrint('Status Code: ${response.statusCode}');
debugPrint('Response Data: ${response.data}');
debugPrint('Response Headers: ${response.headers}');
if (response.statusCode != 200 && response.statusCode != 201) { if (response.statusCode != 200 && response.statusCode != 201) {
final errorMessage = response.data is Map
? (response.data as Map)['message']?.toString() ??
response.statusMessage
: response.statusMessage;
debugPrint('Upload failed with status ${response.statusCode}: $errorMessage');
throw ImmichException( throw ImmichException(
'Upload failed: ${response.statusMessage}', 'Upload failed: $errorMessage',
response.statusCode, response.statusCode,
); );
} }
final uploadResponse = UploadResponse.fromJson(response.data); // Log the response data structure
if (response.data is Map) {
debugPrint('Response is Map with keys: ${(response.data as Map).keys}');
debugPrint('Full response map: ${response.data}');
} else if (response.data is List) {
debugPrint('Response is List with ${(response.data as List).length} items');
debugPrint('First item: ${(response.data as List).first}');
} else {
debugPrint('Response type: ${response.data.runtimeType}');
debugPrint('Response value: ${response.data}');
}
// Handle response - it might be a single object or an array
Map<String, dynamic> responseData;
if (response.data is List && (response.data as List).isNotEmpty) {
// If response is an array, take the first item
responseData = (response.data as List).first as Map<String, dynamic>;
debugPrint('Using first item from array response');
} else if (response.data is Map) {
responseData = response.data as Map<String, dynamic>;
} else {
throw ImmichException(
'Unexpected response format: ${response.data.runtimeType}',
response.statusCode,
);
}
final uploadResponse = UploadResponse.fromJson(responseData);
debugPrint('Parsed Upload Response:');
debugPrint(' ID: ${uploadResponse.id}');
debugPrint(' Duplicate: ${uploadResponse.duplicate}');
// Fetch full asset details to store complete metadata // Fetch full asset details to store complete metadata
final asset = await _getAssetById(uploadResponse.id); debugPrint('Fetching full asset details for ID: ${uploadResponse.id}');
try {
final asset = await _getAssetById(uploadResponse.id);
debugPrint('Fetched asset: ${asset.id}, ${asset.fileName}');
// Store metadata in local storage // Store metadata in local storage
await _storeAssetMetadata(asset); debugPrint('Storing asset metadata in local storage');
await _storeAssetMetadata(asset);
debugPrint('Asset metadata stored successfully');
} catch (e) {
// Log error but don't fail the upload - asset was uploaded successfully
debugPrint('Warning: Failed to fetch/store asset metadata: $e');
debugPrint('Upload was successful, but metadata caching failed');
}
return uploadResponse; return uploadResponse;
} on DioException catch (e) { } on DioException catch (e) {
@ -165,13 +316,15 @@ class ImmichService {
final responseData = response.data as Map<String, dynamic>; final responseData = response.data as Map<String, dynamic>;
if (!responseData.containsKey('assets')) { if (!responseData.containsKey('assets')) {
throw ImmichException('Unexpected response format: missing "assets" field'); throw ImmichException(
'Unexpected response format: missing "assets" field');
} }
final assetsData = responseData['assets'] as Map<String, dynamic>; final assetsData = responseData['assets'] as Map<String, dynamic>;
if (!assetsData.containsKey('items')) { if (!assetsData.containsKey('items')) {
throw ImmichException('Unexpected response format: missing "items" field in assets'); throw ImmichException(
'Unexpected response format: missing "items" field in assets');
} }
final assetsJson = assetsData['items'] as List<dynamic>; final assetsJson = assetsData['items'] as List<dynamic>;
@ -192,12 +345,9 @@ class ImmichService {
String errorMessage; String errorMessage;
if (errorData is Map) { if (errorData is Map) {
errorMessage = errorData['message']?.toString() ?? errorMessage = errorData['message']?.toString() ?? errorData.toString();
errorData.toString();
} else { } else {
errorMessage = errorData?.toString() ?? errorMessage = errorData?.toString() ?? e.message ?? 'Unknown error';
e.message ??
'Unknown error';
} }
throw ImmichException( throw ImmichException(
@ -241,12 +391,9 @@ class ImmichService {
String errorMessage; String errorMessage;
if (errorData is Map) { if (errorData is Map) {
errorMessage = errorData['message']?.toString() ?? errorMessage = errorData['message']?.toString() ?? errorData.toString();
errorData.toString();
} else { } else {
errorMessage = errorData?.toString() ?? errorMessage = errorData?.toString() ?? e.message ?? 'Unknown error';
e.message ??
'Unknown error';
} }
throw ImmichException( throw ImmichException(
@ -351,7 +498,8 @@ class ImmichService {
/// Returns the image bytes as Uint8List. /// Returns the image bytes as Uint8List.
/// ///
/// Throws [ImmichException] if fetch fails. /// Throws [ImmichException] if fetch fails.
Future<Uint8List> fetchImageBytes(String assetId, {bool isThumbnail = true}) async { Future<Uint8List> fetchImageBytes(String assetId,
{bool isThumbnail = true}) async {
try { try {
// Use correct endpoint based on thumbnail vs original // Use correct endpoint based on thumbnail vs original
final endpoint = isThumbnail final endpoint = isThumbnail
@ -379,12 +527,9 @@ class ImmichService {
String errorMessage; String errorMessage;
if (errorData is Map) { if (errorData is Map) {
errorMessage = errorData['message']?.toString() ?? errorMessage = errorData['message']?.toString() ?? errorData.toString();
errorData.toString();
} else { } else {
errorMessage = errorData?.toString() ?? errorMessage = errorData?.toString() ?? e.message ?? 'Unknown error';
e.message ??
'Unknown error';
} }
throw ImmichException( throw ImmichException(
@ -428,12 +573,9 @@ class ImmichService {
String errorMessage; String errorMessage;
if (errorData is Map) { if (errorData is Map) {
errorMessage = errorData['message']?.toString() ?? errorMessage = errorData['message']?.toString() ?? errorData.toString();
errorData.toString();
} else { } else {
errorMessage = errorData?.toString() ?? errorMessage = errorData?.toString() ?? e.message ?? 'Unknown error';
e.message ??
'Unknown error';
} }
throw ImmichException( throw ImmichException(
@ -445,4 +587,3 @@ class ImmichService {
} }
} }
} }

@ -37,7 +37,8 @@ class NostrService {
final Map<String, WebSocketChannel?> _connections = {}; final Map<String, WebSocketChannel?> _connections = {};
/// Stream controllers for relay messages. /// Stream controllers for relay messages.
final Map<String, StreamController<Map<String, dynamic>>> _messageControllers = {}; final Map<String, StreamController<Map<String, dynamic>>>
_messageControllers = {};
/// Creates a [NostrService] instance. /// Creates a [NostrService] instance.
NostrService(); NostrService();
@ -119,7 +120,8 @@ class NostrService {
throw NostrException('Relay is disabled: $relayUrl'); throw NostrException('Relay is disabled: $relayUrl');
} }
if (_connections.containsKey(relayUrl) && _connections[relayUrl] != null) { if (_connections.containsKey(relayUrl) &&
_connections[relayUrl] != null) {
// Already connected // Already connected
return _messageControllers[relayUrl]!.stream; return _messageControllers[relayUrl]!.stream;
} }
@ -207,7 +209,8 @@ class NostrService {
_messageControllers.remove(relayUrl); _messageControllers.remove(relayUrl);
} }
final relay = _relays.firstWhere((r) => r.url == relayUrl, orElse: () => NostrRelay.fromUrl(relayUrl)); final relay = _relays.firstWhere((r) => r.url == relayUrl,
orElse: () => NostrRelay.fromUrl(relayUrl));
relay.isConnected = false; relay.isConnected = false;
} }
@ -324,7 +327,8 @@ class NostrService {
/// Returns [NostrProfile] if found, null otherwise. /// Returns [NostrProfile] if found, null otherwise.
/// ///
/// Throws [NostrException] if fetch fails. /// Throws [NostrException] if fetch fails.
Future<NostrProfile?> fetchProfile(String publicKey, {Duration timeout = const Duration(seconds: 10)}) async { Future<NostrProfile?> fetchProfile(String publicKey,
{Duration timeout = const Duration(seconds: 10)}) async {
if (_relays.isEmpty) { if (_relays.isEmpty) {
throw NostrException('No relays configured'); throw NostrException('No relays configured');
} }
@ -333,7 +337,8 @@ class NostrService {
for (final relay in _relays) { for (final relay in _relays) {
if (relay.isConnected) { if (relay.isConnected) {
try { try {
final profile = await _fetchProfileFromRelay(publicKey, relay.url, timeout); final profile =
await _fetchProfileFromRelay(publicKey, relay.url, timeout);
if (profile != null) { if (profile != null) {
return profile; return profile;
} }
@ -361,7 +366,8 @@ class NostrService {
} }
/// Fetches profile from a specific relay. /// Fetches profile from a specific relay.
Future<NostrProfile?> _fetchProfileFromRelay(String publicKey, String relayUrl, Duration timeout) async { Future<NostrProfile?> _fetchProfileFromRelay(
String publicKey, String relayUrl, Duration timeout) async {
final channel = _connections[relayUrl]; final channel = _connections[relayUrl];
final messageController = _messageControllers[relayUrl]; final messageController = _messageControllers[relayUrl];
if (channel == null || messageController == null) { if (channel == null || messageController == null) {
@ -394,8 +400,11 @@ class NostrService {
created_at: eventData['created_at'] as int? ?? 0, created_at: eventData['created_at'] as int? ?? 0,
kind: eventData['kind'] as int? ?? 0, kind: eventData['kind'] as int? ?? 0,
tags: (eventData['tags'] as List<dynamic>?) tags: (eventData['tags'] as List<dynamic>?)
?.map((tag) => (tag as List<dynamic>).map((e) => e.toString()).toList()) ?.map((tag) => (tag as List<dynamic>)
.toList() ?? [], .map((e) => e.toString())
.toList())
.toList() ??
[],
content: eventData['content'] as String? ?? '', content: eventData['content'] as String? ?? '',
sig: eventData['sig'] as String? ?? '', sig: eventData['sig'] as String? ?? '',
verify: false, // Skip verification for profile fetching verify: false, // Skip verification for profile fetching
@ -408,8 +417,11 @@ class NostrService {
created_at: eventData[2] as int? ?? 0, created_at: eventData[2] as int? ?? 0,
kind: eventData[3] as int? ?? 0, kind: eventData[3] as int? ?? 0,
tags: (eventData[4] as List<dynamic>?) tags: (eventData[4] as List<dynamic>?)
?.map((tag) => (tag as List<dynamic>).map((e) => e.toString()).toList()) ?.map((tag) => (tag as List<dynamic>)
.toList() ?? [], .map((e) => e.toString())
.toList())
.toList() ??
[],
content: eventData[5] as String? ?? '', content: eventData[5] as String? ?? '',
sig: eventData[6] as String? ?? '', sig: eventData[6] as String? ?? '',
verify: false, // Skip verification for profile fetching verify: false, // Skip verification for profile fetching
@ -422,11 +434,13 @@ class NostrService {
final event = NostrEvent.fromNostrToolsEvent(nostrToolsEvent); final event = NostrEvent.fromNostrToolsEvent(nostrToolsEvent);
// Check if it's a kind 0 (metadata) event for this public key // Check if it's a kind 0 (metadata) event for this public key
if (event.kind == 0 && event.pubkey.toLowerCase() == publicKey.toLowerCase()) { if (event.kind == 0 &&
event.pubkey.toLowerCase() == publicKey.toLowerCase()) {
final profile = NostrProfile.fromEventContent( final profile = NostrProfile.fromEventContent(
publicKey: publicKey, publicKey: publicKey,
content: event.content, content: event.content,
updatedAt: DateTime.fromMillisecondsSinceEpoch(event.createdAt * 1000), updatedAt:
DateTime.fromMillisecondsSinceEpoch(event.createdAt * 1000),
); );
if (!completer.isCompleted) { if (!completer.isCompleted) {
completer.complete(profile); completer.complete(profile);
@ -437,7 +451,7 @@ class NostrService {
debugPrint('Error parsing profile event: $e'); debugPrint('Error parsing profile event: $e');
} }
} else if (message['type'] == 'EOSE' && } else if (message['type'] == 'EOSE' &&
message['subscription_id'] == reqId) { message['subscription_id'] == reqId) {
// End of stored events - no profile found // End of stored events - no profile found
if (!completer.isCompleted) { if (!completer.isCompleted) {
completer.complete(null); completer.complete(null);
@ -466,10 +480,10 @@ class NostrService {
try { try {
final profile = await completer.future.timeout(timeout); final profile = await completer.future.timeout(timeout);
subscription?.cancel(); subscription.cancel();
return profile; return profile;
} catch (e) { } catch (e) {
subscription?.cancel(); subscription.cancel();
return null; return null;
} }
} }
@ -504,7 +518,8 @@ class NostrService {
final domain = parts[1]; final domain = parts[1];
// Construct the verification URL // Construct the verification URL
final url = Uri.https(domain, '/.well-known/nostr.json', {'name': localPart}); final url =
Uri.https(domain, '/.well-known/nostr.json', {'name': localPart});
// Fetch the NIP-05 verification data // Fetch the NIP-05 verification data
final response = await http.get(url).timeout( final response = await http.get(url).timeout(
@ -515,7 +530,8 @@ class NostrService {
); );
if (response.statusCode != 200) { if (response.statusCode != 200) {
throw NostrException('Failed to fetch NIP-05 data: ${response.statusCode}'); throw NostrException(
'Failed to fetch NIP-05 data: ${response.statusCode}');
} }
// Parse the JSON response // Parse the JSON response
@ -564,7 +580,8 @@ class NostrService {
String publicKey, String publicKey,
) async { ) async {
try { try {
final preferredRelays = await fetchPreferredRelaysFromNip05(nip05, publicKey); final preferredRelays =
await fetchPreferredRelaysFromNip05(nip05, publicKey);
int addedCount = 0; int addedCount = 0;
for (final relayUrl in preferredRelays) { for (final relayUrl in preferredRelays) {
@ -594,4 +611,3 @@ class NostrService {
_relays.clear(); _relays.clear();
} }
} }

@ -1,5 +1,7 @@
import 'dart:io';
import 'dart:typed_data'; import 'dart:typed_data';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:image_picker/image_picker.dart';
import '../../data/local/local_storage_service.dart'; import '../../data/local/local_storage_service.dart';
import '../../data/immich/immich_service.dart'; import '../../data/immich/immich_service.dart';
import '../../data/immich/models/immich_asset.dart'; import '../../data/immich/models/immich_asset.dart';
@ -26,6 +28,8 @@ class _ImmichScreenState extends State<ImmichScreen> {
List<ImmichAsset> _assets = []; List<ImmichAsset> _assets = [];
bool _isLoading = false; bool _isLoading = false;
String? _errorMessage; String? _errorMessage;
final ImagePicker _imagePicker = ImagePicker();
bool _isUploading = false;
@override @override
void initState() { void initState() {
@ -100,6 +104,11 @@ class _ImmichScreenState extends State<ImmichScreen> {
appBar: AppBar( appBar: AppBar(
title: const Text('Immich Media'), title: const Text('Immich Media'),
actions: [ actions: [
IconButton(
icon: const Icon(Icons.photo_library),
onPressed: _pickAndUploadImages,
tooltip: 'Upload from Gallery',
),
IconButton( IconButton(
icon: const Icon(Icons.info_outline), icon: const Icon(Icons.info_outline),
onPressed: _testServerConnection, onPressed: _testServerConnection,
@ -118,6 +127,19 @@ class _ImmichScreenState extends State<ImmichScreen> {
} }
Widget _buildBody() { Widget _buildBody() {
if (_isUploading) {
return const Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: [
CircularProgressIndicator(),
SizedBox(height: 16),
Text('Uploading images...'),
],
),
);
}
if (_isLoading && _assets.isEmpty) { if (_isLoading && _assets.isEmpty) {
return const Center( return const Center(
child: CircularProgressIndicator(), child: CircularProgressIndicator(),
@ -235,7 +257,8 @@ class _ImmichScreenState extends State<ImmichScreen> {
Widget _buildImageWidget(String url, ImmichAsset asset) { Widget _buildImageWidget(String url, ImmichAsset asset) {
// Use FutureBuilder to fetch image bytes via ImmichService with proper auth // Use FutureBuilder to fetch image bytes via ImmichService with proper auth
return FutureBuilder<Uint8List?>( return FutureBuilder<Uint8List?>(
future: widget.immichService?.fetchImageBytes(asset.id, isThumbnail: true), future:
widget.immichService?.fetchImageBytes(asset.id, isThumbnail: true),
builder: (context, snapshot) { builder: (context, snapshot) {
if (snapshot.connectionState == ConnectionState.waiting) { if (snapshot.connectionState == ConnectionState.waiting) {
return const Center( return const Center(
@ -280,7 +303,8 @@ class _ImmichScreenState extends State<ImmichScreen> {
), ),
Expanded( Expanded(
child: FutureBuilder<Uint8List?>( child: FutureBuilder<Uint8List?>(
future: widget.immichService?.fetchImageBytes(asset.id, isThumbnail: false), future: widget.immichService
?.fetchImageBytes(asset.id, isThumbnail: false),
builder: (context, snapshot) { builder: (context, snapshot) {
if (snapshot.connectionState == ConnectionState.waiting) { if (snapshot.connectionState == ConnectionState.waiting) {
return const Center( return const Center(
@ -288,7 +312,9 @@ class _ImmichScreenState extends State<ImmichScreen> {
); );
} }
if (snapshot.hasError || !snapshot.hasData || snapshot.data == null) { if (snapshot.hasError ||
!snapshot.hasData ||
snapshot.data == null) {
return const Center( return const Center(
child: Text('Failed to load image'), child: Text('Failed to load image'),
); );
@ -429,4 +455,282 @@ class _ImmichScreenState extends State<ImmichScreen> {
return buffer.toString(); return buffer.toString();
} }
/// Opens image picker and uploads selected images to Immich.
Future<void> _pickAndUploadImages() async {
if (widget.immichService == null) {
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(
content: Text('Immich service not available'),
backgroundColor: Colors.red,
),
);
}
return;
}
try {
// Show dialog to choose between single or multiple images
final pickerChoice = await showDialog<ImagePickerChoice>(
context: context,
builder: (context) => AlertDialog(
title: const Text('Select Images'),
content: Column(
mainAxisSize: MainAxisSize.min,
children: [
ListTile(
leading: const Icon(Icons.photo),
title: const Text('Pick Single Image'),
onTap: () =>
Navigator.of(context).pop(ImagePickerChoice.single),
),
ListTile(
leading: const Icon(Icons.photo_library),
title: const Text('Pick Multiple Images'),
onTap: () =>
Navigator.of(context).pop(ImagePickerChoice.multiple),
),
],
),
actions: [
TextButton(
onPressed: () => Navigator.of(context).pop(),
child: const Text('Cancel'),
),
],
),
);
if (pickerChoice == null) return;
List<XFile> pickedFiles;
try {
if (pickerChoice == ImagePickerChoice.multiple) {
pickedFiles = await _imagePicker.pickMultiImage();
} else {
final pickedFile = await _imagePicker.pickImage(
source: ImageSource.gallery,
imageQuality: 100,
);
pickedFiles = pickedFile != null ? [pickedFile] : [];
}
} catch (pickError, stackTrace) {
// Handle image picker specific errors
debugPrint('Image picker error: $pickError');
debugPrint('Stack trace: $stackTrace');
if (mounted) {
String errorMessage = 'Failed to open gallery';
String errorDetails = pickError.toString();
// Check for specific error types
if (errorDetails.contains('Permission') ||
errorDetails.contains('permission') ||
errorDetails.contains('PERMISSION')) {
errorMessage =
'Permission denied. Please grant photo library access in app settings.';
} else if (errorDetails.contains('PlatformException')) {
// Extract the actual error message from PlatformException
final match = RegExp(r'PlatformException\([^,]+,\s*([^,]+)')
.firstMatch(errorDetails);
if (match != null) {
errorDetails = match.group(1) ?? errorDetails;
}
errorMessage = 'Failed to open gallery: $errorDetails';
} else {
errorMessage = 'Failed to open gallery: $errorDetails';
}
showDialog(
context: context,
builder: (context) => AlertDialog(
title: const Text('Gallery Error'),
content: SingleChildScrollView(
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
mainAxisSize: MainAxisSize.min,
children: [
Text(errorMessage),
const SizedBox(height: 16),
const Text(
'Troubleshooting:',
style: TextStyle(fontWeight: FontWeight.bold),
),
const SizedBox(height: 8),
const Text('1. Check app permissions in device settings'),
const Text('2. Make sure a gallery app is installed'),
const Text('3. Try restarting the app'),
const SizedBox(height: 16),
const Text(
'Full error:',
style:
TextStyle(fontSize: 12, fontWeight: FontWeight.bold),
),
const SizedBox(height: 4),
Text(
errorDetails,
style: const TextStyle(fontSize: 10),
),
],
),
),
actions: [
TextButton(
onPressed: () => Navigator.of(context).pop(),
child: const Text('Close'),
),
],
),
);
}
return;
}
if (pickedFiles.isEmpty) {
// User cancelled or no images selected - this is not an error
return;
}
// Show upload progress
setState(() {
_isUploading = true;
});
int successCount = 0;
int failureCount = 0;
final errors = <String>[];
// Upload each image
for (final pickedFile in pickedFiles) {
try {
final file = File(pickedFile.path);
debugPrint('Uploading file: ${pickedFile.name}');
final uploadResponse = await widget.immichService!.uploadImage(file);
debugPrint('Upload successful for ${pickedFile.name}: ${uploadResponse.id}');
successCount++;
} catch (e, stackTrace) {
debugPrint('Upload failed for ${pickedFile.name}: $e');
debugPrint('Stack trace: $stackTrace');
failureCount++;
errors.add('${pickedFile.name}: ${e.toString()}');
}
}
setState(() {
_isUploading = false;
});
// Show result
if (mounted) {
if (failureCount == 0) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Successfully uploaded $successCount image(s)'),
backgroundColor: Colors.green,
),
);
} else {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Uploaded $successCount, failed $failureCount'),
backgroundColor: Colors.orange,
duration: const Duration(seconds: 4),
action: SnackBarAction(
label: 'Details',
onPressed: () {
showDialog(
context: context,
builder: (context) => AlertDialog(
title: const Text('Upload Errors'),
content: SingleChildScrollView(
child: Text(errors.join('\n')),
),
actions: [
TextButton(
onPressed: () => Navigator.of(context).pop(),
child: const Text('Close'),
),
],
),
);
},
),
),
);
}
// Refresh the asset list
debugPrint('Refreshing asset list after upload');
await _loadAssets(forceRefresh: true);
debugPrint('Asset list refreshed, current count: ${_assets.length}');
}
} catch (e, stackTrace) {
setState(() {
_isUploading = false;
});
if (mounted) {
// Log the full error for debugging
debugPrint('Image picker error: $e');
debugPrint('Stack trace: $stackTrace');
String errorMessage = 'Failed to pick images';
if (e.toString().contains('Permission')) {
errorMessage =
'Permission denied. Please grant photo library access in app settings.';
} else if (e.toString().contains('PlatformException')) {
errorMessage =
'Failed to open gallery. Please check app permissions.';
} else {
errorMessage = 'Failed to pick images: ${e.toString()}';
}
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(errorMessage),
backgroundColor: Colors.red,
duration: const Duration(seconds: 5),
action: SnackBarAction(
label: 'Details',
textColor: Colors.white,
onPressed: () {
showDialog(
context: context,
builder: (context) => AlertDialog(
title: const Text('Error Details'),
content: SingleChildScrollView(
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
mainAxisSize: MainAxisSize.min,
children: [
Text('Error: ${e.toString()}'),
const SizedBox(height: 16),
const Text(
'If this is a permission error, please grant photo library access in your device settings.',
style: TextStyle(fontSize: 12),
),
],
),
),
actions: [
TextButton(
onPressed: () => Navigator.of(context).pop(),
child: const Text('Close'),
),
],
),
);
},
),
),
);
}
}
}
}
enum ImagePickerChoice {
single,
multiple,
} }

@ -6,6 +6,7 @@ import FlutterMacOS
import Foundation import Foundation
import cloud_firestore import cloud_firestore
import file_selector_macos
import firebase_analytics import firebase_analytics
import firebase_auth import firebase_auth
import firebase_core import firebase_core
@ -16,6 +17,7 @@ import sqflite_darwin
func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) { func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) {
FLTFirebaseFirestorePlugin.register(with: registry.registrar(forPlugin: "FLTFirebaseFirestorePlugin")) FLTFirebaseFirestorePlugin.register(with: registry.registrar(forPlugin: "FLTFirebaseFirestorePlugin"))
FileSelectorPlugin.register(with: registry.registrar(forPlugin: "FileSelectorPlugin"))
FirebaseAnalyticsPlugin.register(with: registry.registrar(forPlugin: "FirebaseAnalyticsPlugin")) FirebaseAnalyticsPlugin.register(with: registry.registrar(forPlugin: "FirebaseAnalyticsPlugin"))
FLTFirebaseAuthPlugin.register(with: registry.registrar(forPlugin: "FLTFirebaseAuthPlugin")) FLTFirebaseAuthPlugin.register(with: registry.registrar(forPlugin: "FLTFirebaseAuthPlugin"))
FLTFirebaseCorePlugin.register(with: registry.registrar(forPlugin: "FLTFirebaseCorePlugin")) FLTFirebaseCorePlugin.register(with: registry.registrar(forPlugin: "FLTFirebaseCorePlugin"))

@ -265,6 +265,14 @@ packages:
url: "https://pub.dev" url: "https://pub.dev"
source: hosted source: hosted
version: "1.15.0" version: "1.15.0"
cross_file:
dependency: transitive
description:
name: cross_file
sha256: "942a4791cd385a68ccb3b32c71c427aba508a1bb949b86dff2adbe4049f16239"
url: "https://pub.dev"
source: hosted
version: "0.3.5"
crypto: crypto:
dependency: transitive dependency: transitive
description: description:
@ -329,6 +337,38 @@ packages:
url: "https://pub.dev" url: "https://pub.dev"
source: hosted source: hosted
version: "7.0.1" version: "7.0.1"
file_selector_linux:
dependency: transitive
description:
name: file_selector_linux
sha256: "54cbbd957e1156d29548c7d9b9ec0c0ebb6de0a90452198683a7d23aed617a33"
url: "https://pub.dev"
source: hosted
version: "0.9.3+2"
file_selector_macos:
dependency: transitive
description:
name: file_selector_macos
sha256: "88707a3bec4b988aaed3b4df5d7441ee4e987f20b286cddca5d6a8270cab23f2"
url: "https://pub.dev"
source: hosted
version: "0.9.4+5"
file_selector_platform_interface:
dependency: transitive
description:
name: file_selector_platform_interface
sha256: a3994c26f10378a039faa11de174d7b78eb8f79e4dd0af2a451410c1a5c3f66b
url: "https://pub.dev"
source: hosted
version: "2.6.2"
file_selector_windows:
dependency: transitive
description:
name: file_selector_windows
sha256: "320fcfb6f33caa90f0b58380489fc5ac05d99ee94b61aa96ec2bff0ba81d3c2b"
url: "https://pub.dev"
source: hosted
version: "0.9.3+4"
firebase_analytics: firebase_analytics:
dependency: "direct main" dependency: "direct main"
description: description:
@ -470,6 +510,14 @@ packages:
url: "https://pub.dev" url: "https://pub.dev"
source: hosted source: hosted
version: "5.2.1" version: "5.2.1"
flutter_plugin_android_lifecycle:
dependency: transitive
description:
name: flutter_plugin_android_lifecycle
sha256: "306f0596590e077338312f38837f595c04f28d6cdeeac392d3d74df2f0003687"
url: "https://pub.dev"
source: hosted
version: "2.0.32"
flutter_test: flutter_test:
dependency: "direct dev" dependency: "direct dev"
description: flutter description: flutter
@ -536,6 +584,70 @@ packages:
url: "https://pub.dev" url: "https://pub.dev"
source: hosted source: hosted
version: "4.1.2" version: "4.1.2"
image_picker:
dependency: "direct main"
description:
name: image_picker
sha256: "736eb56a911cf24d1859315ad09ddec0b66104bc41a7f8c5b96b4e2620cf5041"
url: "https://pub.dev"
source: hosted
version: "1.2.0"
image_picker_android:
dependency: transitive
description:
name: image_picker_android
sha256: ca2a3b04d34e76157e9ae680ef16014fb4c2d20484e78417eaed6139330056f6
url: "https://pub.dev"
source: hosted
version: "0.8.13+7"
image_picker_for_web:
dependency: transitive
description:
name: image_picker_for_web
sha256: "40c2a6a0da15556dc0f8e38a3246064a971a9f512386c3339b89f76db87269b6"
url: "https://pub.dev"
source: hosted
version: "3.1.0"
image_picker_ios:
dependency: transitive
description:
name: image_picker_ios
sha256: e675c22790bcc24e9abd455deead2b7a88de4b79f7327a281812f14de1a56f58
url: "https://pub.dev"
source: hosted
version: "0.8.13+1"
image_picker_linux:
dependency: transitive
description:
name: image_picker_linux
sha256: "1f81c5f2046b9ab724f85523e4af65be1d47b038160a8c8deed909762c308ed4"
url: "https://pub.dev"
source: hosted
version: "0.2.2"
image_picker_macos:
dependency: transitive
description:
name: image_picker_macos
sha256: "86f0f15a309de7e1a552c12df9ce5b59fe927e71385329355aec4776c6a8ec91"
url: "https://pub.dev"
source: hosted
version: "0.2.2+1"
image_picker_platform_interface:
dependency: transitive
description:
name: image_picker_platform_interface
sha256: "567e056716333a1647c64bb6bd873cff7622233a5c3f694be28a583d4715690c"
url: "https://pub.dev"
source: hosted
version: "2.11.1"
image_picker_windows:
dependency: transitive
description:
name: image_picker_windows
sha256: d248c86554a72b5495a31c56f060cf73a41c7ff541689327b1a7dbccc33adfae
url: "https://pub.dev"
source: hosted
version: "0.2.2"
io: io:
dependency: transitive dependency: transitive
description: description:

@ -23,6 +23,7 @@ dependencies:
firebase_auth: ^5.0.0 firebase_auth: ^5.0.0
firebase_messaging: ^15.0.0 firebase_messaging: ^15.0.0
firebase_analytics: ^11.0.0 firebase_analytics: ^11.0.0
image_picker: ^1.0.7
dev_dependencies: dev_dependencies:
flutter_test: flutter_test:

Loading…
Cancel
Save

Powered by TurnKey Linux.