Std :: coutを使用して16進数で出力し、ゼロを使用して左パッドを出力したいdwordがあるとすると、0xabcdは0x0000abcdとして表示されます。あなたはこれをしなければならないようです:
_uint32_t my_int = 0xabcd;
std::cout << "0x" << std::hex << std::setw(8) << std::setfill('0')
<< my_int << std::endl;
_
これは、Cでprintf("0x%08X\n", my_int);
を使用して実行できることにはばかげているようです。出力にstd :: coutを使用しながら(名前空間stdを使用する以外に)これを短くする方法はありますか?
「ストリームマニピュレータ」を書けると思います。これは、この形式で印刷する複数の16進数がある場合に役立ちます。これは明らかに理想的な解決策ではありませんが、ラッパータイプを使用して、独自の「フォーマットフラグ」を作成して切り替えることができます。詳細については、 スティッキーカスタムストリームマニピュレータ を参照してください。
#include <iostream>
#include <iomanip>
static int const index = std::ios_base::xalloc();
std::ostream& hexify(std::ostream& stream) {
stream.iword(index) = 1;
return stream;
}
std::ostream& nohexify(std::ostream& stream) {
stream.iword(index) = 0;
return stream;
}
struct WrapperType {
uint32_t _m;
public:
WrapperType(uint32_t m) : _m(m)
{
}
uint32_t getm() const
{
return _m;
}
};
std::ostream& operator<< (std::ostream& os, const WrapperType& t) {
if (os.iword(index))
return os << "0x" << std::hex << std::setw(8) << std::setfill('0') << t.getm();
else
return os << t.getm();
}
int main()
{
WrapperType my_int{0xabcd};
std::cout << hexify << my_int << my_int;
std::cout << nohexify << my_int;
}
ストリームの(グローバル)フラグは変更せず、マニピュレータのみを変更します。
#include <iostream>
#include <iomanip>
#include <limits>
template <typename T>
struct Hex
{
// C++11:
// static constexpr int Width = (std::numeric_limits<T>::digits + 1) / 4;
// Otherwise:
enum { Width = (std::numeric_limits<T>::digits + 1) / 4 };
const T& value;
const int width;
Hex(const T& value, int width = Width)
: value(value), width(width)
{}
void write(std::ostream& stream) const {
if(std::numeric_limits<T>::radix != 2) stream << value;
else {
std::ios_base::fmtflags flags = stream.setf(
std::ios_base::hex, std::ios_base::basefield);
char fill = stream.fill('0');
stream << "0x" << std::setw(width) << value;
stream.fill(fill);
stream.setf(flags, std::ios_base::basefield);
}
}
};
template <typename T>
inline Hex<T> hex(const T& value, int width = Hex<T>::Width) {
return Hex<T>(value, width);
}
template <typename T>
inline std::ostream& operator << (std::ostream& stream, const Hex<T>& value) {
value.write(stream);
return stream;
}
int main() {
std::uint8_t u8 = 1;
std::uint16_t u16 = 1;
std::uint32_t u32 = 1;
std::cout << hex(unsigned(u8), 2) << ", " << hex(u16) << ", " << hex(u32) << '\n';
}
私のC++はさびていますが、Boostフォーマットを使用するのはどうですか: http://www.boost.org/doc/libs/1_37_0/libs/format/index.html