1

我有以下代码,它将读取 ISO-8859-1 中的文件,这就是此应用程序所需要的,

private static String readFile(String filename) throws IOException {




String lineSep = System.getProperty("line.separator");
File f = new File(filename);
StringBuffer sb = new StringBuffer();
if (f.exists()) {
 BufferedReader br =
 new BufferedReader(
   new InputStreamReader(
              new FileInputStream(filename), "ISO-8859-1"));

 String nextLine = "";
 while ((nextLine = br.readLine()) != null) {
   sb.append(nextLine+ " ");
   // note:  BufferedReader strips the EOL character.
  // sb.append(lineSep);
 }
  br.close();
}

return sb.toString();
}

问题是它很慢。我有这个功能,它要快得多,但我似乎找不到如何放置字符编码:

private static String fastStreamCopy(String filename)
{
   String s = "";
FileChannel fc = null;
try
{
    fc = new FileInputStream(filename).getChannel();



    MappedByteBuffer byteBuffer = fc.map(FileChannel.MapMode.READ_ONLY, 0, fc.size());

    int size = byteBuffer.capacity();
    if (size > 0)
        {

            byteBuffer.clear();
            byte[] bytes = new byte[size];
            byteBuffer.get(bytes, 0, bytes.length);
            s = new String(bytes);
        }

        fc.close();
    }
    catch (FileNotFoundException fnfx)
    {

        System.out.println("File not found: " + fnfx);
    }
    catch (IOException iox)
{

    System.out.println("I/O problems: " + iox);
   }
finally
    {
    if (fc != null)
        {
        try
            {
            fc.close();
            }
        catch (IOException ignore)
        {

        }
    }
    }
   return s;
}

有人知道我应该把 ISO 编码放在哪里吗?

4

2 回答 2

5

从您发布的代码中,您不是试图“复制”流,而是将其读入字符串。

您可以简单地在构造String函数中提供编码:

s = new String(bytes, "ISO-88591-1");

就个人而言,我只是将整个方法替换为对Guava 方法Files.toString()的调用:

String content = Files.toString(new File(filename), StandardCharsets.ISO_8859_1);

如果您使用的是 Java 6 或更早版本,则需要使用 Guava 字段Charsets.ISO_8859_1而不是StandardCharsets.ISO_8859_1(仅在 Java 7 中引入)。

但是,您使用“复制”一词表明您希望将结果写入其他文件(或流)。如果这是真的,那么您根本不需要关心编码,因为您可以直接处理byte[]并避免(不必要的)与String.

于 2013-11-05T14:33:11.133 回答
1

您将字节转换为字符串的位置,例如s = new String(bytes, encoding);,反之亦然。

于 2013-11-05T14:36:10.263 回答