3

给定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);

等等

4

1 回答 1

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;
        }
    }
}
于 2012-08-09T21:33:48.360 回答