尝试添加到词典列表时出现NullReferenceException

时间:2013-02-06 01:02:48

标签: c# .net oop list dictionary

执行此代码时,我在这些行上得到NullReferenceException:

List<Dictionary<Slot, string>> slots = new List<Dictionary<Slot, string>>();
                Dictionary<Slot, string> somedict = new Dictionary<Slot, string>();
                somedict.Add(new Slot(), "s");
                this.slots.Add(somedict);

我无法弄清楚发生了什么。我用正确的项创建了一个dict,但是当我尝试将它添加到列表中时,我只得到一个NullReferenceException ....

我一直在寻找MSDN和这个网站大约2个小时,但没有运气。谁能帮我吗?我只是想将一个字典存储到一个列表中。

namespace hashtable
{
    class Slot
    {
        string key;
        string value;

        public Slot()
        {
            this.key = null;
            this.value = null;
        }
    }

    class Bucket
    {
        public int count;
        public int overflow;
        public List<Dictionary<Slot, string>> slots;
        Dictionary<Slot, string> somedict;

        public Bucket()
        {
            this.count = 0;
            this.overflow = -1;
            List<Dictionary<Slot, string>> slots = new List<Dictionary<Slot, string>>();
            Dictionary<Slot, string> somedict = new Dictionary<Slot, string>();
            somedict.Add(new Slot(), "s");
            this.slots.Add(somedict);
            for (int i = 0; i < 3; ++i)
            {
            }
        }
    }
}

2 个答案:

答案 0 :(得分:6)

您的Bucket构造函数正在创建局部变量slots,但您尝试将somedict添加到(未初始化的)Bucket成员slots

替换

List<Dictionary<Slot, string>> slots = new List<Dictionary<Slot, string>>();

this.slots = new List<Dictionary<Slot, string>>();

(与...相同)

slots = new List<Dictionary<Slot, string>>();

somedict会遇到同样的问题。如果您不认为它是Bucket中的类成员,请不要在那里声明它。如果这样做,请不要在Bucket构造函数中将其声明为局部变量。

答案 1 :(得分:1)

当然,如果你使用更简洁的语法来声明var的局部变量,问题显而易见......

var slots = new List<Dictionary<Slot, string>>();
var somedict = new Dictionary<Slot, string>();
somedict.Add(new Slot(), "s");
this.slots.Add(somedict);

正如DocMax指出的那样,你还没有初始化this.slots,可能意味着......

this.slots = new List<Dictionary<Slot, string>>();
var somedict = new Dictionary<Slot, string>();
somedict.Add(new Slot(), "s");
this.slots.Add(somedict);

我怀疑Bucket.somedict字段的声明可能是多余的,因为您正在创建本地somedict,然后将其添加到可以在以后检索的列表中。