寻找一些运营商(我猜是代替 + ?)
unsigned char bits = true + false + true + true + true; // 1 byte is sufficient
变为以下位模式:
00010111
那么如何在 if 中检查该位模式
if (bits == 00010111)
你要
bits = true << 5 | false << 4 | true << 3 | true << 2 | true << 1;
或者
bits |= true;
bits <<= 1;
bits |= false;
bits <<= 1;
bits |= true;
bits <<= 1;
bits |= true;
bits <<= 1;
bits |= true;
您可以使用std::bitset
's 字符串构造函数。
#include <bitset>
#include <string>
#include <iostream>
int main() {
std::string bits;
bits.push_back('1');
bits.push_back('0');
bits.push_back('1');
bits.push_back('1');
bits.push_back('1');
std::bitset<8> bitset(bits);
std::cout << bitset.to_string();
}
不过,有更好的方法可以做到这一点。
为什么不使用bitset。有一种方法可以设置各种位并转换为无符号长整数。只需&
对其进行操作即可获取字节。
运算符 + 需要将当前值左移一位,然后“按位或”传入的真或假并返回。
这是我想出的一个快速实现:
#include <iostream>
class Foo
{
int result;
public:
Foo() : result(0) {}
Foo(bool value) : result(value ? 1 : 0) {}
explicit Foo(int value) : result(value) {}
Foo operator+(bool value) const
{
std::cout << "adding " << value << std::endl;
return Foo((result << 1) | (value ? 1 : 0));
}
int get_result() const { return result; }
};
int main()
{
Foo x;
x = Foo(true) + false + true;
std::cout << x.get_result() << std::endl;
}
在这里玩它