无法在线寻求帮助。有没有办法解决这个问题?
std::showbase
仅为非零数字添加前缀(例如,0x
,std::hex
)(如here所述)。我希望使用0x0
格式化输出,而不是0
。
但是,仅使用:std::cout << std::hex << "0x" << ....
不是一个选项,因为右侧参数可能并不总是整数(或等价物)。我正在寻找一个showbase替换,它将前缀0与0x
并且不扭曲非int(或等价物),如下所示:
using namespace std;
/* Desired result: */
cout << showbase << hex << "here is 20 in hex: " << 20 << endl; // here is 20 in hex: 0x14
/* Undesired result: */
cout << hex << "0x" << "here is 20 in hex: " << 20 << endl; // 0xhere is 20 in hex: 20
/* Undesired result: */
cout << showbase << hex << "here is 0 in hex: " << 0 << endl; // here is 0 in hex: 0
非常感谢。
答案 0 :(得分:2)
试
std::cout << "here is 20 in hex: " << "0x" << std::noshowbase << std::hex << 20 << std::endl;
这种方式的数字始终以0x
为前缀,但您必须在每个打印的数字前添加<< "0x"
。
您甚至可以尝试创建自己的流操纵器
struct HexWithZeroTag { } hexwithzero;
inline ostream& operator<<(ostream& out, const HexWithZeroTag&)
{
return out << "0x" << std::noshowbase << std::hex;
}
// usage:
cout << hexwithzero << 20;
要在operator<<
来电之间进行设置,请使用here的回答来扩展您自己的信息流。您必须像这样更改区域设置do_put
:
const std::ios_base::fmtflags reqFlags = (std::ios_base::showbase | std::ios_base::hex);
iter_type
do_put(iter_type s, ios_base& f, char_type fill, long v) const {
if (v == 0 && ((f.flags() & reqFlags) == reqFlags)) {
*(s++) = '0';
*(s++) = 'x';
}
return num_put<char>::do_put(s, f, fill, v);
}
完整的工作解决方案:http://ideone.com/VGclTi