Array [n] vs Array [10] - 初始化具有变量与实数的数组

时间:2013-02-21 22:01:32

标签: c++ arrays initialization size

我的代码存在以下问题:

int n = 10;
double tenorData[n]   =   {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};

返回以下错误:

error: variable-sized object 'tenorData' may not be initialized

使用double tenorData[10]时可以使用。

任何人都知道为什么?

1 个答案:

答案 0 :(得分:142)

在C ++中,可变长度数组不合法。 G ++允许将其作为“扩展”(因为C允许它),所以在G ++中(没有-pedantic关于遵循C ++标准),你可以这样做:

int n = 10;
double a[n]; // Legal in g++ (with extensions), illegal in proper C++

如果你想要一个“可变长度数组”(在C ++中更好地称为“动态大小的数组”,因为不允许使用适当的可变长度数组),你必须自己动态分配内存:

int n = 10;
double* a = new double[n]; // Don't forget to delete [] a; when you're done!

或者,更好的是,使用标准容器:

int n = 10;
std::vector<double> a(n); // Don't forget to #include <vector>

如果你仍然需要一个合适的数组,你可以在创建它时使用常量,而不是变量

const int n = 10;
double a[n]; // now valid, since n isn't a variable (it's a compile time constant)

同样,如果你想从C ++ 11中的函数中获取大小,你可以使用constexpr

constexpr int n()
{
    return 10;
}

double a[n()]; // n() is a compile time constant expression