1

这是我的问题,我想打开一个 .jpg 文件并将每个字节作为用逗号分隔的十进制数 (0-255) 写入另一个 .txt 文件。现在它应该能够使用该 txt 文件再次构建 .jpf 文件。这就是我试图做到的方式。

#include<iostream>
#include<fstream>
using namespace std;
int main()
{
long x;
char *s;

ifstream ifs("image.jpg",ios::binary);
ifs.seekg(0,ios::end);
x=ifs.tellg();
ifs.seekg(0,ios::beg);

s=new char[x];
ifs.read(s,x);
ifs.close();

ofstream is("image.txt");

for(int i=0;i<x;i++){
is<<(unsigned int)s[i]<<",";
}

现在这个程序用十进制数字创建image.txt,如下所示,4294967295,4294967256,4294967295,4294967264,0,16,74,70,73,70,0,1,......这里有些数字似乎是4字节long, s[i] 只指一个字节,所以 (int)s[i] 如何返回一个大于 255 的数字。请有人帮我解决这个问题....谢谢..

4

1 回答 1

13

看来您的机器上char签名。因此,当您将负数转换为 时unsigned int,您会得到一个很大的值。使用 表示输出中的大值时,它们是负值char。请注意,当char签名时,它的值可以是-128to127但一个字节可以在0to之间255。所以任何大于127range 的值都会变成负数-128 to -1

用作unsigned char

unsigned char *s;

或者这样做:

is<< static_cast<unsigned int> (static_cast<unsigned char>(s[i]) )<<",";
                                ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
                                casting to unsigned char first
     ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
               then casting to unsigned int 

也就是说,先char转换为unsigned char,然后转换为unsigned int


好吧,这就是您所面临的问题。现在有一些关于风格和习语的注释。在 C++ 中,您应该尽可能避免使用new。在您的情况下,您可以std::vector用作:

//define file stream object, and open the file
std::ifstream file("image.jpg",ios::binary);

//prepare iterator pairs to iterate the file content!
std::istream_iterator<unsigned char> begin(file), end;

//reading the file content using the iterator!
std::vector<unsigned char> buffer(begin,end);

最后一行将文件中的所有数据读入buffer. 现在您可以将它们打印为:

std::copy(buffer.begin(), 
          buffer.end(), 
          std::ostream_iterator<unsigned int>(std::cout, ","));

为了使所有这些工作,除了您已经在代码中添加的内容之外,您还需要包含以下标头:

#include <vector>     //for vector
#include <iterator>   //for std::istream_iterator and std::ostream_iterator
#include <algorithm>  //for std::copy

如您所见,这个惯用的解决方案不使用指针and new,也不使用cast

于 2012-07-11T14:56:53.920 回答