For example we wanted to avoid this:
container.RegisterAutoWiredAs<MyType1,IMyType1>();
container.RegisterAutoWiredAs<MyType2,IMyType2>();
container.RegisterAutoWiredAs<MyType3,IMyType3>();
container.RegisterAutoWiredAs<MyType4,IMyType4>();
...
To achieve this we can use .net reflection to scan our assemblies and look for a special interface that represents classes we want to automatically inject. Then we can utilize the ServiceStack IOC method RegisterAutoWiredType to register the types during runtime.
Here's an example where IInjectable is the interface we use to identify which classes will be injected:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
//This class cannot be injected | |
public class DummyManager | |
{ | |
public void DoSomething(int id) | |
{ | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public interface IInjectable | |
{ | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
private static void RegisterCustomTypes(Container container) | |
{ | |
//Get the Assembly Where the injectable classes are located. | |
var assembly = Assembly.GetAssembly(typeof(IInjectable)); | |
//Get the injectable classes | |
var types =assembly.GetTypes() | |
.Where(m => m.IsClass && m.GetInterface("IInjectable") != null); | |
//loop through the injectable classes | |
foreach (var theType in types) | |
{ | |
//set up the naming convention | |
var className = theType.Name; | |
var interfaceName = string.Concat("I", className); | |
//create the interface based on the naming convention | |
var theInterface = theType.GetInterface(interfaceName); | |
//register the type with the convention | |
container.RegisterAutoWiredType(theType, theInterface); | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
//This class can be injected | |
public interface ITestManager : IInjectable | |
{ | |
void Execute(int id); | |
} | |
public class TestManager : ITestManager | |
{ | |
public void Execute(int id) | |
{ | |
throw new System.NotImplementedException(); | |
} | |
} |