我有一个名为foo.txt
的文件。该文件包含一些文本。我想实现以下功能:
new string in foo.txt
)您能澄清这个问题的最佳解决方案吗?此外,我想要解决相关问题:如果我修改foo.txt
我想看到差异。
我在Java中找到的最接近的工具是WatchService
,但如果我理解正确,这个工具只能检测文件系统上发生的事件类型(创建文件或删除或修改)。
答案 0 :(得分:2)
Java Diff Utils就是为此而设计的。
final List<String> originalFileContents = new ArrayList<String>();
final String filePath = "C:/Users/BackSlash/Desktop/asd.txt";
FileListener fileListener = new FileListener() {
@Override
public void fileDeleted(FileChangeEvent paramFileChangeEvent)
throws Exception {
// use this to handle file deletion event
}
@Override
public void fileCreated(FileChangeEvent paramFileChangeEvent)
throws Exception {
// use this to handle file creation event
}
@Override
public void fileChanged(FileChangeEvent paramFileChangeEvent)
throws Exception {
System.out.println("File Changed");
//get new contents
List<String> newFileContents = new ArrayList<String> ();
getFileContents(filePath, newFileContents);
//get the diff between the two files
Patch patch = DiffUtils.diff(originalFileContents, newFileContents);
//get single changes in a list
List<Delta> deltas = patch.getDeltas();
//print the changes
for (Delta delta : deltas) {
System.out.println(delta);
}
}
};
DefaultFileMonitor monitor = new DefaultFileMonitor(fileListener);
try {
FileObject fileObject = VFS.getManager().resolveFile(filePath);
getFileContents(filePath, originalFileContents);
monitor.addFile(fileObject);
monitor.start();
} catch (InterruptedException ex) {
ex.printStackTrace();
} catch (FileNotFoundException e) {
//handle
e.printStackTrace();
} catch (IOException e) {
//handle
e.printStackTrace();
}
getFileContents
的位置:
void getFileContents(String path, List<String> contents) throws FileNotFoundException, IOException {
contents.clear();
BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(path), "UTF-8"));
String line = null;
while ((line = reader.readLine()) != null) {
contents.add(line);
}
}
我做了什么:
List<String>
。FileMonitor
使用Apache Commons VFS来监听文件更改。你可能会问, 为什么 ?因为WatchService
仅从Java 7开始可用,而FileMonitor
至少适用于Java 5(个人偏好,如果您更喜欢WatchService
,则可以使用它)。 注意:Apache Commons VFS依赖于Apache Commons Logging,您必须将两者都添加到构建路径才能使其正常工作。FileListener
,然后我实施了fileChanged
方法。Patch.diff
检索所有差异,然后打印它们DefaultFileMonitor
,它基本上会侦听文件的更改,然后我将文件添加到文件中。启动监视器后,它将开始侦听文件更改。