如何连接2个文件

时间:2013-09-11 14:17:16

标签: android performance file concat

我如何连接两个文件。

我有两个音频部分(每个部分包含来自同一来源的大约3秒的音频)。 我正在尝试合并这两个文件,并与Android媒体播放器播放主题。 目前我正在使用下面的方法,它工作正常,但需要花费很多时间(我的星系连接约13秒)。

所以我的问题是,有没有办法更快地做到这一点?

   public static void merge(File audioFile1, File audioFile2, File outputFile){
    long timeStart= System.currentTimeMillis();
    try {

        FileInputStream fistream1 = new FileInputStream(audioFile1);
        FileInputStream fistream2 = new FileInputStream(audioFile2);
        SequenceInputStream sistream = new SequenceInputStream(fistream1, fistream2);
        FileOutputStream fostream = new FileOutputStream(outputFile);

        int temp;

        while( ( temp = sistream.read() ) != -1)
        {

            fostream.write(temp);  
        }

        fostream.close();
        sistream.close();
        fistream1.close();          
        fistream2.close();
    } catch (FileNotFoundException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }
    long timeEnd= System.currentTimeMillis();

    Log.e("merge timer:", "milli seconds:" + (timeEnd - timeStart));
}

1 个答案:

答案 0 :(得分:2)

替换

int temp;
while((temp = sistream.read()) != -1) {
    fostream.write(temp);  
}

带有缓冲副本:

int count;
byte[] temp = new byte[4096];
while((count = sistream.read(temp)) != -1) {
    fostream.write(temp, 0, count);  
}

这将一次读取最多4096个字节,而不是一次读取1个字节。

BufferedReader / BufferedWriter可以进一步提升效果。