I have some code that works correctly, but I want to make sure that it will always work correctly under the C++ standard.
I've created two types which are implicitly converted to double, and created a sin() function for each of the types. I tested it and the correct sin() overload is called, but is it guaranteed that the compiler will not decide to cast the object instance implicitly to double and call the math.h functions?
In addition, does it matter if my classes and sin() overloads are in a namespace? Will it matter if I template any of them?
struct AngleDegrees;
struct AngleRadians;
inline double degs2Rads(double degs) { return degs * PI / 180.0; }
inline double rads2Degs(double degs) { return degs * 180.0 / PI; }
struct AngleDegrees
{
private:
double m_val;
public:
explicit AngleDegrees(double val) : m_val(val) { }
explicit AngleDegrees(const AngleRadians& rads);
operator double() const { return m_val; }
};
struct AngleRadians
{
private:
double m_val;
public:
explicit AngleRadians(double val) : m_val(val) { }
explicit AngleRadians(const AngleDegrees& degs);
operator double() const { return m_val; }
};
inline AngleDegrees::AngleDegrees(const AngleRadians& rads)
{
m_val = rads2Degs(rads);
}
inline AngleRadians::AngleRadians(const AngleDegrees& degs)
{
m_val = degs2Rads(degs);
}
inline double sin(const AngleDegrees& degs)
{
std::cout << "called sin(AngleDegrees)\n";
AngleRadians rads(degs);
return sin((double)rads);
}
inline double sin(const AngleRadians& rads)
{
std::cout << "called sin(AngleRadians)\n";
return sin((double)rads);
}
The specific overloads will be a better match (or exact if
const
doesn't need to be added) than using the conversion to double so the correct version will be called.That said, put the code in a namespace and let ADR find the right functions to avoid any possible confusion.
EDIT: You might consider using the boost units framework to help you here instead of coding it yourself.