6

我想List用我的自定义类包装类。至于现在我有这样的东西;

public class PriorityListOfNodes
{

    private List<Node>          list_;
    private IComparer<Node>     sorter_;

    public List<Node> List_ {
            get {return list_;}
            set {list_ = value;}
    }

    public PriorityListOfNodes ()
    {
            sorter_ = new NodeSorter_fValueDescending ();
    }

    public Node PopFromEnd ()
    {
            Node temp = new Node (list_ [list_.Count - 1]);
            list_.RemoveAt (list_.Count - 1);
            return temp;
    }

    public Node PeekFromEnd ()
    {
            return list_ [list_.Count - 1];
    }

    public void Add (ref Node toAdd)
    {
            Debug.Log (toAdd);
            list_.Add (toAdd);
            list_.Sort (sorter_);
    }
}

当我现在做

Node temp = new Node(10,20); //custom constructor
PriorityListOfNodes l = new PriorityListOfNodes();
l.add(temp); 

我得到运行时异常:

你调用的对象是空的

我也试过没有ref但结果相同。我在这里做错了什么?

4

2 回答 2

10

你从来没有真正实例化一个List<Node>.

 public PriorityListOfNodes ()
    {
            sorter_ = new NodeSorter_fValueDescending ();
            list_ = new List<Node>();
    }
于 2012-12-21T00:00:10.340 回答
1

默认情况下,类具有空的无参数构造函数,因此您实际上拥有:

public class PriorityListOfNodes
{
    private List<Node> list_;
    // ...

    public PriorityListOfNodes()
    {
    }

    // ...
}

当您稍后调用时Add,您的列表已声明,但未初始化。您需要在某个时候执行此操作,可能在构造函数中:

public class PriorityListOfNodes
{
    private List<Node> list_;
    // ...

    public PriorityListOfNodes()
    {
         this.list_ = new List<Node>();
         // ...
    }

    // ...
}

请参阅使用构造函数 (C#)

于 2012-12-21T00:02:07.100 回答