c#-使用带有目标对象信息的MEF注入对象
作者:互联网
我正在寻找一种注入记录对象的方法,该方法使用MEF将log4net记录器包装到各种对象中.我目前遇到的问题是,日志记录对象需要它所属的对象的类型.我可以通过在包含对象的构造函数中在日志记录对象上设置type属性来解决此问题,但是这留给开发人员设置类型的责任,而我认为没有编译时间限制可以强制执行此操作.
我有一种方法可以指定当记录对象由MEF生成并注入时,其构造函数参数设置为注入目标类的类型吗?
我的记录器实现了一个接口
public interface ILogger
{
Type Type { get; }
}
具体实现的一个例子是
[Export(typeof(Ilogger))]
public class SimpleLogger : ILogger
{
public SimpleLogger(Type typeOfObjectToLogFor)
{
this.Type = typeOfObjectToLogFor
}
public Type Type { get; }
public void Info(string message)
{
//log the messsage including the type information
}
}
并且当前不使用MEF而被消耗为:
public class ExampleObject
{
private readonly ILogger logger = new SimpleLogger(typeof(ExampleObject));
public ExampleObject(){}
public void MethodThatLogs()
{
logger.Info("MethodThatLogs called");
}
}
我想做的是使用构造函数注入注入它:
public class ExampleObject
{
private readonly ILogger logger;
[ImportingConstructor]
public ExampleObject(Ilogger injectedLogger)
{
logger = injectedLogger;
}
public void MethodThatLogs()
{
logger?.Info("MethodThatLogs called");
}
}
我可以通过延迟评估的反射来完成所有这些工作,但是感觉上像样的DI容器应该可以做到这一点,并且希望这意味着MEF将支持它,有人可以帮忙吗?
解决方法:
默认情况下,指定[Export]属性,您会将PartCreationPolicy设置为Shared,这意味着容器将为您的导出(记录器)创建一个单例.
但是我建议您不要导出类,而是导出将接受一个参数并为您创建记录器的工厂方法.
class LoggerFactory
{
[Export("GetLogger")]
public ILogger GetLogger(Type type)
{
return new SimpleLogger(type);
}
}
class ExampleObject
{
private readonly ILogger logger;
[ImportingConstructor]
public ExampleObject([Import(ContractName = "GetLogger", AllowDefault = true)]Func<Type, ILogger> loggerCreator)
{
logger = loggerCreator?.Invoke(this.GetType());
}
}
标签:logging,dependency-injection,mef,c 来源: https://codeday.me/bug/20191119/2032285.html