This situation is related to How to make a constraint on the parameters of the constructor, but it's slightly different.
You want to initialize a non-default-constructible member but need to check for constraints before constructing it.
Example:
(Please note that this is really just an example. Whether one should use unsigned integers instead in this specific situation is discussable, but the question really is about the general case where you want to check in constructors)
You have the following class:
class Buffer {
public:
Buffer() = delete;
Buffer(int size) noexcept;
};
....
class RenderTarget {
public:
....
private:
int width_, height_;
Buffer surface_;
};
The constructor has to check the integer arguments for validness:
RenderTarget::RenderTarget(int width, int height) :
width_(width), height_(height),
surface_(width_*height)
{
if (width_<0 || height_<0)
throw std::logic_error("Crizzle id boom shackalack");
}
Note how Buffer
does not have a default constructor, and the real constructor is noexcept
, i.e. there is no way to catch an error.
When the integer arguments are negative, one has a hosed surface_
already. It would be nicer to do the constraint checking before using the constrained value. Is it possible?
phresnel’s solution with inline
throw
and the suggestion in Curg’s answer to use unsigned integers both hint at a general solution here: using types to ensure that values are correct by construction.If a width and height cannot be negative, making them unsigned could be a good choice—but if there is a maximum bound, you might need a more precise type to specify the invariants, such as:
Then you might say:
But then you might want to enforce that the width and height have an aspect ratio no greater than 16:9. So you can bundle them up into a
Size
type, and so on. That way, all the validation logic on the members ofRenderTarget
has been done by the time the constructor body begins.This kind of encapsulation is fundamental to object-oriented programming: the public interface of an object cannot be used to place it in an invalid state, and the constructor is part of the public interface.