Compare commits

..

No commits in common. "65f0f4451b41d6190b15ab616105fd9c4e611f86" and "5714fd84433845fd8730d18d6b200399afc52135" have entirely different histories.

73 changed files with 804 additions and 3023 deletions

View File

@ -1,346 +0,0 @@
# Google Navigation Flutter Setup Guide
This document provides detailed instructions for completing the Google Navigation Flutter implementation.
## Overview
The implementation includes:
- Location permissions handling with user dialogs
- Google Navigation session management
- Turn-by-turn navigation for delivery destinations
- Terms and Conditions acceptance for navigation services
- i18n support (English/French)
- Proper error handling and logging
## Prerequisites
Before implementing, you need:
1. **Google Cloud Project** with Navigation SDK enabled
2. **API Keys** for both Android and iOS platforms
3. **Configuration** in Android and iOS native files
## Part 1: API Key Configuration
### Android Setup
1. Open `android/app/build.gradle.kts`
2. Add your Android API key to the metadata section in `AndroidManifest.xml`:
```xml
<application>
<meta-data
android:name="com.google.android.geo.API_KEY"
android:value="YOUR_ANDROID_API_KEY" />
</application>
```
Alternatively, use Secrets Gradle Plugin for better security:
```gradle
// In android/app/build.gradle.kts
android {
buildTypes {
debug {
manifestPlaceholders = [googleMapsApiKey: "YOUR_ANDROID_API_KEY"]
}
release {
manifestPlaceholders = [googleMapsApiKey: "YOUR_ANDROID_API_KEY_RELEASE"]
}
}
}
```
Then in `AndroidManifest.xml`:
```xml
<meta-data
android:name="com.google.android.geo.API_KEY"
android:value="${googleMapsApiKey}" />
```
### iOS Setup
1. Open `ios/Runner/AppDelegate.swift`
2. The API key is already configured in the `provideAPIKey()` method:
```swift
import GoogleMaps
@main
@objc class AppDelegate: FlutterAppDelegate {
override func application(
_ application: UIApplication,
didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?
) -> Bool {
GMSServices.provideAPIKey("YOUR_IOS_API_KEY")
GeneratedPluginRegistrant.register(with: self)
return super.application(application, didFinishLaunchingWithOptions: launchOptions)
}
}
```
Replace `YOUR_IOS_API_KEY` with your actual Google Cloud Navigation API key.
## Part 2: Integration with Deliveries Page
To add navigation button to deliveries, update `lib/pages/deliveries_page.dart`:
```dart
import '../pages/navigation_page.dart';
// In your delivery item or action menu:
ElevatedButton(
onPressed: () {
Navigator.of(context).push(
MaterialPageRoute(
builder: (context) => NavigationPage(
delivery: delivery,
destinationLatitude: delivery.latitude,
destinationLongitude: delivery.longitude,
onNavigationComplete: () {
// Handle navigation completion
// Update delivery status
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(
AppLocalizations.of(context)?.navigationArrived ??
'Navigation completed',
),
),
);
},
onNavigationCancelled: () {
// Handle cancellation
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(
AppLocalizations.of(context)?.cancel ?? 'Navigation cancelled',
),
),
);
},
),
),
);
},
child: Text(AppLocalizations.of(context)?.navigateToAddress ?? 'Navigate'),
)
```
## Part 3: Location Permissions
The app uses the `permission_handler` package for location permissions. Permissions are already configured in:
- **Android**: `android/app/src/main/AndroidManifest.xml`
- Required: `INTERNET`, `ACCESS_FINE_LOCATION`, `ACCESS_COARSE_LOCATION`
- Optional background modes for continuous navigation
- **iOS**: `ios/Runner/Info.plist`
- `NSLocationWhenInUseUsageDescription`: When app is active
- `NSLocationAlwaysAndWhenInUseUsageDescription`: Always
- `NSLocationAlwaysUsageDescription`: Background location
- Background mode: "location" enabled
## Part 4: Available Classes and Services
### NavigationPage
Main UI widget for turn-by-turn navigation.
```dart
NavigationPage(
delivery: deliveryObject,
destinationLatitude: 33.5731,
destinationLongitude: -7.5898,
onNavigationComplete: () { /* Handle arrival */ },
onNavigationCancelled: () { /* Handle cancellation */ },
)
```
### LocationPermissionService
Handles location permission requests and checks.
```dart
final permissionService = LocationPermissionService();
// Check current permission status
final hasPermission = await permissionService.hasLocationPermission();
// Request permission
final result = await permissionService.requestLocationPermission();
result.when(
granted: () { /* Permission granted */ },
denied: () { /* Permission denied */ },
permanentlyDenied: () { /* Need to open settings */ },
error: (message) { /* Handle error */ },
);
```
### NavigationSessionService
Manages the Google Navigation session lifecycle.
```dart
final sessionService = NavigationSessionService();
// Initialize session
await sessionService.initializeSession();
// Set controller from the navigation view
await sessionService.setController(navigationViewController);
// Calculate and set route
final route = await sessionService.calculateRoute(
startLatitude: 33.5731,
startLongitude: -7.5898,
destinationLatitude: 33.5745,
destinationLongitude: -7.5850,
);
// Listen to events
sessionService.addArrivalListener((info) {
print('Arrived at destination');
});
sessionService.addLocationListener((location) {
print('Location: ${location.latitude}, ${location.longitude}');
});
// Start/stop navigation
await sessionService.startNavigation();
await sessionService.stopNavigation();
// Cleanup when done
await sessionService.cleanup();
```
### NavigationTermsAndConditionsDialog
Dialog component to show T&C for navigation services.
```dart
showDialog(
context: context,
builder: (context) => NavigationTermsAndConditionsDialog(
onAccept: () {
// Save acceptance and proceed with navigation
},
onDecline: () {
// User declined, don't start navigation
},
),
);
```
## Part 5: Error Handling
The implementation includes comprehensive error handling for:
1. **Location Permission Errors**
- Permission denied
- Permission permanently denied
- System errors
2. **Navigation Initialization Errors**
- Session initialization failure
- Controller not available
- Route calculation failure
3. **Runtime Errors**
- Network issues
- Location acquisition timeout
- Navigation start/stop failures
All errors are displayed through user-friendly dialogs with action buttons.
## Part 6: Internationalization
Navigation strings are available in English and French:
- `navigationTcTitle`, `navigationTcDescription`
- `locationPermissionRequired`, `locationPermissionMessage`
- `navigationArrived`, `navigatingTo`
Add custom translations to `lib/l10n/app_*.arb` files as needed.
## Part 7: Testing Checklist
### Android Testing
- [ ] Test on API level 23+ device
- [ ] Verify minSdk=23 is set
- [ ] Check desugaring is enabled
- [ ] Test location permissions request
- [ ] Verify navigation starts correctly
- [ ] Test with GPS disabled/enabled
- [ ] Verify Terms & Conditions dialog shows
### iOS Testing
- [ ] Test on iOS 16.0+ device
- [ ] Verify Info.plist has all location keys
- [ ] Test location permissions request
- [ ] Verify background location mode is enabled
- [ ] Test navigation with map open
- [ ] Verify arrival notification
- [ ] Check attribution text is visible
### Common Issues and Solutions
**Issue**: "Navigation SDK not available"
- Solution: Verify API key is correctly added and Navigation SDK is enabled in Google Cloud Console
**Issue**: "Location permission always denied"
- Solution: Clear app data and reinstall, or open app settings and manually enable location
**Issue**: "Navigation session fails to initialize"
- Solution: Check that controller is properly created before calling methods
**Issue**: "Routes not calculating"
- Solution: Ensure start and destination coordinates are valid and within service areas
## Part 8: Production Considerations
Before releasing to production:
1. **API Key Security**
- Use separate API keys for Android and iOS
- Restrict API keys by platform and package name
- Rotate keys periodically
2. **Analytics**
- Track navigation start/completion rates
- Monitor location permission denial rates
- Log any navigation errors
3. **User Experience**
- Provide clear instructions for permission requests
- Show progress during initialization
- Handle network failures gracefully
4. **Compliance**
- Ensure proper attribution to Google
- Display Terms & Conditions for navigation
- Comply with EEA data regulations if applicable
## Files Created/Modified
### Created Files
- `lib/services/location_permission_service.dart` - Permission handling
- `lib/services/navigation_session_service.dart` - Session management
- `lib/pages/navigation_page.dart` - Navigation UI
- `lib/components/navigation_tc_dialog.dart` - T&C dialog
### Modified Files
- `android/app/build.gradle.kts` - Added minSdk=23, desugaring
- `ios/Podfile` - iOS configuration (already set)
- `ios/Runner/Info.plist` - Location permissions (updated)
- `lib/l10n/app_en.arb` - English translations
- `lib/l10n/app_fr.arb` - French translations
## Next Steps
1. Add your API keys to Android and iOS configurations
2. Test location permissions flow
3. Integrate navigation button into delivery items
4. Test navigation on real devices
5. Monitor and handle edge cases in production
For more information, refer to:
- [Google Navigation Flutter Documentation](https://developers.google.com/maps/documentation/navigation/mobile-sdk)
- [Flutter Location Permissions](https://pub.dev/packages/permission_handler)
- [Google Cloud Console](https://console.cloud.google.com)

View File

@ -1,268 +0,0 @@
# Google Navigation Flutter - Implementation Summary
## Overview
Complete implementation of Google Navigation Flutter for the Plan B Logistics app with full support for turn-by-turn navigation, location permissions, and internationalization.
## Configuration Changes
### Android (android/app/build.gradle.kts)
- Set `minSdk = 23` (required for Google Navigation)
- Added desugaring dependency for Java NIO support
- Kotlin version already at 2.1.0 (meets 2.0+ requirement)
### iOS (ios/Runner/Info.plist)
- Added `NSLocationAlwaysUsageDescription` for background location tracking
- Background modes already configured for location
- API key already configured in AppDelegate.swift
## New Services Created
### 1. LocationPermissionService (`lib/services/location_permission_service.dart`)
Handles location permission requests with pattern matching:
- `requestLocationPermission()` - Request user permission
- `hasLocationPermission()` - Check current status
- `openAppSettings()` - Open app settings
Returns `LocationPermissionResult` sealed class with states:
- `granted()` - Permission granted
- `denied()` - Permission denied
- `permanentlyDenied()` - Need to open settings
- `error(message)` - System error occurred
### 2. NavigationSessionService (`lib/services/navigation_session_service.dart`)
Singleton service for managing Google Navigation session:
- `initializeSession()` - Initialize navigation session
- `setController(controller)` - Set view controller
- `calculateRoute(...)` - Calculate route from A to B
- `startNavigation()` - Start turn-by-turn guidance
- `stopNavigation()` - Stop current navigation
- `addLocationListener(callback)` - Track location updates
- `addArrivalListener(callback)` - Handle destination arrival
- `addRemainingDistanceListener(callback)` - Track remaining distance
- `cleanup()` - Cleanup resources
Returns `NavigationRoute` with location and route info.
## New UI Components
### 1. NavigationTermsAndConditionsDialog (`lib/components/navigation_tc_dialog.dart`)
Material 3 themed dialog for T&C acceptance:
- Displays navigation service description
- Shows Google Maps attribution
- Accept/Decline buttons with callbacks
- Fully internationalized
### 2. NavigationPage (`lib/pages/navigation_page.dart`)
Complete turn-by-turn navigation screen:
- Full-screen Google Navigation View
- Automatic location permission handling
- Destination markers and route visualization
- Navigation UI controls enabled
- Arrival notifications
- Error handling dialogs
- Loading states with spinners
Features:
- Initializes navigation session
- Requests location permissions if needed
- Sets delivery destination
- Shows T&C dialog on first use
- Handles navigation events (arrival, location updates)
- Provides completion/cancellation callbacks
## Internationalization
Added translation keys for both English and French:
### Navigation Service Keys
- `navigationTcTitle` - Service name
- `navigationTcDescription` - Service description
- `navigationTcAttribution` - Google Maps attribution
- `navigationTcTerms` - Terms acceptance text
### Permission Keys
- `locationPermissionRequired` - Title
- `locationPermissionMessage` - Permission request message
- `locationPermissionDenied` - Denial message
- `permissionPermanentlyDenied` - Title for settings needed
- `openSettingsMessage` - Settings message
- `openSettings` - Open settings button
### Navigation Keys
- `navigationArrived` - Arrival notification
- `navigatingTo` - Navigation header text
- `initializingNavigation` - Loading message
### General Keys
- `accept`, `decline` - Button labels
- `cancel`, `ok`, `requestPermission` - Common buttons
## File Structure
```
lib/
├── services/
│ ├── location_permission_service.dart (NEW)
│ ├── navigation_session_service.dart (NEW)
│ └── auth_service.dart (existing)
├── pages/
│ ├── navigation_page.dart (NEW)
│ ├── deliveries_page.dart (existing)
│ └── ...
├── components/
│ ├── navigation_tc_dialog.dart (NEW)
│ └── ...
└── l10n/
├── app_en.arb (UPDATED)
└── app_fr.arb (UPDATED)
android/
└── app/
└── build.gradle.kts (UPDATED)
ios/
├── Podfile (already configured)
└── Runner/
└── Info.plist (UPDATED)
```
## Key Features Implemented
1. **Location Permissions**
- Runtime permission request with user dialogs
- Handles denied and permanently denied states
- Opens app settings for permanently denied case
- Uses permission_handler package
2. **Navigation Session Management**
- Singleton pattern for session lifecycle
- Route calculation from start to destination
- Event listeners for location and arrival
- Proper error handling with custom exceptions
3. **Turn-by-Turn Navigation**
- Full-screen Google Navigation View
- Real-time location tracking
- Destination arrival notifications
- Navigation UI with zoom and scroll controls
- Marker clustering for multiple waypoints
4. **User Dialogs**
- Location permission request
- T&C acceptance for navigation services
- Error notifications
- Settings access for denied permissions
5. **Error Handling**
- Initialization errors
- Permission errors
- Route calculation failures
- Navigation start/stop errors
- User-friendly error messages
## Integration Steps
To integrate into deliveries page:
```dart
// Add navigation button to delivery item
FloatingActionButton(
onPressed: () => Navigator.of(context).push(
MaterialPageRoute(
builder: (context) => NavigationPage(
delivery: delivery,
destinationLatitude: delivery.latitude,
destinationLongitude: delivery.longitude,
onNavigationComplete: () {
// Update delivery status
ref.refresh(deliveriesProvider(routeFragmentId));
},
),
),
),
child: const Icon(Icons.navigation),
)
```
## Configuration Requirements
Before testing/releasing:
1. **Add API Keys**
- Android: Add to AndroidManifest.xml or build.gradle
- iOS: Update AppDelegate.swift (already configured)
2. **Update AndroidManifest.xml** (if not using build.gradle)
```xml
<meta-data
android:name="com.google.android.geo.API_KEY"
android:value="YOUR_API_KEY" />
```
3. **Verify Permissions** in AndroidManifest.xml
- `INTERNET`
- `ACCESS_FINE_LOCATION`
- `ACCESS_COARSE_LOCATION`
4. **Test on Devices**
- Android 6.0+ (API 23+)
- iOS 16.0+
- Real devices (emulator may have limited GPS)
## Design System Compliance
All components follow Svrnty design system:
- Material 3 theme colors (Primary: #C44D58, Secondary: #475C6C)
- Montserrat typography
- Dark/light theme support
- High contrast variants compatible
## Code Quality
- Strict typing enforced (no `dynamic` or untyped `var`)
- Sealed classes for type-safe pattern matching
- Result pattern for error handling
- Proper resource cleanup in dispose
- Comprehensive null safety
## Testing Recommendations
### Android
- Test on API 23+ device
- Verify GPS works
- Check location permission dialog
- Verify navigation UI displays correctly
- Test arrival notifications
### iOS
- Test on iOS 16.0+ device
- Verify location permission dialog
- Check background location mode
- Test with navigation UI
- Verify arrival notification
## Known Limitations
- Package is in Beta (expect potential breaking changes)
- Don't combine with other Google Maps SDK versions
- EEA developers subject to regional terms (effective July 8, 2025)
- Navigation requires actual GPS for best results
## Documentation
Comprehensive setup guide provided in `GOOGLE_NAVIGATION_SETUP.md` including:
- API key configuration for both platforms
- Integration examples
- Service usage documentation
- Error handling patterns
- Production considerations
- Testing checklist
## Next Steps
1. Add your Google Cloud API keys
2. Test location permissions flow
3. Integrate navigation button into delivery items
4. Test on real Android and iOS devices
5. Monitor navigation start/completion rates
6. Gather user feedback on navigation experience

View File

@ -24,17 +24,12 @@ android {
applicationId = "com.goutezplanb.planb_logistic"
// You can update the following values to match your application needs.
// For more information, see: https://flutter.dev/to/review-gradle-config.
minSdk = 23 // Required for Google Navigation Flutter
minSdk = flutter.minSdkVersion
targetSdk = flutter.targetSdkVersion
versionCode = flutter.versionCode
versionName = flutter.versionName
}
packagingOptions {
// Enable desugaring for Java NIO support required by Google Navigation SDK
exclude("META-INF/proguard/androidx-*.pro")
}
buildTypes {
release {
// TODO: Add your own signing config for the release build.
@ -44,11 +39,6 @@ android {
}
}
dependencies {
// Desugaring for Java NIO support required by Google Navigation SDK
coreLibraryDesugaring("com.android.tools:desugar_jdk_libs_nio:2.0.4")
}
flutter {
source = "../.."
}

View File

@ -3,9 +3,6 @@
android:label="planb_logistic"
android:name="${applicationName}"
android:icon="@mipmap/ic_launcher">
<meta-data
android:name="com.google.android.geo.API_KEY"
android:value="AIzaSyCuYzbusLkVrHcy10bJ8STF6gyOexQWjuk" />
<activity
android:name=".MainActivity"
android:exported="true"

View File

@ -1,2 +0,0 @@
#include? "Pods/Target Support Files/Pods-Runner/Pods-Runner.profile.xcconfig"
#include "Generated.xcconfig"

View File

@ -39,21 +39,5 @@ end
post_install do |installer|
installer.pods_project.targets.each do |target|
flutter_additional_ios_build_settings(target)
# CRITICAL: Enable permissions for permission_handler plugin
target.build_configurations.each do |config|
config.build_settings['GCC_PREPROCESSOR_DEFINITIONS'] ||= [
'$(inherited)',
## dart: [PermissionGroup.location, PermissionGroup.locationAlways, PermissionGroup.locationWhenInUse]
'PERMISSION_LOCATION=1',
## dart: PermissionGroup.camera (for image_picker)
'PERMISSION_CAMERA=1',
## dart: PermissionGroup.photos (for image_picker)
'PERMISSION_PHOTOS=1',
]
end
end
end

View File

@ -1,13 +1,13 @@
PODS:
- AppAuth (2.0.0):
- AppAuth/Core (= 2.0.0)
- AppAuth/ExternalUserAgent (= 2.0.0)
- AppAuth/Core (2.0.0)
- AppAuth/ExternalUserAgent (2.0.0):
- AppAuth (1.7.5):
- AppAuth/Core (= 1.7.5)
- AppAuth/ExternalUserAgent (= 1.7.5)
- AppAuth/Core (1.7.5)
- AppAuth/ExternalUserAgent (1.7.5):
- AppAuth/Core
- Flutter (1.0.0)
- flutter_appauth (0.0.1):
- AppAuth (= 2.0.0)
- AppAuth (= 1.7.5)
- Flutter
- flutter_secure_storage (6.0.0):
- Flutter
@ -70,9 +70,9 @@ EXTERNAL SOURCES:
:path: ".symlinks/plugins/url_launcher_ios/ios"
SPEC CHECKSUMS:
AppAuth: 1c1a8afa7e12f2ec3a294d9882dfa5ab7d3cb063
AppAuth: 501c04eda8a8d11f179dbe8637b7a91bb7e5d2fa
Flutter: cabc95a1d2626b1b06e7179b784ebcf0c0cde467
flutter_appauth: d4abcf54856e5d8ba82ed7646ffc83245d4aa448
flutter_appauth: 273bf736e38f7d85000b1a9ac15ace5800c277f2
flutter_secure_storage: 1ed9476fba7e7a782b22888f956cce43e2c62f13
google_navigation_flutter: aff5e273b19113b8964780ff4e899f6f2e07f6dc
GoogleMaps: 9ce9c898074e96655acaf1ba5d6f85991ecee7a3
@ -83,6 +83,6 @@ SPEC CHECKSUMS:
shared_preferences_foundation: 7036424c3d8ec98dfe75ff1667cb0cd531ec82bb
url_launcher_ios: 7a95fa5b60cc718a708b8f2966718e93db0cef1b
PODFILE CHECKSUM: a9903f63c2c1fcd26a560ce0325dca46dd46141c
PODFILE CHECKSUM: 1857a7cdb7dfafe45f2b0e9a9af44644190f7506
COCOAPODS: 1.16.2

View File

@ -114,6 +114,7 @@
13867C66F1703482B503520B /* Pods-RunnerTests.release.xcconfig */,
F864EA92C8601181D927DDF4 /* Pods-RunnerTests.profile.xcconfig */,
);
name = Pods;
path = Pods;
sourceTree = "<group>";
};
@ -488,14 +489,13 @@
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CLANG_ENABLE_MODULES = YES;
CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)";
DEVELOPMENT_TEAM = 833P6TSX55;
ENABLE_BITCODE = NO;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
"$(inherited)",
"@executable_path/Frameworks",
);
PRODUCT_BUNDLE_IDENTIFIER = com.local.planbLogistic;
PRODUCT_BUNDLE_IDENTIFIER = com.goutezplanb.planbLogistic;
PRODUCT_NAME = "$(TARGET_NAME)";
SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h";
SWIFT_VERSION = 5.0;
@ -508,7 +508,6 @@
baseConfigurationReference = 77C9A4AE9C5588D9B699F74C /* Pods-RunnerTests.debug.xcconfig */;
buildSettings = {
BUNDLE_LOADER = "$(TEST_HOST)";
"CODE_SIGN_IDENTITY[sdk=macosx*]" = "Apple Development";
CODE_SIGN_STYLE = Automatic;
CURRENT_PROJECT_VERSION = 1;
GENERATE_INFOPLIST_FILE = YES;
@ -672,14 +671,13 @@
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CLANG_ENABLE_MODULES = YES;
CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)";
DEVELOPMENT_TEAM = 833P6TSX55;
ENABLE_BITCODE = NO;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
"$(inherited)",
"@executable_path/Frameworks",
);
PRODUCT_BUNDLE_IDENTIFIER = com.local.planbLogistic;
PRODUCT_BUNDLE_IDENTIFIER = com.goutezplanb.planbLogistic;
PRODUCT_NAME = "$(TARGET_NAME)";
SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h";
SWIFT_OPTIMIZATION_LEVEL = "-Onone";
@ -695,14 +693,13 @@
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon;
CLANG_ENABLE_MODULES = YES;
CURRENT_PROJECT_VERSION = "$(FLUTTER_BUILD_NUMBER)";
DEVELOPMENT_TEAM = 833P6TSX55;
ENABLE_BITCODE = NO;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
"$(inherited)",
"@executable_path/Frameworks",
);
PRODUCT_BUNDLE_IDENTIFIER = com.local.planbLogistic;
PRODUCT_BUNDLE_IDENTIFIER = com.goutezplanb.planbLogistic;
PRODUCT_NAME = "$(TARGET_NAME)";
SWIFT_OBJC_BRIDGING_HEADER = "Runner/Runner-Bridging-Header.h";
SWIFT_VERSION = 5.0;

