platform/angel_container/example/main.dart

67 lines
1.7 KiB
Dart
Raw Normal View History

2018-08-20 04:40:30 +00:00
import 'package:angel_container/angel_container.dart';
import 'package:angel_container/mirrors.dart';
void main() {
// Create a container instance.
2018-10-22 15:19:30 +00:00
var container = new Container(const MirrorsReflector());
2018-08-20 04:40:30 +00:00
// Register a singleton.
container.registerSingleton<Engine>(Engine(40));
2018-10-22 15:19:30 +00:00
// 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));
2018-08-20 04:40:30 +00:00
// Register a factory that creates a truck.
container.registerFactory<Truck>((container) {
return _TruckImpl(container.make<Engine>());
});
// Use `make` to create an instance.
var truck = container.make<Truck>();
2018-10-22 15:35:35 +00:00
// Register a named singleton.
container.registerNamedSingleton('the_truck', truck);
2018-08-20 04:40:30 +00:00
// Should print: 'Vroom! I have 40 horsepower in my engine.'
truck.drive();
2018-10-22 15:35:35 +00:00
// Should print the same.
container.findByName<Truck>('the_truck').drive();
2018-08-20 04:40:30 +00:00
// We can make a child container with its own factory.
var childContainer = container.createChild();
childContainer.registerFactory<Truck>((container) {
return _TruckImpl(Engine(5666));
});
// Make a truck with 5666 HP.
childContainer.make<Truck>().drive();
// However, calling `make<Engine>` will return the Engine singleton we created above.
print(childContainer.make<Engine>().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.');
}
}