我正在尝试读取二进制文件并将其写入ASCII格式。 我用C编写了一个基本程序。它读取二进制文件,但不是用ASCII代码写入二进制文件。
如何以ASCII代码/格式编写二进制文件?
#include <stdio.h>
#include <cstdlib>
main ( int argc, char *argv[ ] )
{
FILE *fs, *ft ;
char ch ;
if ( argc != 3 )
{
puts ( "Improper number of arguments" ) ;
exit(1) ;
}
fs = fopen ( argv[1], "rb" ) ;
if ( fs == NULL )
{
puts ( "Cannot open source file" ) ;
exit(1) ;
}
ft = fopen ( argv[2], "w" ) ;
if ( ft == NULL )
{
puts ( "Cannot open target file" ) ;
fclose ( fs ) ;
exit(1) ;
}
while ( 1 )
{
ch = fgetc ( fs ) ;
if ( ch == EOF )
break ;
else
fputc ( ch, ft ) ;
}
fclose ( fs ) ;
fclose ( ft ) ;
}
这里我上传了我的.g二进制文件屏幕截图
ctrlv.in/428546 你可以从下载 http://www.fileswap.com/dl/KU3xlwTI9d/
答案 0 :(得分:1)
由于您在评论中提到“任何文本形式”都会这样做,所以这是一种方式:
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char ** argv) {
if ( argc != 3 ) {
fprintf(stderr, "You need two arguments.\n");
return EXIT_FAILURE;
}
FILE * infile = fopen(argv[1], "rb");
if ( !infile ) {
fprintf(stderr, "Couldn't open file: %s\n", argv[1]);
return EXIT_FAILURE;
}
FILE * outfile = fopen(argv[2], "w");
if ( !outfile ) {
fprintf(stderr, "Couldn't open file: %s\n", argv[2]);
return EXIT_FAILURE;
}
int ch;
while ( (ch = fgetc(infile)) != EOF ) {
fprintf(outfile, "%x", ch);
}
fputc('\n', outfile);
fclose(infile);
fclose(outfile);
return EXIT_SUCCESS;
}
示例会话:
paul@local:~/src/sandbox$ hexdump binfile
0000000 6854 7369 6920 2073 6874 2065 7564 626d
0000010 7365 2074 7571 7365 6974 6e6f 4920 7627
0000020 2065 6573 6e65 0a2e
0000028
paul@local:~/src/sandbox$ ./bin2txt binfile txtfile
paul@local:~/src/sandbox$ cat txtfile
54686973206973207468652064756d62657374207175657374696f6e2049277665207365656e2ea
paul@local:~/src/sandbox$
txtfile
现在包含bin file
。
#include <stdio.h>
#include <stdlib.h>
int main(void) {
FILE * numfile = fopen("file.num", "wb");
if ( !numfile ) {
perror("Couldn't open file.num for writing");
return EXIT_FAILURE;
}
FILE * txtfile = fopen("file.txt", "w");
if ( !txtfile ) {
perror("Couldn't open file.txt for writing");
return EXIT_FAILURE;
}
int num = 0x0a216148;
fprintf(txtfile, "Ha!\n");
fwrite(&num, sizeof(num), 1, numfile);
fclose(numfile);
fclose(txtfile);
return EXIT_SUCCESS;
}
因此,我们有一个程序可以创建两个文件 - 一个包含文本"Ha!\n"
的文本文件,以及一个包含十六进制数字0x0a216148
或169,959,752
in的二进制文件小数。所以让我们运行它,看看那些文件:
paul@local:~/src/sandbox$ ./mkfiles
paul@local:~/src/sandbox$ cat file.txt
Ha!
paul@local:~/src/sandbox$ cat file.num
Ha!
paul@local:~/src/sandbox$
发生了什么事?事实证明,'H'
,'a'
,'!'
和'\n'
的ASCII字符来自0x48
,0x61
,{{1} }和0x21
。当你将它们串在一起时,你会得到0x0a
,在小端架构上,它与你在四字节0x4861210a
中表示数字169,959,752
的方式完全相同。
因此,如果你有一个包含int
,0x48
,0x61
和0x21
的二进制文件,并且你想“将其翻译成文本”,那么你告诉我 - 我们把它翻译为“哈!”,还是将它翻译成“一亿六千九百九十九万五千七百五十二”?
正如您希望的那样,除非您在创建该文件时知道我的想法,否则无法回答这个问题。我本来可以指的。或者我可能完全意味着其他东西,例如32位RGBA值。当不同的东西可以以相同的方式编码时,如果你想解码它,你必须知道我正在使用什么编码。
因此,问“我如何将二进制文件翻译成文本?”毫无意义。除非你也回答了这个问题,“所有二进制信息是什么意思?”,因为数字可以用来表示任何类型的信息。而且,要了解它的含义,您必须了解创建文件时创建文件的内容是什么。