I've create my own container that is inherited from a vector. I would like to reimplement operator[]
in a way that makes checking for bounds decided by a #define.
So putting an example, and ignoring template parmameters as they're complicated and irrelevant
class MyArray : vector<double>
{
//...
virtual double& operator[](const size_type& index);
virtual const double& operator[](const size_type& index) const;
//...
}
double& MyArray::operator[](const size_type& index)
{
#ifdef DEBUG_ENABLED
return this->at(index);
#else
return (*this)[index];
#endif
}
However, this doesn't work because since operator[]
is overloaded, calling operator[]
at #else
would become recursive.
I would like to make the check for bounds based on my #define, and not based on whether I use std::vector<>::at()
or std::vector<>::operator[]
.
How can I resolve this?
EDIT: Since it's offered a lot to use std::vector as a member instead of inheriting, I have to mention that doing that isn't a good solution for me because i'll have to reimplement ALL the member functions of std::vector. That's not so pleasant to do!
Simply call the base class member functions as required:
You should provide a
const
version of this too. Also note you probably don't want to make this operatorvirtual
.