(C ++)将十六进制的字符串写入文件

时间:2013-05-09 04:54:48

标签: c++ hex ofstream

这让我疯了。我是初学者/中级C ++,我需要做一些看似简单的事情。我有一个字符串,里面有很多十六进制字符。它们是从txt文件输入的。字符串看起来像这样

07FF3901FF030302FF3f0007FF3901FF030302FF3f00.... etc for a while

如何轻松地将这些十六进制值写入.dat文件?我每次尝试时都会将其写为文本,而不是十六进制值。我已经尝试编写一个for循环来在每个字节插入“\ x”,但它仍然是以文本形式写的。

任何帮助将不胜感激:)

注意:显然,如果我甚至可以做到这一点,那么我对c ++知之甚少,所以尽量不要用脑子里的东西。或者至少解释一下。 Pweeeez:)

1 个答案:

答案 0 :(得分:1)

您应该清楚char(ascii)和十六进制值的区别。

在x.txt中假设:

ascii读作:“FE”

在二进制文件中,x.txt为“0x4645(0100 0110 0100 0101)”。在ascii中,'F'= 0x46,'E'= 0x45。

注意一切都是计算机存储在二进制代码中。

你想获得x.dat:

x.dat的二进制代码是“0xFE(1111 1110)”

因此,您应该将ascii文本转换为正确的十六进制值,然后将其写入x.dat。

示例代码:

#include<iostream>
#include<cstdio>
using namespace std;
char s[]="FE";
char r;
int cal(char c)// cal the coresponding value in hex of ascii char c
{
    if (c<='9'&&c>='0') return c-'0';
    if (c<='f'&&c>='a') return c-'a'+10;
    if (c<='F'&&c>='A') return c-'A'+10;
}
void print2(char c)//print the binary code of char c
{
    for(int i=7;i>=0;i--)
        if ((1<<i)&c) cout << 1;
        else cout << 0;
}
int main()
{
    freopen("x.dat","w",stdout);// every thing you output to stdout will be outout to x.dat.
    r=cal(s[0])*16+cal(s[1]);
    //print2(r);the binary code of r is "1111 1110"
    cout << r;//Then you can open the x.dat with any hex editor, you can see it is "0xFE" in binary
    freopen("CON","w",stdout); // back to normal
    cout << 1;// you can see '1' in the stdout.
}