オーバーロードされた 2 つの比較演算子 (operator==) を持つ RGB カラー クラスがあります。1 つは自己型用で、もう 1 つは int (HEX) 用です。
// this one assigns the value correctly
RGB RGB::operator=(const int hex)
{
this->r = (hex>>16 & 0xFF) / 255.0f;
this->g = (hex>>8 & 0xFF) / 255.0f;
this->b = (hex & 0xFF) / 255.0f;
return *this;
}
//--------------------------------------------------------------------------------------
// also works
bool RGB::operator==(const RGB &color)
{
return (r == color.r && g == color.g && b == color.b);
}
// this is evil
bool RGB::operator==(const int hex)
{
float rr = (hex>>16 & 0xFF) / 255.0f;
float gg = (hex>>8 & 0xFF) / 255.0f;
float bb = (hex & 0xFF) / 255.0f;
// if i uncomment these lines then everything is fine
//std::cout<<r<<" "<<rr<<std::endl;
//std::cout<<g<<" "<<gg<<std::endl;
//std::cout<<b<<" "<<bb<<std::endl;
return (r == rr &&
g == gg &&
b == bb);
}
RGB::RGB(int hex)
{
setHex(hex);
}
inline void RGB::setHex(unsigned hex)
{
r = (float)(hex >> 16 & 0xFF) / 255.0f;
g = (float)(hex >> 8 & 0xFF) / 255.0f;
b = (float)(hex & 0xFF) / 255.0f;
}
...次に、次のように main.cpp で比較します。
RGB a = 0x555555;
bool equals = (a == 0x555555); // returns false
何が起こるかわかりません。比較は false を返しますが、定義内の std::cout 行のコメントを外すと、関数は期待どおりに機能し、true を返します。
これも問題なく動作します:
RGB a = 0x555555;
RGB b = 0x555555;
bool equals = (a == b); // returns true
誰にもアイデアがありますか?