View File

@ -56,13 +56,6 @@
<key>UIBackgroundModes</key>
<array>
<string>location</string>
<string>fetch</string>
</array>
<key>NSLocationAlwaysUsageDescription</key>
<string>This app needs continuous access to your location for navigation and delivery tracking.</string>
<key>NSCameraUsageDescription</key>
<string>This app needs camera access to take photos of deliveries.</string>
<key>NSPhotoLibraryUsageDescription</key>
<string>This app needs access to your photos to select delivery images.</string>
</dict>
</plist>

View File

@ -5,7 +5,7 @@ import '../theme/size_system.dart';
import '../theme/animation_system.dart';
import '../theme/color_system.dart';
import '../utils/breakpoints.dart';
import 'route_list_item.dart';
import 'glassmorphic_route_card.dart';
class CollapsibleRoutesSidebar extends StatefulWidget {
@ -113,9 +113,9 @@ class _CollapsibleRoutesSidebarState extends State<CollapsibleRoutesSidebar>
);
}
// On tablet/desktop, show full sidebar with toggle (expanded: 420px, collapsed: 80px for badge)
// On tablet/desktop, show full sidebar with toggle
return Container(
width: _isExpanded ? 420 : 80,
width: _isExpanded ? 280 : 64,
color: isDarkMode ? SvrntyColors.almostBlack : Colors.white,
child: Column(
children: [
@ -171,21 +171,30 @@ class _CollapsibleRoutesSidebarState extends State<CollapsibleRoutesSidebar>
Widget _buildRoutesList(BuildContext context) {
return ListView.builder(
padding: const EdgeInsets.only(top: 4, bottom: 8),
physics: const AlwaysScrollableScrollPhysics(),
padding: EdgeInsets.all(AppSpacing.sm),
itemCount: widget.routes.length,
itemBuilder: (context, index) {
final route = widget.routes[index];
final isSelected = widget.selectedRoute?.id == route.id;
return RouteListItem(
route: route,
isSelected: isSelected,
onTap: () => widget.onRouteSelected(route),
animationIndex: index,
isCollapsed: !_isExpanded,
return Padding(
padding: EdgeInsets.only(bottom: AppSpacing.sm),
child: _buildRouteButton(context, route, isSelected),
);
},
);
}
Widget _buildRouteButton(
BuildContext context,
DeliveryRoute route,
bool isSelected,
) {
return GlassmorphicRouteCard(
route: route,
isSelected: isSelected,
isCollapsed: !_isExpanded,
onTap: () => widget.onRouteSelected(route),
);
}
}

View File

@ -8,14 +8,12 @@ class DarkModeMapComponent extends StatefulWidget {
final List<Delivery> deliveries;
final Delivery? selectedDelivery;
final ValueChanged<Delivery?>? onDeliverySelected;
final Function(String)? onAction;
const DarkModeMapComponent({
super.key,
required this.deliveries,
this.selectedDelivery,
this.onDeliverySelected,
this.onAction,
});
@override
@ -26,11 +24,6 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
GoogleNavigationViewController? _navigationController;
bool _isNavigating = false;
LatLng? _destinationLocation;
bool _isSessionInitialized = false;
bool _isInitializing = false;
bool _isStartingNavigation = false;
String _loadingMessage = 'Initializing...';
Brightness? _lastBrightness;
@override
void initState() {
@ -38,27 +31,7 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
_initializeNavigation();
}
@override
void didChangeDependencies() {
super.didChangeDependencies();
// Detect theme changes and reapply map style
final currentBrightness = Theme.of(context).brightness;
if (_lastBrightness != null &&
_lastBrightness != currentBrightness &&
_navigationController != null) {
_applyDarkModeStyle();
}
_lastBrightness = currentBrightness;
}
Future<void> _initializeNavigation() async {
if (_isInitializing || _isSessionInitialized) return;
setState(() {
_isInitializing = true;
});
try {
final termsAccepted = await GoogleMapsNavigator.areTermsAccepted();
if (!termsAccepted) {
@ -68,44 +41,11 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
);
}
await GoogleMapsNavigator.initializeNavigationSession();
if (mounted) {
setState(() {
_isSessionInitialized = true;
_isInitializing = false;
});
}
} catch (e) {
final errorMessage = _formatErrorMessage(e);
debugPrint('Map initialization error: $errorMessage');
if (mounted) {
setState(() {
_isInitializing = false;
});
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Navigation initialization failed: $errorMessage'),
duration: const Duration(seconds: 5),
),
);
}
debugPrint('Map initialization error: $e');
}
}
String _formatErrorMessage(Object error) {
final errorString = error.toString();
if (errorString.contains('SessionNotInitializedException')) {
return 'Google Maps navigation session could not be initialized';
} else if (errorString.contains('permission')) {
return 'Location permission is required for navigation';
} else if (errorString.contains('network')) {
return 'Network connection error';
}
return errorString;
}
@override
void didUpdateWidget(DarkModeMapComponent oldWidget) {
super.didUpdateWidget(oldWidget);
@ -124,100 +64,160 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
longitude: address.longitude!,
);
});
// Just store the destination, don't move camera
// The navigation will handle camera positioning
_navigateToLocation(_destinationLocation!);
}
}
}
Future<void> _navigateToLocation(LatLng location) async {
if (_navigationController == null) return;
try {
await _navigationController!.animateCamera(
CameraUpdate.newLatLngZoom(location, 15),
);
} catch (e) {
debugPrint('Camera navigation error: $e');
}
}
Future<void> _applyDarkModeStyle() async {
// Check if widget is still mounted and controller exists
if (!mounted || _navigationController == null) return;
if (_navigationController == null) return;
try {
if (!mounted) return;
// Apply dark mode style configuration for Google Maps
// This reduces eye strain in low-light environments
final isDarkMode = Theme.of(context).brightness == Brightness.dark;
if (isDarkMode) {
// Dark mode style - Note: Currently only supported on Android
const simpleDarkStyle = '''[
{
"elementType": "geometry",
"stylers": [{"color": "#242424"}]
},
{
"elementType": "labels.text.fill",
"stylers": [{"color": "#746855"}]
},
{
"elementType": "labels.text.stroke",
"stylers": [{"color": "#242424"}]
},
{
"featureType": "water",
"elementType": "geometry",
"stylers": [{"color": "#17263c"}]
}
]''';
await _navigationController!.setMapStyle(simpleDarkStyle);
} else {
// Reset to default light style
await _navigationController!.setMapStyle(null);
// Dark map style with warm accent colors
await _navigationController!.setMapStyle(_getDarkMapStyle());
}
} catch (e) {
if (mounted) {
debugPrint('Error applying map style: $e');
}
debugPrint('Error applying map style: $e');
}
}
String _getDarkMapStyle() {
// Google Maps style JSON for dark mode with warm accents
return '''[
{
"elementType": "geometry",
"stylers": [{"color": "#212121"}]
},
{
"elementType": "labels.icon",
"stylers": [{"visibility": "off"}]
},
{
"elementType": "labels.text.fill",
"stylers": [{"color": "#757575"}]
},
{
"elementType": "labels.text.stroke",
"stylers": [{"color": "#212121"}]
},
{
"featureType": "administrative",
"elementType": "geometry",
"stylers": [{"color": "#757575"}]
},
{
"featureType": "administrative.country",
"elementType": "labels.text.fill",
"stylers": [{"color": "#9e9e9e"}]
},
{
"featureType": "administrative.land_parcel",
"stylers": [{"visibility": "off"}]
},
{
"featureType": "administrative.locality",
"elementType": "labels.text.fill",
"stylers": [{"color": "#bdbdbd"}]
},
{
"featureType": "administrative.neighborhood",
"stylers": [{"visibility": "off"}]
},
{
"featureType": "administrative.province",
"elementType": "labels.text.fill",
"stylers": [{"color": "#9e9e9e"}]
},
{
"featureType": "landscape",
"elementType": "geometry",
"stylers": [{"color": "#000000"}]
},
{
"featureType": "poi",
"elementType": "geometry",
"stylers": [{"color": "#383838"}]
},
{
"featureType": "poi",
"elementType": "labels.text.fill",
"stylers": [{"color": "#9e9e9e"}]
},
{
"featureType": "poi.park",
"elementType": "geometry",
"stylers": [{"color": "#181818"}]
},
{
"featureType": "poi.park",
"elementType": "labels.text.fill",
"stylers": [{"color": "#616161"}]
},
{
"featureType": "road",
"elementType": "geometry.fill",
"stylers": [{"color": "#2c2c2c"}]
},
{
"featureType": "road",
"elementType": "labels.text.fill",
"stylers": [{"color": "#8a8a8a"}]
},
{
"featureType": "road.arterial",
"elementType": "geometry",
"stylers": [{"color": "#373737"}]
},
{
"featureType": "road.highway",
"elementType": "geometry",
"stylers": [{"color": "#3c3c3c"}]
},
{
"featureType": "road.highway.controlled_access",
"elementType": "geometry",
"stylers": [{"color": "#4e4e4e"}]
},
{
"featureType": "road.local",
"elementType": "labels.text.fill",
"stylers": [{"color": "#616161"}]
},
{
"featureType": "transit",
"elementType": "labels.text.fill",
"stylers": [{"color": "#757575"}]
},
{
"featureType": "water",
"elementType": "geometry",
"stylers": [{"color": "#0c1221"}]
},
{
"featureType": "water",
"elementType": "labels.text.fill",
"stylers": [{"color": "#3d3d3d"}]
}
]''';
}
Future<void> _startNavigation() async {
if (_destinationLocation == null) return;
// Show loading indicator
if (mounted) {
setState(() {
_isStartingNavigation = true;
_loadingMessage = 'Starting navigation...';
});
}
try {
// Ensure session is initialized before starting navigation
if (!_isSessionInitialized && !_isInitializing) {
debugPrint('Initializing navigation session...');
await _initializeNavigation();
}
// Wait for initialization to complete if it's in progress
int retries = 0;
while (!_isSessionInitialized && retries < 30) {
await Future.delayed(const Duration(milliseconds: 100));
retries++;
}
if (!_isSessionInitialized) {
if (mounted) {
setState(() {
_isStartingNavigation = false;
});
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(
content: Text('Navigation initialization timeout'),
duration: Duration(seconds: 3),
),
);
}
return;
}
if (mounted) {
setState(() {
_loadingMessage = 'Setting destination...';
});
}
final waypoint = NavigationWaypoint.withLatLngTarget(
title: widget.selectedDelivery?.name ?? 'Destination',
target: _destinationLocation!,
@ -228,50 +228,17 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
displayOptions: NavigationDisplayOptions(showDestinationMarkers: true),
);
if (mounted) {
setState(() {
_loadingMessage = 'Starting guidance...';
});
}
debugPrint('Setting destinations: ${_destinationLocation!.latitude}, ${_destinationLocation!.longitude}');
await GoogleMapsNavigator.setDestinations(destinations);
debugPrint('Starting guidance...');
await GoogleMapsNavigator.startGuidance();
debugPrint('Navigation started successfully');
// Reapply dark mode style after navigation starts
if (mounted) {
await _applyDarkModeStyle();
}
// Auto-recenter on driver location when navigation starts
await _recenterMap();
debugPrint('Camera recentered on driver location');
if (mounted) {
setState(() {
_isNavigating = true;
_isStartingNavigation = false;
});
}
setState(() {
_isNavigating = true;
});
} catch (e) {
final errorMessage = _formatErrorMessage(e);
debugPrint('Navigation start error: $errorMessage');
debugPrint('Full error: $e');
debugPrint('Navigation start error: $e');
if (mounted) {
setState(() {
_isStartingNavigation = false;
});
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Navigation error: $errorMessage'),
duration: const Duration(seconds: 4),
),
SnackBar(content: Text('Navigation error: $e')),
);
}
}
@ -281,67 +248,69 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
try {
await GoogleMapsNavigator.stopGuidance();
await GoogleMapsNavigator.clearDestinations();
if (mounted) {
setState(() {
_isNavigating = false;
});
}
setState(() {
_isNavigating = false;
});
} catch (e) {
if (mounted) {
debugPrint('Navigation stop error: $e');
}
}
}
Future<void> _recenterMap() async {
if (_navigationController == null) return;
try {
// Use the navigation controller's follow location feature
// This tells the navigation to follow the driver's current location
await _navigationController!.followMyLocation(CameraPerspective.tilted);
debugPrint('Navigation set to follow driver location');
} catch (e) {
debugPrint('Recenter map error: $e');
debugPrint('Navigation stop error: $e');
}
}
@override
Widget build(BuildContext context) {
// Driver's current location (defaults to Montreal if not available)
final initialPosition = const LatLng(latitude: 45.5017, longitude: -73.5673);
// Calculate dynamic padding for bottom button bar
final topPadding = 0.0;
final bottomPadding = widget.selectedDelivery != null ? 110.0 : 0.0;
final initialPosition = widget.selectedDelivery?.deliveryAddress != null &&
widget.selectedDelivery!.deliveryAddress!.latitude != null &&
widget.selectedDelivery!.deliveryAddress!.longitude != null
? LatLng(
latitude: widget.selectedDelivery!.deliveryAddress!.latitude!,
longitude: widget.selectedDelivery!.deliveryAddress!.longitude!,
)
: const LatLng(latitude: 45.5017, longitude: -73.5673);
return Stack(
children: [
// Map with padding to accommodate overlaid elements
Padding(
padding: EdgeInsets.only(
top: topPadding,
bottom: bottomPadding,
),
child: GoogleMapsNavigationView(
onViewCreated: (controller) async {
_navigationController = controller;
// Apply dark mode style with a small delay to ensure map is ready
await Future.delayed(const Duration(milliseconds: 500));
await _applyDarkModeStyle();
controller.animateCamera(
CameraUpdate.newLatLngZoom(initialPosition, 12),
);
},
initialCameraPosition: CameraPosition(
target: initialPosition,
zoom: 12,
),
GoogleMapsNavigationView(
onViewCreated: (controller) {
_navigationController = controller;
_applyDarkModeStyle();
controller.animateCamera(
CameraUpdate.newLatLngZoom(initialPosition, 12),
);
},
initialCameraPosition: CameraPosition(
target: initialPosition,
zoom: 12,
),
),
// Bottom action button bar
// Custom dark-themed controls overlay
Positioned(
bottom: 16,
right: 16,
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
// Start navigation button
if (widget.selectedDelivery != null && !_isNavigating)
_buildActionButton(
label: 'Navigate',
icon: Icons.directions,
onPressed: _startNavigation,
color: SvrntyColors.crimsonRed,
),
if (_isNavigating)
_buildActionButton(
label: 'Stop',
icon: Icons.stop,
onPressed: _stopNavigation,
color: Theme.of(context).colorScheme.onSurface,
),
],
),
),
// Selected delivery info panel (dark themed)
if (widget.selectedDelivery != null)
Positioned(
bottom: 0,
top: 0,
left: 0,
right: 0,
child: Container(
@ -349,9 +318,9 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
color: Theme.of(context).colorScheme.surface,
boxShadow: [
BoxShadow(
color: Colors.black.withValues(alpha: 0.2),
color: Colors.black.withOpacity(0.2),
blurRadius: 8,
offset: const Offset(0, -2),
offset: const Offset(0, 2),
),
],
),
@ -361,113 +330,61 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
),
child: Row(
children: [
// Recenter button
Expanded(
child: _buildBottomActionButton(
label: 'Recenter',
icon: Icons.location_on,
onPressed: _recenterMap,
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
mainAxisSize: MainAxisSize.min,
children: [
Text(
widget.selectedDelivery!.name,
style: Theme.of(context)
.textTheme
.titleMedium
?.copyWith(fontWeight: FontWeight.w600),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
const SizedBox(height: 4),
Text(
widget.selectedDelivery!.deliveryAddress
?.formattedAddress ??
'No address',
style: Theme.of(context)
.textTheme
.bodySmall,
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
],
),
),
const SizedBox(width: 12),
// Mark Complete button (if not already delivered)
if (!widget.selectedDelivery!.delivered)
Expanded(
child: _buildBottomActionButton(
label: 'Mark Complete',
icon: Icons.check_circle,
onPressed: () => widget.onAction?.call('complete'),
isPrimary: true,
),
const SizedBox(width: 8),
// Status indicator
Container(
padding: const EdgeInsets.symmetric(
horizontal: 8,
vertical: 4,
),
if (widget.selectedDelivery!.delivered)
Expanded(
child: _buildBottomActionButton(
label: _isInitializing ? 'Initializing...' : 'Start Navigation',
icon: Icons.directions,
onPressed: _isInitializing ? null : _startNavigation,
isPrimary: true,
),
decoration: BoxDecoration(
color: widget.selectedDelivery!.delivered
? SvrntyColors.statusCompleted
: SvrntyColors.statusPending,
borderRadius: BorderRadius.circular(4),
),
if (!_isNavigating && !widget.selectedDelivery!.delivered)
const SizedBox(width: 12),
if (!_isNavigating && !widget.selectedDelivery!.delivered)
Expanded(
child: _buildBottomActionButton(
label: _isStartingNavigation || _isInitializing ? 'Loading...' : 'Navigate',
icon: Icons.directions,
onPressed: _isStartingNavigation || _isInitializing ? null : _startNavigation,
),
),
if (_isNavigating)
const SizedBox(width: 12),
if (_isNavigating)
Expanded(
child: _buildBottomActionButton(
label: 'Stop',
icon: Icons.stop,
onPressed: _stopNavigation,
isDanger: true,
),
),
],
),
),
),
// Loading overlay during navigation initialization and start
if (_isStartingNavigation || _isInitializing)
Positioned.fill(
child: Container(
color: Colors.black.withValues(alpha: 0.4),
child: Center(
child: Container(
padding: const EdgeInsets.all(24),
decoration: BoxDecoration(
color: Theme.of(context).colorScheme.surface,
borderRadius: BorderRadius.circular(12),
boxShadow: [
BoxShadow(
color: Colors.black.withValues(alpha: 0.3),
blurRadius: 12,
offset: const Offset(0, 4),
),
],
),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
// Circular progress indicator
SizedBox(
width: 60,
height: 60,
child: CircularProgressIndicator(
valueColor: AlwaysStoppedAnimation<Color>(
Theme.of(context).colorScheme.primary,
child: Text(
widget.selectedDelivery!.delivered
? 'Delivered'
: 'Pending',
style: Theme.of(context)
.textTheme
.labelSmall
?.copyWith(
color: Colors.white,
fontWeight: FontWeight.w600,
),
strokeWidth: 3,
),
),
const SizedBox(height: 16),
// Loading message
Text(
_loadingMessage,
style: Theme.of(context).textTheme.titleMedium?.copyWith(
fontWeight: FontWeight.w600,
),
textAlign: TextAlign.center,
),
const SizedBox(height: 8),
// Secondary message
Text(
'Please wait...',
style: Theme.of(context).textTheme.bodySmall?.copyWith(
color: Theme.of(context).colorScheme.onSurface.withValues(alpha: 0.7),
),
textAlign: TextAlign.center,
),
],
),
),
),
],
),
),
),
@ -475,89 +392,26 @@ class _DarkModeMapComponentState extends State<DarkModeMapComponent> {
);
}
Widget _buildBottomActionButton({
required String label,
required IconData icon,
required VoidCallback? onPressed,
bool isPrimary = false,
bool isDanger = false,
}) {
Color backgroundColor;
Color textColor = Colors.white;
if (isDanger) {
backgroundColor = Colors.red.shade600;
} else if (isPrimary) {
backgroundColor = SvrntyColors.crimsonRed;
} else {
backgroundColor = Theme.of(context).colorScheme.surfaceContainerHighest;
textColor = Theme.of(context).colorScheme.onSurface;
}
// Reduce opacity when disabled
if (onPressed == null) {
backgroundColor = backgroundColor.withValues(alpha: 0.5);
}
return Material(
color: backgroundColor,
borderRadius: BorderRadius.circular(8),
child: InkWell(
onTap: onPressed,
borderRadius: BorderRadius.circular(8),
child: Padding(
padding: const EdgeInsets.symmetric(
horizontal: 12,
vertical: 12,
),
child: Row(
mainAxisAlignment: MainAxisAlignment.center,
mainAxisSize: MainAxisSize.min,
children: [
Icon(
icon,
color: textColor,
size: 18,
),
const SizedBox(width: 6),
Text(
label,
style: TextStyle(
color: textColor,
fontWeight: FontWeight.w500,
fontSize: 14,
),
),
],
),
),
),
);
}
Widget _buildActionButton({
required String label,
required IconData icon,
required VoidCallback? onPressed,
required VoidCallback onPressed,
required Color color,
}) {
final isDisabled = onPressed == null;
final buttonColor = isDisabled ? color.withValues(alpha: 0.5) : color;
return Container(
margin: const EdgeInsets.only(bottom: 8),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(8),
boxShadow: [
BoxShadow(
color: Colors.black.withValues(alpha: 0.3),
color: Colors.black.withOpacity(0.3),
blurRadius: 4,
offset: const Offset(0, 2),
),
],
),
child: Material(
color: buttonColor,
color: color,
borderRadius: BorderRadius.circular(8),
child: InkWell(
onTap: onPressed,

View File

@ -8,9 +8,7 @@ class DeliveryListItem extends StatefulWidget {
final bool isSelected;
final VoidCallback onTap;
final VoidCallback? onCall;
final Function(String)? onAction;
final int? animationIndex;
final bool isCollapsed;
const DeliveryListItem({
super.key,
@ -18,9 +16,7 @@ class DeliveryListItem extends StatefulWidget {
required this.isSelected,
required this.onTap,
this.onCall,
this.onAction,
this.animationIndex,
this.isCollapsed = false,
});
@override
@ -80,66 +76,23 @@ class _DeliveryListItemState extends State<DeliveryListItem>
return SvrntyColors.statusInTransit;
}
IconData _getStatusIcon(Delivery delivery) {
if (delivery.isSkipped) return Icons.skip_next;
if (delivery.delivered) return Icons.check_circle;
return Icons.schedule;
}
String _getStatusLabel(Delivery delivery) {
if (delivery.isSkipped) return 'Skipped';
if (delivery.delivered) return 'Delivered';
return 'Pending';
}
@override
Widget build(BuildContext context) {
final isDark = Theme.of(context).brightness == Brightness.dark;
final statusColor = _getStatusColor(widget.delivery);
// Collapsed view: Show only the badge
if (widget.isCollapsed) {
return ScaleTransition(
scale: _scaleAnimation,
child: FadeTransition(
opacity: _fadeAnimation,
child: MouseRegion(
onEnter: (_) => setState(() => _isHovered = true),
onExit: (_) => setState(() => _isHovered = false),
child: GestureDetector(
onTap: widget.onTap,
child: Container(
margin: const EdgeInsets.symmetric(
horizontal: 10,
vertical: 10,
),
child: Center(
child: Container(
width: 60,
height: 60,
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(10),
boxShadow: (_isHovered || widget.isSelected)
? [
BoxShadow(
color: Colors.black.withValues(
alpha: isDark ? 0.3 : 0.15,
),
blurRadius: 8,
offset: const Offset(0, 4),
),
]
: [],
),
child: Center(
child: Text(
'${widget.delivery.deliveryIndex + 1}',
style: const TextStyle(
color: Colors.white,
fontSize: 26,
fontWeight: FontWeight.w700,
),
),
),
),
),
),
),
),
),
);
}
// Expanded view: Show full layout
return ScaleTransition(
scale: _scaleAnimation,
child: FadeTransition(
@ -154,21 +107,19 @@ class _DeliveryListItemState extends State<DeliveryListItem>
child: AnimatedContainer(
duration: AppAnimations.durationFast,
margin: const EdgeInsets.symmetric(
horizontal: 16,
vertical: 10,
horizontal: 12,
vertical: 6,
),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(10),
color: widget.delivery.delivered
? Colors.green.withValues(alpha: 0.15)
: (_isHovered || widget.isSelected
? Theme.of(context).colorScheme.surfaceContainer
: Colors.transparent),
boxShadow: (_isHovered || widget.isSelected) && !widget.delivery.delivered
color: _isHovered || widget.isSelected
? Theme.of(context).colorScheme.surfaceContainer
: Colors.transparent,
boxShadow: _isHovered || widget.isSelected
? [
BoxShadow(
color: Colors.black.withValues(
alpha: isDark ? 0.3 : 0.08,
color: Colors.black.withOpacity(
isDark ? 0.3 : 0.08,
),
blurRadius: 8,
offset: const Offset(0, 4),
@ -176,81 +127,149 @@ class _DeliveryListItemState extends State<DeliveryListItem>
]
: [],
),
padding: const EdgeInsets.symmetric(horizontal: 18, vertical: 24),
padding: const EdgeInsets.all(12),
child: Column(
children: [
// Main delivery info row
Row(
crossAxisAlignment: CrossAxisAlignment.center,
crossAxisAlignment: CrossAxisAlignment.start,
children: [
// Order number badge (left of status bar)
// Left accent bar
Container(
width: 60,
width: 4,
height: 60,
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(10),
),
child: Center(
child: Text(
'${widget.delivery.deliveryIndex + 1}',
style: const TextStyle(
color: Colors.white,
fontSize: 26,
fontWeight: FontWeight.w700,
),
),
borderRadius: BorderRadius.circular(2),
),
),
const SizedBox(width: 12),
// Left accent bar (vertical status bar)
Container(
width: 6,
height: 80,
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(3),
),
),
const SizedBox(width: 16),
// Delivery info
Expanded(
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
// Customer Name (20% larger - 24px)
// Name
Text(
widget.delivery.name,
style: Theme.of(context)
.textTheme
.titleLarge
.titleSmall
?.copyWith(
fontWeight: FontWeight.w600,
fontSize: 24,
),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
const SizedBox(height: 10),
// Address (20% larger - 18px)
const SizedBox(height: 4),
// Address
Text(
widget.delivery.deliveryAddress
?.formattedAddress ??
'No address',
style: Theme.of(context)
.textTheme
.bodyLarge
?.copyWith(
fontSize: 18,
),
maxLines: 2,
.bodySmall,
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
const SizedBox(height: 4),
// Order count
Text(
'${widget.delivery.orders.length} order${widget.delivery.orders.length != 1 ? 's' : ''}',
style: Theme.of(context)
.textTheme
.labelSmall
?.copyWith(
fontSize: 10,
),
),
],
),
),
const SizedBox(width: 8),
// Status badge + Call button
Column(
crossAxisAlignment: CrossAxisAlignment.end,
children: [
// Status badge
Container(
padding: const EdgeInsets.symmetric(
horizontal: 8,
vertical: 4,
),
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(6),
),
child: Row(
mainAxisSize: MainAxisSize.min,
children: [
Icon(
_getStatusIcon(widget.delivery),
color: Colors.white,
size: 12,
),
const SizedBox(width: 4),
Text(
_getStatusLabel(widget.delivery),
style: Theme.of(context)
.textTheme
.labelSmall
?.copyWith(
color: Colors.white,
fontWeight: FontWeight.w600,
fontSize: 10,
),
),
],
),
),
const SizedBox(height: 6),
// Call button (if contact exists)
if (widget.delivery.orders.isNotEmpty &&
widget.delivery.orders.first.contact != null)
GestureDetector(
onTap: widget.onCall,
child: Container(
padding: const EdgeInsets.symmetric(
horizontal: 8,
vertical: 4,
),
decoration: BoxDecoration(
color: Theme.of(context).colorScheme.surfaceContainerHighest,
borderRadius: BorderRadius.circular(6),
),
child: Icon(
Icons.phone,
color: Theme.of(context).colorScheme.onSurface,
size: 14,
),
),
),
],
),
],
),
// Total amount (if present)
if (widget.delivery.orders.isNotEmpty &&
widget.delivery.orders.first.totalAmount != null)
Padding(
padding: const EdgeInsets.only(top: 8, left: 16),
child: Align(
alignment: Alignment.centerLeft,
child: Text(
'Total: \$${widget.delivery.orders.first.totalAmount!.toStringAsFixed(2)}',
style: Theme.of(context)
.textTheme
.labelSmall
?.copyWith(
color: SvrntyColors.warning,
fontWeight: FontWeight.w500,
),
),
),
),
],
),
),

View File

@ -195,6 +195,29 @@ class _DeliveryMapState extends State<DeliveryMap> {
),
),
),
Positioned(
top: 16,
right: 16,
child: Column(
children: [
FloatingActionButton.small(
heroTag: 'zoom_in',
onPressed: () {
_navigationController?.animateCamera(CameraUpdate.zoomIn());
},
child: const Icon(Icons.add),
),
const SizedBox(height: 8),
FloatingActionButton.small(
heroTag: 'zoom_out',
onPressed: () {
_navigationController?.animateCamera(CameraUpdate.zoomOut());
},
child: const Icon(Icons.remove),
),
],
),
),
],
);
}

View File

@ -28,6 +28,7 @@ class GlassmorphicRouteCard extends StatefulWidget {
class _GlassmorphicRouteCardState extends State<GlassmorphicRouteCard>
with SingleTickerProviderStateMixin {
late AnimationController _hoverController;
bool _isHovered = false;
@override
void initState() {
@ -71,6 +72,9 @@ class _GlassmorphicRouteCardState extends State<GlassmorphicRouteCard>
}
void _setHovered(bool hovered) {
setState(() {
_isHovered = hovered;
});
if (hovered) {
_hoverController.forward();
} else {

View File

@ -1,142 +1,35 @@
import 'package:flutter/material.dart';
import '../utils/breakpoints.dart';
import '../theme/spacing_system.dart';
import '../theme/size_system.dart';
import '../theme/animation_system.dart';
import '../theme/color_system.dart';
class MapSidebarLayout extends StatefulWidget {
class MapSidebarLayout extends StatelessWidget {
final Widget mapWidget;
final Widget Function(bool isCollapsed)? sidebarBuilder;
final Widget? sidebarWidget;
final Widget sidebarWidget;
final double mapRatio;
const MapSidebarLayout({
super.key,
required this.mapWidget,
this.sidebarBuilder,
this.sidebarWidget,
this.mapRatio = 0.60, // Reduced from 2/3 to give 15% more space to sidebar
}) : assert(sidebarBuilder != null || sidebarWidget != null,
'Either sidebarBuilder or sidebarWidget must be provided');
@override
State<MapSidebarLayout> createState() => _MapSidebarLayoutState();
}
class _MapSidebarLayoutState extends State<MapSidebarLayout>
with SingleTickerProviderStateMixin {
late AnimationController _animationController;
bool _isExpanded = true;
@override
void initState() {
super.initState();
_animationController = AnimationController(
duration: const Duration(milliseconds: 300),
vsync: this,
);
if (_isExpanded) {
_animationController.forward();
}
}
@override
void dispose() {
_animationController.dispose();
super.dispose();
}
void _toggleSidebar() {
setState(() {
_isExpanded = !_isExpanded;
});
if (_isExpanded) {
_animationController.forward();
} else {
_animationController.reverse();
}
}
required this.sidebarWidget,
this.mapRatio = 2 / 3,
});
@override
Widget build(BuildContext context) {
final isMobile = MediaQuery.of(context).size.width < Breakpoints.tablet;
final isDarkMode = Theme.of(context).brightness == Brightness.dark;
if (isMobile) {
return widget.sidebarBuilder != null
? widget.sidebarBuilder!(false)
: widget.sidebarWidget!;
return sidebarWidget;
}
// Desktop: Show map with collapsible sidebar
return Row(
children: [
Expanded(
flex: (widget.mapRatio * 100).toInt(),
child: widget.mapWidget,
flex: (mapRatio * 100).toInt(),
child: mapWidget,
),
// Collapsible sidebar with toggle button (expanded: 420px, collapsed: 80px for badge)
AnimatedContainer(
duration: const Duration(milliseconds: 300),
width: _isExpanded ? 420 : 80,
color: isDarkMode ? SvrntyColors.almostBlack : Colors.white,
child: Column(
children: [
// Header with toggle button
Container(
height: kToolbarHeight,
padding: EdgeInsets.symmetric(horizontal: AppSpacing.xs),
decoration: BoxDecoration(
border: Border(
left: BorderSide(
color: isDarkMode
? SvrntyColors.darkSlate
: SvrntyColors.slateGray.withValues(alpha: 0.2),
width: 1,
),
),
),
child: Row(
mainAxisAlignment: _isExpanded
? MainAxisAlignment.spaceBetween
: MainAxisAlignment.center,
children: [
if (_isExpanded)
Expanded(
child: Text(
'Deliveries',
style: Theme.of(context).textTheme.titleMedium,
overflow: TextOverflow.ellipsis,
),
),
SizedBox(
width: AppSizes.buttonHeightMd,
height: AppSizes.buttonHeightMd,
child: IconButton(
icon: AnimatedRotation(
turns: _isExpanded ? 0 : -0.5,
duration: Duration(
milliseconds:
AppAnimations.durationFast.inMilliseconds,
),
child: const Icon(Icons.chevron_right),
),
onPressed: _toggleSidebar,
iconSize: AppSizes.iconMd,
),
),
],
),
),
// Sidebar content
Expanded(
child: widget.sidebarBuilder != null
? widget.sidebarBuilder!(!_isExpanded)
: (_isExpanded ? widget.sidebarWidget! : const SizedBox.shrink()),
),
],
),
Expanded(
flex: ((1 - mapRatio) * 100).toInt(),
child: sidebarWidget,
),
],
);

View File

@ -1,79 +0,0 @@
import 'package:flutter/material.dart';
import 'package:planb_logistic/l10n/app_localizations.dart';
class NavigationTermsAndConditionsDialog extends StatelessWidget {
final VoidCallback onAccept;
final VoidCallback? onDecline;
const NavigationTermsAndConditionsDialog({
Key? key,
required this.onAccept,
this.onDecline,
}) : super(key: key);
@override
Widget build(BuildContext context) {
final l10n = AppLocalizations.of(context);
final colorScheme = Theme.of(context).colorScheme;
return AlertDialog(
title: Text(
l10n.navigationTcTitle,
style: Theme.of(context).textTheme.headlineSmall?.copyWith(
color: colorScheme.onSurface,
),
),
content: SingleChildScrollView(
child: Column(
mainAxisSize: MainAxisSize.min,
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
l10n.navigationTcDescription,
style: Theme.of(context).textTheme.bodyMedium?.copyWith(
color: colorScheme.onSurface,
),
),
const SizedBox(height: 16),
Text(
l10n.navigationTcAttribution,
style: Theme.of(context).textTheme.bodySmall?.copyWith(
color: colorScheme.onSurfaceVariant,
),
),
const SizedBox(height: 12),
Text(
l10n.navigationTcTerms,
style: Theme.of(context).textTheme.bodySmall?.copyWith(
color: colorScheme.onSurfaceVariant,
),
),
],
),
),
actions: [
if (onDecline != null)
TextButton(
onPressed: () {
Navigator.of(context).pop();
onDecline!();
},
child: Text(
l10n.decline,
style: TextStyle(color: colorScheme.error),
),
),
TextButton(
onPressed: () {
Navigator.of(context).pop();
onAccept();
},
child: Text(
l10n.accept,
style: TextStyle(color: colorScheme.primary),
),
),
],
);
}
}

View File

@ -24,6 +24,7 @@ class _PremiumRouteCardState extends State<PremiumRouteCard>
late AnimationController _controller;
late Animation<double> _scaleAnimation;
late Animation<double> _shadowAnimation;
bool _isHovered = false;
@override
void initState() {
@ -49,10 +50,12 @@ class _PremiumRouteCardState extends State<PremiumRouteCard>
}
void _onHoverEnter() {
setState(() => _isHovered = true);
_controller.forward();
}
void _onHoverExit() {
setState(() => _isHovered = false);
_controller.reverse();
}
@ -78,7 +81,7 @@ class _PremiumRouteCardState extends State<PremiumRouteCard>
borderRadius: BorderRadius.circular(12),
boxShadow: [
BoxShadow(
color: Colors.black.withValues(alpha: isDark ? 0.3 : 0.1),
color: Colors.black.withOpacity(isDark ? 0.3 : 0.1),
blurRadius: _shadowAnimation.value,
offset: Offset(0, _shadowAnimation.value * 0.5),
),

View File

@ -1,256 +0,0 @@
import 'package:flutter/material.dart';
import '../models/delivery_route.dart';
import '../theme/animation_system.dart';
import '../theme/color_system.dart';
class RouteListItem extends StatefulWidget {
final DeliveryRoute route;
final bool isSelected;
final VoidCallback onTap;
final int? animationIndex;
final bool isCollapsed;
const RouteListItem({
super.key,
required this.route,
required this.isSelected,
required this.onTap,
this.animationIndex,
this.isCollapsed = false,
});
@override
State<RouteListItem> createState() => _RouteListItemState();
}
class _RouteListItemState extends State<RouteListItem>
with SingleTickerProviderStateMixin {
late AnimationController _controller;
late Animation<double> _slideAnimation;
late Animation<double> _fadeAnimation;
late Animation<double> _scaleAnimation;
bool _isHovered = false;
@override
void initState() {
super.initState();
_controller = AnimationController(
duration: const Duration(milliseconds: 400),
vsync: this,
);
final staggerDelay = Duration(
milliseconds:
(widget.animationIndex ?? 0) * AppAnimations.staggerDelayMs,
);
Future.delayed(staggerDelay, () {
if (mounted) {
_controller.forward();
}
});
_slideAnimation = Tween<double>(begin: 20, end: 0).animate(
CurvedAnimation(parent: _controller, curve: Curves.easeOut),
);
_fadeAnimation = Tween<double>(begin: 0, end: 1).animate(
CurvedAnimation(parent: _controller, curve: Curves.easeOut),
);
_scaleAnimation = Tween<double>(begin: 0.95, end: 1).animate(
CurvedAnimation(parent: _controller, curve: Curves.easeOut),
);
}
@override
void dispose() {
_controller.dispose();
super.dispose();
}
Color _getStatusColor(DeliveryRoute route) {
if (route.completed) return SvrntyColors.statusCompleted;
if (route.deliveredCount > 0) return SvrntyColors.statusInTransit;
return SvrntyColors.statusPending;
}
@override
Widget build(BuildContext context) {
final isDark = Theme.of(context).brightness == Brightness.dark;
final statusColor = _getStatusColor(widget.route);
// Collapsed view: Show only the badge
if (widget.isCollapsed) {
return ScaleTransition(
scale: _scaleAnimation,
child: FadeTransition(
opacity: _fadeAnimation,
child: MouseRegion(
onEnter: (_) => setState(() => _isHovered = true),
onExit: (_) => setState(() => _isHovered = false),
child: GestureDetector(
onTap: widget.onTap,
child: Container(
margin: const EdgeInsets.symmetric(
horizontal: 10,
vertical: 10,
),
child: Center(
child: Container(
width: 60,
height: 60,
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(10),
boxShadow: (_isHovered || widget.isSelected)
? [
BoxShadow(
color: Colors.black.withValues(
alpha: isDark ? 0.3 : 0.15,
),
blurRadius: 8,
offset: const Offset(0, 4),
),
]
: [],
),
child: Center(
child: Text(
'${(widget.animationIndex ?? 0) + 1}',
style: const TextStyle(
color: Colors.white,
fontSize: 26,
fontWeight: FontWeight.w700,
),
),
),
),
),
),
),
),
),
);
}
// Expanded view: Show full layout
return ScaleTransition(
scale: _scaleAnimation,
child: FadeTransition(
opacity: _fadeAnimation,
child: Transform.translate(
offset: Offset(_slideAnimation.value, 0),
child: MouseRegion(
onEnter: (_) => setState(() => _isHovered = true),
onExit: (_) => setState(() => _isHovered = false),
child: GestureDetector(
onTap: widget.onTap,
child: AnimatedContainer(
duration: AppAnimations.durationFast,
margin: const EdgeInsets.symmetric(
horizontal: 16,
vertical: 10,
),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(10),
color: widget.route.completed
? Colors.green.withValues(alpha: 0.15)
: (_isHovered || widget.isSelected
? Theme.of(context).colorScheme.surfaceContainer
: Colors.transparent),
boxShadow: (_isHovered || widget.isSelected) && !widget.route.completed
? [
BoxShadow(
color: Colors.black.withValues(
alpha: isDark ? 0.3 : 0.08,
),
blurRadius: 8,
offset: const Offset(0, 4),
),
]
: [],
),
padding: const EdgeInsets.symmetric(horizontal: 18, vertical: 24),
child: Column(
children: [
// Main route info row
Row(
crossAxisAlignment: CrossAxisAlignment.center,
children: [
// Route number badge (left of status bar)
Container(
width: 60,
height: 60,
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(10),
),
child: Center(
child: Text(
'${(widget.animationIndex ?? 0) + 1}',
style: const TextStyle(
color: Colors.white,
fontSize: 26,
fontWeight: FontWeight.w700,
),
),
),
),
const SizedBox(width: 12),
// Left accent bar (vertical status bar)
Container(
width: 6,
height: 80,
decoration: BoxDecoration(
color: statusColor,
borderRadius: BorderRadius.circular(3),
),
),
const SizedBox(width: 16),
// Route info
Expanded(
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
// Route Name (24px)
Text(
widget.route.name,
style: Theme.of(context)
.textTheme
.titleLarge
?.copyWith(
fontWeight: FontWeight.w600,
fontSize: 24,
),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
const SizedBox(height: 10),
// Route details (18px)
Text(
'${widget.route.deliveredCount}/${widget.route.deliveriesCount} deliveries',
style: Theme.of(context)
.textTheme
.bodyLarge
?.copyWith(
fontSize: 18,
),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
],
),
),
],
),
],
),
),
),
),
),
),
);
}
}

View File

@ -65,24 +65,5 @@
"completed": {"type": "int"},
"total": {"type": "int"}
}
},
"navigationTcTitle": "Navigation Service",
"navigationTcDescription": "This app uses Google Navigation to provide turn-by-turn navigation for deliveries.",
"navigationTcAttribution": "Attribution: Maps and navigation services provided by Google Maps.",
"navigationTcTerms": "By accepting, you agree to Google's Terms of Service and Privacy Policy for Navigation services.",
"accept": "Accept",
"decline": "Decline",
"locationPermissionRequired": "Location Permission",
"locationPermissionMessage": "This app requires location permission to navigate to deliveries.",
"locationPermissionDenied": "Location permission denied. Navigation cannot proceed.",
"permissionPermanentlyDenied": "Permission Required",
"openSettingsMessage": "Location permission is permanently denied. Please enable it in app settings.",
"openSettings": "Open Settings",
"cancel": "Cancel",
"ok": "OK",
"errorTitle": "Error",
"requestPermission": "Request Permission",
"navigationArrived": "You have arrived at the destination",
"navigatingTo": "Navigating to",
"initializingNavigation": "Initializing navigation..."
}
}

