问题
In this piece of code
void legacyFunction(int length, bool *bitset)
{
// stuff, lots of stuff
}
int main()
{
int somenumber = 6;
// somenumber is set to some value here
bool *isBitXSet = new bool[somenumber];
// initialisation of isBitXSet.
legacyFunction(somenumber, isBitXSet);
delete[] isBitXSet;
return 0;
}
I'd like to replace bool *isBitXSet = new bool[somenumber];
by something like
std::vector<bool> isBitXset(somenumber, false);
But I cannot do
legacyFunction(somenumber, isBitXSet.data());
because data()
doesn't exist for std::vector<bool>
. And I cannot change the interface of legacyFunction()
.
Is there a good alternative to the C-style bool array?
回答1:
You can use std::unique_ptr<T[]> and std::make_unique:
int main()
{
int somenumber = 6;
// somenumber is set to some value here
auto isBitXSet = std::make_unique<bool[]>(somenumber);
// initialisation of isBitXSet.
legacyFunction(somenumber, isBitXSet.get());
return 0;
}
Alternatively, you can "trick" std::vector
by creating your own bool
wrapper:
struct my_bool { bool _b; };
std::vector<my_bool> v; // will not use `vector<bool>` specialization
If you know the size of your array at compile-time, consider using std::array.
来源:https://stackoverflow.com/questions/46115237/is-there-a-standard-way-to-replace-a-c-style-bool-array