返回实体框架c#中列表的最大列表
本文关键字:列表 实体 框架 返回 | 更新日期: 2023-09-27 18:16:23
我有两个类:
public class Result
{
public string plate { get; set; }
public double confidence { get; set; }
public int matches_template { get; set; }
public int plate_index { get; set; }
public string region { get; set; }
public int region_confidence { get; set; }
public long processing_time_ms { get; set; }
public int requested_topn { get; set; }
public List<Coordinate> coordinates { get; set; }
public List<Candidate> candidates { get; set; }
}
public class Candidate
{
public string plate { get; set; }
public double confidence { get; set; }
public int matches_template { get; set; }
}
我有这样的查询:
List<List<Candidate>> lstCandidates =
deserializedProduct.results.Select(i=>i.candidates).ToList();
你可以看到我有一个list<Candidate>
的列表。每个候选人都有plate
和confidence
。我需要车牌号,对我的lstCandidates
有最大的信心。怎样才能得到这个值呢?
您可以先使用SelectMany
,然后使用OrderBy
,然后使用First
方法。
var candidate = deserializedProduct
.results
.SelectMany(i=>i.candidates) // Flatten the collection
.OrderByDescending(p => p.confidence) // Order by descending on confidence property
.First(); // Take the max
使用SelectMany
平整化内部列表,然后按confidence
的值排序并检索第一个值。
var result = deserializedProduct.results.SelectMany(item => item.candidates) //Flatten
.OrderByDescending(item => item.confidence) //Order
.FirstOrDefault()?.plate; // Safely take property of first
?.
是c# 6.0的Null传播特性
其实很简单
deserializedProduct.results
.SelectMany(k => k.candidates)
.OrderByDescending(k => k.confidence)
.Select(k=>k.plate)
.FirstOrDefault();