import 'dart:async'; import 'package:platform_container/container.dart'; import 'package:platform_container_generator/generator.dart'; Future main() async { // Create a container instance. Container container = Container(GeneratedReflector()); // Register a singleton. container.registerSingleton(Engine(40)); // You can also omit the type annotation, in which the object's runtime type will be used. // If you're injecting an abstract class, prefer the type annotation. // // container.registerSingleton(Engine(40)); // Register a factory that creates a truck. container.registerFactory((container) { return _TruckImpl(container.make()); }); // Use `make` to create an instance. var truck = container.make(); // You can also resolve injections asynchronously. container.registerFactory>((_) async => 24); print(await container.makeAsync()); // Asynchronous resolution also works for plain objects. await container.makeAsync().then((t) => t.drive()); // Register a named singleton. container.registerNamedSingleton('the_truck', truck); // Should print: 'Vroom! I have 40 horsepower in my engine.' truck.drive(); // Should print the same. container.findByName('the_truck').drive(); // We can make a child container with its own factory. var childContainer = container.createChild(); childContainer.registerFactory((container) { return _TruckImpl(Engine(5666)); }); // Make a truck with 5666 HP. childContainer.make().drive(); // However, calling `make` will return the Engine singleton we created above. print(childContainer.make().horsePower); } abstract class Truck { void drive(); } class Engine { final int horsePower; Engine(this.horsePower); } class _TruckImpl implements Truck { final Engine engine; _TruckImpl(this.engine); @override void drive() { print('Vroom! I have ${engine.horsePower} horsepower in my engine.'); } }