我使用boost :: format打印出一个结构。但是,boost :: format似乎无法处理“位字段”,请参阅以下示例:
// Linux: g++ test.cc -lboost_system
#include <cstdio>
#include <iostream>
#include <boost/format.hpp>
struct bits_t {
unsigned int io: 1;
unsigned int co;
};
int main(void) {
using std::cout;
using boost::format;
bits_t b; b.io = 1; b.co = 2;
printf("io = %d \n", b.io); // Okay
cout << format("co = %d \n") % b.co; // Okay
// cout << format("io = %d \n") % b.io; // Not Okay
return 0;
}
注意我注释掉的第二个cout
,它尝试打印出printf
的位字段,但是编译器抱怨:
`error: cannot bind bitfield ‘b.bits_t::io’ to ‘unsigned int&’
我想知道我错过了什么?感谢
答案 0 :(得分:3)
问题是boost::format
通过const引用(不是副本)接受参数,并且引用不能绑定到位域。
您可以通过将值转换为临时整数来解决此问题。一种简洁的方式是应用一元operator +
。
cout << format("io = %d \n") % +b.io; // NOW Okay