2D全局数组错误-数组界限不是整数常量

2022-04-10 00:00:00 arrays global c++

我似乎找不到这个问题的答案。我意识到数组中使用的整数值在编译时必须是已知的,而我这里所拥有的似乎满足这一标准。如果我使用:

int L = 50;                     // number of interior points in x and y

int pts = L + 2;                // interior points + boundary points
double  u[pts][pts],            // potential to be found
    u_new[pts][pts];            // new potential after each step

然后我得到数组绑定错误,即使pt的值在编译时是已知的。但是,当我使用:

时,该代码被接受
int L = 50;                     // number of interior points in x and y

int pts = L + 2;                // interior points + boundary points
double  u[52][52],              // potential to be found
    u_new[52][52];              // new potential after each step

我是不是漏掉了什么?如果没有,我可以做些什么来让它接受PTS?


解决方案

使用

int L = 50;
int pts = L + 2;

Lpts不能用作数组的维度,因为它们不是编译时间常量。使用constexpr限定符让编译器知道它们可以在编译时计算,因此可以用作数组的维度。

constexpr int L = 50;
constexpr int pts = L + 2;

相关文章