在cpp中初始化数组并用零填充
Initializing array in cpp and padding with zeros
我是 c++ 新手,从 matlab 切换到 运行 模拟速度更快。
我想初始化一个数组并用零填充它。
# include <iostream>
# include <string>
# include <cmath>
using namespace std;
int main()
{
int nSteps = 10000;
int nReal = 10;
double H[nSteps*nReal];
return 0;
}
产生错误:
expected constant expression
cannot allocate an array of constant size 0
'H' : unknown size
你是怎么做到这个简单的事情的?有没有像matlab这样的命令库:
zeros(n);
具有单个初始化器的基于堆栈的数组在其末尾之前都是零填充的,但是您需要使数组边界等于 const
。
#include <iostream>
int main()
{
const int nSteps = 10;
const int nReal = 1;
const int N = nSteps * nReal;
double H[N] = { 0.0 };
for (int i = 0; i < N; ++i)
std::cout << H[i];
}
对于动态分配的数组,最好使用 std::vector
,它也不需要编译时已知边界
#include <iostream>
#include <vector>
int main()
{
int nSteps = 10;
int nReal = 1;
int N = nSteps * nReal;
std::vector<double> H(N);
for (int i = 0; i < N; ++i)
std::cout << H[i];
}
或者(但不推荐),您可以 manually allocate 一个零填充数组,例如
double* H = new double[nSteps*nReal](); // without the () there is no zero-initialization
如果你提前知道长度就可以了
#define nSteps 10000
#define nReal 10
然后
double H[nSteps*nReal] = {0};
或者您也可以将 const
关键字添加到尺寸中,而不是使用 define
s。
我是 c++ 新手,从 matlab 切换到 运行 模拟速度更快。
我想初始化一个数组并用零填充它。
# include <iostream>
# include <string>
# include <cmath>
using namespace std;
int main()
{
int nSteps = 10000;
int nReal = 10;
double H[nSteps*nReal];
return 0;
}
产生错误:
expected constant expression
cannot allocate an array of constant size 0
'H' : unknown size
你是怎么做到这个简单的事情的?有没有像matlab这样的命令库:
zeros(n);
具有单个初始化器的基于堆栈的数组在其末尾之前都是零填充的,但是您需要使数组边界等于 const
。
#include <iostream>
int main()
{
const int nSteps = 10;
const int nReal = 1;
const int N = nSteps * nReal;
double H[N] = { 0.0 };
for (int i = 0; i < N; ++i)
std::cout << H[i];
}
对于动态分配的数组,最好使用 std::vector
,它也不需要编译时已知边界
#include <iostream>
#include <vector>
int main()
{
int nSteps = 10;
int nReal = 1;
int N = nSteps * nReal;
std::vector<double> H(N);
for (int i = 0; i < N; ++i)
std::cout << H[i];
}
或者(但不推荐),您可以 manually allocate 一个零填充数组,例如
double* H = new double[nSteps*nReal](); // without the () there is no zero-initialization
如果你提前知道长度就可以了
#define nSteps 10000
#define nReal 10
然后
double H[nSteps*nReal] = {0};
或者您也可以将 const
关键字添加到尺寸中,而不是使用 define
s。