28

我正在使用 Linq 到实体。

有一个实体“订单”,它有一个可以为空的列“SplOrderID”。

我将我的订单列表查询为

List<int> lst = Orders.where(u=> u.SplOrderID != null).Select(u => u.SplOrderID);

我理解这是因为 SplOrderID 是一个可为空的列,因此 select 方法返回可为空的 int。

我只是希望 LINQ 有点聪明。

我该如何处理?

4

4 回答 4

55

在选择属性时,只需获取可为空的值:

List<int> lst =
  Orders.Where(u => u.SplOrderID != null)
  .Select(u => u.SplOrderID.Value)
  .ToList();
于 2013-01-18T07:10:59.190 回答
2

林克

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();
于 2013-01-18T07:39:33.747 回答
2

我发现你的问题试图解决同样的问题,经过几次尝试,我得到了这个解决方案,int为列表中的每个属性强制转换select

List<int> lst = Orders.where(u=> u.SplOrderID != null).Select(u => (int)u.SplOrderID);
于 2018-02-07T14:41:07.657 回答
-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)yet 的潜在用途,也许你想保留原来的空值,但将它们转换为一些默认/哨兵值。(作为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();
于 2018-01-22T15:57:08.380 回答