我正在使用Linq to Entities。
拥有一个具有可为空的列“SplOrderID”的实体“Order”。
我查询我的订单列表
List<int> lst = Orders.where(u=> u.SplOrderID != null).Select(u => u.SplOrderID);
我理解这是因为SplOrderID是一个可以为空的列,因此select方法返回nullable int。
我只是期待LINQ有点聪明。
我该如何处理?
答案 0 :(得分:40)
在选择属性时,只需获取可为空的值:
List<int> lst =
Orders.Where(u => u.SplOrderID != null)
.Select(u => u.SplOrderID.Value)
.ToList();
答案 1 :(得分:2)
LINQ
var lst = (from t in Orders
where t.SplOrderID.HasValue
select new Order
{
SplOrderID = t.SplOrderID
}).Select(c => c.SplOrderID.Value).ToList();
或
var lst = (from t in Orders
where t.SplOrderID.HasValue
select t.SplOrderID.Value).ToList();
答案 2 :(得分:1)
我发现你的问题试图解决同样的问题,经过几次尝试后,我得到了这个解决方案,为int
select
List<int> lst = Orders.where(u=> u.SplOrderID != null).Select(u => (int)u.SplOrderID);
答案 3 :(得分:-1)
我通常对其他答案中提到的作业使用一些辅助扩展方法:
public static class IEnumerableExtensions
{
public static IEnumerable<TKey> GetNonNull<TSource, TKey>(this IEnumerable<TSource> source, Func<TSource, TKey?> keySelector)
where TKey : struct
{
return source.Select(keySelector)
.Where(x => x.HasValue)
.Select(x => x.Value);
}
// the two following are not needed for your example, but are handy shortcuts to be able to write :
// myListOfThings.GetNonNull()
// whether myListOfThings is List<SomeClass> or List<int?> etc...
public static IEnumerable<T> GetNonNull<T>(this IEnumerable<T?> source) where T : struct
{
return GetNonNull(source, x => x);
}
public static IEnumerable<T> GetNonNull<T>(this IEnumerable<T> source) where T : class
{
return GetNonNull(source, x => x);
}
}
在您的情况下使用:
// will get all non-null SplOrderId in your Orders list,
// and you can use similar syntax for any property of any object !
List<int> lst = Orders.GetNonNull(u => u.SplOrderID);
值得一提的是GetValueOrDefault(defaultValue)
的潜在用途,也许您希望保留原始的空值,但将它们转换为某个默认/哨兵值。 (作为defaultValue
参数给出):
对于你的例子:
// this will convert all null values to 0 (the default(int) value)
List<int> lst =
Orders.Select(u => u.GetValueOrDefault())
.ToList();
// but you can use your own custom default value
const int DefaultValue = -1;
List<int> lst =
Orders.Select(u => u.GetValueOrDefault(DefaultValue))
.ToList();