特定のJava.io.Fileが外部プログラムによって開かれているかどうかを確認しようとしています。 Windowsでは、この単純なトリックを使用します。
try {
FileOutputStream fos = new FileOutputStream(file);
// -> file was closed
} catch(IOException e) {
// -> file still open
}
UNIXベースのシステムでは複数のプロセスでファイルを開くことができることを知っています... UNIXベースのシステムで同じ結果を達成するための同様のトリックはありますか?
どんな助け/ハックも高く評価されています:-)
以下は、UNIXベースのシステムでlsofを使用する方法のサンプルです。
public static boolean isFileClosed(File file) {
try {
Process plsof = new ProcessBuilder(new String[]{"lsof", "|", "grep", file.getAbsolutePath()}).start();
BufferedReader reader = new BufferedReader(new InputStreamReader(plsof.getInputStream()));
String line;
while((line=reader.readLine())!=null) {
if(line.contains(file.getAbsolutePath())) {
reader.close();
plsof.destroy();
return false;
}
}
} catch(Exception ex) {
// TODO: handle exception ...
}
reader.close();
plsof.destroy();
return true;
}
お役に立てれば。
Javaプログラムlsof
Unixプログラムからプログラムを実行して、ファイルを使用しているプロセスを通知し、その出力を分析することができます。Javaコード。たとえば、Runtime
、Process
、ProcessBuilder
クラスを使用します。注:Javaプログラムはこの場合は移植性があり、移植性の概念に矛盾するため、これが本当に必要かどうかをよく考えてください。
これはWindowsシステムでも機能するはずです。しかし、注意、Linuxでは動作しません!
private boolean isFileClosed(File file) {
boolean closed;
Channel channel = null;
try {
channel = new RandomAccessFile(file, "rw").getChannel();
closed = true;
} catch(Exception ex) {
closed = false;
} finally {
if(channel!=null) {
try {
channel.close();
} catch (IOException ex) {
// exception handling
}
}
}
return closed;
}
あなたは@ZZ Coderによるファイルロックのためにこのセマフォタイプコードを試すことができます
File file = new File(fileName);
FileChannel channel = new RandomAccessFile(file, "rw").getChannel();
FileLock lock = channel.lock();
try {
lock = channel.tryLock();
// Ok. You get the lock
} catch (OverlappingFileLockException e) {
// File is open by someone else
} finally {
lock.release();
}
元の提案をありがとう。その方法にとってやや重要な小さなアップグレードが1つあります。
FileOutputStream fos = null;
try {
// Make sure that the output stream is in Append mode. Otherwise you will
// truncate your file, which probably isn't what you want to do :-)
fos = new FileOutputStream(file, true);
// -> file was closed
} catch(IOException e) {
// -> file still open
} finally {
if(fos != null) {
try {
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
}
乾杯、Gumbatron