0

我正在尝试通过以下方式写入文件:

for(String s : str){
     buffer.put(s.getBytes());
     buffer.flip();
     channel.write(buffer);
      buffer.clear();
}

所以每当我从文件中获取时char c = (char)randomAccessFile.readChar();

在这里,我没有得到字符串中的字符。谁能告诉我原因。

还有一件事为什么将String假设尝试转换为字节,即string.getBytes()它给出了 6 个字节。但是我们知道 char 需要2字节,所以它应该是16*6=96.

4

1 回答 1

0

ARandomAccessFile期望字节是底层字符串的内存表示。当您调用时,String.getBytes()您将获得底层字符串的标准表示。这是与RandomAccessFile. 请注意,它没有使用getBytes(),而是将底层证券char转换为 a byte

public static void main(String [] args) throws IOException {
    String str = "foo";

    SeekableByteChannel channel = Files.newByteChannel(Paths.get("C:\\tmp\\foo.txt"), StandardOpenOption.CREATE, StandardOpenOption.WRITE, StandardOpenOption.TRUNCATE_EXISTING);
    ByteBuffer buffer = ByteBuffer.allocate(1024);
    for(int i = 0; i < str.length(); i++) {
        char ch = str.charAt(i);
        buffer.put((byte)(ch >> 8));
        buffer.put((byte)ch);
    }
    buffer.flip();
    channel.write(buffer);

    RandomAccessFile file = new RandomAccessFile("/tmp/foo.txt", "rw");
    try {
        while(true) {
            System.out.println(file.readChar());
        }
    } finally {
        file.close();
    }
}
于 2013-10-21T23:00:27.073 回答