字典<type,list <type =“”>&gt; </type,>

时间:2013-08-26 19:27:06

标签: c# generics dictionary typesafe

我想为Dictionary实现一个包装类,它将Type映射到该Type的泛型List。例如:

**Key**               **Value**
typeof(InterfaceA), List<InterfaceA>
typeof(InterfaceB), List<InterfaceB>
typeof(MyClass), List<MyClass>
...

然后我想通过使用类型与包装类进行交互。

public void NewEntry<T>()
{
    MyDict.Add(typeof(T), new List<T>());
}

public List<T> GetEntry<T>()
{
    return MyDict[typeof(T)];
}

public void RemoveEntry<T>()
{
    MyDict.Remove(typeof(T));
}

有没有优雅的方法来做到这一点?

编辑:澄清一下,关键在于

GetEntry<MyInterface>()

列表中的项目保证遵循MyInterface的合同。每个条目都有一个不同的Type键,每个项目列表都遵循该类型的合同。

3 个答案:

答案 0 :(得分:2)

您可以使用以下静态类

public static class GenericLists
{
    private static Dictionary<Type, object> MyDict = new Dictionary<Type, object>();
    public static void NewEntry<T>()
    {
        MyDict.Add(typeof(T), new List<T>());
    }

    public static List<T> GetEntry<T>()
    {
        return (List<T>)MyDict[typeof(T)];
    }

    public static void RemoveEntry<T>()
    {
        MyDict.Remove(typeof(T));
    }

}

或者你可以使用

public class GenericLists<T>
{
    private Dictionary<Type, List<T>> MyDict = new Dictionary<Type, List<T>>();

    public void NewEntry()
    {
        MyDict.Add(typeof(T), new List<T>());
    }

    public List<T> GetEntry()
    {
        return MyDict[typeof(T)];
    }

    public void RemoveEntry()
    {
        MyDict.Remove(typeof(T));
    }
}

如果你真的想要初始化它,但我认为静态效果会更好。

答案 1 :(得分:2)

如果您愿意静态存储所有内容,可以使用类型系统:

static class MyDict {
    private static class Data<T> {
        public static readonly List<T> items = new List<T>();
    }
    public static List<T> Get<T>() { return Data<T>.items; }
    public static void Add<T>(T item) { Data<T>.items.Add(item); }
}

请注意,这使得无法删除密钥(您无法卸载某个类型),尽管您可以Clear()

答案 2 :(得分:1)

你也可以把它作为一个基于实例的类(见下文),但我的偏好,如果适合你,就是在静态类中使用静态变量,如“使用类型系统”中所示的SLaks交。

public class GenericTypeListDictionary
{
    private readonly Dictionary<Type, object> _dictionaryOfLists = new Dictionary<Type, object>();

    public List<T> NewEntry<T>()
    {
        var newList = new List<T>();
        _dictionaryOfLists.Add(typeof(T), newList);
        return newList;
    }

    public List<T> GetEntry<T>()
    {
        object value;

        if (_dictionaryOfLists.TryGetValue(typeof(T), out value))
        {
            return (List<T>)value;
        }

        return null;
    }

    public void RemoveEntry<T>()
    {
        _dictionaryOfLists.Remove(typeof(T));
    }
}