automapper, mapping to an interface

冷暖自知 提交于 2019-12-07 03:32:18

问题


I am using automapper (for .net 3.5). Here is an example to illustrate what I am trying to do:

I want to map an A object to a B object. Class definitions:

class A
{
    public I1 MyI { get; set; }

}
class B
{        
    public I2 MyI { get; set; }
}

interface I1
{
    string StringProp1 { get; }
}
interface I2
{
    string StringProp1 { get; }
}

class CA : I1
{
    public string StringProp1
    {
        get { return "CA String"; }
    }
    public string StringProp2 { get; set; }
}
class CB : I2
{
    public string StringProp1
    {
        get { return "CB String"; }
    }
    public string StringProp2 { get; set; }
}

The mapping code:

        A a = new A()
        {
            MyI = new CA()
        };
        // Mapper.CreateMap ...?
        B b = Mapper.Map<A,B>(a);

I want the resulting object b to be populated with an instance of CB. So automapper needs to know that A maps to B, CA maps to CB, and when creating a B populate it's MyI prop with a CB, how do I specify this mapping?


回答1:


Something like this:

class Program
{
    static void Main(string[] args)
    {
        Mapper.Initialize(x => x.AddProfile<MappingProfile>());

        var a = new A()
        {
            MyI = new CA()
            {
                StringProp2 = "sp2"
            }
        };

        var b = Mapper.Map<A, B>(a);

        Console.WriteLine("a.MyI.StringProp1: " + a.MyI.StringProp1);
        Console.WriteLine("b.MyI.StringProp1: " + b.MyI.StringProp1);

    }
}

>= AutoMapper 2.0.0

public class MappingProfile : Profile
{
    protected override void Configure()
    {
        CreateMap<CA, CB>();
        CreateMap<CA, I2>().As<CB>();                                                                       
        CreateMap<A, B>();
    }
}

AutoMapper 1.1.0.188 (.Net 3.5)

public class MappingProfile : Profile
{
    protected override void Configure()
    {
        CreateMap<CA, CB>();

        CreateMap<CA, I2>()
            .ConstructUsing(Mapper.Map<CA, CB>)
            ;

        CreateMap<A, B>();
    }
}


来源:https://stackoverflow.com/questions/19453212/automapper-mapping-to-an-interface

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