服务器之家:专注于服务器技术及软件下载分享
分类导航

PHP教程|ASP.NET教程|JAVA教程|ASP教程|

服务器之家 - 编程语言 - JAVA教程 - 5种解决Java独占写文件的方法

5种解决Java独占写文件的方法

2020-03-12 11:38lijiao JAVA教程

这篇文章主要介绍了5种解决Java独占写文件的方法,需要的朋友可以参考下

本文实例讲解了5种解决Java独占写文件的方法,包含自己的一些理解,如若有不妥的地方欢迎大家提出。

方案1:利用RandomAccessFile的文件操作选项s,s即表示同步锁方式写

?
1
RandomAccessFile file = new RandomAccessFile(file, "rws");

方案2:利用FileChannel的文件锁

?
1
2
3
4
5
6
7
8
9
10
File file = new File("test.txt");
FileInputStream fis = new FileInputStream(file);
FileChannel channel = fis.getChannel();
FileLock fileLock = null;
while(true) {
  fileLock = channel.tryLock(0, Long.MAX_VALUE, false); // true表示是共享锁,false则是独享锁定
  if(fileLock!=null) break;
  else  // 有其他线程占据锁
   sleep(1000);
}

方案3:先将要写的内容写入一个临时文件,然后再将临时文件改名(Hack方案,利用了缓冲+原子操作的原理)

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
public class MyFile {
  private String fileName;
  public MyFile(String fileName) {
   this.fileName = fileName;
  }
 
  public synchronized void writeData(String data) throws IOException {
   String tmpFileName = UUID.randomUUID().toString()+".tmp";
   File tmpFile = new File(tmpFileName);
   FileWriter fw = new FileWriter(tmpFile);
   fw.write(data);
   fw.flush();
   fw.close();
 
   // now rename temp file to desired name, this operation is atomic operation under most os
   if(!tmpFile.renameTo(fileName) {
     // we may want to retry if move fails
     throw new IOException("Move failed");
   }
  }
}

方案4:根据文件路径封装文件,并且用synchronized控制写文件

?
1
2
3
4
5
6
7
8
9
10
11
12
public class MyFile {
  private String fileName;
  public MyFile(String fileName) {
   this.fileName = fileName;
  }
  public synchronized void writeData(String data) throws IOException {
   FileWriter fw = new FileWriter(fileName);
   fw.write(data);
   fw.flush();
   fw.close();
  }    
}

方案5:我自己想出来的一个方案,不太精确。通过切换设置读写权限控制,模拟设置一个可写标记量(蜕变成操作系统中经典的读写问题....)

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
public class MyFile {
  private volatile boolean canWrite = true;
  private String fileName;
  public MyFile(String fileName) {
   this.fileName = fileName;
  }
  public void writeData(String data) {
   while(!canWrite) {
     try { Thread.sleep(100); } catch(InteruptedException ie) { } // 可以设置一个超时写时间
   }
   canWrite = false;
    
   // Now write file
 
   canWrite = true;
  }
}

以上就是Java独占写文件的解决方法,大家有没有学会,可以参考其他文章进行学习理解。

延伸 · 阅读

精彩推荐