下面的控制台项目代码示例类似于我的代码;irl 有更复杂的问题,但我遇到的问题得到了充分的证明。我不明白为什么 Demo 方法中的 linq select 返回一个 null 当一侧似乎 where<> 子句似乎与 foreach 循环中使用的表达式匹配以填充 where<> 子句的另一侧时。
我已经尝试了相同代码的不同排列,但无论我做什么,我都在使用空thisOrder
;我似乎无法克服这一点,无法处理任何事情。
我错过了什么;为什么我的 where 子句不返回订单字典的内部字典中的订单?
using System;
using System.Collections.Generic;
using System.Linq;
namespace ShowTest
{
public class Depot
{
public string Name { get; set; }
public Dictionary<Order, Dictionary<int, OrderLine>> Orders { get; set; } = new Dictionary<Order, Dictionary<int, OrderLine>>(new OrderEqualityComparer());
}
public class Order
{
public string Reference { get; set; }
public DateTime DepotDate { get; set; }
}
#region comparer
public class OrderEqualityComparer : IEqualityComparer<Order>
{
public bool Equals(Order x, Order y)
{
return (x.Reference == y.Reference);
}
public int GetHashCode(Order obj)
{
return (obj.Reference.GetHashCode());
}
}
#endregion
public class OrderLine
{
public int Qty { get; set; }
public string ExternalRef { get; set; }
}
public class Demo
{
public static void Main()
{
#region Setting up values
Order order = new Order { DepotDate = DateTime.Parse("15/01/2010"), Reference = "myOrderRef" };
OrderLine orderLine1 = new OrderLine { ExternalRef = "Foo", Qty = 4 };
OrderLine orderLine2 = new OrderLine { ExternalRef = "Bar", Qty = 8 };
var orderLines = new Dictionary<int, OrderLine>();
orderLines.Add(1, orderLine1);
orderLines.Add(2, orderLine2);
var orders = new Dictionary<Order, Dictionary<int, OrderLine>>();
orders.Add(order, orderLines);
Depot myDepot = new Depot { Name = "Funhouse", Orders = orders };
#endregion
foreach (string oRef in myDepot.Orders.Select(l => l.Key.Reference))
{
//for each order reference, there is an order containing many order lines. So, first we get the relevant order
var thisOrder = (from l in myDepot.Orders
where l.Key.Reference == oRef
select l.Value.Values) as Dictionary<int, OrderLine>;
if (thisOrder == null) { Console.WriteLine("Why is thisOrder null when the search criterion was retrieved from the order itself?"); }
else { Console.WriteLine("Hooray, the damnable thing has contents!"); }
}
}
}
}
因为您将thisOrder
解释为错误的类型:
as Dictionary<int, OrderLine>
由于表达式的结果不是Dictionary<int, OrderLine>
,尝试将其转换为 1 的结果是null
。 结果是一个集合,甚至不是Dictionary<int, OrderLine>
对象的集合,而是Dictionary<int, OrderLine>.ValueCollection
对象的集合。 (包含一个元素的集合,但仍然是一个集合。
您可以从该集合中进行选择。 例如,如果你想要的是一个Dictionary<int, OrderLine>
:
var thisOrder = (from l in myDepot.Orders
where l.Key.Reference == oRef
select l.Value).FirstOrDefault();
总的来说,重点是你的查询工作得很好,但你告诉系统使用错误的类型。