21

Using MVVM's SimpleIoc, I would like to register an implementation for a given interface, but the implementation requires one parameter in its constructor:

public class MyServiceImplementation : IMyService {
    public MyServiceImplementation(string contructorString) { ... }
}

I was hoping that registering the implementation of the interface would work, but SimpleIoc doesn't consider the hint when it tries to resolve the interface.

SimpleIoc.Default.Register<MyServiceImplementation>(() => {
    return new MyServiceImplementation("Hello World");
});

SimpleIoc.Default.Register<IMyService, MyServiceImplementation>();

Would there be a way to do this with SimpleIoc, or should I consider using a more complete Ioc?

Edit: This does the trick, but I still wonder why the form above doesn't work.

SimpleIoc.Default.Register<IMyService>(() => {
    return new MyServiceImplementation("Hello World");
});
AxelEckenberger
  • 16,628
  • 3
  • 48
  • 70
Berthier Lemieux
  • 3,785
  • 1
  • 25
  • 25

1 Answers1

29

The reason why your first approach is not working is that SimpleIOC does not use itself to construct the objects.

Given your declaration

SimpleIoc.Default.Register<MyServiceImplementation>(() => {
    return new MyServiceImplementation("Hello World");
});

SimpleIoc.Default.Register<IMyService, MyServiceImplementation>();

The call to SimpleIoc.Default.GetInstance<MyServiceImplementation>() will execute the factory method, while the call to SimpleIoc.Default.GetInstance<IMyService>() won't.

A possible way to chain the calls could be to specify a factory method for both types, IMyService and MyServiceImplementation, i.e.

SimpleIoc.Default.Register<MyServiceImplementation>(() => {
    return new MyServiceImplementation("Hello World");
});

SimpleIoc.Default.Register<IMyService>(() => {
    return SimpleIoc.Default.GetInstance<MyServiceImplementation>();
});
Andras Csehi
  • 4,305
  • 1
  • 28
  • 36
AxelEckenberger
  • 16,628
  • 3
  • 48
  • 70