1. 程式人生 > >Anders 的專欄(Talk is cheap, show me the code!)

Anders 的專欄(Talk is cheap, show me the code!)

JAVA NIO 檔案鎖

FileLock

檔案鎖定初看起來可能讓人迷惑。它 似乎指的是防止程式或者使用者訪問特定檔案。事實上,檔案鎖就像常規的 Java 物件鎖 ― 它們是 勸告式的(advisory) 鎖。它們不阻止任何形式的資料訪問,相反,它們通過鎖的共享和獲取賴允許系統的不同部分相互協調。
您可以鎖定整個檔案或者檔案的一部分。如果您獲取一個排它鎖,那麼其他人就不能獲得同一個檔案或者檔案的一部分上的鎖。如果您獲得一個共享鎖,那麼其他人可以獲得同一個檔案或者檔案一部分上的共享鎖,但是不能獲得排它鎖。
檔案鎖定並不總是出於保護資料的目的。例如,您可能臨時鎖定一個檔案以保證特定的寫操作成為原子的,而不會有其他程式的干擾。
大多數作業系統提供了檔案系統鎖,但是它們並不都是採用同樣的方式。有些實現提供了共享鎖,而另一些僅提供了排它鎖。事實上,有些實現使得檔案的鎖定部分不可訪問,儘管大多數實現不是這樣的。

在java nio中提供了檔案鎖的功能,這樣當一個執行緒將檔案鎖定之後,其他執行緒是無法操作此檔案的,要進行檔案的鎖定操作,則要使用FileLock類來完成,此類的物件需要依靠FileChannel進行例項化操作。


關於鎖定的方式:

1  共享鎖:允許多個執行緒進行檔案的讀取操作

2 獨佔鎖: 只允許一個執行緒進行檔案的讀/寫操作

eg

這個程式是將a.txt檔案鎖定15秒

public class FileLock {

	public static void main(String[] args) throws Exception {
		String path = FileLock.class.getClassLoader().getResource("a.txt").getPath();
		File file = new File(path);
		
		RandomAccessFile raf = new RandomAccessFile(file, "rw");
		FileChannel channel = raf.getChannel();
		java.nio.channels.FileLock lock = channel.tryLock();
		//鎖定15秒
		TimeUnit.SECONDS.sleep(15);
		//釋放
		lock.release();
		//close
		channel.close();
		raf.close();
	}
}

接下來立即執行:讀 a.txt檔案
public class ReadFile {

	public static void main(String[] args) throws Exception {
		String path = FileLock.class.getClassLoader().getResource("a.txt").getPath();
		File file = new File(path);
		
		FileInputStream ins = new FileInputStream(file);
		
		FileChannel fIns = ins.getChannel();
		
		ByteBuffer buffer = ByteBuffer.allocate(1024);
		
		while (true) {
			buffer.clear();
			int r = fIns.read(buffer);
			if(r == -1){
				break;
			}
			buffer.flip();
			out(buffer);
		}

	}
	
	public static void out(ByteBuffer buffer){
		for (int i = 0; i < buffer.limit(); i++) {
			System.out.print(buffer.get());
		}
	}

}

報錯:

Exception in thread "main" java.io.IOException: 另一個程式已鎖定檔案的一部分,程序無法訪問。
at sun.nio.ch.FileDispatcherImpl.read0(Native Method)
at sun.nio.ch.FileDispatcherImpl.read(Unknown Source)
at sun.nio.ch.IOUtil.readIntoNativeBuffer(Unknown Source)
at sun.nio.ch.IOUtil.read(Unknown Source)
at sun.nio.ch.FileChannelImpl.read(Unknown Source)
at com.anders.javanio.filelock.ReadFile.main(ReadFile.java:23)