让我们假设我刚刚使用BufferedInputStream将UTF-8编码文本文件的字节读入字节数组。我知道我可以使用下面的例程将字节转换为字符串,但是是否有一种更有效/更聪明的方法来做到这一点,而不仅仅是遍历字节并转换每个字节?

public String openFileToString(byte[] _bytes)
{
    String file_string = "";

    for(int i = 0; i < _bytes.length; i++)
    {
        file_string += (char)_bytes[i];
    }

    return file_string;    
}

当前回答

下面是一个简化的函数,它将读取字节并创建字符串。它假定您可能已经知道文件的编码(否则为默认值)。

static final int BUFF_SIZE = 2048;
static final String DEFAULT_ENCODING = "utf-8";

public static String readFileToString(String filePath, String encoding) throws IOException {

    if (encoding == null || encoding.length() == 0)
        encoding = DEFAULT_ENCODING;

    StringBuffer content = new StringBuffer();

    FileInputStream fis = new FileInputStream(new File(filePath));
    byte[] buffer = new byte[BUFF_SIZE];

    int bytesRead = 0;
    while ((bytesRead = fis.read(buffer)) != -1)
        content.append(new String(buffer, 0, bytesRead, encoding));

    fis.close();        
    return content.toString();
}

其他回答

为此,您可以使用String(byte[] bytes)构造函数。详情请参见此链接。 你还必须考虑你的平台的默认字符集,根据java文档:

使用解码指定的字节数组来构造新的String 平台的默认字符集。新字符串的长度是a 函数的字符集,因此可能不等于长度 字节数组。当给定字节时,此构造函数的行为 在未指定的默认字符集中无效。的 类时,应该使用CharsetDecoder类 解码过程是必需的。

这也涉及到迭代,但这比连接字符串好得多,因为它们非常非常昂贵。

public String openFileToString(String fileName)
{
    StringBuilder s = new StringBuilder(_bytes.length);

    for(int i = 0; i < _bytes.length; i++)
    {
        s.append((char)_bytes[i]);
    }

    return s.toString();    
}

为什么不从一开始就得到你要找的东西,从文件中读取一个字符串,而不是一个字节数组呢?喜欢的东西:

BufferedReader in = new BufferedReader(new InputStreamReader( new FileInputStream( "foo.txt"), Charset.forName( "UTF-8"));

然后从内读取line,直到完成。

下面是一个简化的函数,它将读取字节并创建字符串。它假定您可能已经知道文件的编码(否则为默认值)。

static final int BUFF_SIZE = 2048;
static final String DEFAULT_ENCODING = "utf-8";

public static String readFileToString(String filePath, String encoding) throws IOException {

    if (encoding == null || encoding.length() == 0)
        encoding = DEFAULT_ENCODING;

    StringBuffer content = new StringBuffer();

    FileInputStream fis = new FileInputStream(new File(filePath));
    byte[] buffer = new byte[BUFF_SIZE];

    int bytesRead = 0;
    while ((bytesRead = fis.read(buffer)) != -1)
        content.append(new String(buffer, 0, bytesRead, encoding));

    fis.close();        
    return content.toString();
}

String有一个构造函数,以字节[]和charsetname作为参数:)