View File

@ -65,24 +65,5 @@
"completed": {"type": "int"},
"total": {"type": "int"}
}
},
"navigationTcTitle": "Service de Navigation",
"navigationTcDescription": "Cette application utilise Google Navigation pour fournir une navigation virage par virage pour les livraisons.",
"navigationTcAttribution": "Attribution: Services de cartes et de navigation fournis par Google Maps.",
"navigationTcTerms": "En acceptant, vous acceptez les conditions d'utilisation et la politique de confidentialit de Google pour les services de navigation.",
"accept": "Accepter",
"decline": "Refuser",
"locationPermissionRequired": "Permission de localisation",
"locationPermissionMessage": "Cette application ncessite la permission de localisation pour naviguer vers les livraisons.",
"locationPermissionDenied": "Permission de localisation refuse. La navigation ne peut pas continuer.",
"permissionPermanentlyDenied": "Permission requise",
"openSettingsMessage": "La permission de localisation est dfinitivement refuse. Veuillez l'activer dans les paramtres de l'application.",
"openSettings": "Ouvrir les paramtres",
"cancel": "Annuler",
"ok": "OK",
"errorTitle": "Erreur",
"requestPermission": "Demander la permission",
"navigationArrived": "Vous tes arriv la destination",
"navigatingTo": "Navigation vers",
"initializingNavigation": "Initialisation de la navigation..."
}
}

