3

非常简单的问题 - 如何访问堆内结构的数据?

附加信息::我有一个名为“A”的类和一个名为“B”的类中的结构。创建的每个“B”都将存在于堆上。“A”类旨在将“B”向量作为私有数据成员(即“A”类可以容纳许多“B”)。我在“A”类中有一个方法,它将在“A”具有的向量中添加另一个新的“B”实例。我在“A”类中还有另一种方法,它将更新“B”实例向量中的每个元素。我的问题是:

如何在我的结构中使用 getter 和 setter?

这是一些可能有帮助的代码(注意:grafix.h 是一个图形库)

//.h file
#pragma once
#include <vector>
#include "grafix.h"

class A
{
    public:
        ~A();
        A();

        void addB();
        void updateB();

    private:

        struct B
        {
                 public:
                     ~B()
                     {
                           delete p_b;
                     p_b = 0;
                     }

                     B()
                     {
                     p_b = new B; //I need this here

                     p_ball->x = 0;
                     p_ball->y = 0;
                     p_ball->r = 15;

                      }
                      void setxy(int X, int Y) 
                      {
                     //What does this look like?
                                       //This?
                                       x = X; //?
                                       y = Y;
                      }

                      int retx()
                      {
                                        //Likewise.... ?
                      return x; //?
                      }


                      int rety()
                                  {
                                         return y;
                                  }

                       void update()
                       {
                          draw();

                                           //Movement code taken out for time being
                       }

                  private:
                       int x,y; //xy
                       int r; //radius


                       B* p_b; //pointer to object, do I need this?

                       void draw()
                       {
                         draw_circle_filled(x,y,r); 
                                          //how can I access the data within the struct B here?
                                          //do I use the getters/setters? dereference??
                       }

          };

vector <Ball*> bs; //Holds all of the B's that have been created

};

然后是具有方法的 .cpp 文件。这就是我的问题所在,我输入的语法是否正确?

#include "A.h"

A::A()
{
        addB();
}

void A::addB()
{
      B* b;

      bs.push_back(b);
}

void A::updateB()
{
       for(int i = 0; i < bs.size(); i++)
       {
            bs[i]->update();
       }
}
4

1 回答 1

1

这是犯罪

void A::addB()
{
      B* b;

      bs.push_back(b);
}

B* b未初始化。在您的容器中对其进行引用是犯罪行为:取消引用此地址没有意义,并且是未定义的行为/崩溃。

你应该这样分配:

{
      B* b = new B;

      bs.push_back(b);
}

编辑:正如凯文在下面评论的那样,仍然存在内存泄漏。您宁愿使用std::shared_ptr<B>. 这样,当没有人保持指向它的 shared_ptr 时,该 B 对象将被删除。

于 2012-11-19T23:03:59.697 回答