我想更改二进制文件的修改时间戳。这样做的最佳方式是什么?
打开和关闭文件是一个不错的选择吗? (我需要一个解决方案,在每个平台和JVM上都会更改时间戳的修改。)
答案 0 :(得分:44)
File类有setLastModified方法。这就是ANT所做的。
答案 1 :(得分:19)
我的2美分,基于@Joe.M answer
public static void touch(File file) throws IOException{
long timestamp = System.currentTimeMillis();
touch(file, timestamp);
}
public static void touch(File file, long timestamp) throws IOException{
if (!file.exists()) {
new FileOutputStream(file).close();
}
file.setLastModified(timestamp);
}
答案 2 :(得分:10)
这是一个简单的片段:
void touch(File file, long timestamp)
{
try
{
if (!file.exists())
new FileOutputStream(file).close();
file.setLastModified(timestamp);
}
catch (IOException e)
{
}
}
答案 3 :(得分:8)
我知道Apache Ant有一个Task就可以做到这一点 请参阅source code of Touch(可以告诉您他们是如何做到的)
他们使用FILE_UTILS.setFileLastModified(file, modTime);
,ResourceUtils.setLastModified(new FileResource(file), time);
使用org.apache.tools.ant.types.resources.Touchable
,org.apache.tools.ant.types.resources.FileResource
实现了{{3}} ...
基本上,这是对File.setLastModified(modTime)
的调用。
答案 4 :(得分:6)
这个问题只提到更新时间戳,但我想我还是会把它放在这里。我在Unix中寻找触摸,如果它不存在,也会创建一个文件。
对于任何使用Apache Commons的人来说,只有FileUtils.touch(File file)
可以做到这一点。
以下是(内联openInputStream(File f)
)source:
public static void touch(final File file) throws IOException {
if (file.exists()) {
if (file.isDirectory()) {
throw new IOException("File '" + file + "' exists but is a directory");
}
if (file.canWrite() == false) {
throw new IOException("File '" + file + "' cannot be written to");
}
} else {
final File parent = file.getParentFile();
if (parent != null) {
if (!parent.mkdirs() && !parent.isDirectory()) {
throw new IOException("Directory '" + parent + "' could not be created");
}
}
final OutputStream out = new FileOutputStream(file);
IOUtils.closeQuietly(out);
}
final boolean success = file.setLastModified(System.currentTimeMillis());
if (!success) {
throw new IOException("Unable to set the last modification time for " + file);
}
}
答案 5 :(得分:6)
如果您已使用Guava:
com.google.common.io.Files.touch(file)
答案 6 :(得分:3)
由于File
为a bad abstraction,因此最好使用Files
和Path
:
public static void touch(final Path path) throws IOException {
Objects.requireNotNull(path, "path is null");
if (Files.exists(path)) {
Files.setLastModifiedTime(path, FileTime.from(Instant.now()));
} else {
Files.createFile(path);
}
}