image_magic_eraser 1.0.2
image_magic_eraser: ^1.0.2 copied to clipboard
Remove objects from images using machine learning (LaMa Model)
Flutter - Image Magic Eraser #
A Flutter package that removes objects from images using machine learning (LaMa Model).
π Features #
- Remove objects from images using polygon selections
- Works entirely offline, ensuring privacy and reliability
- Lightweight and optimized for efficient performance
- Simple and seamless integration with Flutter projects
- Interactive polygon drawing widget for easy object selection
π Demo #
[Demo]
Getting Started #
π Installation #
Add this package to your Flutter project by including it in your pubspec.yaml
:
dependencies:
image_magic_eraser: ^latest_version
Then run:
flutter pub get
π Model Setup #
- Download the LaMa model file (
lama_fp32.onnx
) from this url Carve/LaMa-ONNX and place it in your assets folder.
Note: The LaMa model file is quite large (~200MB) and will significantly increase your app size. If you have experience with model optimization and can provide a smaller ONNX model suitable for mobile image inpainting, we'd love to hear from you! Please reach out to us at info@max.al or dajanvulaj@gmail.com. We're actively looking for optimized alternatives to improve the package's footprint.
- Update your
pubspec.yaml
to include the model:
flutter:
assets:
- assets/models/lama_fp32.onnx
π Usage #
Initialize the Service #
Before using the inpainting functionality, you need to initialize the ONNX runtime with the LaMa model:
import 'package:image_magic_eraser/image_magic_eraser.dart';
// Initialize the service with the model path
await InpaintingService.instance.initializeOrt('assets/models/lama_fp32.onnx');
Initialize from URL (Alternative) #
You can also download and initialize the model directly from a URL:
// Model URL:
String modelUrl = 'https://huggingface.co/Carve/LaMa-ONNX/resolve/main/lama_fp32.onnx';
// SHA-256 checksum for model integrity verification
String modelChecksum = '1faef5301d78db7dda502fe59966957ec4b79dd64e16f03ed96913c7a4eb68d6';
// Initialize from URL with checksum verification
await InpaintingService.instance.initializeOrtFromUrl(
modelUrl,
modelChecksum,
);
Note: Downloaded models are stored permanently in the app's document directory. Once downloaded, the model won't need to be downloaded again.
Track Download Progress #
When initializing from URL, you can monitor the download progress:
// Listen to download progress updates
InpaintingService.instance.downloadProgressStream.listen((progress) {
double percentage = progress.progress * 100;
int downloadedMB = progress.downloaded ~/ (1024 * 1024);
int totalMB = progress.total ~/ (1024 * 1024);
print('Downloaded: $downloadedMB MB / $totalMB MB ($percentage%)');
});
Attention: When model is loaded from assets update these
Xcode
Settings underRunner
/Build Settings
/Deployment
Strip Linked Product
: No
Strip Style
: Non-Global Symbols
Model Loading State Management #
The package provides a way to track the model loading state, which is particularly useful since model loading can take some time depending on the device. You can listen to state changes and update your UI accordingly:
// Get current loading state
ModelLoadingState currentState = InpaintingService.instance.modelLoadingState;
// Listen to state changes
InpaintingService.instance.modelLoadingStateStream.listen((state) {
switch (state) {
case ModelLoadingState.notLoaded:
// Model needs to be loaded
break;
case ModelLoadingState.downloading:
// Model is being downloaded (when using initializeOrtFromUrl)
break;
case ModelLoadingState.loading:
// Show loading indicator
break;
case ModelLoadingState.loaded:
// Model is ready to use
break;
case ModelLoadingState.error:
// Generic error occurred
break;
case ModelLoadingState.downloadError:
// Error downloading the model (network issues)
break;
case ModelLoadingState.checksumError:
// Model integrity verification failed
break;
case ModelLoadingState.loadingError:
// Error loading the model (incompatible format)
break;
}
});
// Example usage in a StatefulWidget
class _MyWidgetState extends State<MyWidget> {
StreamSubscription<ModelLoadingState>? _modelLoadingSubscription;
@override
void initState() {
super.initState();
// Subscribe to model loading state changes
_modelLoadingSubscription =
InpaintingService.instance.modelLoadingStateStream.listen((state) {
setState(() {
// Update UI based on state
String message = '';
switch (state) {
case ModelLoadingState.notLoaded:
message = 'Model not loaded';
break;
case ModelLoadingState.downloading:
message = 'Downloading model...';
break;
case ModelLoadingState.loading:
message = 'Loading model...';
break;
case ModelLoadingState.loaded:
message = 'Model ready to use';
break;
case ModelLoadingState.error:
message = 'An error occurred';
break;
case ModelLoadingState.downloadError:
message = 'Network error. Please check your connection.';
break;
case ModelLoadingState.checksumError:
message = 'Model integrity check failed.';
break;
case ModelLoadingState.loadingError:
message = 'Error loading model. Format may be incompatible.';
break;
}
// Use message to update UI
});
});
}
@override
void dispose() {
_modelLoadingSubscription?.cancel();
super.dispose();
}
@override
Widget build(BuildContext context) {
final modelState = InpaintingService.instance.modelLoadingState;
// Show different UI based on model state
if (modelState == ModelLoadingState.loaded) {
return const Text('Ready to use');
} else if (modelState == ModelLoadingState.downloading ||
modelState == ModelLoadingState.loading) {
return const CircularProgressIndicator();
} else if (modelState == ModelLoadingState.downloadError) {
return const Text('Network error. Check your connection and try again.');
} else if (modelState == ModelLoadingState.checksumError) {
return const Text('Model integrity check failed. Try downloading again.');
} else if (modelState == ModelLoadingState.loadingError) {
return const Text('Error loading model. Format may be incompatible.');
} else {
return const Text('Model not loaded');
}
}
}
Method : Inpainting with Polygons #
Define areas to inpaint using polygons (each polygon is a list of points):
// Load your image as Uint8List
final Uint8List imageBytes = await File('path_to_image.jpg').readAsBytes();
// Define polygons to inpaint (areas to remove)
final List<List<Map<String, double>>> polygons = [
// Rectangle to remove an object
[
{'x': 230.0, 'y': 300.0},
{'x': 430.0, 'y': 300.0},
{'x': 430.0, 'y': 770.0},
{'x': 230.0, 'y': 770.0},
],
// Triangle to remove another object
[
{'x': 700.0, 'y': 100.0},
{'x': 900.0, 'y': 100.0},
{'x': 800.0, 'y': 300.0},
],
];
// Perform inpainting with polygons
final ui.Image result = await InpaintingService.instance.inpaint(
imageBytes,
polygons,
);
// Convert ui.Image to Uint8List if needed
final ByteData? byteData = await result.toByteData(format: ui.ImageByteFormat.png);
final Uint8List outputBytes = byteData!.buffer.asUint8List();
// Use the result in your UI
Image.memory(outputBytes)
Using the ImageMaskSelector #
The package includes an interactive image selector widget that makes it easy for users to select areas to inpaint:
// Create a controller for the image selector widget
final imageSelectorController = ImageSelectorController();
// Set up the widget in your UI
ImageMaskSelector(
controller: imageSelectorController,
child: Image.memory(imageBytes),
),
// When ready to inpaint, get the polygons from the controller
final polygonsData = imageSelectorController.polygons
.map((polygon) => polygon.toInpaintingFormat())
.toList();
// Perform inpainting with the drawn polygons
final result = await InpaintingService.instance.inpaint(
imageBytes,
polygonsData,
);
Visualizing the Inpainting Process (Debug) #
You can visualize the steps of the inpainting process for debugging:
// Generate debug images for the inpainting process
final debugImages = await InpaintingService.instance.generateDebugImages(
imageBytes,
polygonsData,
);
// Display the debug images
// Each key in the map represents a step in the process:
// 'original', 'cropped', 'mask', 'resized_image', 'resized_mask',
// 'inpainted_patch_raw', 'inpainted_patch_resized', 'inpainted_patch', 'final_result'
RawImage(
image: debugImages['mask'],
fit: BoxFit.contain,
)
π± Complete Example #
Check out the Example app in the repository for a full implementation.
π Notes #
- For optimal results, ensure that your polygons completely cover the object you want to remove.
- Processing large images may take time, especially on older devices.
- The quality of inpainting depends on the complexity of the image and the area being inpainted.
- The polygon drawing widget automatically handles coordinate conversion between screen and image space.