我试图让Unity使用我的控制台应用程序,但是我尝试依赖注入的所有属性仍然设置为null。
这是我的代码:
Program.cs的
namespace .Presentation.Console
{
class Program
{
static void Main(string[] args)
{
var mainThread = new MainThread();
}
}
}
MainThread.cs
namespace xxxx.Presentation.Console
{
public class MainThread
{
public IUnitOfWork UnitOfWork { get; set; }
public IMapper Mapper { get; set; }
public MainThread()
{
Mapper.RegisterMappings();
}
}
}
的App.config
<?xml version="1.0" encoding="utf-8" ?>
<configuration>
<configSections>
<section name="unity" type="Microsoft.Practices.Unity.Configuration.UnityConfigurationSection, Microsoft.Practices.Unity.Configuration"/>
</configSections>
<startup>
<supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.5.1" />
</startup>
<unity xmlns="http://schemas.microsoft.com/practices/2010/unity">
<alias alias="IDataAccess" type="UnityFramework.IDataAccess, UnityFramework" />
<namespace name="UnityFramework" />
<assembly name="UnityFramework" />
<container>
<types>
<type type="IMapper" mapTo="xxxx.Core.Parse.ParseMapper" />
</types>
</container>
</unity>
</configuration>
App.config设置为“始终复制”
在这种情况下,Mapper返回为null(我假设UnitOfWork也是如此)
我还需要做其他事吗?在app.config中添加一些东西?我错过了什么吗?
提前致谢!
BR, INX
答案 0 :(得分:12)
Unity 仅为通过Resolve
或解析子依赖项获取的组件提供依赖关系。必须手动从容器中获取“根”组件。
使用new Program
not 会自动提供依赖项,因为它会绕过Unity容器。
static class ProgramEntry
{
static void Main(string[] args)
{
var unity = CreateUnityContainerAndRegisterComponents();
// Explicitly Resolve the "root" component or components
var program = unity.Resolve<Program>();
program.Run();
}
}
public class Program
{
readonly Ix _x;
// These dependencies will be automatically resolved
// (and in this case supplied to the constructor)
public Program(IMapper mapper, Ix x)
{
// Use dependencies
mapper.RegisterMappings();
// Assign any relevant properties, etc.
_x = x;
}
// Do actual work here
public void Run() {
_x.DoStuff();
}
}
对于大多数任务,我更喜欢基于代码的注册。
我建议不使用属性,但如果 符合上述Resolve
模式, 。 必须手动解析“root”对象。
属性的问题是这些在 Unity上添加依赖 - 对于“反转”来说太多了!
构造函数注入(如图所示)是自动/默认。如果首选属性注入,请参阅Setter / property injection in Unity without attributes。
我可能会解析一个工厂(或Func<UoW>
)创建一个UoW并在适用时将其提供给调用堆栈上下文(即将其传递给方法)。应用程序在单次运行期间可能有许多不同的UoW。在这种情况下,您可能也有兴趣创建范围。
我也可能会在解析后使用工厂创建预配置的IMapper对象,而不是之后使用RegisterMappings。