1

我正在研究.NET 5 API

我必须使用序列化UnitDto类的 Json 回复 get 调用,并在其中包含所有InstDto类的列表,但我需要一个驻留在UnitInst对象上的属性(多对多表)

我的课程:

public class Unit
{
    public long Id { get; set; }
    public string Name { get; set; }
    public string Description { get; set; }

    public virtual ICollection<UnitInst> UnitInsts { get; set; }
}

public class Inst
{
    public long Id { get; set; }
    public string Name { get; set; }

    public virtual ICollection<UnitInst> UnitInsts { get; set; }
}

public class UnitInst
{
    public long Id { get; set; }
    public long UnitId { get; set; }
    public virtual Unit Unit { get; set; }
    public long InstId { get; set; }
    public virtual Inst Inst { get; set; }
    public string IPv4 { get; set; } // the property that is important
}

我的dto

public class UnitDto
{
    public long Id { get; set; }
    public string Name { get; set; }
    public string Description { get; set; }

    public IEnumerable<InstDTO> Insts { get; set; }
}

public class InstDTO
{
    public long Id { get; set; }
    public string Name { get; set; }
    public string IPv4 { get; set; } // I need serialize this property in my response json
}

我以这种方式映射,没关系,但我无法从 UnitInst 类(多对多表)中检索 IPv4 属性

CreateMap<Unit, UnitDto>()
    .ForMember(dto => dto.Insts, opt => opt.MapFrom(x => x.UnitInsts.Select(y => y.Inst).ToList()))
    .PreserveReferences();

我该如何解决?

4

1 回答 1

2

通常你会创建 2 个地图(Unit->UnitDtoInst-> InstDto)并使用Select你展示的技巧。但这仅适用于连接实体没有附加数据的情况,此处并非如此。

所以需要直接映射join实体集合:

CreateMap<Unit, UnitDto>()
    .ForMember(dst => dst.Insts, opt => opt.MapFrom(src => src.UnitInsts)); // <-- no Select

并创建额外的地图UnitInst-> InstDto

cfg.CreateMap<UnitInst, InstDTO>()
    .IncludeMembers(src => src.Inst) // needs `Inst` -> `InstDTO` map
    .ForMember(dst => dst.Id, opt => opt.MapFrom(src => src.Inst.Id));

这里 AutoMapper IncludeMembers用于映射Inst常规Inst->InstDTO映射指定的成员,并且目标Id属性被显式映射,因为源和“包含”对象都有同名的属性,在这种情况下源具有优先权,但是你想Id成为Inst.IdInstId

最后Inst->InstDTO地图:

CreateMap<Inst, InstDTO>()
    .ForMember(dst => dst.IPv4, opt => opt.Ignore());
于 2020-12-30T14:59:45.390 回答