将项添加到KeyValuePairs的深层列表中

时间:2012-11-29 20:24:14

标签: c# .net list

我写了一个深刻的清单:

public static List<KeyValuePair<string,List<KeyValuePair<string,List<KeyValuePair<string,bool>>>>>> ListBoxes = new List<KeyValuePair<string,List<KeyValuePair<string,List<KeyValuePair<string,bool>>>>>>();

任何人都知道如何将任何项目添加到此列表中?
例如: ("A",LIST("B",LIST("C",true)))

1 个答案:

答案 0 :(得分:4)

易:

ListBoxes.Add(
    new KeyValuePair<string, List<KeyValuePair<string, List<KeyValuePair<string, bool>>>>>("A",
        new List<KeyValuePair<string, List<KeyValuePair<string, bool>>>>
        {
            new KeyValuePair<string,List<KeyValuePair<string,bool>>>("B", 
                new List<KeyValuePair<string,bool>>() {
                    new KeyValuePair<string,bool>("C", true)
                }
            )
        }
    )
);

看起来你可以使用一些辅助方法或其他东西。

修改

如果您创建一个简单的扩展方法,那么任务可能会更具可读性。

public static List<KeyValuePair<TKey, TValue>> AddKVP<TKey, TValue>(this List<KeyValuePair<TKey, TValue>> self, TKey key, TValue value)
{
    self.Add(
        new KeyValuePair<TKey, TValue>(key, value)
    );

    // return self for "fluent" like syntax
    return self;
}

var c = new List<KeyValuePair<string, bool>>().AddKVP("c", true);
var b = new List<KeyValuePair<string, List<KeyValuePair<string, bool>>>>().AddKVP("b", c);
var a = new List<KeyValuePair<string, List<KeyValuePair<string, List<KeyValuePair<string, bool>>>>>>().AddKVP("a", b);

编辑#2

如果你定义一个简单的类型,那么它会有所帮助:

public class KVPList<T> : List<KeyValuePair<string, T>> { }

public static KVPList<TValue> AddKVP<TValue>(this KVPList<TValue> self, string key, TValue value)
{
    self.Add(new KeyValuePair<string, TValue>(key, value));
    return self;
}

var ListBoxes = new KVPList<KVPList<KVPList<bool>>>()
   .AddKVP("A", new KVPList<KVPList<bool>>()
       .AddKVP("B", new KVPList<bool>()
           .AddKVP("C", true)));

编辑#3

还有一个,我保证我会停下来。如果在类型上定义“添加”,则可以使用隐式初始化:

public class KVPList<T> : List<KeyValuePair<string, T>> 
{
    public void Add(string key, T value)
    {
        base.Add(new KeyValuePair<string,T>(key, value));
    }
}

var abc = new KVPList<KVPList<KVPList<bool>>> { 
    { "A", new KVPList<KVPList<bool>> {
        { "B", new KVPList<bool> {
            { "C", true }}
        }}
    }};