如何使用Dictionary/List<;文档>;
本文关键字:lt 文档 gt List 何使用 Dictionary | 更新日期: 2023-09-27 18:20:53
我的代码需要一些帮助。
这个代码是我写的。
List<Document> doc = SystemOperationManager.GetSalesByMemberLucene(ConfigurationManager.GetIndexPath(), memberId).ToList();
Dictionary<string, Department> _allDepartments = DepartmentManager.GetAll().ToDictionary(s => s.Id.ToString(), s => s);
Dictionary<string, User> _allUsers = UserManager.GetAll().ToDictionary(s => s.Id.ToString(), s => s);
Dictionary<string, Product> _allProducts = ProductManager.GetAll().Where(x => x.CustomType == 2).ToDictionary(s => s.Id.ToString(), s => s);
List<SystemOperation> so = doc.Select(s => new SystemOperation
{
ObjStylist = s.Get("ObjStylist") != null ? _allUsers[s.Get("ObjStylist")] : null,
ObjDepartment = s.Get("ObjDepartment") != null ? _allDepartments[s.Get("ObjDepartment")] : null,
ObjProduct = s.Get("ObjProduct") != null ? _allProducts[s.Get("ObjProduct")] : null
//TotalPointsCollected = decimal.Parse(s.Get("TotalPointsCollected")),
//PointsAccumulated = decimal.Parse(s.Get("PointsAccumulated"))
}).ToList();
_result = so;
rgList.DataSource = _result;
rgList.DataBind();
当我运行代码时,它说它有这个错误。
mscorlib.dll中发生类型为"System.Collections.Generic.KeyNotFoundException"的异常,但未在用户代码中处理
附加信息:字典中不存在给定的关键字。
有人能帮我修吗?
考虑到您提到的异常,我怀疑在您尝试访问字典之前应该检查对字典的调用,所以不是
_allUsers[s.Get("ObjStylist")]
你可以试试
_allUsers.ContainsKey(s.Get("ObjStylist")) ? _allUsers[s.Get("ObjStylist")] : null
对于CCD_ 1和CCD_。
问题是,您试图查找字典中不存在的键。例如:_allUsers[s.Get("ObjStylist")]
如果s.Get("ObjStylist")
包含不存在的密钥,则会出现此错误。
因此,字典的TryGetValue()
方法非常有用,因为你只查找关键的(而不是使用Contains()
和dict[key]
)
您可以创建一个查找函数,在值存在时返回该值(此通用函数适用于所有字典)
(此示例未经过测试,可能需要进行一些调整)
private T LookupData<T>(Dictionary<string, T> dict, string key)
{
if(key == null)
return null;
T result;
if(dict.TryGetValue(key, out result))
return result;
else
return null;
}
List<Document> doc = SystemOperationManager.GetSalesByMemberLucene(ConfigurationManager.GetIndexPath(), memberId).ToList();
Dictionary<string, Department> _allDepartments = DepartmentManager.GetAll().ToDictionary(s => s.Id.ToString(), s => s);
Dictionary<string, User> _allUsers = UserManager.GetAll().ToDictionary(s => s.Id.ToString(), s => s);
Dictionary<string, Product> _allProducts = ProductManager.GetAll().Where(x => x.CustomType == 2).ToDictionary(s => s.Id.ToString(), s => s);
List<SystemOperation> so = doc.Select(s => new SystemOperation
{
ObjStylist = LookupData<User>(_allUsers, s.Get("ObjStylist")),
ObjDepartment = LookupData<Department>(_allDepartments, s.Get("ObjDepartment")),
ObjProduct = LookupData<Product>(_allProducts, s.Get("ObjProduct"))
//TotalPointsCollected = decimal.Parse(s.Get("TotalPointsCollected")),
//PointsAccumulated = decimal.Parse(s.Get("PointsAccumulated"))
}).ToList();
_result = so;
rgList.DataSource = _result;
rgList.DataBind();