在我正在阅读的c ++代码中,有一些数组初始化为
int *foo = new int[length];
和某些人一样
int *foo = new int[length]();
我的快速实验无法检测到这两者之间的任何差异,但它们彼此相邻使用。
是否有区别,如果有的话?
编辑;因为有一个断言,第一个应该给出不确定的输出,这是一个显示可疑数量为0的测试;
[s1208067@hobgoblin testCode]$ cat arrayTest.cc
//Test how array initilization works
#include <iostream>
using namespace std;
int main(){
int length = 30;
//Without parenthsis
int * bar = new int[length];
for(int i=0; i<length; i++) cout << bar[0] << " ";
cout << endl;
//With parenthsis
int * foo = new int[length]();
for(int i=0; i<length; i++) cout << foo[0] << " ";
cout << endl;
return 0;
}
[s1208067@hobgoblin testCode]$ g++ arrayTest.cc
[s1208067@hobgoblin testCode]$ ./a.out
0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0
0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0
[s1208067@hobgoblin testCode]$
编辑2;显然这个测试是有缺陷的,不要相信它 - 看看答案的细节
答案 0 :(得分:10)
这一行default-initializes length
int
,也就是说你会得到一堆具有不确定价值的int
:
int *foo = new int[length];
这一行value-initializes代替它们,所以你得到全零:
int *foo = new int[length]();
答案 1 :(得分:5)
使用括号可以保证数组的所有元素都被初始化为0.我只是尝试使用以下代码:
#include <iostream>
using namespace std;
int main(int,char*[]){
int* foo = new int[8];
cout << foo << endl;
for(int i = 0; i < 8; i++)
foo[i] = i;
delete[] foo;
foo = new int[8];
cout << foo << endl;
for(int i = 0; i < 8; i++)
cout << foo[i] << '\t';
cout << endl;
delete[] foo;
foo = new int[8]();
cout << foo << endl;
for(int i = 0; i < 8; i++)
cout << foo[i] << '\t';
cout << endl;
delete[] foo;
return 0;
}
当我编译并运行它时,看起来foo
每次都分配在同一个内存位置(尽管你可能不能依赖它)。以上程序的完整输出是:
0x101300900
0x101300900
0 1 2 3 4 5 6 7
0x101300900
0 0 0 0 0 0 0 0
因此,您可以看到foo
的第二次分配没有触及分配的内存,使其处于与第一次分配时相同的状态。