我在不同的位置有两个班级。
namespace IVR.MyEndpointApi.POCO
{
[Table("MyServiceUrl")]
public class MyURL
{
[Key]
[Column("FacilityID")]
public int FacilityId { get; set; }
[Column("Url")]
public string Url { get; set; }
}
}
namespace OpsTools.Models
{
public class MyServiceEndpoint
{
public int FacilityId { get; set; }
public string Url { get; set; }
}
}
在另一种方法中,我得到列表并希望转换然后将其作为所需类型返回。我手动执行以下操作:
public List<MyServiceEndpoint> GetAllUrls()
{
var management = GetMyEndpointManagement();
var list = management.GetAllUrls();
var urlList = new List<MyServiceEndpoint>();
foreach (var item in list)
{
// the type of item is MyURL
var MyUrl = new MyServiceEndpoint();
myUrl.FacilityId = item.FacilityId;
myUrl.Url = item.Url;
urlList.Add(myUrl);
}
return urlList;
}
我的问题:我可以将AutoMapper应用于它吗?
修改
我使用了代码:
var myUrls = management.GetAllUrls();
var urlList = new List<MyServiceEndpoint>();
Mapper.CreateMap<MyServiceEndpoint, MyURL>();
urlList = Mapper.Map<List<MyServiceEndpoint>, List<MyURL>>(myUrls);
Mapper.AssertConfigurationIsValid();
但是,它有错误:
Error CS1503 Argument 1: cannot convert from 'System.Collections.Generic.List' to ....
答案 0 :(得分:1)
这
urlList = Mapper.Map<List<MyServiceEndpoint>, List<MyURL>>(myUrls);
要
urlList = Mapper.Map<List< List<MyURL>,MyServiceEndpoint>>(myUrls);
答案 1 :(得分:0)
如果您检查实际的异常(关闭相关部分),您将看到Mapper.Map<TSource, TDestination>()
尝试映射错误的类型。
完整错误将显示为:
无法从
System.Collections.Generic.List<MyURL>
转换为System.Collections.Generic.List<MyServiceEndpoint>
这意味着该调用实际上会尝试从 List<MyServiceEndpoint>
映射,需要该类型的参数,您的源列表不是。
只需切换Map()
来电中的类型:
urlList = Mapper.Map<List<MyURL>, List<MyServiceEndpoint>>(myUrls);
或者完全删除新列表创建,移动声明并使用类型推断:
var urlList = Mapper.Map<List<MyServiceEndpoint>>(myUrls);