View File

@ -331,120 +331,6 @@ abstract class AppLocalizations {
/// In en, this message translates to:
/// **'{completed}/{total} completed'**
String completedDeliveries(int completed, int total);
/// No description provided for @navigationTcTitle.
///
/// In en, this message translates to:
/// **'Navigation Service'**
String get navigationTcTitle;
/// No description provided for @navigationTcDescription.
///
/// In en, this message translates to:
/// **'This app uses Google Navigation to provide turn-by-turn navigation for deliveries.'**
String get navigationTcDescription;
/// No description provided for @navigationTcAttribution.
///
/// In en, this message translates to:
/// **'Attribution: Maps and navigation services provided by Google Maps.'**
String get navigationTcAttribution;
/// No description provided for @navigationTcTerms.
///
/// In en, this message translates to:
/// **'By accepting, you agree to Google\'s Terms of Service and Privacy Policy for Navigation services.'**
String get navigationTcTerms;
/// No description provided for @accept.
///
/// In en, this message translates to:
/// **'Accept'**
String get accept;
/// No description provided for @decline.
///
/// In en, this message translates to:
/// **'Decline'**
String get decline;
/// No description provided for @locationPermissionRequired.
///
/// In en, this message translates to:
/// **'Location Permission'**
String get locationPermissionRequired;
/// No description provided for @locationPermissionMessage.
///
/// In en, this message translates to:
/// **'This app requires location permission to navigate to deliveries.'**
String get locationPermissionMessage;
/// No description provided for @locationPermissionDenied.
///
/// In en, this message translates to:
/// **'Location permission denied. Navigation cannot proceed.'**
String get locationPermissionDenied;
/// No description provided for @permissionPermanentlyDenied.
///
/// In en, this message translates to:
/// **'Permission Required'**
String get permissionPermanentlyDenied;
/// No description provided for @openSettingsMessage.
///
/// In en, this message translates to:
/// **'Location permission is permanently denied. Please enable it in app settings.'**
String get openSettingsMessage;
/// No description provided for @openSettings.
///
/// In en, this message translates to:
/// **'Open Settings'**
String get openSettings;
/// No description provided for @cancel.
///
/// In en, this message translates to:
/// **'Cancel'**
String get cancel;
/// No description provided for @ok.
///
/// In en, this message translates to:
/// **'OK'**
String get ok;
/// No description provided for @errorTitle.
///
/// In en, this message translates to:
/// **'Error'**
String get errorTitle;
/// No description provided for @requestPermission.
///
/// In en, this message translates to:
/// **'Request Permission'**
String get requestPermission;
/// No description provided for @navigationArrived.
///
/// In en, this message translates to:
/// **'You have arrived at the destination'**
String get navigationArrived;
/// No description provided for @navigatingTo.
///
/// In en, this message translates to:
/// **'Navigating to'**
String get navigatingTo;
/// No description provided for @initializingNavigation.
///
/// In en, this message translates to:
/// **'Initializing navigation...'**
String get initializingNavigation;
}
class _AppLocalizationsDelegate

View File

@ -134,67 +134,4 @@ class AppLocalizationsEn extends AppLocalizations {
String completedDeliveries(int completed, int total) {
return '$completed/$total completed';
}
@override
String get navigationTcTitle => 'Navigation Service';
@override
String get navigationTcDescription =>
'This app uses Google Navigation to provide turn-by-turn navigation for deliveries.';
@override
String get navigationTcAttribution =>
'Attribution: Maps and navigation services provided by Google Maps.';
@override
String get navigationTcTerms =>
'By accepting, you agree to Google\'s Terms of Service and Privacy Policy for Navigation services.';
@override
String get accept => 'Accept';
@override
String get decline => 'Decline';
@override
String get locationPermissionRequired => 'Location Permission';
@override
String get locationPermissionMessage =>
'This app requires location permission to navigate to deliveries.';
@override
String get locationPermissionDenied =>
'Location permission denied. Navigation cannot proceed.';
@override
String get permissionPermanentlyDenied => 'Permission Required';
@override
String get openSettingsMessage =>
'Location permission is permanently denied. Please enable it in app settings.';
@override
String get openSettings => 'Open Settings';
@override
String get cancel => 'Cancel';
@override
String get ok => 'OK';
@override
String get errorTitle => 'Error';
@override
String get requestPermission => 'Request Permission';
@override
String get navigationArrived => 'You have arrived at the destination';
@override
String get navigatingTo => 'Navigating to';
@override
String get initializingNavigation => 'Initializing navigation...';
}

View File

@ -134,67 +134,4 @@ class AppLocalizationsFr extends AppLocalizations {
String completedDeliveries(int completed, int total) {
return '$completed/$total livrs';
}
@override
String get navigationTcTitle => 'Service de Navigation';
@override
String get navigationTcDescription =>
'Cette application utilise Google Navigation pour fournir une navigation virage par virage pour les livraisons.';
@override
String get navigationTcAttribution =>
'Attribution: Services de cartes et de navigation fournis par Google Maps.';
@override
String get navigationTcTerms =>
'En acceptant, vous acceptez les conditions d\'utilisation et la politique de confidentialit de Google pour les services de navigation.';
@override
String get accept => 'Accepter';
@override
String get decline => 'Refuser';
@override
String get locationPermissionRequired => 'Permission de localisation';
@override
String get locationPermissionMessage =>
'Cette application ncessite la permission de localisation pour naviguer vers les livraisons.';
@override
String get locationPermissionDenied =>
'Permission de localisation refuse. La navigation ne peut pas continuer.';
@override
String get permissionPermanentlyDenied => 'Permission requise';
@override
String get openSettingsMessage =>
'La permission de localisation est dfinitivement refuse. Veuillez l\'activer dans les paramtres de l\'application.';
@override
String get openSettings => 'Ouvrir les paramtres';
@override
String get cancel => 'Annuler';
@override
String get ok => 'OK';
@override
String get errorTitle => 'Erreur';
@override
String get requestPermission => 'Demander la permission';
@override
String get navigationArrived => 'Vous tes arriv la destination';
@override
String get navigatingTo => 'Navigation vers';
@override
String get initializingNavigation => 'Initialisation de la navigation...';
}

View File

