动态 allcocation 对象和 int c++

dynamic allcocation object and int c++

你好,我有疑问下面的代码是如何工作的??

#include <iostream>
using namespace std;

int main()
{
    int* arr = new int;
    arr[0] = 94;
    arr[1] = 4;
    cout << arr[0] << endl;
}

为什么这显示错误我该怎么办

#include <iostream>
using namespace std;

struct test 
{
    int data;
};
int main()
{
    test* arr = new test;
    arr[0] -> data= 4;
    arr[1] -> data= 42;
    cout << arr[0]->data << endl;
}

在您的代码中:

#include <iostream>
using namespace std;

int main()
{
    int* arr = new int;
    arr[0] = 94; // This will work
    arr[1] = 4; // This will cause undefined behaviour
    cout << arr[0] << endl;
}

在上面的代码中,arr 是指向单个 int 的指针,因此您可以使用以下任一方法访问那个 int

arr[0]
*arr

..但是 arr1 将无法工作,因为没有为数组分配足够的内存。

要解决此问题,您必须为 arr 分配更多内存:

int* arr = new int[2];

..并更改 arr 的大小:

int arr_size = 2;
int* arr = new int[arr_size]; // size of arr = 2
arr[0] = 12;
arr[1] = 13;

int* new_arr = new int[arr_size + 1];

for (int i = 0; i < arr_size; i++)
{
    new_arr[i] = arr[i];
}

delete[] arr;
arr = new_arr;

// size of arr = 3

但是当 arr 有大量元素时,所有这些都需要大量的计算并且 time-consuming。所以我建议使用 C++std::vector:

你的第二个程序使用 std::vector:

#include <iostream>
#include <vector>

struct test
{
    int data;
};
int main()
{
    std::vector<test> vec{ test(4), test(42) };

    std::cout << vec[0].data << std::endl;
}

有关 std::vector 的更多信息,请单击 here

此外,请考虑不要在您的代码中使用以下行:

using namespace std;

..因为它被认为是不好的做法。有关这方面的更多信息,请查看 why is "using namespace std" considered as bad practice.