假设我有以下实体和dtos
public class Country
{
public List<NameLocalized> NamesLocalized;
public CountryData Data;
}
public class NameLocalized
{
public string Locale;
public string Value;
}
public class CountryData
{
public int Population;
}
public class CountryDto
{
public String Name;
public CountryDataDto Data;
}
public class CountryDataDto
{
public int Population;
}
我需要将Country转换为CountryDto(理想情况下,我想对数据库进行单个查询)。我在Stackoverflow的其他问题中收到的建议很少,现在可以完成任务,但只能部分完成。我坚持如何转换导航属性(在这种情况下为CountryData
)。我被建议使用LINQKit,但不知道如何实现它。这是我的代码,它仅填充Name
属性,但不填充Data
导航属性。
public static async Task<List<CountryDto>> ToDtosAsync(this IQueryable<Country> source, string locale)
{
if(source == null)
{
return null;
}
var result = await source
.Select(src => new CountryDto
{
Name = src.NamesLocalized.FirstOrDefault(n => n.Locale == locale).Name
})
.ToListAsync();
return result;
}
答案 0 :(得分:0)
This回答给了我解决方案的提示。您需要使用LINQKit并构建Expression来转换导航属性。
public static Expression<Func<CountryData, CountryDataDto>> ConverterExpression = cd => new CountryDataDto
{
Population = cd.Population
};
public static async Task<List<CountryDto>> ToDtosAsync(this IQueryable<Country> source, string locale)
{
if(source == null)
{
return null;
}
var result = await source
.AsExpandable
.Select(src => new CountryDto
{
Name = src.NamesLocalized.FirstOrDefault(n => n.Locale == locale).Name
Data = ConverterExpression.Invoke(src.Data)
})
.ToListAsync();
return result;
}