Why do switch
and if
statements behave differently with conversion operators?
struct WrapperA
{
explicit operator bool() { return false; }
};
struct WrapperB
{
explicit operator int() { return 0; }
};
int main()
{
WrapperA wrapper_a;
if (wrapper_a) { /** this line compiles **/ }
WrapperB wrapper_b;
switch (wrapper_b) { /** this line does NOT compile **/ }
}
The compilation error is switch quantity is not an integer
while in the if
statement it is perfectly recognized as a bool
. (GCC)
One answer is that
if
andswitch
behave differently because that's how the standard was written. Another answer might speculate on why the standard was written that way. Well, I suppose the standard madeif
statements behave that way to address a specific problem (implicit conversions tobool
had been problematic), but I'd like to adopt a different perspective.In an
if
statement, the condition must be a boolean value. Not everyone thinks aboutif
statements this way, presumably because of the various conveniences built into the language. However, at its core, anif
statement needs to know "do this" or "do that"; "yes" or "no";true
orfalse
-- i.e. a boolean value. In this respect, putting something inside the statement's conditional is explicitly requesting that the something be converted tobool
.On the other hand, a
switch
statement accepts any integral type. That is, there is no single type preferred over all others. Use of aswitch
can be seen as an explicit request to convert a value to an integral type, but not necessarily specifically toint
. So it is not considered appropriate to use a conversion toint
when that specific conversion needs to be explicitly requested.