EF 彙總函式使用注意事項Max()/Min()等
阿新 • • 發佈:2019-01-06
一、字串型別最大值
1.字串型別的最大值,和資料庫的字典排序最後一個相同,如果存在返回null
//字串最大值,是字典排序最後一個 string max1 = _context.students.Max(q => q.sname); Console.WriteLine(max1); //字串最大值,如果不存在返回null string max2 = _context.students .Where(q => false) .Max(q => q.sname); Console.WriteLine(max2); Console.WriteLine(max2 == null); //True Console.WriteLine(max2 == ""); //False
二、數字型別最大值
1.數字型別最大值,和資料庫欄位排序最後一個相同,如果沒有資料丟擲異常。
//數字型別,獲取最大值為正序排列最後一個值
decimal deci1 = _context.scores.Max(q => q.degree);
Console.WriteLine(deci1);
數字型別,獲取條件的資料不存在丟擲異常
其他資訊: 到值型別“System.Decimal”的強制轉換失敗,因為具體化值為 null。
結果型別的泛型引數或查詢必須使用可以為 null 的型別。
解決方案1:decimal deci2 = _context.scores.Where(q => false).Max(q => q.degree); Console.WriteLine(deci2);
//解決方案1,使用DefaultIfEmpty(),推薦
var query = _context.scores.Where(q => false)
.Select(q => q.degree)
.DefaultIfEmpty();
Console.WriteLine(query.ToString());
decimal deci3 = query
.Max();
Console.WriteLine(deci3);
生成sql如下:
解決方案3://解決方案2,先判斷再取值,執行兩次資料庫查詢 decimal deci4 = 0; if (_context.scores.Any()) { deci4 = _context.scores.Max(q => q.degree); } Console.WriteLine(deci4);
//解決方案3,記憶體取最大值
decimal deci5 = _context.scores
.Select(q => q.degree)
.ToList()
.Max();
Console.WriteLine(deci5);
更多: