2 回答

TA貢獻(xiàn)1943條經(jīng)驗(yàn) 獲得超7個(gè)贊
您可以用扁平化您的字典SelectMany并獲得看起來(lái)像的簡(jiǎn)單列表
"a" - "Red"
"a" - "Yellow"
"b" - "Blue"
"b" = "Red"
// and so on
然后按值分組并從這些組中構(gòu)建一個(gè)新字典。試試這個(gè)代碼:
var commonValues = dict.SelectMany(kv => kv.Value.Select(v => new {key = kv.Key, value = v}))
.GroupBy(x => x.value)
.Where(g => g.Count() > 1)
.ToDictionary(g => g.Key, g => g.Select(x => x.key).ToList());

TA貢獻(xiàn)1853條經(jīng)驗(yàn) 獲得超6個(gè)贊
很多循環(huán)......循環(huán)遍歷字典,然后循環(huán)遍歷列表中的每個(gè)值。
var result = new Dictionary<string, List<string>>();
// Loop through each key/value pair in the dictionary
foreach (var kvp in dict)
{
// kvp.Key is the key ("a", "b", etc)
// kvp.Value is the list of values ("Red", "Yellow", etc)
// Loop through each of the values
foreach (var value in kvp.Value)
{
// See if our results dictionary already has an entry for this
// value. If so, grab the corresponding list of keys. If not,
// create a new list of keys and insert it.
if (!result.TryGetValue(value, out var list))
{
list = new List<string>();
result.Add(value, list);
}
// Add our key to this list of keys
list.Add(kvp.Key);
}
}
如果您想通過(guò)包含多個(gè)項(xiàng)目的條目來(lái)過(guò)濾它,那么您可以執(zhí)行以下操作:
result = result.Where(x => x.Value.Count > 1).ToDictionary(x => x.Key, x => x.Value);
或者,您可以避免循環(huán)并改用 Linq:
// Flatten the dictionary into a set of tuples
// e.g. (a, Red), (a, Yellow), (b, Blue), (b, Red), etc
var result = dict.SelectMany(kvp => kvp.Value.Select(color => (key: kvp.Key, color)))
// Group by the value, taking the color as the elements of the group
// e.g. (Red, (a, b)), (Yellow, (a)), etc
.GroupBy(item => item.color, item => item.key)
// Filter to the ones with more than one item
.Where(group => group.Count() > 1)
// Turn it into a dictionary, taking the key of the grouping
// (Red, Green, etc), as the dictionary key
.ToDictionary(group => group.Key, group => group.ToList());
您還可以使用 linq 查詢語(yǔ)法,該語(yǔ)法稍長(zhǎng),但避免了SelectMany:
var result =
(
from kvp in dict
from color in kvp.Value
group kvp.Key by color into grp
where grp.Count() > 1
select grp
).ToDictionary(grp => grp.Key, grp => grp.ToList());
- 2 回答
- 0 關(guān)注
- 116 瀏覽
添加回答
舉報(bào)