3

给定

Dictionary<string, List<string>> myDict = new Dictionary<string, List<string>>()
{
    "Apples", new List<string>() { "Green", "Red" },
    "Grapefruits", new List<string>() { "Sweet", "Tart" },
}

我希望创建从孩子到父母的映射,例如

“绿色”=>“苹果”

在我的特定用例中,子字符串将是全局唯一的(例如,无需担心 Green Grapefruits),因此映射可能是Dictionary<string,string>.

通过myDict常规迭代来完成是相当简单的。

Dictionary<string, string> map = new Dictionary<string,string>();
foreach (KeyValuePair<string, List<string>> kvp in myDict)
{
    foreach (string name in kvp.Value)
    {
        map.Add(name, kvp.Key);
    }
}

这可以用Linq完成吗?

关于扁平化相同的数据结构有一个非常相似的问题

使用 Linq 展平 C# 列表字典

但是,这并不能保持与字典键的关系。

在 SelectMany 上查看了一个不错的可视化教程(相关问题中使用的方法),但看不到任何关联密钥的方法。

4

1 回答 1

5

听起来像你想要的:

var query = myDict.SelectMany(pair => pair.Value,
                              (pair, v) => new { Key = v, Value = pair.Key })
                  .ToDictionary(pair => pair.Key, pair => pair.Value);

请注意,此处的第二个参数在SelectMany这里看起来有点奇怪,因为原始键成为最终字典中的值,反之亦然。

于 2012-09-12T21:00:15.013 回答