使用ValueInjecter,有没有办法只注入一次给定的属性

时间:2012-08-08 15:14:39

标签: valueinjecter

给出3个班级,

A和B各有一个ID属性,然后是各种其他属性

和C,它有一个ID,以及A和B的组合属性,

我想

C.InjectFrom(A);
C.InjectFrom(B);

这样A中的ID就会被保留,而不会被B覆盖。

显然在这个简单的例子中,我可以颠倒两个调用的顺序,但在我的真实世界的例子中,它稍微复杂一点,我不能只通过排序解决问题。

基本上我希望第二次注射忽略第一次注射已经处理过的任何事情,这可能会继续进行几次注射。其中一些注射也可能来自相同的物体

C.InjectFrom(A);
C.InjectFrom<SomeInjector>(A);
C.InjectFrom<SomeInjector2>(A);
C.InjectFrom<SomeInjector3>(A);

1 个答案:

答案 0 :(得分:6)

你去:

using System;
using System.Collections.Generic;
using Omu.ValueInjecter;

namespace ConsoleApplication2
{
    class Program
    {
        static void Main(string[] args)
        {

            var a = new { Id = 1, P1 = "p1" };
            var b = new { Id = 2, P2 = "p2" };

            var c = new C();

            var propList = new List<string>();
            c.InjectFrom(new HandlePropOnce(propList), a);
            c.InjectFrom(new HandlePropOnce(propList), b);

            Console.WriteLine("Id = {0} P1 = {1} P2 = {2}", c.Id, c.P1, c.P2);
        }
    }

    public class C
    {
        public int Id { get; set; }

        public string P1 { get; set; }

        public string P2 { get; set; }
    }

    public class HandlePropOnce : ConventionInjection
    {
        private readonly IList<string> handledProps;

        public HandlePropOnce(IList<string> handledProps)
        {
            this.handledProps = handledProps;
        }

        protected override bool Match(ConventionInfo c)
        {
            if (handledProps.Contains(c.SourceProp.Name)) return false;

            var isMatch = c.SourceProp.Name == c.TargetProp.Name && c.SourceProp.Type == c.TargetProp.Type;

            if (isMatch) handledProps.Add(c.SourceProp.Name);
            return isMatch;
        }
    }
}