4

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?

TobiMcNamobi
  • 4,687
  • 3
  • 33
  • 52
  • 1
    Note that the missing `data()` member function is not the only problem. `std::vector` is a specialization that may provide a more space-efficient implementation. So the elements of `vector` and a C-style `bool` array may not overlap. – JFMR Sep 08 '17 at 11:33
  • Possible duplicate of [Alternative to vector](https://stackoverflow.com/questions/670308/alternative-to-vectorbool) – moooeeeep Sep 08 '17 at 11:33
  • @moooeeeep Yeah, right, sorry. Normally I would delete the question by myself. But I like the answer given by Vittorio Romeo much more than any of those answers from 2009. – TobiMcNamobi Sep 08 '17 at 11:40
  • No need to worry. I just wanted to have them linked and thought they might be related close enough to have them as duplicate. Others might disagree. – moooeeeep Sep 08 '17 at 12:42

1 Answers1

8

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.

Vittorio Romeo
  • 90,666
  • 33
  • 258
  • 416