memset的使用
memset的一个小坑
#include <iostream>
#include <cstring>
using namespace std;
const int N = 110;
int f[N];
//目的:将f[N]数组所有元素变成1
int main() {
memset(f, 1, sizeof f);
for (int i = 0; i < 10; ++i) cout << f[i] << ' ';
cout << endl;
return 0;
}
// 输出结果:
16843009 16843009 16843009 16843009 16843009 16843009 16843009 16843009 16843009 16843009
解释:
memset(void *dist, int ch, size_t count); // 参数1:目标的首地址。参数2:一个字节的数据。参数三:数据的个数。
这里的参数2:*它会将内存块中的每个字节都设置为二进制表示的 00000001,而不是将每个元素都设置为整数 1。所以会有错误!
正解
可以使用下面的这个方法进行填充int类型数据
#include <iostream>
#include <cstring>
using namespace std;
const int N = 110;
int f[N];
int main() {
fill(f, f + N, 1); // 使用std::fill进行填充
for (int i = 0; i < 10; ++i) cout << f[i] << ' ';
cout << endl;
return 0;
}
// 结果:
1 1 1 1 1 1 1 1 1 1