如何在AutoFac中使用Property注入?

在控制台应用程序中,我使用Log4Net,并在Main方法中获取记录器对象。 现在,我想通过让所有类从具有ILog属性的BaseClass继承,并且应该通过Property注入而不是Constructor Injection来设置此类日志对象,从而使这个日志对象在所有类中可用。

我正在使用AutoFac IoC容器,如何将我的日志对象注入到我的每个类的Log属性中?

什么是最好/最简单的方法来实现这一目标?

有没有办法自动解决类型?

以下是我的测试应用程序:

namespace ConsoleApplication1
{
    class Program
    {
        static ILog Log;
        static IContainer Container;

        static void Main(string[] args)
        {                
           InitializeLogger();

           InitializeAutoFac();

            // the below works but could it be done automatically (without specifying the name of each class)?
           Product.Log = Container.Resolve<ILog>();

           // tried below but didn't inject ILog object into the Product
           Container.Resolve<Product>();

           RunTest();

            Console.ReadLine();
        }

        private static void RunTest()
        {
            var product = new Product();
            product.Do();
        }

        private static void InitializeAutoFac()
        {
            var builder = new ContainerBuilder();

            builder.Register(c => Log).As<ILog>();

            builder.RegisterType<Product>().PropertiesAutowired();

            Container = builder.Build();            
        }

        private static void InitializeLogger()
        {
            log4net.Config.XmlConfigurator.Configure();

            Log = LogManager.GetLogger("LoggerName");
        }
    }

    public class Product
    {
        public static ILog Log { get; set; }

        public void Do()
        {
            // this throws exception because Log is not set   
            Log.Debug("some Debug");  
        }
    }
}

在我看来,Ninject创建的解决方案比Autofac中的属性注入要好得多。 因此我创建了一个自定义属性,它是一个自动注入我的类的postsharp方面:

[AutofacResolve]
public IStorageManager StorageManager { get; set; }

我的方面:

[Serializable]
[AttributeUsage(AttributeTargets.Property, AllowMultiple = false)]
public class AutofacResolveAttribute : LocationInterceptionAspect
{
    public override void OnGetValue(LocationInterceptionArgs args)
    {
        args.ProceedGetValue();

        if (!args.Location.LocationType.IsInterface) return;

        if ( args.Value != null )
        {
           args.Value = DependencyResolver.Current.GetService(args.Location.LocationType);
           args.ProceedSetValue();
        }
    }
}

我知道这个问题的答案已经给出了,但我认为这是解决Autofac中自动属性注入的一个非常简单的方法。 也许这对未来的某个人有用。


使用属性注入:

builder.Register(c => LogManager.GetLogger("LoggerName"))
       .As<ILog>();

builder.RegisterType<CustomClass>()
       .PropertiesAutowired();

属性注入适用于属性而不适用于字段 。 在你的课堂上,Log是一个字段,而不是一个属性,因此它永远不会被Autofac解决。

链接地址: http://www.djcxy.com/p/65665.html

上一篇: How to use Property Injection with AutoFac?

下一篇: IoC with static and dynamic dependencies