使用LINQ将复杂对象映射到字典
本文关键字:映射 字典 对象 复杂 LINQ 使用 | 更新日期: 2023-09-27 18:28:28
考虑以下对象:
Controller controller = new Controller()
{
Name = "Test",
Actions = new Action[]
{
new Action() { Name = "Action1", HttpCache = 300 },
new Action() { Name = "Action2", HttpCache = 200 },
new Action() { Name = "Action3", HttpCache = 400 }
}
};
如何将此对象映射到以下形式的词典?
#key# -> #value#
"Test.Action1" -> 300
"Test.Action2" -> 200
"Test.Action3" -> 400
即Dictionary<string, int>
。
我对LINQ解决方案感兴趣,但我无法解决它。
我试图将每个操作映射到KeyValuePair,但我不知道如何获取每个操作的父控制器的Name属性。
主要是控制器仍在lambda:的范围内
var result = controller.Actions.ToDictionary(
a => string.Format("{0}.{1}", controller.Name, a.Name),
a => a.HttpCache);
Select
方法将Actions列表投影到字典中。由于您在Controller
实例上调用它,因此您也可以访问Controller的Name
:
myController.Actions.ToDictionary(
/* Key selector - use the controller instance + action */
action => myController.Name + "." + action.Name,
/* Value selector - just the action */
action => action.HttpCache);
如果你想从几个控制器中制作一个大字典,你可以使用SelectMany
将每个控制器的项目投影到Controller+Action的列表中,然后将该列表转换为字典:
var namesAndValues =
controllers.SelectMany(controller =>
controller.Actions.Select(action =>
{
Name = controller.Name + "." + action.Name,
HttpCache = action.HttpCache
}));
var dict = namesAndValues.ToDictionary(nav => nav.Name, nav => nav.HttpCache);
你可以试试这个:
var dico = controller.Actions
.ToDictionary(a => $"{controller.Name}.{a.Name}",
a => a.HttpCache);
第一个lambda表达式以键为目标,而第二个表达式以字典项的值为目标。
假设一个集合中有多个控制器,而不仅仅是示例代码中的一个controller
变量,并且希望将它们的所有操作放入一个字典中,那么可以执行以下操作:
var httpCaches = controllers.SelectMany(controller =>
controller.Actions.Select(action =>
new
{
Controller = controller,
Action = action
})
)
.ToDictionary(
item => item.Controller.Name + "." + item.Action.Name,
item => item.Action.HttpCache);
这将适用于这样设置数据的情况:
var controllers = new[] {
new Controller()
{
Name = "Test1",
Actions = new Action[] {
new Action { Name = "Action1", HttpCache = 300 },
new Action { Name = "Action2", HttpCache = 200 },
new Action { Name = "Action3", HttpCache = 400 },
}
},
new Controller()
{
Name = "Test2",
Actions = new Action[] {
new Action { Name = "Action1", HttpCache = 300 },
new Action { Name = "Action2", HttpCache = 200 },
new Action { Name = "Action3", HttpCache = 400 },
}
},
};