java高效实现大文件拷贝功能
在java中,FileChannel类中有一些优化方法可以提高传输的效率,其中transferTo()和transferFrom()方法允许将一个通道交叉连接到另一个通道,而不需要通过一个缓冲区来传递数据。只有FileChannel类有这两个方法,因此channel-to-channel传输中通道之一必须是FileChannel。不能在sock通道之间传输数据,不过socket通道实现WritableByteChannel和ReadableByteChannel接口,因此文件的内容可以用transferTo()方法传输给一个socket通道,或者也可以用transferFrom()方法将数据从一个socket通道直接读取到一个文件中。
Channel-to-channel传输是可以极其快速的,特别是在底层操作系统提供本地支持的时候。某些操作系统可以不必通过用户空间传递数据而进行直接的数据传输。对于大量的数据传输,这会是一个巨大的帮助。
注意:如果要拷贝的文件大于4G,则不能直接用Channel-to-channel的方法,替代的方法是使用ByteBuffer,先从原文件通道读取到ByteBuffer,再将ByteBuffer写到目标文件通道中。
下面为实现大文件快速拷贝的代码:
importjava.io.File; importjava.io.IOException; importjava.io.RandomAccessFile; importjava.nio.ByteBuffer; importjava.nio.channels.FileChannel; publicclassBigFileCopy{ /** *通过channel到channel直接传输 *@paramsource *@paramdest *@throwsIOException */ publicstaticvoidcopyByChannelToChannel(Stringsource,Stringdest)throwsIOException{ Filesource_tmp_file=newFile(source); if(!source_tmp_file.exists()){ return; } RandomAccessFilesource_file=newRandomAccessFile(source_tmp_file,"r"); FileChannelsource_channel=source_file.getChannel(); Filedest_tmp_file=newFile(dest); if(!dest_tmp_file.isFile()){ if(!dest_tmp_file.createNewFile()){ source_channel.close(); source_file.close(); return; } } RandomAccessFiledest_file=newRandomAccessFile(dest_tmp_file,"rw"); FileChanneldest_channel=dest_file.getChannel(); longleft_size=source_channel.size(); longposition=0; while(left_size>0){ longwrite_size=source_channel.transferTo(position,left_size,dest_channel); position+=write_size; left_size-=write_size; } source_channel.close(); source_file.close(); dest_channel.close(); dest_file.close(); } publicstaticvoidmain(String[]args){ try{ longstart_time=System.currentTimeMillis(); BigFileCopy.copyByChannelToChannel("source_file","dest_file"); longend_time=System.currentTimeMillis(); System.out.println("copytime="+(end_time-start_time)); }catch(IOExceptione){ e.printStackTrace(); } } }
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持毛票票。