0

我使用 InputStreamReader 传输压缩图像。InflaterInputStream 用于图像的解压

InputStreamReader infis =
   new InputStreamReader(
      new InflaterInputStream( download.getInputStream()), "UTF8" );
do {
   buffer.append(" ");
   buffer.append(infis.read());
} while((byte)buffer.charAt(buffer.length()-1) != -1);

但是所有非拉丁字符都变成“?” 并且图像已损坏http://s019.radikal.ru/i602/1205/7c/9df90800fba5.gif

随着未压缩图像的传输,我使用 BufferedReader 并且一切正常

BufferedReader is =
   new BufferedReader(
      new InputStreamReader( download.getInputStream()));
4

1 回答 1

5

Reader/Writer 类旨在处理文本(基于字符的)输入/输出。

压缩图像是二进制的,您需要使用 InputStream/OutputStream 或 nio 类来传输二进制数据。

下面给出了使用 InputStream/OutputStream 的示例。此示例将接收到的数据存储在本地文件中:

    BufferedInputStream bis = null;
    BufferedOutputStream bos = null;
    try {

        bis = new BufferedInputStream(download.getInputStream());
        bos = new BufferedOutputStream(new FileOutputStream("c:\\mylocalfile.gif"));

        int i;
        // read byte by byte until end of stream
        while ((i = bis.read()) != -1) {
            bos.write(i);
        }
    } finally {
        if (bis != null)
            try {
                bis.close();
            } catch (IOException ioe) {
                ioe.printStackTrace();
            }
        if (bos != null)
            try {
                bos.close();
            } catch (IOException ioe) {
                ioe.printStackTrace();
            }
    }
于 2012-05-24T18:40:42.193 回答