@ -28,13 +28,12 @@ class PlanBLogisticApp extends ConsumerWidget {
@override
Widget build(BuildContext context, WidgetRef ref) {
final language = ref.watch(languageProvider);
final themeMode = ref.watch(themeModeProvider);
return MaterialApp(
title: 'Plan B Logistics',
theme: MaterialTheme(const TextTheme()).light(),
darkTheme: MaterialTheme(const TextTheme()).dark(),
themeMode: themeMode,
themeMode: ThemeMode.dark,
locale: Locale(language),
localizationsDelegates: const [
GlobalMaterialLocalizations.delegate,
@ -57,19 +56,6 @@ class AppHome extends ConsumerWidget {
Widget build(BuildContext context, WidgetRef ref) {
final isAuthenticatedAsync = ref.watch(isAuthenticatedProvider);
// Update iOS system UI to match current theme
final brightness = Theme.of(context).brightness;
final isDark = brightness == Brightness.dark;
SystemChrome.setSystemUIOverlayStyle(
SystemUiOverlayStyle(
statusBarBrightness: isDark ? Brightness.dark : Brightness.light,
statusBarIconBrightness: isDark ? Brightness.light : Brightness.dark,
systemNavigationBarColor: isDark ? Colors.black : Colors.white,
systemNavigationBarIconBrightness: isDark ? Brightness.light : Brightness.dark,
),
);
return isAuthenticatedAsync.when(
data: (isAuthenticated) {
if (isAuthenticated) {

View File

@ -2,13 +2,17 @@ import 'package:flutter/material.dart';
import 'package:flutter_riverpod/flutter_riverpod.dart';
import 'package:url_launcher/url_launcher.dart';
import '../models/delivery.dart';
import '../models/delivery_route.dart';
import '../providers/providers.dart';
import '../api/client.dart';
import '../api/openapi_config.dart';
import '../models/delivery_commands.dart';
import '../utils/breakpoints.dart';
import '../components/map_sidebar_layout.dart';
import '../components/dark_mode_map.dart';
import '../components/delivery_list_item.dart';
import '../components/collapsible_routes_sidebar.dart'
show CollapsibleRoutesSidebar;
class DeliveriesPage extends ConsumerStatefulWidget {
final int routeFragmentId;
@ -25,64 +29,74 @@ class DeliveriesPage extends ConsumerStatefulWidget {
}
class _DeliveriesPageState extends ConsumerState<DeliveriesPage> {
late ScrollController _listScrollController;
late PageController _pageController;
int _currentSegment = 0;
Delivery? _selectedDelivery;
int? _lastRouteFragmentId;
@override
void initState() {
super.initState();
_listScrollController = ScrollController();
_pageController = PageController();
}
@override
void dispose() {
_listScrollController.dispose();
_pageController.dispose();
super.dispose();
}
Future<void> _autoScrollToFirstPending(List<Delivery> deliveries) async {
final firstPendingIndex = deliveries.indexWhere((d) => !d.delivered && !d.isSkipped);
if (_listScrollController.hasClients && firstPendingIndex != -1) {
await Future.delayed(const Duration(milliseconds: 200));
// Scroll to position first pending delivery at top of list
// Each item is approximately 70 pixels tall
final scrollOffset = firstPendingIndex * 70.0;
_listScrollController.animateTo(
scrollOffset.clamp(0, _listScrollController.position.maxScrollExtent),
duration: const Duration(milliseconds: 500),
curve: Curves.easeInOut,
);
}
}
@override
Widget build(BuildContext context) {
final deliveriesData = ref.watch(deliveriesProvider(widget.routeFragmentId));
final routesData = ref.watch(deliveryRoutesProvider);
final tokenAsync = ref.watch(authTokenProvider);
final token = tokenAsync.hasValue ? tokenAsync.value : null;
final token = ref.watch(authTokenProvider).valueOrNull;
return Scaffold(
appBar: AppBar(
title: Text(widget.routeName),
elevation: 0,
),
body: SafeArea(
child: deliveriesData.when(
body: deliveriesData.when(
data: (deliveries) {
// Auto-scroll to first pending delivery when page loads or route changes
if (_lastRouteFragmentId != widget.routeFragmentId) {
_lastRouteFragmentId = widget.routeFragmentId;
WidgetsBinding.instance.addPostFrameCallback((_) {
_autoScrollToFirstPending(deliveries);
});
}
final todoDeliveries = deliveries
.where((d) => !d.delivered && !d.isSkipped)
.toList();
final completedDeliveries = deliveries
.where((d) => d.delivered)
.toList();
return routesData.when(
data: (routes) {
return MapSidebarLayout(
DeliveryRoute? currentRoute;
try {
currentRoute = routes.firstWhere(
(r) => r.id == widget.routeFragmentId,
);
} catch (_) {
currentRoute = routes.isNotEmpty ? routes.first : null;
}
return Row(
children: [
if (context.isDesktop && routes.isNotEmpty)
CollapsibleRoutesSidebar(
routes: routes,
selectedRoute: currentRoute,
onRouteSelected: (route) {
if (route.id != widget.routeFragmentId) {
Navigator.of(context).pushReplacement(
MaterialPageRoute(
builder: (context) => DeliveriesPage(
routeFragmentId: route.id,
routeName: route.name,
),
),
);
}
},
),
Expanded(
child: MapSidebarLayout(
mapWidget: DarkModeMapComponent(
deliveries: deliveries,
selectedDelivery: _selectedDelivery,
@ -91,26 +105,75 @@ class _DeliveriesPageState extends ConsumerState<DeliveriesPage> {
_selectedDelivery = delivery;
});
},
onAction: (action) => _selectedDelivery != null
? _handleDeliveryAction(context, _selectedDelivery!, action, token)
: null,
),
sidebarBuilder: (isCollapsed) => UnifiedDeliveryListView(
deliveries: deliveries,
selectedDelivery: _selectedDelivery,
scrollController: _listScrollController,
onDeliverySelected: (delivery) {
setState(() {
_selectedDelivery = delivery;
});
},
onItemAction: (delivery, action) {
_handleDeliveryAction(context, delivery, action, token);
_autoScrollToFirstPending(deliveries);
},
isCollapsed: isCollapsed,
sidebarWidget: Column(
children: [
Padding(
padding: const EdgeInsets.all(16.0),
child: SegmentedButton<int>(
segments: const [
ButtonSegment(
value: 0,
label: Text('To Do'),
),
ButtonSegment(
value: 1,
label: Text('Delivered'),
),
],
selected: <int>{_currentSegment},
onSelectionChanged: (Set<int> newSelection) {
setState(() {
_currentSegment = newSelection.first;
_pageController.animateToPage(
_currentSegment,
duration: const Duration(milliseconds: 300),
curve: Curves.easeInOut,
);
});
},
),
),
Expanded(
child: PageView(
controller: _pageController,
onPageChanged: (index) {
setState(() {
_currentSegment = index;
});
},
children: [
DeliveryListView(
deliveries: todoDeliveries,
selectedDelivery: _selectedDelivery,
onDeliverySelected: (delivery) {
setState(() {
_selectedDelivery = delivery;
});
},
onAction: (delivery, action) =>
_handleDeliveryAction(context, delivery, action, token),
),
DeliveryListView(
deliveries: completedDeliveries,
selectedDelivery: _selectedDelivery,
onDeliverySelected: (delivery) {
setState(() {
_selectedDelivery = delivery;
});
},
onAction: (delivery, action) =>
_handleDeliveryAction(context, delivery, action, token),
),
],
),
),
],
),
);
),
),
],
);
},
loading: () => const Center(
child: CircularProgressIndicator(),
@ -124,24 +187,70 @@ class _DeliveriesPageState extends ConsumerState<DeliveriesPage> {
_selectedDelivery = delivery;
});
},
onAction: (action) => _selectedDelivery != null
? _handleDeliveryAction(context, _selectedDelivery!, action, token)
: null,
),
sidebarBuilder: (isCollapsed) => UnifiedDeliveryListView(
deliveries: deliveries,
selectedDelivery: _selectedDelivery,
scrollController: _listScrollController,
onDeliverySelected: (delivery) {
setState(() {
_selectedDelivery = delivery;
});
},
onItemAction: (delivery, action) {
_handleDeliveryAction(context, delivery, action, token);
_autoScrollToFirstPending(deliveries);
},
isCollapsed: isCollapsed,
sidebarWidget: Column(
children: [
Padding(
padding: const EdgeInsets.all(16.0),
child: SegmentedButton<int>(
segments: const [
ButtonSegment(
value: 0,
label: Text('To Do'),
),
ButtonSegment(
value: 1,
label: Text('Delivered'),
),
],
selected: <int>{_currentSegment},
onSelectionChanged: (Set<int> newSelection) {
setState(() {
_currentSegment = newSelection.first;
_pageController.animateToPage(
_currentSegment,
duration: const Duration(milliseconds: 300),
curve: Curves.easeInOut,
);
});
},
),
),
Expanded(
child: PageView(
controller: _pageController,
onPageChanged: (index) {
setState(() {
_currentSegment = index;
});
},
children: [
DeliveryListView(
deliveries: todoDeliveries,
selectedDelivery: _selectedDelivery,
onDeliverySelected: (delivery) {
setState(() {
_selectedDelivery = delivery;
});
},
onAction: (delivery, action) =>
_handleDeliveryAction(context, delivery, action, token),
),
DeliveryListView(
deliveries: completedDeliveries,
selectedDelivery: _selectedDelivery,
onDeliverySelected: (delivery) {
setState(() {
_selectedDelivery = delivery;
});
},
onAction: (delivery, action) =>
_handleDeliveryAction(context, delivery, action, token),
),
],
),
),
],
),
),
);
@ -153,7 +262,6 @@ class _DeliveriesPageState extends ConsumerState<DeliveriesPage> {
child: Text('Error: $error'),
),
),
),
);
}
@ -183,6 +291,7 @@ class _DeliveriesPageState extends ConsumerState<DeliveriesPage> {
endpoint: 'completeDelivery',
command: CompleteDeliveryCommand(
deliveryId: delivery.id,
deliveredAt: DateTime.now().toIso8601String(),
),
);
result.when(
@ -242,22 +351,18 @@ class _DeliveriesPageState extends ConsumerState<DeliveriesPage> {
}
}
class UnifiedDeliveryListView extends StatelessWidget {
class DeliveryListView extends StatelessWidget {
final List<Delivery> deliveries;
final Delivery? selectedDelivery;
final ScrollController scrollController;
final ValueChanged<Delivery> onDeliverySelected;
final Function(Delivery, String) onItemAction;
final bool isCollapsed;
final Function(Delivery, String) onAction;
const UnifiedDeliveryListView({
const DeliveryListView({
super.key,
required this.deliveries,
this.selectedDelivery,
required this.scrollController,
required this.onDeliverySelected,
required this.onItemAction,
this.isCollapsed = false,
required this.onAction,
});
@override
@ -273,20 +378,16 @@ class UnifiedDeliveryListView extends StatelessWidget {
// Trigger refresh via provider
},
child: ListView.builder(
controller: scrollController,
padding: const EdgeInsets.only(top: 4, bottom: 8),
physics: const AlwaysScrollableScrollPhysics(),
itemCount: deliveries.length, // Show all deliveries with scrolling
padding: const EdgeInsets.symmetric(vertical: 8),
itemCount: deliveries.length,
itemBuilder: (context, index) {
final delivery = deliveries[index];
return DeliveryListItem(
delivery: delivery,
isSelected: selectedDelivery?.id == delivery.id,
onTap: () => onDeliverySelected(delivery),
onCall: () => onItemAction(delivery, 'call'),
onAction: (action) => onItemAction(delivery, action),
onCall: () => onAction(delivery, 'call'),
animationIndex: index,
isCollapsed: isCollapsed,
);
},
),
@ -318,7 +419,7 @@ class DeliveryCard extends StatelessWidget {
return Card(
margin: const EdgeInsets.symmetric(horizontal: 8, vertical: 4),
color: isSelected
? Theme.of(context).colorScheme.primaryContainer.withValues(alpha: 0.3)
? Theme.of(context).colorScheme.primaryContainer.withOpacity(0.3)
: null,
child: InkWell(
onTap: onTap,

View File

@ -1,404 +0,0 @@
import 'package:flutter/material.dart';
import 'package:flutter_riverpod/flutter_riverpod.dart';
import 'package:google_navigation_flutter/google_navigation_flutter.dart';
import 'package:planb_logistic/l10n/app_localizations.dart';
import '../models/delivery.dart';
import '../services/location_permission_service.dart';
class NavigationPage extends ConsumerStatefulWidget {
final Delivery delivery;
final double destinationLatitude;
final double destinationLongitude;
final VoidCallback? onNavigationComplete;
final VoidCallback? onNavigationCancelled;
const NavigationPage({
super.key,
required this.delivery,
required this.destinationLatitude,
required this.destinationLongitude,
this.onNavigationComplete,
this.onNavigationCancelled,
});
@override
ConsumerState<NavigationPage> createState() => _NavigationPageState();
}
class _NavigationPageState extends ConsumerState<NavigationPage> {
GoogleNavigationViewController? _navigationViewController;
late LocationPermissionService _permissionService;
bool _isNavigationInitialized = false;
bool _hasLocationPermission = false;
bool _isControllerReady = false;
Brightness? _lastBrightness;
@override
void initState() {
super.initState();
_permissionService = LocationPermissionService();
_initializeNavigation();
}
@override
void didChangeDependencies() {
super.didChangeDependencies();
// Detect theme changes and reapply map style
final currentBrightness = Theme.of(context).brightness;
if (_lastBrightness != null &&
_lastBrightness != currentBrightness &&
_isControllerReady) {
_applyDarkModeStyle();
}
_lastBrightness = currentBrightness;
}
Future<void> _initializeNavigation() async {
try {
final hasPermission = await _permissionService.hasLocationPermission();
if (!hasPermission) {
if (mounted) {
await _requestLocationPermission();
}
return;
}
setState(() {
_hasLocationPermission = true;
_isNavigationInitialized = true;
});
} catch (e) {
if (mounted) {
_showErrorDialog('Initialization error: ${e.toString()}');
}
}
}
Future<void> _initializeNavigationSession() async {
try {
await GoogleMapsNavigator.initializeNavigationSession();
} catch (e) {
debugPrint('Navigation session initialization error: $e');
// Don't show error dialog, just log it
// The session might already be initialized
}
}
Future<void> _setDestination() async {
try {
final waypoint = NavigationWaypoint.withLatLngTarget(
title: widget.delivery.name,
target: LatLng(
latitude: widget.destinationLatitude,
longitude: widget.destinationLongitude,
),
);
final destinations = Destinations(
waypoints: [waypoint],
displayOptions: NavigationDisplayOptions(showDestinationMarkers: true),
);
await GoogleMapsNavigator.setDestinations(destinations);
// Start guidance automatically
await GoogleMapsNavigator.startGuidance();
// Reapply dark mode style after navigation starts
if (mounted) {
await _applyDarkModeStyle();
}
// Listen for arrival events
GoogleMapsNavigator.setOnArrivalListener((event) {
if (mounted) {
_handleArrival(event);
}
});
} catch (e) {
if (mounted) {
_showErrorDialog('Failed to set destination: ${e.toString()}');
}
}
}
void _handleArrival(OnArrivalEvent event) {
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(
content: Text('You have arrived at the destination'),
duration: Duration(seconds: 3),
),
);
// Call completion callback
widget.onNavigationComplete?.call();
}
}
Future<void> _requestLocationPermission() async {
final result = await _permissionService.requestLocationPermission();
if (!mounted) return;
result.when(
granted: () {
setState(() {
_hasLocationPermission = true;
_isNavigationInitialized = true;
});
_initializeNavigationSession();
},
denied: () {
_showErrorDialog(
AppLocalizations.of(context).locationPermissionDenied,
);
widget.onNavigationCancelled?.call();
},
permanentlyDenied: () {
_showPermissionSettingsDialog();
},
error: (message) {
_showErrorDialog(message);
widget.onNavigationCancelled?.call();
},
);
}
void _showPermissionSettingsDialog() {
final l10n = AppLocalizations.of(context);
showDialog(
context: context,
builder: (context) => AlertDialog(
title: Text(l10n.permissionPermanentlyDenied),
content: Text(l10n.openSettingsMessage),
actions: [
TextButton(
onPressed: () => Navigator.of(context).pop(),
child: Text(l10n.cancel),
),
TextButton(
onPressed: () {
_permissionService.openAppSettings();
Navigator.of(context).pop();
},
child: Text(l10n.openSettings),
),
],
),
);
}
void _showErrorDialog(String message) {
showDialog(
context: context,
builder: (context) => AlertDialog(
title: Text(AppLocalizations.of(context).errorTitle),
content: Text(message),
actions: [
TextButton(
onPressed: () {
Navigator.of(context).pop();
widget.onNavigationCancelled?.call();
},
child: Text(AppLocalizations.of(context).ok),
),
],
),
);
}
Future<void> _applyDarkModeStyle() async {
if (_navigationViewController == null || !_isControllerReady) return;
try {
final isDarkMode = Theme.of(context).brightness == Brightness.dark;
if (isDarkMode) {
await _navigationViewController!.setMapStyle(_getDarkMapStyle());
} else {
await _navigationViewController!.setMapStyle(null);
}
} catch (e) {
debugPrint('Error applying map style: $e');
}
}
String _getDarkMapStyle() {
// Google Maps style JSON for dark mode with warm accents
return '''[
{
"elementType": "geometry",
"stylers": [{"color": "#212121"}]
},
{
"elementType": "labels.icon",
"stylers": [{"visibility": "off"}]
},
{
"elementType": "labels.text.fill",
"stylers": [{"color": "#757575"}]
},
{
"elementType": "labels.text.stroke",
"stylers": [{"color": "#212121"}]
},
{
"featureType": "administrative",
"elementType": "geometry",
"stylers": [{"color": "#757575"}]
},
{
"featureType": "administrative.country",
"elementType": "labels.text.fill",
"stylers": [{"color": "#9e9e9e"}]
},
{
"featureType": "administrative.land_parcel",
"stylers": [{"visibility": "off"}]
},
{
"featureType": "administrative.locality",
"elementType": "labels.text.fill",
"stylers": [{"color": "#bdbdbd"}]
},
{
"featureType": "administrative.neighborhood",
"stylers": [{"visibility": "off"}]
},
{
"featureType": "administrative.province",
"elementType": "labels.text.fill",
"stylers": [{"color": "#9e9e9e"}]
},
{
"featureType": "landscape",
"elementType": "geometry",
"stylers": [{"color": "#000000"}]
},
{
"featureType": "poi",
"elementType": "geometry",
"stylers": [{"color": "#383838"}]
},
{
"featureType": "poi",
"elementType": "labels.text.fill",
"stylers": [{"color": "#9e9e9e"}]
},
{
"featureType": "poi.park",
"elementType": "geometry",
"stylers": [{"color": "#181818"}]
},
{
"featureType": "poi.park",
"elementType": "labels.text.fill",
"stylers": [{"color": "#616161"}]
},
{
"featureType": "road",
"elementType": "geometry.fill",
"stylers": [{"color": "#2c2c2c"}]
},
{
"featureType": "road",
"elementType": "labels.text.fill",
"stylers": [{"color": "#8a8a8a"}]
},
{
"featureType": "road.arterial",
"elementType": "geometry",
"stylers": [{"color": "#373737"}]
},
{
"featureType": "road.highway",
"elementType": "geometry",
"stylers": [{"color": "#3c3c3c"}]
},
{
"featureType": "road.highway.controlled_access",
"elementType": "geometry",
"stylers": [{"color": "#4e4e4e"}]
},
{
"featureType": "road.local",
"elementType": "labels.text.fill",
"stylers": [{"color": "#616161"}]
},
{
"featureType": "transit",
"elementType": "labels.text.fill",
"stylers": [{"color": "#757575"}]
},
{
"featureType": "water",
"elementType": "geometry",
"stylers": [{"color": "#0c1221"}]
},
{
"featureType": "water",
"elementType": "labels.text.fill",
"stylers": [{"color": "#3d3d3d"}]
}
]''';
}
@override
Widget build(BuildContext context) {
final l10n = AppLocalizations.of(context);
return Scaffold(
appBar: AppBar(
title: Text(
'${l10n.navigatingTo}: ${widget.delivery.name}',
),
elevation: 0,
),
body: _hasLocationPermission && _isNavigationInitialized
? GoogleMapsNavigationView(
onViewCreated: (controller) async {
_navigationViewController = controller;
_isControllerReady = true;
await _initializeNavigationSession();
await Future.delayed(const Duration(milliseconds: 500));
await _applyDarkModeStyle();
await _setDestination();
},
initialCameraPosition: CameraPosition(
target: LatLng(
latitude: widget.destinationLatitude,
longitude: widget.destinationLongitude,
),
zoom: 15,
),
)
: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: [
const CircularProgressIndicator(),
const SizedBox(height: 16),
Text(l10n.initializingNavigation),
],
),
),
floatingActionButton: _hasLocationPermission && _isNavigationInitialized
? FloatingActionButton(
onPressed: () {
widget.onNavigationCancelled?.call();
Navigator.of(context).pop();
},
child: const Icon(Icons.close),
)
: null,
);
}
@override
void dispose() {
super.dispose();
}
}

View File

@ -5,52 +5,12 @@ import '../providers/providers.dart';
import '../utils/breakpoints.dart';
import '../components/collapsible_routes_sidebar.dart';
import '../components/dark_mode_map.dart';
import '../services/location_permission_service.dart';
import 'deliveries_page.dart';
import 'settings_page.dart';
class RoutesPage extends ConsumerStatefulWidget {
class RoutesPage extends ConsumerWidget {
const RoutesPage({super.key});
@override
ConsumerState<RoutesPage> createState() => _RoutesPageState();
}
class _RoutesPageState extends ConsumerState<RoutesPage> {
late LocationPermissionService _permissionService;
@override
void initState() {
super.initState();
_permissionService = LocationPermissionService();
_requestLocationPermissionOnce();
}
Future<void> _requestLocationPermissionOnce() async {
try {
final hasPermission = await _permissionService.hasLocationPermission();
if (!hasPermission && mounted) {
final result = await _permissionService.requestLocationPermission();
result.when(
granted: () {
debugPrint('Location permission granted');
},
denied: () {
debugPrint('Location permission denied');
},
permanentlyDenied: () {
debugPrint('Location permission permanently denied');
},
error: (message) {
debugPrint('Location permission error: $message');
},
);
}
} catch (e) {
debugPrint('Error requesting location permission: $e');
}
}
void _navigateToDeliveries(BuildContext context, DeliveryRoute route) {
Navigator.of(context).push(
MaterialPageRoute(
@ -63,7 +23,7 @@ class _RoutesPageState extends ConsumerState<RoutesPage> {
}
@override
Widget build(BuildContext context) {
Widget build(BuildContext context, WidgetRef ref) {
final routesData = ref.watch(deliveryRoutesProvider);
final allDeliveriesData = ref.watch(allDeliveriesProvider);
final userProfile = ref.watch(userProfileProvider);

View File

@ -9,7 +9,6 @@ class SettingsPage extends ConsumerWidget {
Widget build(BuildContext context, WidgetRef ref) {
final userProfile = ref.watch(userProfileProvider);
final language = ref.watch(languageProvider);
final themeMode = ref.watch(themeModeProvider);
return Scaffold(
appBar: AppBar(
@ -95,7 +94,7 @@ class SettingsPage extends ConsumerWidget {
value: language,
onChanged: (String? newValue) {
if (newValue != null) {
ref.read(languageProvider.notifier).setLanguage(newValue);
ref.read(languageProvider.notifier).state = newValue;
}
},
items: const [
@ -110,40 +109,6 @@ class SettingsPage extends ConsumerWidget {
],
),
),
const SizedBox(height: 16),
Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
'Theme',
style: Theme.of(context).textTheme.titleSmall,
),
const SizedBox(height: 8),
SegmentedButton<ThemeMode>(
selected: {themeMode},
onSelectionChanged: (Set<ThemeMode> newSelection) {
ref.read(themeModeProvider.notifier).setThemeMode(newSelection.first);
},
segments: const [
ButtonSegment<ThemeMode>(
value: ThemeMode.light,
label: Text('Light'),
icon: Icon(Icons.light_mode),
),
ButtonSegment<ThemeMode>(
value: ThemeMode.dark,
label: Text('Dark'),
icon: Icon(Icons.dark_mode),
),
ButtonSegment<ThemeMode>(
value: ThemeMode.system,
label: Text('Auto'),
icon: Icon(Icons.brightness_auto),
),
],
),
],
),
],
),
),

View File

@ -1,4 +1,3 @@
import 'package:flutter/material.dart';
import 'package:flutter_riverpod/flutter_riverpod.dart';
import '../api/types.dart';
import '../api/client.dart';
@ -7,6 +6,9 @@ import '../services/auth_service.dart';
import '../models/user_profile.dart';
import '../models/delivery_route.dart';
import '../models/delivery.dart';
import '../models/delivery_order.dart';
import '../models/delivery_address.dart';
import '../models/delivery_contact.dart';
final authServiceProvider = Provider<AuthService>((ref) {
return AuthService();
@ -34,7 +36,7 @@ final authTokenProvider = FutureProvider<String?>((ref) async {
});
final deliveryRoutesProvider = FutureProvider<List<DeliveryRoute>>((ref) async {
final token = await ref.read(authTokenProvider.future);
final token = ref.watch(authTokenProvider).valueOrNull;
if (token == null) {
throw Exception('User not authenticated');
@ -55,8 +57,8 @@ final deliveryRoutesProvider = FutureProvider<List<DeliveryRoute>>((ref) async {
// API returns data wrapped in object with "data" field
if (json is Map<String, dynamic>) {
final data = json['data'];
if (data is List<dynamic>) {
return data.map((r) => DeliveryRoute.fromJson(r as Map<String, dynamic>)).toList();
if (data is List) {
return (data as List<dynamic>).map((r) => DeliveryRoute.fromJson(r as Map<String, dynamic>)).toList();
}
}
return [];
@ -67,7 +69,7 @@ final deliveryRoutesProvider = FutureProvider<List<DeliveryRoute>>((ref) async {
});
final deliveriesProvider = FutureProvider.family<List<Delivery>, int>((ref, routeFragmentId) async {
final token = await ref.read(authTokenProvider.future);
final token = ref.watch(authTokenProvider).valueOrNull;
if (token == null) {
throw Exception('User not authenticated');
@ -87,8 +89,8 @@ final deliveriesProvider = FutureProvider.family<List<Delivery>, int>((ref, rout
// API returns data wrapped in object with "data" field
if (json is Map<String, dynamic>) {
final data = json['data'];
if (data is List<dynamic>) {
return data.map((d) => Delivery.fromJson(d as Map<String, dynamic>)).toList();
if (data is List) {
return (data as List<dynamic>).map((d) => Delivery.fromJson(d as Map<String, dynamic>)).toList();
}
}
return [];
@ -100,7 +102,7 @@ final deliveriesProvider = FutureProvider.family<List<Delivery>, int>((ref, rout
/// Provider to get all deliveries from all routes
final allDeliveriesProvider = FutureProvider<List<Delivery>>((ref) async {
final routes = await ref.read(deliveryRoutesProvider.future);
final routes = ref.watch(deliveryRoutesProvider).valueOrNull ?? [];
if (routes.isEmpty) {
return [];
@ -124,28 +126,8 @@ final allDeliveriesProvider = FutureProvider<List<Delivery>>((ref) async {
return allDeliveries;
});
// Language notifier for state management
class LanguageNotifier extends Notifier<String> {
@override
String build() => 'fr';
void setLanguage(String lang) => state = lang;
}
final languageProvider = NotifierProvider<LanguageNotifier, String>(() {
return LanguageNotifier();
});
// Theme mode notifier for manual theme switching
class ThemeModeNotifier extends Notifier<ThemeMode> {
@override
ThemeMode build() => ThemeMode.dark;
void setThemeMode(ThemeMode mode) => state = mode;
}
final themeModeProvider = NotifierProvider<ThemeModeNotifier, ThemeMode>(() {
return ThemeModeNotifier();
final languageProvider = StateProvider<String>((ref) {
return 'fr';
});
class _EmptyQuery implements Serializable {

View File

@ -1,68 +0,0 @@
import 'package:permission_handler/permission_handler.dart';
class LocationPermissionService {
Future<LocationPermissionResult> requestLocationPermission() async {
final status = await Permission.location.request();
return switch (status) {
PermissionStatus.granted => LocationPermissionResult.granted(),
PermissionStatus.denied => LocationPermissionResult.denied(),
PermissionStatus.permanentlyDenied =>
LocationPermissionResult.permanentlyDenied(),
_ => LocationPermissionResult.error(
message: 'Unexpected permission status: $status',
),
};
}
Future<bool> hasLocationPermission() async {
final status = await Permission.location.status;
return status.isGranted;
}
Future<void> openAppSettings() async {
await openAppSettings();
}
}
sealed class LocationPermissionResult {
const LocationPermissionResult();
factory LocationPermissionResult.granted() => _Granted();
factory LocationPermissionResult.denied() => _Denied();
factory LocationPermissionResult.permanentlyDenied() =>
_PermanentlyDenied();
factory LocationPermissionResult.error({required String message}) =>
_Error(message);
R when<R>({
required R Function() granted,
required R Function() denied,
required R Function() permanentlyDenied,
required R Function(String message) error,
}) {
return switch (this) {
_Granted() => granted(),
_Denied() => denied(),
_PermanentlyDenied() => permanentlyDenied(),
_Error(:final message) => error(message),
};
}
}
final class _Granted extends LocationPermissionResult {
const _Granted();
}
final class _Denied extends LocationPermissionResult {
const _Denied();
}
final class _PermanentlyDenied extends LocationPermissionResult {
const _PermanentlyDenied();
}
final class _Error extends LocationPermissionResult {
final String message;
const _Error(this.message);
}

View File

@ -1,192 +0,0 @@
import 'package:google_navigation_flutter/google_navigation_flutter.dart';
class NavigationSessionService {
static final NavigationSessionService _instance =
NavigationSessionService._internal();
factory NavigationSessionService() {
return _instance;
}
NavigationSessionService._internal();
bool _isSessionInitialized = false;
GoogleNavigationViewController? _controller;
bool get isSessionInitialized => _isSessionInitialized;
Future<void> initializeSession() async {
if (_isSessionInitialized) {
return;
}
try {
await GoogleMapsNavigator.initializeNavigationSession();
_isSessionInitialized = true;
} catch (e) {
throw NavigationSessionException('Failed to initialize session: $e');
}
}
Future<void> setController(
GoogleNavigationViewController controller,
) async {
_controller = controller;
}
Future<NavigationRoute> calculateRoute({
required double startLatitude,
required double startLongitude,
required double destinationLatitude,
required double destinationLongitude,
}) async {
if (!_isSessionInitialized) {
throw NavigationSessionException('Session not initialized');
}
if (_controller == null) {
throw NavigationSessionException('Controller not set');
}
try {
final origin = LatLng(
latitude: startLatitude,
longitude: startLongitude,
);
final destination = LatLng(
latitude: destinationLatitude,
longitude: destinationLongitude,
);
final waypoint = NavigationWaypoint.withLatLngTarget(
title: 'Destination',
target: destination,
);
final destinations = Destinations(
waypoints: [waypoint],
displayOptions: NavigationDisplayOptions(showDestinationMarkers: true),
);
// Set destinations will trigger route calculation
await GoogleMapsNavigator.setDestinations(destinations);
return NavigationRoute(
startLocation: origin,
endLocation: destination,
isCalculated: true,
);
} catch (e) {
throw NavigationSessionException('Failed to calculate route: $e');
}
}
Future<void> startNavigation() async {
if (!_isSessionInitialized) {
throw NavigationSessionException('Navigation not properly initialized');
}
try {
await GoogleMapsNavigator.startGuidance();
} catch (e) {
throw NavigationSessionException('Failed to start navigation: $e');
}
}
Future<void> stopNavigation() async {
if (!_isSessionInitialized) {
return;
}
try {
await GoogleMapsNavigator.stopGuidance();
} catch (e) {
throw NavigationSessionException('Failed to stop navigation: $e');
}
}
void addLocationListener(
Function(RoadSnappedLocationUpdatedEvent event) onLocationUpdate,
) {
if (!_isSessionInitialized) {
throw NavigationSessionException('Navigation not initialized');
}
GoogleMapsNavigator.setRoadSnappedLocationUpdatedListener((event) {
onLocationUpdate(event);
});
}
void addArrivalListener(Function(OnArrivalEvent event) onArrival) {
if (!_isSessionInitialized) {
throw NavigationSessionException('Navigation not initialized');
}
GoogleMapsNavigator.setOnArrivalListener((event) {
onArrival(event);
});
}
// Note: Remaining distance listener API may vary by version
// This is a placeholder for future implementation
void addRemainingDistanceListener(
Function(dynamic event) onDistanceChange,
) {
if (!_isSessionInitialized) {
throw NavigationSessionException('Navigation not initialized');
}
// TODO: Implement when correct API is available
// GoogleMapsNavigator does not expose a public remaining distance listener
}
void clearAllListeners() {
if (!_isSessionInitialized) {
return;
}
// Clear listeners by setting them to empty callbacks
// Note: The API doesn't support null, so we use no-op callbacks
GoogleMapsNavigator.setRoadSnappedLocationUpdatedListener((_) {});
GoogleMapsNavigator.setOnArrivalListener((_) {});
}
Future<void> cleanup() async {
try {
if (_isSessionInitialized) {
await stopNavigation();
clearAllListeners();
await GoogleMapsNavigator.cleanup();
}
_isSessionInitialized = false;
_controller = null;
} catch (e) {
throw NavigationSessionException('Failed to cleanup: $e');
}
}
}
class NavigationRoute {
final LatLng startLocation;
final LatLng endLocation;
final bool isCalculated;
final int? distanceMeters;
final Duration? estimatedTime;
NavigationRoute({
required this.startLocation,
required this.endLocation,
required this.isCalculated,
this.distanceMeters,
this.estimatedTime,
});
}
class NavigationSessionException implements Exception {
final String message;
NavigationSessionException(this.message);
@override
String toString() => 'NavigationSessionException: $message';
}

View File

@ -1,4 +1,11 @@
import 'package:flutter/material.dart';
import 'theme/color_system.dart';
import 'theme/spacing_system.dart';
import 'theme/border_system.dart';
import 'theme/shadow_system.dart';
import 'theme/size_system.dart';
import 'theme/animation_system.dart';
import 'theme/typography_system.dart';
import 'theme/component_themes.dart';
class MaterialTheme {
@ -29,10 +36,10 @@ class MaterialTheme {
onErrorContainer: Color(0xff7F1D1D),
surface: Color(0xffFAFAFC),
onSurface: Color(0xff06080C),
onSurfaceVariant: Color(0xff2D3843), // Enhanced contrast: 7.2:1 (WCAG AAA)
outline: Color(0xff737A82), // Enhanced contrast: 4.6:1
onSurfaceVariant: Color(0xff506576),
outline: Color(0xffAEB8BE),
outlineVariant: Color(0xffD1D5DB),
shadow: Color(0x1A000000),
shadow: Color(0xff1A000000),
scrim: Color(0xff000000),
inverseSurface: Color(0xff06080C),
inversePrimary: Color(0xffFF6B7D),
@ -196,7 +203,7 @@ class MaterialTheme {
surface: Color(0xff0A0C10), // Svrnty Dark Background
onSurface: Color(0xffF0F0F2),
onSurfaceVariant: Color(0xffBFC3C8),
outline: Color(0xff9CA3AF), // Enhanced contrast for dark mode
outline: Color(0xff6B7280),
outlineVariant: Color(0xff374151),
shadow: Color(0xff000000),
scrim: Color(0xff000000),

View File

@ -76,17 +76,17 @@ class AppAnimations {
// STAGGER DELAYS (FOR LIST ANIMATIONS)
// ============================================
/// Default stagger delay for list items (5ms) - Reduced by 90% for instant loading
static const Duration staggerDelay = Duration(milliseconds: 5);
/// Default stagger delay for list items (50ms)
static const Duration staggerDelay = Duration(milliseconds: 50);
/// Quick stagger delay (3ms)
static const Duration staggerDelayFast = Duration(milliseconds: 3);
/// Quick stagger delay (30ms)
static const Duration staggerDelayFast = Duration(milliseconds: 30);
/// Slow stagger delay (10ms)
static const Duration staggerDelaySlow = Duration(milliseconds: 10);
/// Slow stagger delay (100ms)
static const Duration staggerDelaySlow = Duration(milliseconds: 100);
/// Stagger delay in milliseconds
static const int staggerDelayMs = 5;
static const int staggerDelayMs = 50;
// ============================================
// SCALE ANIMATION CONSTANTS

View File

@ -19,14 +19,14 @@ class SvrntyColors {
/// Dark Slate - Secondary dark tone
static const Color darkSlate = Color(0xFF3A4958);
/// Slate Gray - Mid-tone gray (WCAG AAA compliant: 7.2:1 on white)
static const Color slateGray = Color(0xFF2D3843);
/// Slate Gray - Mid-tone gray
static const Color slateGray = Color(0xFF506576);
/// Teal - Tertiary accent
static const Color teal = Color(0xFF1D2C39);
/// Light Gray - Neutral light (4.6:1 on white for UI elements)
static const Color lightGray = Color(0xFF737A82);
/// Light Gray - Neutral light
static const Color lightGray = Color(0xFFAEB8BE);
// ============================================
// SEMANTIC COLORS

View File

@ -97,7 +97,7 @@ class ComponentThemes {
static InputDecorationTheme inputDecorationTheme(ColorScheme colorScheme) {
return InputDecorationTheme(
filled: true,
fillColor: colorScheme.surfaceContainerHighest.withValues(alpha: 0.5),
fillColor: colorScheme.surfaceContainerHighest.withOpacity(0.5),
contentPadding: EdgeInsets.symmetric(
horizontal: AppSpacing.inputPadding,
vertical: AppSpacing.md,
@ -105,13 +105,13 @@ class ComponentThemes {
border: OutlineInputBorder(
borderRadius: AppBorders.circularSm,
borderSide: BorderSide(
color: colorScheme.outline.withValues(alpha: 0.3),
color: colorScheme.outline.withOpacity(0.3),
),
),
enabledBorder: OutlineInputBorder(
borderRadius: AppBorders.circularSm,
borderSide: BorderSide(
color: colorScheme.outline.withValues(alpha: 0.3),
color: colorScheme.outline.withOpacity(0.3),
width: 1,
),
),
@ -144,7 +144,7 @@ class ComponentThemes {
hintStyle: TextStyle(
fontFamily: 'Montserrat',
fontWeight: FontWeight.w400,
color: colorScheme.onSurfaceVariant.withValues(alpha: 0.6),
color: colorScheme.onSurfaceVariant.withOpacity(0.6),
),
);
}
@ -204,7 +204,7 @@ class ComponentThemes {
return ChipThemeData(
backgroundColor: colorScheme.surfaceContainerHighest,
deleteIconColor: colorScheme.onSurfaceVariant,
disabledColor: colorScheme.surfaceContainerHighest.withValues(alpha: 0.38),
disabledColor: colorScheme.surfaceContainerHighest.withOpacity(0.38),
padding: EdgeInsets.symmetric(
horizontal: AppSpacing.sm,
vertical: AppSpacing.xs,
@ -255,7 +255,7 @@ class ComponentThemes {
activeTrackColor: colorScheme.primary,
inactiveTrackColor: colorScheme.surfaceContainerHighest,
thumbColor: colorScheme.primary,
overlayColor: colorScheme.primary.withValues(alpha: 0.12),
overlayColor: colorScheme.primary.withOpacity(0.12),
valueIndicatorColor: colorScheme.primary,
);
}

View File

@ -75,7 +75,7 @@ class AppGradients {
end: horizontal ? Alignment.centerRight : Alignment.bottomCenter,
colors: [
color,
color.withValues(alpha: 0.8),
color.withOpacity(0.8),
],
);
}
@ -311,7 +311,7 @@ class AppGradients {
begin: gradient.begin,
end: gradient.end,
colors: gradient.colors
.map((color) => color.withValues(alpha: opacity))
.map((color) => color.withOpacity(opacity))
.toList(),
stops: gradient.stops,
);

View File

@ -1,3 +1,4 @@
import 'package:flutter/material.dart';
/// Svrnty Size System
/// Standard sizing constants for icons, buttons, containers, and other components

View File

@ -10,9 +10,9 @@ class StatusColorScheme {
static const Color pendingText = Color(0xFF92400E);
// In Transit: Teal Blue - Active process
static const Color inTransit = SvrntyColors.statusInTransit; // #2D3843
static const Color inTransit = SvrntyColors.statusInTransit; // #506576
static const Color inTransitBackground = SvrntyColors.statusInTransitBg; // #E0E7ED
static const Color inTransitText = Color(0xFF0A1419); // WCAG AAA: 8.1:1 on bg
static const Color inTransitText = Color(0xFF1D2C39);
// Completed: Green - Success
static const Color completed = SvrntyColors.statusCompleted; // #22C55E
@ -25,9 +25,9 @@ class StatusColorScheme {
static const Color failedText = Color(0xFF991B1B);
// Cancelled: Gray - Inactive
static const Color cancelled = SvrntyColors.statusCancelled; // #737A82
static const Color cancelled = SvrntyColors.statusCancelled; // #AEB8BE
static const Color cancelledBackground = SvrntyColors.statusCancelledBg; // #F3F4F6
static const Color cancelledText = Color(0xFF1F2937); // WCAG AAA: 7.5:1 on bg
static const Color cancelledText = Color(0xFF374151);
// On Hold: Slate Blue - Paused/Informational
static const Color onHold = SvrntyColors.statusOnHold; // #3A4958

View File

@ -72,8 +72,8 @@ class AppTypography {
/// Body Medium font size (14px)
static const double sizeBodyMedium = 14.0;
/// Body Small font size (13px) - Enhanced for readability
static const double sizeBodySmall = 13.0;
/// Body Small font size (12px)
static const double sizeBodySmall = 12.0;
/// Label Large font size (14px)
static const double sizeLabelLarge = 14.0;
@ -81,8 +81,8 @@ class AppTypography {
/// Label Medium font size (12px)
static const double sizeLabelMedium = 12.0;
/// Label Small font size (12px) - Enhanced for readability
static const double sizeLabelSmall = 12.0;
/// Label Small font size (11px)
static const double sizeLabelSmall = 11.0;
// ============================================
// LINE HEIGHTS
@ -121,8 +121,8 @@ class AppTypography {
/// Body Medium line height (1.43 = 20px)
static const double lineHeightBodyMedium = 1.43;
/// Body Small line height (1.38 = 18px) - Adjusted for 13px size
static const double lineHeightBodySmall = 1.38;
/// Body Small line height (1.33 = 16px)
static const double lineHeightBodySmall = 1.33;
/// Label Large line height (1.43 = 20px)
static const double lineHeightLabelLarge = 1.43;
@ -130,8 +130,8 @@ class AppTypography {
/// Label Medium line height (1.33 = 16px)
static const double lineHeightLabelMedium = 1.33;
/// Label Small line height (1.42 = 17px) - Adjusted for 12px size
static const double lineHeightLabelSmall = 1.42;
/// Label Small line height (1.45 = 16px)
static const double lineHeightLabelSmall = 1.45;
// ============================================
// LETTER SPACING
@ -257,7 +257,7 @@ class AppTypography {
) {
final color = baseStyle.color ?? Colors.black;
return baseStyle.copyWith(
color: color.withValues(alpha: opacity),
color: color.withOpacity(opacity),
);
}

View File

@ -1,2 +0,0 @@
#include? "Pods/Target Support Files/Pods-Runner/Pods-Runner.profile.xcconfig"
#include "ephemeral/Flutter-Generated.xcconfig"

View File

@ -1,14 +1,14 @@
PODS:
- AppAuth (2.0.0):
- AppAuth/Core (= 2.0.0)
- AppAuth/ExternalUserAgent (= 2.0.0)
- AppAuth/Core (2.0.0)
- AppAuth/ExternalUserAgent (2.0.0):
- AppAuth (1.7.5):
- AppAuth/Core (= 1.7.5)
- AppAuth/ExternalUserAgent (= 1.7.5)
- AppAuth/Core (1.7.5)
- AppAuth/ExternalUserAgent (1.7.5):
- AppAuth/Core
- file_selector_macos (0.0.1):
- FlutterMacOS
- flutter_appauth (0.0.1):
- AppAuth (= 2.0.0)
- AppAuth (= 1.7.5)
- FlutterMacOS
- flutter_secure_storage_macos (6.1.3):
- FlutterMacOS
@ -52,9 +52,9 @@ EXTERNAL SOURCES:
:path: Flutter/ephemeral/.symlinks/plugins/url_launcher_macos/macos
SPEC CHECKSUMS:
AppAuth: 1c1a8afa7e12f2ec3a294d9882dfa5ab7d3cb063
AppAuth: 501c04eda8a8d11f179dbe8637b7a91bb7e5d2fa
file_selector_macos: 9e9e068e90ebee155097d00e89ae91edb2374db7
flutter_appauth: 84cbf57c7926a898a612726e99241a031e33fac3
flutter_appauth: 9e1412df1f0d76b2460e6657d01d4f866496fe88
flutter_secure_storage_macos: 7f45e30f838cf2659862a4e4e3ee1c347c2b3b54
FlutterMacOS: d0db08ddef1a9af05a5ec4b724367152bb0500b1
path_provider_foundation: bb55f6dbba17d0dccd6737fe6f7f34fbd0376880

View File

@ -588,7 +588,7 @@
338D0CEB231458BD00FA5F75 /* Profile */ = {
isa = XCBuildConfiguration;
buildSettings = {
CODE_SIGN_STYLE = Automatic;
CODE_SIGN_STYLE = Manual;
PRODUCT_NAME = "$(TARGET_NAME)";
};
name = Profile;
@ -708,7 +708,7 @@
"CODE_SIGN_IDENTITY[sdk=macosx*]" = "Apple Development";
CODE_SIGN_STYLE = Automatic;
COMBINE_HIDPI_IMAGES = YES;
DEVELOPMENT_TEAM = 833P6TSX55;
DEVELOPMENT_TEAM = LD76P8L42W;
INFOPLIST_FILE = Runner/Info.plist;
LD_RUNPATH_SEARCH_PATHS = (
"$(inherited)",
@ -744,7 +744,7 @@
33CC111C2044C6BA0003C045 /* Debug */ = {
isa = XCBuildConfiguration;
buildSettings = {
CODE_SIGN_STYLE = Automatic;
CODE_SIGN_STYLE = Manual;
PRODUCT_NAME = "$(TARGET_NAME)";
};
name = Debug;

View File

@ -8,7 +8,7 @@
PRODUCT_NAME = planb_logistic
// The application's bundle identifier
PRODUCT_BUNDLE_IDENTIFIER = com.local.planbLogistic
PRODUCT_BUNDLE_IDENTIFIER = com.goutezplanb.planbLogistic
// The copyright displayed in application information
PRODUCT_COPYRIGHT = Copyright © 2025 com.goutezplanb. All rights reserved.

View File

@ -1 +0,0 @@
5cde0a78d118f9e043e7443ceca0f306

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98d1b134ad118e25bf8a1dc2b9ce79ad5d","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/GoogleNavigation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"GoogleNavigation","INFOPLIST_FILE":"Target Support Files/GoogleNavigation/ResourceBundle-GoogleNavigationResources-GoogleNavigation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"GoogleNavigationResources","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98654fae4296dc5751ac9d756d9dc36c1e","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9896631f0702bcaa9fd24776311b2cd48b","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/GoogleNavigation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"GoogleNavigation","INFOPLIST_FILE":"Target Support Files/GoogleNavigation/ResourceBundle-GoogleNavigationResources-GoogleNavigation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","PRODUCT_NAME":"GoogleNavigationResources","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e980a002d7dd790eb3cbcf1a8009bc4439a","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9896631f0702bcaa9fd24776311b2cd48b","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/GoogleNavigation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"GoogleNavigation","INFOPLIST_FILE":"Target Support Files/GoogleNavigation/ResourceBundle-GoogleNavigationResources-GoogleNavigation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","PRODUCT_NAME":"GoogleNavigationResources","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e981d5b7ba262dce1f6706128fba960f1ce","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98bc8aaa9cab3591c49705029f91b06de6","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98d7882cb7e7e2096e74a80981e2418f35","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98313329d51e705fb6ce392e38d83a004c","guid":"bfdfe7dc352907fc980b868725387e98a3dc015cb98170f31ad6d86aa524b818"}],"guid":"bfdfe7dc352907fc980b868725387e98947e6e86a6a40368b18d6ecdc96c368d","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e9840209c7fe78cadee2612d71e96cd4bdb","name":"GoogleNavigation-GoogleNavigationResources","productReference":{"guid":"bfdfe7dc352907fc980b868725387e9896ff2333d2f65de7e44bf6896a8741c5","name":"GoogleNavigationResources.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98a1a39aaea5af2ba63294afc25a75a7e4","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/path_provider_foundation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"path_provider_foundation","INFOPLIST_FILE":"Target Support Files/path_provider_foundation/ResourceBundle-path_provider_foundation_privacy-path_provider_foundation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"path_provider_foundation_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98587b3fe1afcbe113356f962b7437612d","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e980d7fa4a1253053ca3fd7d132636d1340","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/path_provider_foundation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"path_provider_foundation","INFOPLIST_FILE":"Target Support Files/path_provider_foundation/ResourceBundle-path_provider_foundation_privacy-path_provider_foundation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"path_provider_foundation_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98c5d0e1ed7e6a7b273203839c1dcf3983","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e980d7fa4a1253053ca3fd7d132636d1340","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/path_provider_foundation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"path_provider_foundation","INFOPLIST_FILE":"Target Support Files/path_provider_foundation/ResourceBundle-path_provider_foundation_privacy-path_provider_foundation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"path_provider_foundation_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98a775653f895e396868c12e2332cb2abf","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e985d66c08890a6c8ef680001402a445f53","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e9836ae1a0e28845970edd8d32f7e018b0a","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98c79c0f30a3b36d9e3ba24ba75b56a881","guid":"bfdfe7dc352907fc980b868725387e98b94944de210da9c395429e2a8fb03b4f"}],"guid":"bfdfe7dc352907fc980b868725387e984397c4d2abb7ee69743821db03e2ab9b","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e987ea64ee8d53085bf9edd1a57aaf8cbb5","name":"path_provider_foundation-path_provider_foundation_privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e986e649604f74c414a7c2dbe5ef4cc4e75","name":"path_provider_foundation_privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98a553cb6838f3dba8465d8e4475e67146","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/AppAuth","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"AppAuth","INFOPLIST_FILE":"Target Support Files/AppAuth/ResourceBundle-AppAuthCore_Privacy-AppAuth-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"12.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"AppAuthCore_Privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98439b74840e95c117db5f42cdf80e53d2","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98853e49f132a195ea0f4a3955deb01309","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/AppAuth","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"AppAuth","INFOPLIST_FILE":"Target Support Files/AppAuth/ResourceBundle-AppAuthCore_Privacy-AppAuth-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"12.0","PRODUCT_NAME":"AppAuthCore_Privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98a22414cb00cd15c3439640af7894cfbb","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98853e49f132a195ea0f4a3955deb01309","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/AppAuth","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"AppAuth","INFOPLIST_FILE":"Target Support Files/AppAuth/ResourceBundle-AppAuthCore_Privacy-AppAuth-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"12.0","PRODUCT_NAME":"AppAuthCore_Privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98f23d0d665c129afc428a5dd94c278e58","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e982e193386a8c6c93c535225e95333da8c","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98a8d52a63f94af3aac430ffff1430fdf1","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e989d84a52718b57739049593ec7bcff072","guid":"bfdfe7dc352907fc980b868725387e98135caa02afe381ca8187e00959fc2041"}],"guid":"bfdfe7dc352907fc980b868725387e98800326bb0a43ad022ad5efa714aaa85d","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e98410c96b4e26fc36411e63b84c3491605","name":"AppAuth-AppAuthCore_Privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e986d566b0f46776138a3ba88837e01b2bf","name":"AppAuthCore_Privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e986d3e6fe5a6e621cced341ee873850040","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/permission_handler_apple","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"permission_handler_apple","INFOPLIST_FILE":"Target Support Files/permission_handler_apple/ResourceBundle-permission_handler_apple_privacy-permission_handler_apple-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"9.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"permission_handler_apple_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e986d016da354f3a459dcbbc0bc3aa504d4","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98d0b24e03f50d0470357d26e4f8a02735","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/permission_handler_apple","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"permission_handler_apple","INFOPLIST_FILE":"Target Support Files/permission_handler_apple/ResourceBundle-permission_handler_apple_privacy-permission_handler_apple-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"9.0","PRODUCT_NAME":"permission_handler_apple_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e9847c3a289e72a64d753bb10a5cb8915a5","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98d0b24e03f50d0470357d26e4f8a02735","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/permission_handler_apple","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"permission_handler_apple","INFOPLIST_FILE":"Target Support Files/permission_handler_apple/ResourceBundle-permission_handler_apple_privacy-permission_handler_apple-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"9.0","PRODUCT_NAME":"permission_handler_apple_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98d36fda1d2bfc83c42830a49385040c15","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98c0d91e6b857a686e8565c5deacabf60b","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e982972ffa1a081226a2c629865c594ad13","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98fb3bfaadcdb5b2857988cbc2ef7557ef","guid":"bfdfe7dc352907fc980b868725387e98fdf6309dd30e74d7f9d10386e3b30a92"}],"guid":"bfdfe7dc352907fc980b868725387e98422b283e061839ac3ce68befcefda198","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e9802f35ab680609a626ebd2ddd692a3822","name":"permission_handler_apple-permission_handler_apple_privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e983e9a904e8a35cb34b69458780be142b3","name":"permission_handler_apple_privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e982f985d09c7cc7155033fe82268497d22","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/google_navigation_flutter","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"google_navigation_flutter","INFOPLIST_FILE":"Target Support Files/google_navigation_flutter/ResourceBundle-google_navigation_flutter_privacy_info-google_navigation_flutter-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"google_navigation_flutter_privacy_info","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98752011596fc869a834e8528c73ef279b","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98ab248c6763e47003ca200ac075684f2b","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/google_navigation_flutter","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"google_navigation_flutter","INFOPLIST_FILE":"Target Support Files/google_navigation_flutter/ResourceBundle-google_navigation_flutter_privacy_info-google_navigation_flutter-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","PRODUCT_NAME":"google_navigation_flutter_privacy_info","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e982cceafe2be828c9723ab385557be436c","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98ab248c6763e47003ca200ac075684f2b","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/google_navigation_flutter","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"google_navigation_flutter","INFOPLIST_FILE":"Target Support Files/google_navigation_flutter/ResourceBundle-google_navigation_flutter_privacy_info-google_navigation_flutter-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","PRODUCT_NAME":"google_navigation_flutter_privacy_info","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e9826583347601a9aa812b297e38af0eeac","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e9892886dc904b36aacb2ab9d013be96636","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98c10994d292cbc8c39344b9d0c712477b","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e982cab8dfb60c6c5e899a43b5e4cf34529","guid":"bfdfe7dc352907fc980b868725387e983dae192296c61ece93492dfe204360fe"}],"guid":"bfdfe7dc352907fc980b868725387e9890c28f2a1cb69a31f0b102c661e71019","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e98ac39a888cfe1cb710fc82f373c10df1a","name":"google_navigation_flutter-google_navigation_flutter_privacy_info","productReference":{"guid":"bfdfe7dc352907fc980b868725387e98f30d584e5ae71ad240f9f8224d5a008f","name":"google_navigation_flutter_privacy_info.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e981ef08c6dea34941e9a4dbdf79cdda6cb","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/url_launcher_ios","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"url_launcher_ios","INFOPLIST_FILE":"Target Support Files/url_launcher_ios/ResourceBundle-url_launcher_ios_privacy-url_launcher_ios-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"url_launcher_ios_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98e538e294d2bef1d12b0b4c6c1b4adef7","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9877ace9a7bfa4a14a21241facb205746c","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/url_launcher_ios","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"url_launcher_ios","INFOPLIST_FILE":"Target Support Files/url_launcher_ios/ResourceBundle-url_launcher_ios_privacy-url_launcher_ios-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"url_launcher_ios_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e987da90b1825e20dc7164eb9d75e7336ee","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9877ace9a7bfa4a14a21241facb205746c","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/url_launcher_ios","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"url_launcher_ios","INFOPLIST_FILE":"Target Support Files/url_launcher_ios/ResourceBundle-url_launcher_ios_privacy-url_launcher_ios-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"url_launcher_ios_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98f2f7644bf615fe4d30ffd64a417384b8","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98776a8886f3a4f687fd9150930b326f97","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98262609f70ac231708da98c1103de8913","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e9884009c7e86d9122a27fb3926d34d3ec9","guid":"bfdfe7dc352907fc980b868725387e9882c29da6cb2086ccfb74e13d18787d39"}],"guid":"bfdfe7dc352907fc980b868725387e9869a5c5e10c8c0072113593518680754f","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e9891b3b8cc56823cdea4b418e009a423b2","name":"url_launcher_ios-url_launcher_ios_privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e9827df8da513ac7d6928fc311b53a7155d","name":"url_launcher_ios_privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98d1b134ad118e25bf8a1dc2b9ce79ad5d","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"16.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","ONLY_ACTIVE_ARCH":"NO","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2"},"guid":"bfdfe7dc352907fc980b868725387e98d9973325385d84e0e77b85c54100d070","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9896631f0702bcaa9fd24776311b2cd48b","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"16.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES"},"guid":"bfdfe7dc352907fc980b868725387e98ce9c972125fa8e60135d49830ab80fb9","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9896631f0702bcaa9fd24776311b2cd48b","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"16.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES"},"guid":"bfdfe7dc352907fc980b868725387e9856cf668712b9a03308963239dfa31677","name":"Release"}],"buildPhases":[{"alwaysOutOfDate":"false","alwaysRunForInstallHdrs":"false","buildFiles":[],"emitEnvironment":"false","guid":"bfdfe7dc352907fc980b868725387e9875f5f7294d970da29740ea9d892ff270","inputFileListPaths":["${PODS_ROOT}/Target Support Files/GoogleNavigation/GoogleNavigation-xcframeworks-input-files.xcfilelist"],"inputFilePaths":[],"name":"[CP] Copy XCFrameworks","originalObjectID":"181935D79354233793EF8014128D7B3E","outputFileListPaths":["${PODS_ROOT}/Target Support Files/GoogleNavigation/GoogleNavigation-xcframeworks-output-files.xcfilelist"],"outputFilePaths":[],"sandboxingOverride":"basedOnBuildSetting","scriptContents":"\"${PODS_ROOT}/Target Support Files/GoogleNavigation/GoogleNavigation-xcframeworks.sh\"\n","shellPath":"/bin/sh","type":"com.apple.buildphase.shell-script"}],"buildRules":[],"dependencies":[{"guid":"bfdfe7dc352907fc980b868725387e9818352c54edac2258b91768852065ce5e","name":"GoogleMaps"},{"guid":"bfdfe7dc352907fc980b868725387e9840209c7fe78cadee2612d71e96cd4bdb","name":"GoogleNavigation-GoogleNavigationResources"}],"guid":"bfdfe7dc352907fc980b868725387e98282d9246524ea316059ab11846dac3ef","name":"GoogleNavigation","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"","configurationName":"Release","provisioningStyle":0}],"type":"aggregate"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9817e4b806b80581ad59086f05c18c0abc","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/image_picker_ios","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"image_picker_ios","INFOPLIST_FILE":"Target Support Files/image_picker_ios/ResourceBundle-image_picker_ios_privacy-image_picker_ios-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"image_picker_ios_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98df4a049c8d956a0e300ff8741d2502a1","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e982a6ba965c0d1565e3ac936b521de1c02","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/image_picker_ios","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"image_picker_ios","INFOPLIST_FILE":"Target Support Files/image_picker_ios/ResourceBundle-image_picker_ios_privacy-image_picker_ios-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"image_picker_ios_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98298ad06d2db424041a77af82a3b4f89c","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e982a6ba965c0d1565e3ac936b521de1c02","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/image_picker_ios","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"image_picker_ios","INFOPLIST_FILE":"Target Support Files/image_picker_ios/ResourceBundle-image_picker_ios_privacy-image_picker_ios-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"image_picker_ios_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98ce99df14b1a56298b5cbb05e4a25b1a7","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98b1d731e1c47e24f2d3d9365594b534c2","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e987adb5d8d9a741d3612168cc3dbfcf91a","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98ef98da3dfb1614c9251036934326194c","guid":"bfdfe7dc352907fc980b868725387e98acd19b46d12f2b8464b372a006a67261"}],"guid":"bfdfe7dc352907fc980b868725387e9815a3f9bb03e106f67d64f3a72a41e042","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e98082dc85da1fc941e5234c7cc1f11b27d","name":"image_picker_ios-image_picker_ios_privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e98cba567c8a049008de84f093e54e3191c","name":"image_picker_ios_privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98160bc0fdb96a014912e5cb08e18463a0","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/shared_preferences_foundation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"shared_preferences_foundation","INFOPLIST_FILE":"Target Support Files/shared_preferences_foundation/ResourceBundle-shared_preferences_foundation_privacy-shared_preferences_foundation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"shared_preferences_foundation_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e983047af32f8e2e016fbf9be06870c33e6","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98a3c42da36a093d8623310a791cd3dc6d","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/shared_preferences_foundation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"shared_preferences_foundation","INFOPLIST_FILE":"Target Support Files/shared_preferences_foundation/ResourceBundle-shared_preferences_foundation_privacy-shared_preferences_foundation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"shared_preferences_foundation_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98700000cb76fafd9e45a1f6e29803b245","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98a3c42da36a093d8623310a791cd3dc6d","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/shared_preferences_foundation","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"shared_preferences_foundation","INFOPLIST_FILE":"Target Support Files/shared_preferences_foundation/ResourceBundle-shared_preferences_foundation_privacy-shared_preferences_foundation-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"13.0","PRODUCT_NAME":"shared_preferences_foundation_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98c62c43014bb9dfc10f724f45a1ac65f8","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98f97dfc877762175831b0b4212fe180f9","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98de9b2c5134e95e1e06be5d8762603813","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98ec37b801b9a069998dd77146ec9fdad3","guid":"bfdfe7dc352907fc980b868725387e98cebc3bb5d2a8f91e65023731ed1fd203"}],"guid":"bfdfe7dc352907fc980b868725387e98ee249dae93bf8c8d96fc8e23a1de09bc","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e98e0be3b0d5ad56f1985578b1f97431765","name":"shared_preferences_foundation-shared_preferences_foundation_privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e98ad625504a4c1e61077bbfd33bd1d1785","name":"shared_preferences_foundation_privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9840ae838f8ac69bc67263efbe8dc323d7","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"16.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","ONLY_ACTIVE_ARCH":"NO","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2"},"guid":"bfdfe7dc352907fc980b868725387e98644b3fe27382cec8a7bd8d5de6d3bf23","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e989bf599cd5d4dd79de867d43540047de6","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"16.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES"},"guid":"bfdfe7dc352907fc980b868725387e9873ec9b10f7565a6466b1212456cdaadb","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e989bf599cd5d4dd79de867d43540047de6","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"16.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES"},"guid":"bfdfe7dc352907fc980b868725387e986321e0a9b9c9f4570e60c08f0377621a","name":"Release"}],"buildPhases":[{"alwaysOutOfDate":"false","alwaysRunForInstallHdrs":"false","buildFiles":[],"emitEnvironment":"false","guid":"bfdfe7dc352907fc980b868725387e98b21ffc68aa281b044f48f05e9d22d849","inputFileListPaths":["${PODS_ROOT}/Target Support Files/GoogleMaps/GoogleMaps-xcframeworks-input-files.xcfilelist"],"inputFilePaths":[],"name":"[CP] Copy XCFrameworks","originalObjectID":"B4014D7E512183EABBE5F8E70545CAF8","outputFileListPaths":["${PODS_ROOT}/Target Support Files/GoogleMaps/GoogleMaps-xcframeworks-output-files.xcfilelist"],"outputFilePaths":[],"sandboxingOverride":"basedOnBuildSetting","scriptContents":"\"${PODS_ROOT}/Target Support Files/GoogleMaps/GoogleMaps-xcframeworks.sh\"\n","shellPath":"/bin/sh","type":"com.apple.buildphase.shell-script"}],"buildRules":[],"dependencies":[{"guid":"bfdfe7dc352907fc980b868725387e9877354dc0c1379e634078de2da2deba6b","name":"GoogleMaps-GoogleMapsResources"}],"guid":"bfdfe7dc352907fc980b868725387e9818352c54edac2258b91768852065ce5e","name":"GoogleMaps","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"","configurationName":"Release","provisioningStyle":0}],"type":"aggregate"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e988fc4ed18f636615e52006d03796a45a9","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/flutter_appauth","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"flutter_appauth","INFOPLIST_FILE":"Target Support Files/flutter_appauth/ResourceBundle-flutter_appauth_privacy-flutter_appauth-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"12.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"flutter_appauth_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98eb5e4b173a8a222bc4dd2b991a9b796c","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98488326edb025622cc45efa16ad2f4033","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/flutter_appauth","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"flutter_appauth","INFOPLIST_FILE":"Target Support Files/flutter_appauth/ResourceBundle-flutter_appauth_privacy-flutter_appauth-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"12.0","PRODUCT_NAME":"flutter_appauth_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e982da7903f6bf4fbac53ab8010b0c4810e","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98488326edb025622cc45efa16ad2f4033","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/flutter_appauth","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"flutter_appauth","INFOPLIST_FILE":"Target Support Files/flutter_appauth/ResourceBundle-flutter_appauth_privacy-flutter_appauth-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"12.0","PRODUCT_NAME":"flutter_appauth_privacy","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e9800469c3da0970cdb833fb4e3b00b7acb","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e98dfbcd1a74cf8ad9dbd5ed77f4effcc1a","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e9824a1deca64e220c3512947ea4eb1d5b3","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98fa36d3533e98bbd2853301b1d0435f65","guid":"bfdfe7dc352907fc980b868725387e9818635a98dc9294c0d431f5a9d106526e"}],"guid":"bfdfe7dc352907fc980b868725387e981b2008682b8523b8fe291e154d1d5931","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e9838116aba79bee5cd919637253bcf2ecc","name":"flutter_appauth-flutter_appauth_privacy","productReference":{"guid":"bfdfe7dc352907fc980b868725387e982460b3be5f4208d02013fc970dac2dce","name":"flutter_appauth_privacy.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9840ae838f8ac69bc67263efbe8dc323d7","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/GoogleMaps","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"GoogleMaps","INFOPLIST_FILE":"Target Support Files/GoogleMaps/ResourceBundle-GoogleMapsResources-GoogleMaps-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"GoogleMapsResources","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e982c14955c63412351f74695d1b6225c3e","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e989bf599cd5d4dd79de867d43540047de6","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/GoogleMaps","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"GoogleMaps","INFOPLIST_FILE":"Target Support Files/GoogleMaps/ResourceBundle-GoogleMapsResources-GoogleMaps-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","PRODUCT_NAME":"GoogleMapsResources","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e982a9acfb9f68977d7a38499ab60ebd7fe","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e989bf599cd5d4dd79de867d43540047de6","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/GoogleMaps","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"GoogleMaps","INFOPLIST_FILE":"Target Support Files/GoogleMaps/ResourceBundle-GoogleMapsResources-GoogleMaps-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"16.0","PRODUCT_NAME":"GoogleMapsResources","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98d4e10b4069fe9558f6d49c1a01a7c632","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e985f6dda4fc1bb8e4d92d7ac93bc6e6ba1","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e9807d7fec25bf2c1bd052de32d1578f0aa","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98408aeea65f8576fdbf766a4c1aafc7f3","guid":"bfdfe7dc352907fc980b868725387e988186244c4109758cf0a2e67498b727d0"}],"guid":"bfdfe7dc352907fc980b868725387e98266cd70b115d0472b8370de763869623","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e9877354dc0c1379e634078de2da2deba6b","name":"GoogleMaps-GoogleMapsResources","productReference":{"guid":"bfdfe7dc352907fc980b868725387e98e1226e3627f386c3cc556b927e8c995d","name":"GoogleMapsResources.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98d419f50ce432ed26acea72a8689cf65d","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/flutter_secure_storage","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"flutter_secure_storage","INFOPLIST_FILE":"Target Support Files/flutter_secure_storage/ResourceBundle-flutter_secure_storage-flutter_secure_storage-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"9.0","ONLY_ACTIVE_ARCH":"NO","PRODUCT_NAME":"flutter_secure_storage","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98197bd3cfd8fa3bd41e88a3946f74d36d","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e980272323ab8cd909b1b93bca3b700be56","buildSettings":{"CLANG_ENABLE_OBJC_WEAK":"NO","CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/flutter_secure_storage","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"flutter_secure_storage","INFOPLIST_FILE":"Target Support Files/flutter_secure_storage/ResourceBundle-flutter_secure_storage-flutter_secure_storage-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"9.0","PRODUCT_NAME":"flutter_secure_storage","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e98f12b4b44a5231c41985e39f0ad2cd11a","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e980272323ab8cd909b1b93bca3b700be56","buildSettings":{"CODE_SIGNING_ALLOWED":"NO","CODE_SIGNING_IDENTITY":"-","CODE_SIGNING_REQUIRED":"NO","CONFIGURATION_BUILD_DIR":"$(BUILD_DIR)/$(CONFIGURATION)$(EFFECTIVE_PLATFORM_NAME)/flutter_secure_storage","EXPANDED_CODE_SIGN_IDENTITY":"-","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IBSC_MODULE":"flutter_secure_storage","INFOPLIST_FILE":"Target Support Files/flutter_secure_storage/ResourceBundle-flutter_secure_storage-flutter_secure_storage-Info.plist","IPHONEOS_DEPLOYMENT_TARGET":"9.0","PRODUCT_NAME":"flutter_secure_storage","SDKROOT":"iphoneos","SKIP_INSTALL":"YES","TARGETED_DEVICE_FAMILY":"1,2","WRAPPER_EXTENSION":"bundle"},"guid":"bfdfe7dc352907fc980b868725387e9853895883505158a4f7b52bb67f133f9c","name":"Release"}],"buildPhases":[{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e9862f74ca3c0a0277e461b20e30338447b","type":"com.apple.buildphase.sources"},{"buildFiles":[],"guid":"bfdfe7dc352907fc980b868725387e985e62bbdae2a14eb08f8b7f4a2d7456e7","type":"com.apple.buildphase.frameworks"},{"buildFiles":[{"fileReference":"bfdfe7dc352907fc980b868725387e98373359216b673381bf820b29f93ee608","guid":"bfdfe7dc352907fc980b868725387e98e05e804bf30e8a8eb0be4a83a4cab8b2"}],"guid":"bfdfe7dc352907fc980b868725387e981e8032e9ce87101012ec0a04f86dc3f4","type":"com.apple.buildphase.resources"}],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e98a0220561f537715e864e45aed9ae8b8b","name":"flutter_secure_storage-flutter_secure_storage","productReference":{"guid":"bfdfe7dc352907fc980b868725387e989548ba3fd96e73f640dce7442408204f","name":"flutter_secure_storage.bundle","type":"product"},"productTypeIdentifier":"com.apple.product-type.bundle","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"${PRODUCT_BUNDLE_IDENTIFIER}","configurationName":"Release","provisioningStyle":0}],"type":"standard"}

View File

@ -1 +0,0 @@
{"buildConfigurations":[{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e9865adcbbcb4ec1b3c452a31ac4e82f814","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"13.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","ONLY_ACTIVE_ARCH":"NO","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2"},"guid":"bfdfe7dc352907fc980b868725387e980bc977b873df9b0e01b3c822e5c77429","name":"Debug"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98236686288fbfe9faab703dc7debfa1a3","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"13.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES"},"guid":"bfdfe7dc352907fc980b868725387e98b75274b69084014a6a5ac37ea7a9d4bc","name":"Profile"},{"baseConfigurationFileReference":"bfdfe7dc352907fc980b868725387e98236686288fbfe9faab703dc7debfa1a3","buildSettings":{"ASSETCATALOG_COMPILER_APPICON_NAME":"AppIcon","ASSETCATALOG_COMPILER_GLOBAL_ACCENT_COLOR_NAME":"AccentColor","CLANG_ENABLE_OBJC_WEAK":"NO","ENABLE_USER_SCRIPT_SANDBOXING":"NO","GCC_PREPROCESSOR_DEFINITIONS":"$(inherited) PERMISSION_LOCATION=1 PERMISSION_CAMERA=1 PERMISSION_PHOTOS=1","IPHONEOS_DEPLOYMENT_TARGET":"13.0","LD_RUNPATH_SEARCH_PATHS":"$(inherited) @executable_path/Frameworks","SDKROOT":"iphoneos","TARGETED_DEVICE_FAMILY":"1,2","VALIDATE_PRODUCT":"YES"},"guid":"bfdfe7dc352907fc980b868725387e988b8e6347e534cb57e9bb1b22dc47b716","name":"Release"}],"buildPhases":[],"buildRules":[],"dependencies":[],"guid":"bfdfe7dc352907fc980b868725387e989da425bb6d6d5d8dbb95e4afffb82217","name":"Flutter","provisioningSourceData":[{"bundleIdentifierFromInfoPlist":"","configurationName":"Debug","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"","configurationName":"Profile","provisioningStyle":0},{"bundleIdentifierFromInfoPlist":"","configurationName":"Release","provisioningStyle":0}],"type":"aggregate"}

View File

@ -1 +0,0 @@
{"guid":"dc4b70c03e8043e50e38f2068887b1d4","name":"Pods","path":"/Users/jean-philippebrule/Desktop/svrnty-delivery-app/ionic-planb-logistic-app-flutter/ios/Pods/Pods.xcodeproj/project.xcworkspace","projects":["PROJECT@v11_mod=f01adf2a96f42fa684d1d6f87d882a9d_hash=bfdfe7dc352907fc980b868725387e98plugins=1OJSG6M1FOV3XYQCBH7Z29RZ0FPR9XDE1"]}

View File

@ -5,42 +5,34 @@ packages:
dependency: transitive
description:
name: _fe_analyzer_shared
sha256: f0bb5d1648339c8308cc0b9838d8456b3cfe5c91f9dc1a735b4d003269e5da9a
sha256: da0d9209ca76bde579f2da330aeb9df62b6319c834fa7baae052021b0462401f
url: "https://pub.dev"
source: hosted
version: "88.0.0"
version: "85.0.0"
analyzer:
dependency: transitive
description:
name: analyzer
sha256: "0b7b9c329d2879f8f05d6c05b32ee9ec025f39b077864bdb5ac9a7b63418a98f"
sha256: f4ad0fea5f102201015c9aae9d93bc02f75dd9491529a8c21f88d17a8523d44c
url: "https://pub.dev"
source: hosted
version: "8.1.1"
analyzer_buffer:
dependency: transitive
description:
name: analyzer_buffer
sha256: aba2f75e63b3135fd1efaa8b6abefe1aa6e41b6bd9806221620fa48f98156033
url: "https://pub.dev"
source: hosted
version: "0.1.11"
version: "7.6.0"
analyzer_plugin:
dependency: transitive
description:
name: analyzer_plugin
sha256: dd574a0ab77de88b7d9c12bc4b626109a5ca9078216a79041a5c24c3a1bd103c
sha256: a5ab7590c27b779f3d4de67f31c4109dbe13dd7339f86461a6f2a8ab2594d8ce
url: "https://pub.dev"
source: hosted
version: "0.13.7"
version: "0.13.4"
animate_do:
dependency: "direct main"
description:
name: animate_do
sha256: e5c8b92e8495cba5adfff17c0b017d50f46b2766226e9faaf68bc08c91aef034
sha256: b6ff08dc6cf3cb5586a86d7f32a3b5f45502d2e08e3fb4f5a484c8421c9b3fc0
url: "https://pub.dev"
source: hosted
version: "4.2.0"
version: "3.3.9"
archive:
dependency: transitive
description:
@ -77,34 +69,50 @@ packages:
dependency: transitive
description:
name: build
sha256: dfb67ccc9a78c642193e0c2d94cb9e48c2c818b3178a86097d644acdcde6a8d9
sha256: "51dc711996cbf609b90cbe5b335bbce83143875a9d58e4b5c6d3c4f684d3dda7"
url: "https://pub.dev"
source: hosted
version: "4.0.2"
version: "2.5.4"
build_config:
dependency: transitive
description:
name: build_config
sha256: "4f64382b97504dc2fcdf487d5aae33418e08b4703fc21249e4db6d804a4d0187"
sha256: "4ae2de3e1e67ea270081eaee972e1bd8f027d459f249e0f1186730784c2e7e33"
url: "https://pub.dev"
source: hosted
version: "1.2.0"
version: "1.1.2"
build_daemon:
dependency: transitive
description:
name: build_daemon
sha256: bf05f6e12cfea92d3c09308d7bcdab1906cd8a179b023269eed00c071004b957
sha256: "409002f1adeea601018715d613115cfaf0e31f512cb80ae4534c79867ae2363d"
url: "https://pub.dev"
source: hosted
version: "4.1.1"
version: "4.1.0"
build_resolvers:
dependency: transitive
description:
name: build_resolvers
sha256: ee4257b3f20c0c90e72ed2b57ad637f694ccba48839a821e87db762548c22a62
url: "https://pub.dev"
source: hosted
version: "2.5.4"
build_runner:
dependency: "direct dev"
description:
name: build_runner
sha256: "7b5b569f3df370590a85029148d6fc66c7d0201fc6f1847c07dd85d365ae9fcd"
sha256: "382a4d649addbfb7ba71a3631df0ec6a45d5ab9b098638144faf27f02778eb53"
url: "https://pub.dev"
source: hosted
version: "2.10.3"
version: "2.5.4"
build_runner_core:
dependency: transitive
description:
name: build_runner_core
sha256: "85fbbb1036d576d966332a3f5ce83f2ce66a40bea1a94ad2d5fc29a19a0d3792"
url: "https://pub.dev"
source: hosted
version: "9.1.2"
built_collection:
dependency: transitive
description:
@ -137,14 +145,6 @@ packages:
url: "https://pub.dev"
source: hosted
version: "2.0.4"
cli_config:
dependency: transitive
description:
name: cli_config
sha256: ac20a183a07002b700f0c25e61b7ee46b23c309d76ab7b7640a028f18e4d99ec
url: "https://pub.dev"
source: hosted
version: "0.2.0"
clock:
dependency: transitive
description:
@ -177,14 +177,6 @@ packages:
url: "https://pub.dev"
source: hosted
version: "3.1.2"
coverage:
dependency: transitive
description:
name: coverage
sha256: "5da775aa218eaf2151c721b16c01c7676fbfdd99cebba2bf64e8b807a28ff94d"
url: "https://pub.dev"
source: hosted
version: "1.15.0"
cross_file:
dependency: transitive
description:
@ -197,10 +189,10 @@ packages:
dependency: transitive
description:
name: crypto
sha256: c8ea0233063ba03258fbcf2ca4d6dadfefe14f02fab57702265467a19f27fadf
sha256: "1e445881f28f22d6140f181e07737b22f1e099a5e1ff94b0af2f9e4a463f4855"
url: "https://pub.dev"
source: hosted
version: "3.0.7"
version: "3.0.6"
cupertino_icons:
dependency: "direct main"
description:
@ -213,26 +205,26 @@ packages:
dependency: transitive
description:
name: custom_lint_core
sha256: "85b339346154d5646952d44d682965dfe9e12cae5febd706f0db3aa5010d6423"
sha256: "31110af3dde9d29fb10828ca33f1dce24d2798477b167675543ce3d208dee8be"
url: "https://pub.dev"
source: hosted
version: "0.8.1"
version: "0.7.5"
custom_lint_visitor:
dependency: transitive
description:
name: custom_lint_visitor
sha256: "446d68322747ec1c36797090de776aa72228818d3d80685a91ff524d163fee6d"
sha256: "4a86a0d8415a91fbb8298d6ef03e9034dc8e323a599ddc4120a0e36c433983a2"
url: "https://pub.dev"
source: hosted
version: "1.0.0+8.1.1"
version: "1.0.0+7.7.0"
dart_style:
dependency: transitive
description:
name: dart_style
sha256: c87dfe3d56f183ffe9106a18aebc6db431fc7c98c31a54b952a77f3d54a85697
sha256: "8a0e5fba27e8ee025d2ffb4ee820b4e6e2cf5e4246a6b1a477eb66866947e0bb"
url: "https://pub.dev"
source: hosted
version: "3.1.2"
version: "3.1.1"
fake_async:
dependency: transitive
description:
@ -277,10 +269,10 @@ packages:
dependency: transitive
description:
name: file_selector_platform_interface
sha256: "35e0bd61ebcdb91a3505813b055b09b79dfdc7d0aee9c09a7ba59ae4bb13dc85"
sha256: a3994c26f10378a039faa11de174d7b78eb8f79e4dd0af2a451410c1a5c3f66b
url: "https://pub.dev"
source: hosted
version: "2.7.0"
version: "2.6.2"
file_selector_windows:
dependency: transitive
description:
@ -314,26 +306,26 @@ packages:
dependency: "direct main"
description:
name: flutter_appauth
sha256: aba94ecd7aa542240c54c6bb0a875a577c73e9460c199dc74fe58e89e7a98a1a
sha256: "84e8753fe20864da241892823ff7dbd252baa34f1649d6feb48118e8ae829ed1"
url: "https://pub.dev"
source: hosted
version: "11.0.0"
version: "7.0.1"
flutter_appauth_platform_interface:
dependency: transitive
description:
name: flutter_appauth_platform_interface
sha256: "6c3c2f3a0060a2bf34880ca75b997b675f148275659c6abe2ff15d0819861259"
sha256: "0959824b401f3ee209c869734252bd5d4d4aab804b019c03815c56e3b9a4bc34"
url: "https://pub.dev"
source: hosted
version: "11.0.0"
version: "7.0.1"
flutter_lints:
dependency: "direct dev"
description:
name: flutter_lints
sha256: "3105dc8492f6183fb076ccf1f351ac3d60564bff92e20bfc4af9cc1651f4e7e1"
sha256: "5398f14efa795ffb7a33e9b6a08798b26a180edac4ad7db3f231e40f82ce11e1"
url: "https://pub.dev"
source: hosted
version: "6.0.0"
version: "5.0.0"
flutter_localizations:
dependency: "direct main"
description: flutter
@ -351,10 +343,10 @@ packages:
dependency: "direct main"
description:
name: flutter_riverpod
sha256: "9e2d6907f12cc7d23a846847615941bddee8709bf2bfd274acdf5e80bcf22fde"
sha256: "9532ee6db4a943a1ed8383072a2e3eeda041db5657cdf6d2acecf3c21ecbe7e1"
url: "https://pub.dev"
source: hosted
version: "3.0.3"
version: "2.6.1"
flutter_secure_storage:
dependency: "direct main"
description:
@ -457,10 +449,10 @@ packages:
dependency: "direct main"
description:
name: go_router
sha256: c92d18e1fe994cb06d48aa786c46b142a5633067e8297cff6b5a3ac742620104
sha256: f02fd7d2a4dc512fec615529824fdd217fecb3a3d3de68360293a551f21634b3
url: "https://pub.dev"
source: hosted
version: "17.0.0"
version: "14.8.1"
google_navigation_flutter:
dependency: "direct main"
description:
@ -481,10 +473,10 @@ packages:
dependency: "direct main"
description:
name: http
sha256: "87721a4a50b19c7f1d49001e51409bddc46303966ce89a65af4f4e6004896412"
sha256: bb2ce4590bc2667c96f318d68cac1b5a7987ec819351d32b1c987239a815e007
url: "https://pub.dev"
source: hosted
version: "1.6.0"
version: "1.5.0"
http_interceptor:
dependency: "direct main"
description:
@ -521,10 +513,10 @@ packages:
dependency: "direct main"
description:
name: image_picker
sha256: "784210112be18ea55f69d7076e2c656a4e24949fa9e76429fe53af0c0f4fa320"
sha256: "736eb56a911cf24d1859315ad09ddec0b66104bc41a7f8c5b96b4e2620cf5041"
url: "https://pub.dev"
source: hosted
version: "1.2.1"
version: "1.2.0"
image_picker_android:
dependency: transitive
description:
@ -617,10 +609,10 @@ packages:
dependency: "direct dev"
description:
name: json_serializable
sha256: "33a040668b31b320aafa4822b7b1e177e163fc3c1e835c6750319d4ab23aa6fe"
sha256: c50ef5fc083d5b5e12eef489503ba3bf5ccc899e487d691584699b4bdefeea8c
url: "https://pub.dev"
source: hosted
version: "6.11.1"
version: "6.9.5"
jwt_decoder:
dependency: "direct main"
description:
@ -657,10 +649,10 @@ packages:
dependency: transitive
description:
name: lints
sha256: a5e2b223cb7c9c8efdc663ef484fdd95bb243bff242ef5b13e26883547fce9a0
sha256: c35bb79562d980e9a453fc715854e1ed39e24e7d0297a880ef54e17f9874a9d7
url: "https://pub.dev"
source: hosted
version: "6.0.0"
version: "5.1.1"
logging:
dependency: transitive
description:
@ -709,22 +701,6 @@ packages:
url: "https://pub.dev"
source: hosted
version: "2.0.0"
mockito:
dependency: transitive
description:
name: mockito
sha256: "4feb43bc4eb6c03e832f5fcd637d1abb44b98f9cfa245c58e27382f58859f8f6"
url: "https://pub.dev"
source: hosted
version: "5.5.1"
node_preamble:
dependency: transitive
description:
name: node_preamble
sha256: "6e7eac89047ab8a8d26cf16127b5ed26de65209847630400f9aefd7cd5c730db"
url: "https://pub.dev"
source: hosted
version: "2.0.2"
package_config:
dependency: transitive
description:
@ -793,18 +769,18 @@ packages:
dependency: "direct main"
description:
name: permission_handler
sha256: bc917da36261b00137bbc8896bf1482169cd76f866282368948f032c8c1caae1
sha256: "59adad729136f01ea9e35a48f5d1395e25cba6cea552249ddbe9cf950f5d7849"
url: "https://pub.dev"
source: hosted
version: "12.0.1"
version: "11.4.0"
permission_handler_android:
dependency: transitive
description:
name: permission_handler_android
sha256: "1e3bc410ca1bf84662104b100eb126e066cb55791b7451307f9708d4007350e6"
sha256: d3971dcdd76182a0c198c096b5db2f0884b0d4196723d21a866fc4cdea057ebc
url: "https://pub.dev"
source: hosted
version: "13.0.1"
version: "12.1.0"
permission_handler_apple:
dependency: transitive
description:
@ -889,34 +865,34 @@ packages:
dependency: transitive
description:
name: riverpod
sha256: c406de02bff19d920b832bddfb8283548bfa05ce41c59afba57ce643e116aa59
sha256: "59062512288d3056b2321804332a13ffdd1bf16df70dcc8e506e411280a72959"
url: "https://pub.dev"
source: hosted
version: "3.0.3"
version: "2.6.1"
riverpod_analyzer_utils:
dependency: transitive
description:
name: riverpod_analyzer_utils
sha256: a0f68adb078b790faa3c655110a017f9a7b7b079a57bbd40f540e80dce5fcd29
sha256: "03a17170088c63aab6c54c44456f5ab78876a1ddb6032ffde1662ddab4959611"
url: "https://pub.dev"
source: hosted
version: "1.0.0-dev.7"
version: "0.5.10"
riverpod_annotation:
dependency: "direct main"
description:
name: riverpod_annotation
sha256: "7230014155777fc31ba3351bc2cb5a3b5717b11bfafe52b1553cb47d385f8897"
sha256: e14b0bf45b71326654e2705d462f21b958f987087be850afd60578fcd502d1b8
url: "https://pub.dev"
source: hosted
version: "3.0.3"
version: "2.6.1"
riverpod_generator:
dependency: "direct dev"
description:
name: riverpod_generator
sha256: "49894543a42cf7a9954fc4e7366b6d3cb2e6ec0fa07775f660afcdd92d097702"
sha256: "44a0992d54473eb199ede00e2260bd3c262a86560e3c6f6374503d86d0580e36"
url: "https://pub.dev"
source: hosted
version: "3.0.3"
version: "2.6.5"
shared_preferences:
dependency: "direct main"
description:
@ -981,22 +957,6 @@ packages:
url: "https://pub.dev"
source: hosted
version: "1.4.2"
shelf_packages_handler:
dependency: transitive
description:
name: shelf_packages_handler
sha256: "89f967eca29607c933ba9571d838be31d67f53f6e4ee15147d5dc2934fee1b1e"
url: "https://pub.dev"
source: hosted
version: "3.0.2"
shelf_static:
dependency: transitive
description:
name: shelf_static
sha256: c87c3875f91262785dade62d135760c2c69cb217ac759485334c5857ad89f6e3
url: "https://pub.dev"
source: hosted
version: "1.1.3"
shelf_web_socket:
dependency: transitive
description:
@ -1014,34 +974,18 @@ packages:
dependency: transitive
description:
name: source_gen
sha256: "9098ab86015c4f1d8af6486b547b11100e73b193e1899015033cb3e14ad20243"
sha256: "35c8150ece9e8c8d263337a265153c3329667640850b9304861faea59fc98f6b"
url: "https://pub.dev"
source: hosted
version: "4.0.2"
version: "2.0.0"
source_helper:
dependency: transitive
description:
name: source_helper
sha256: "6a3c6cc82073a8797f8c4dc4572146114a39652851c157db37e964d9c7038723"
sha256: a447acb083d3a5ef17f983dd36201aeea33fedadb3228fa831f2f0c92f0f3aca
url: "https://pub.dev"
source: hosted
version: "1.3.8"
source_map_stack_trace:
dependency: transitive
description:
name: source_map_stack_trace
sha256: c0713a43e323c3302c2abe2a1cc89aa057a387101ebd280371d6a6c9fa68516b
url: "https://pub.dev"
source: hosted
version: "2.1.2"
source_maps:
dependency: transitive
description:
name: source_maps
sha256: "190222579a448b03896e0ca6eca5998fa810fda630c1d65e2f78b3f638f54812"
url: "https://pub.dev"
source: hosted
version: "0.10.13"
version: "1.3.7"
source_span:
dependency: transitive
description:
@ -1050,6 +994,14 @@ packages:
url: "https://pub.dev"
source: hosted
version: "1.10.1"
sprintf:
dependency: transitive
description:
name: sprintf
sha256: "1fc9ffe69d4df602376b52949af107d8f5703b77cda567c4d7d86a0693120f23"
url: "https://pub.dev"
source: hosted
version: "7.0.0"
stack_trace:
dependency: transitive
description:
@ -1098,14 +1050,6 @@ packages:
url: "https://pub.dev"
source: hosted
version: "1.2.2"
test:
dependency: transitive
description:
name: test
sha256: "75906bf273541b676716d1ca7627a17e4c4070a3a16272b7a3dc7da3b9f3f6b7"
url: "https://pub.dev"
source: hosted
version: "1.26.3"
test_api:
dependency: transitive
description:
@ -1114,14 +1058,14 @@ packages:
url: "https://pub.dev"
source: hosted
version: "0.7.7"
test_core:
timing:
dependency: transitive
description:
name: test_core
sha256: "0cc24b5ff94b38d2ae73e1eb43cc302b77964fbf67abad1e296025b78deb53d0"
name: timing
sha256: "62ee18aca144e4a9f29d212f5a4c6a053be252b895ab14b5821996cff4ed90fe"
url: "https://pub.dev"
source: hosted
version: "0.6.12"
version: "1.0.2"
typed_data:
dependency: transitive
description:
@ -1198,10 +1142,10 @@ packages:
dependency: transitive
description:
name: uuid
sha256: a11b666489b1954e01d992f3d601b1804a33937b5a8fe677bd26b8a9f96f96e8
sha256: a5be9ef6618a7ac1e964353ef476418026db906c4facdedaa299b7a2e71690ff
url: "https://pub.dev"
source: hosted
version: "4.5.2"
version: "4.5.1"
vector_math:
dependency: transitive
description:
@ -1250,14 +1194,6 @@ packages:
url: "https://pub.dev"
source: hosted
version: "3.0.3"
webkit_inspection_protocol:
dependency: transitive
description:
name: webkit_inspection_protocol
sha256: "87d3f2333bb240704cd3f1c6b5b7acd8a10e7f0bc28c28dcf14e782014f4a572"
url: "https://pub.dev"
source: hosted
version: "1.2.1"
win32:
dependency: transitive
description:

View File

@ -13,17 +13,17 @@ dependencies:
cupertino_icons: ^1.0.8
flutter_riverpod: ^3.0.3
riverpod_annotation: ^3.0.3
flutter_riverpod: ^2.5.0
riverpod_annotation: ^2.3.5
animate_do: ^4.2.0
animate_do: ^3.1.2
lottie: ^3.0.0
iconsax: ^0.0.8
flutter_animate: ^4.3.0
getwidget: ^7.0.0
flutter_appauth: ^11.0.0
flutter_secure_storage: ^9.2.4
flutter_appauth: ^7.0.0
flutter_secure_storage: ^9.0.0
jwt_decoder: ^2.0.1
http: ^1.2.2
@ -35,9 +35,9 @@ dependencies:
image_picker: ^1.0.7
url_launcher: ^6.3.1
permission_handler: ^12.0.1
permission_handler: ^11.3.0
go_router: ^17.0.0
go_router: ^14.0.0
shared_preferences: ^2.5.3
http_interceptor: ^2.0.0
google_navigation_flutter: ^0.6.5
@ -46,11 +46,11 @@ dev_dependencies:
flutter_test:
sdk: flutter
flutter_lints: ^6.0.0
flutter_lints: ^5.0.0
build_runner: ^2.4.14
json_serializable: ^6.9.2
riverpod_generator: ^3.0.3
riverpod_generator: ^2.4.0
# For information on the generic Dart part of this file, see the
# following page: https://dart.dev/tools/pub/pubspec