c++ - 向数组中添加内容

标签 c++ arrays

我有一个类,它的一个元素属于另一个类,但是是一个数组

class B
{
public:
    B()             //default
    {
        element = new A [1]; count = 0;
    }

    A add(A place)
    {
        A* newArr;
        newArr = new A [count+1];

        newArr = element;
        newArr[count+1] = place;
        delete element;

        return newArr[count+1];
    }



protected:
    int count;
    A* element;
};

我正在尝试使用动态数组,在添加元素时,我动态创建一个新数组,初始化为旧数组的大小加 1,然后将旧数组的元素复制到新数组,然后然后删除旧数组。但是我不确定如何修改类中已有的数组,如果这有意义的话(基本上是在我的 add 方法中返回什么)。

最佳答案

在 C++ 中,一旦声明就没有调整数组大小的概念。动态数组也是如此,一旦分配就无法调整大小。但是,您可以创建一个更大的数组,将所有元素从旧数组复制到新数组并删除旧数组。这是不鼓励的,而且性能不佳。

使用 std::vector 将允许您随意添加并且还会跟踪其大小,因此您不需要 count 作为类的一部分.

class B
{
   // no need to allocate, do add when required i.e. in B::add
   B() : count(), elements() { }

   A add(A place)
   {
      // unnecessarily allocate space again
      A *new_elements = new A[count + 1];

      // do the expensive copy of all the elements
      std::copy(elements + 0, elements + count, new_elements);

      // put the new, last element in
      new_elements[count + 1] = place;

      // delete the old array and put the new one in the member pointer
      delete [] elements;
      elements = new_elements;

      // bunp the counter
      ++count;

      return place;    //redundant; since it was already passed in by the caller, there's no use in return the same back
   }

protected:
   size_t count;
   A *elements;
};

上面的代码也许可以满足您的需求,但不推荐使用。使用 vector ;你的代码将简单地变成

class B
{
    // no need of a constructor since the default one given by the compiler will do, as vectors will get initialized properly by default

    void Add(A place)
    {
         elements.push_back(place);
         // if you need the count
         const size_t count = elements.size();
         // do stuff with count here
    }

    protected:
       std::vector<A> elements;
};

关于c++ - 向数组中添加内容,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/19341454/

相关文章:

Javascript 唯一数组项

javascript - 如何将多维数组从 PHP 转换为 JavaScript?

python - 打印时数组项的顺序发生变化

c++ - 静态和动态库链接

c++ - Qt widgets 应用程序中主窗口第一次可见时如何显示对话框?

c++ - 由于标准,指向基数据成员的指针类型

javascript - 全局对象中 __proto__ 和 [[prototype]] 之间的区别?

php - 两种类型的数组

c++ - 函数调用中的 std::array 隐式初始化

c++ - 在 C++ 方法中返回对象的方法