假设我有一个文件.img。我想解析文件并以十六进制显示。这是我在互联网上的代码参考。但应用程序显示为空。请帮我解决。
int _tmain(int argc, _TCHAR* argv[])
{
const char *filename = "test.img";
ifstream::pos_type size;
char * memblock;
ifstream file(filename, ios::in|ios::binary|ios::ate);
if (file.is_open())
{
size = file.tellg();
memblock = new char [size];
file.seekg (0, ios::beg);
file.read (memblock, size);
file.close();
std::string tohexed = ToHex(std::string(memblock, size), true);
cout << tohexed << endl;
}
}
string ToHex(const string& s, bool upper_case) {
ostringstream ret;
for (string::size_type i = 0; i < s.length(); ++i)
{
int z = (int)s[i];
ret << std::hex << std::setfill('0') << std::setw(2) << (upper_case ? std::uppercase : std::nouppercase) << z;
}
return ret.str();
}
答案 0 :(得分:3)
代码太多了。
使用operator<<
定义一个类可以帮助封装自定义格式。
#include <iostream>
#include <iterator>
#include <algorithm>
#include <iomanip>
struct hexchar {
char c;
hexchar( char in ) : c( in ) {}
};
std::ostream &operator<<( std::ostream &s, hexchar const &c ) {
return s << std::setw( 2 ) << std::hex << std::setfill('0') << (int) c.c;
}
int main() {
std::copy( std::istreambuf_iterator<char>( std::cin ), std::istreambuf_iterator<char>(),
std::ostream_iterator< hexchar >( std::cout ) );
}