Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Prevent Simple Injector to throw an exception when resolving an unregistered service

I was wondering if Simple Injector has an option to stop throwing exceptions whenever GetInstance(Of TService) returns Nothing? It appears to be throwing them now because I have two requests to get an instance, it's not there, and it throws the exception.

Is there a way to prevent the default behavior, a setting somewhere, or something else?

like image 308
Brian Mains Avatar asked Apr 09 '12 16:04

Brian Mains


1 Answers

There absolutely is a simple way of doing this. The SimpleInjector.Container implements System.IServiceProvider, which defines an object GetService(Type) method. This method returns null when a type is not registered. The IServiceProvider however, is implemented explicitly, which means it doesn't show up under normal use, so you have to cast the Container to IServiceProvider, as shown below:

IServiceProvider provider = container;
object instance = provider.GetService(typeof(MyClass));

Or you can define an extension method on top of this:

public static bool TryGetInstance<TService>(
    this Container container, out TService instance)
    where TService : class
{
    IServiceProvider provider = container;
    instance = (TService)provider.GetService(typeof(TService));
    return instance != null;
}

I must admit that this feature is a bit hidden. The only place this method is currently explained is in the reference library.

Do note that in general it is much better to register Null Object Pattern implementations (empty implementations without any behavior) instead of calling an TryGetInstance method. Injecting Null Objects prevents the application from having to worry about null references, which makes your application code easier to understand and easier to test.

like image 71
Steven Avatar answered Oct 14 '22 03:10

Steven