AutoMapper Ignore on child collection property

冷暖自知 提交于 2019-12-22 09:55:18

问题


I am trying to map object's of the same type which have a collection of child objects and am finding that Ignore() applied to properties on the child object seem to be umm... ignored!

Here's a unit test which demonstrates the problem.

class A
{
    public int Id { get; set; }
    public string Name { get; set; }
    public ICollection<B> Children { get; set; }
}

class B
{
    public int Id { get; set; }
    public string Name { get; set; }
}

[TestClass]
public class UnitTest1
{
    [TestInitialize()]
    public void Initialize()
    {
        Mapper.CreateMap<A, A>()
            .ForMember(dest => dest.Id, opt => opt.Ignore());

        Mapper.CreateMap<B, B>()
            .ForMember(dest => dest.Id, opt => opt.Ignore());
    }

    [TestMethod]
    public void TestMethod1()
    {
        A src = new A { Id = 0, Name = "Source", Children = new List<B> { new B { Id = 0, Name = "Child Src" } } };
        A dest = new A { Id = 1, Name = "Dest", Children = new List<B> { new B { Id = 11, Name = "Child Dest" } } };

        Mapper.Map(src, dest);

    }

After the Map call the A object's Id property is still 1, as expected, but child B object's Id property is changed from 11 to 0.

Why?


回答1:


There are several bugs in AutoMapper 4.1.1.

First is about UseDestinationValue: https://github.com/AutoMapper/AutoMapper/issues/568

Second is about nested collections: https://github.com/AutoMapper/AutoMapper/issues/934

Horrifying! The workaround is to map your B instances directly:

Mapper.CreateMap<A, A>()
    .ForMember(dest => dest.Id, opt => opt.Ignore())
    .ForMember(dest => dest.Children, opt => opt.Ignore());

Mapper.CreateMap<B, B>()
    .ForMember(dest => dest.Id, opt => opt.Condition((ResolutionContext src) => false));

and add additional mapping calls:

Mapper.Map(src, dest);
Mapper.Map(src.Children.First(), dest.Children.First()); //example!!!

You may call Mapper.Map in cycle:

for (int i = 0; i < src.Children.Count; i++)
{
    var srcChild = src.Children[i];
    var destChild = dest.Children[i];

    Mapper.Map(srcChild, destChild);
}

This will make things work right.



来源:https://stackoverflow.com/questions/34891647/automapper-ignore-on-child-collection-property

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!