java常用的文件读写操作

现在算算已经做java开发两年了,回过头想想还真是挺不容易的,java的东西是比较复杂但是如果基础功扎实的话能力的提升就很快,这次特别整理了点有关文件操作的常用代码和大家分享

1.文件的读取(普通方式)

(1)第一种方法

  1. File f=new File("d:"+File.separator+"test.txt");
  2. InputStream in=new FileInputStream(f);
  3. byte[] b=new byte[(int)f.length()];
  4. int len=0;
  5. int temp=0;
  6. while((temp=in.read())!=-1){
  7. b[len]=(byte)temp;
  8. len++;
  9. }
  10. System.out.println(new String(b,0,len,"GBK"));
  11. in.close();

这种方法貌似用的比较多一点

(2)第二种方法

  1. File f=new File("d:"+File.separator+"test.txt");
  2. InputStream in=new FileInputStream(f);
  3. byte[] b=new byte[1024];
  4. int len=0;
  5. while((len=in.read(b))!=-1){
  6. System.out.println(new String(b,0,len,"GBK"));
  7. }
  8. in.close();

2.文件读取(内存映射方式)

  1. File f=new File("d:"+File.separator+"test.txt");
  2. FileInputStream in=new FileInputStream(f);
  3. FileChannel chan=in.getChannel();
  4. MappedByteBuffer buf=chan.map(FileChannel.MapMode.READ_ONLY, 0, f.length());
  5. byte[] b=new byte[(int)f.length()];
  6. int len=0;
  7. while(buf.hasRemaining()){
  8. b[len]=buf.get();
  9. len++;
  10. }
  11. chan.close();
  12. in.close();
  13. System.out.println(new String(b,0,len,"GBK"));

这种方式的效率是最好的,速度也是最快的,因为程序直接操作的是内存

3.文件复制(边读边写)操作

(1)比较常用的方式

  1. package org.lxh;
  2. import java.io.File;
  3. import java.io.FileInputStream;
  4. import java.io.FileOutputStream;
  5. import java.io.InputStream;
  6. import java.io.OutputStream;
  7. public class ReadAndWrite {
  8. public static void main(String[] args) throws Exception {
  9. File f=new File("d:"+File.separator+"test.txt");
  10. InputStream in=new FileInputStream(f);
  11. OutputStream out=new FileOutputStream("e:"+File.separator+"test.txt");
  12. int temp=0;
  13. while((temp=in.read())!=-1){
  14. out.write(temp);
  15. }
  16. out.close();
  17. in.close();
  18. }
  19. }

(2)使用内存映射的实现

    1. package org.lxh;
    2. import java.io.File;
    3. import java.io.FileInputStream;
    4. import java.io.FileOutputStream;
    5. import java.nio.ByteBuffer;
    6. import java.nio.channels.FileChannel;
    7. public class ReadAndWrite2 {
    8. public static void main(String[] args) throws Exception {
    9. File f=new File("d:"+File.separator+"test.txt");
    10. FileInputStream in=new FileInputStream(f);
    11. FileOutputStream out=new FileOutputStream("e:"+File.separator+"test.txt");
    12. FileChannel fin=in.getChannel();
    13. FileChannel fout=out.getChannel();
    14. //开辟缓冲
    15. ByteBuffer buf=ByteBuffer.allocate(1024);
    16. while((fin.read(buf))!=-1){
    17. //重设缓冲区
    18. buf.flip();
    19. //输出缓冲区
    20. fout.write(buf);
    21. //清空缓冲区
    22. buf.clear();
    23. }
    24. fin.close();
    25. fout.close();
    26. in.close();
    27. out.close();
    28. }
    29. }
上一篇:转:java日志组件介绍(common-logging,log4j,slf4j,logback )


下一篇:ps 批量kill进程