此代码将创建一个包含100个元素的数组,并将每个元素的值设置为false。
bool boolArray[100] = false;
如何设置动态数组的默认值?
void Foo(int size)
{
bool boolArray = new bool[size];
//Now what?
}
答案 0 :(得分:11)
使用std::fill
function或std::fill_n
function。
std::fill_n(boolArray, length, defaultValue);
std::fill(boolArray, boolArray + length, defaultValue);
旁注:请尝试使用std::vector
。
答案 1 :(得分:11)
在标准C ++中,您可以默认初始化任何内容,包括该数组:
bool* boolArray = new bool[size](); // Zero-initialized
完成程序,也检查结果,并取消分配数组:
bool foo( int size )
{
bool* boolArray = new bool[size](); // Zero-initialized
// Check that it is indeed zero-initialized:
for( int i = 0; i < size; ++i )
{
if( boolArray[i] ) { delete[] boolArray; return false; }
}
delete[] boolArray; return true;
}
#include <iostream>
int main()
{
using namespace std;
cout << (foo( 42 )? "OK" : "Ungood compiler") << endl;
}
你的编译器是否会接受甚至做正确的事情是另一回事。
所以,在实践中,如果你觉得使用原始数组是不可抗拒的冲动,那么可能更好地使用std::fill
或其他一些,甚至是原始循环。
但请注意重复的delete[]
- 表达式。这样的冗余代码很容易出错:它是Evil™。使用原始数组还有很多其他问题,所以作为一个新手,只需对原始数组和原始指针说No No™。
相反,请使用标准库容器,它可以正确地管理分配,初始化,复制和释放。但是,这有一点问题,即std::vector<bool>
中的过早优化,否则这将是自然的选择。基本上std::vector<bool>
每个值只使用一位,因此它不能分发对bool
元素的引用,而是分发代理对象......
因此,对于bool
元素,请使用例如a std::bitset
(当编译时知道大小时),或者std::deque
,如下:
#include <deque>
bool foo( int size )
{
std::deque<bool> boolArray( size ); // Zero-initialized
for( int i = 0; i < size; ++i )
{
if( boolArray[i] ) { return false; }
}
return true;
}
#include <iostream>
int main()
{
using namespace std;
cout << (foo( 42 )? "OK" : "Ungood compiler") << endl;
}
干杯&amp;第h。,
答案 2 :(得分:2)
bool* boolArray = new bool[size];
for(int i = 0; i < size; i++) {
boolArray[i] = false;
}
答案 3 :(得分:0)
怎么样:
void Foo(int size)
{
// bool boolArray = new bool[size];
// Did you mean bool*?
// Try and avoid direct allocation of memory.
// Memory allocation should be done inside an object that
// actively manages it.
// Normally I would recommend a vector
std::vector<bool> boolArray(size, false);
// But. And a Big but. Is that the standards committee decided to
// specialize the vector for bool so that each element only takes
// a single bit. Unfortunately this had some side effects that were
// made its use not perfect (time/assign-ability).
// So we can try a boost array
boost::array<bool, size> boolArray;
}