26

キー値のチェックに基づいて、キー値ペアのリストから値を選択するにはどうすればよいですか

List<KeyValuePair<int, List<Properties>> myList = new List<KeyValuePair<int, List<Properties>>();

ここで私は取得したい

list myList[2].Value when myLisy[2].Key=5.

どうすればこれを達成できますか?

4

4 に答える 4

23

とにかくリストを使用する必要がある場合は、このクエリにLINQを使用します。

var matches = from val in myList where val.Key == 5 select val.Value;
foreach (var match in matches)
{
    foreach (Property prop in match)
    {
        // do stuff
    }
}

nullの一致を確認することができます。

于 2012-07-09T07:55:49.140 に答える
13

リストに行き詰まっている場合は、使用できます

myList.First(kvp => kvp.Key == 5).Value

または、辞書を使用したい場合(他の回答に記載されているリストよりもニーズに適している可能性があります)、リストを簡単に辞書に変換します。

var dictionary = myList.ToDictionary(kvp => kvp.Key);
var value = dictionary[5].Value;
于 2012-07-09T07:24:47.687 に答える
3

を使用しDictionary<int, List<Properties>>ます。それからあなたはすることができます

List<Properties> list = dict[5];

次のように:

Dictionary<int, List<Properties>> dict = new Dictionary<int, List<Properties>>();
dict[0] = ...;
dict[1] = ...;
dict[5] = ...;

List<Properties> item5 = dict[5]; // This works if dict contains a key 5.
List<Properties> item6 = null;

// You might want to check whether the key is actually in the dictionary. Otherwise
// you might get an exception
if (dict.ContainsKey(6))
    item6 = dict[6];
于 2012-07-09T07:20:55.273 に答える