java 文件重命名为()
java File renameTo()
首先renameTo()没问题,问题是改名后,文件f的路径还是旧的,不是新的,也就是说文件f不可用,必须被改变。但是我应该怎么做呢?
ArrayList<File> list = new ArrayList();
public void myfunction() {
// some code to fill list
for (File f:list){
changeName(f);
System.out.println(f.getName()); // this print the old name
}
}
public void changeName(File f){
File newFile = new File(new SimpleDateFormat("yyyyMMdd_HHmmss").format(f.lastModified())+".txt");
f.renameTo(newFile);
f = newFile; //this line here doesn't work
}
}
一个File
实例不是文件句柄。是
An abstract representation of file and directory pathnames.
https://docs.oracle.com/javase/7/docs/api/java/io/File.html
因此更改文件名(在系统中)不会更改用于访问它的任何 File
。
Return 来自您的 changeName
方法的新 File
实例。
import java.io.File;
public class SOPlayground {
public static void main(String[] args) throws Exception {
File before = new File("/tmp/before");
File after = new File("/tmp/after");
boolean success = before.renameTo(after);
if (success) {
before = after;
}
System.out.println(before);
}
}
输出:
/tmp/after
这是因为JAVA中的变量是passed by value
。如果您想查看新内容,则 return newFile
,而不是 f = newFile;
语句。
首先renameTo()没问题,问题是改名后,文件f的路径还是旧的,不是新的,也就是说文件f不可用,必须被改变。但是我应该怎么做呢?
ArrayList<File> list = new ArrayList();
public void myfunction() {
// some code to fill list
for (File f:list){
changeName(f);
System.out.println(f.getName()); // this print the old name
}
}
public void changeName(File f){
File newFile = new File(new SimpleDateFormat("yyyyMMdd_HHmmss").format(f.lastModified())+".txt");
f.renameTo(newFile);
f = newFile; //this line here doesn't work
}
}
一个File
实例不是文件句柄。是
An abstract representation of file and directory pathnames.
https://docs.oracle.com/javase/7/docs/api/java/io/File.html
因此更改文件名(在系统中)不会更改用于访问它的任何 File
。
Return 来自您的 changeName
方法的新 File
实例。
import java.io.File;
public class SOPlayground {
public static void main(String[] args) throws Exception {
File before = new File("/tmp/before");
File after = new File("/tmp/after");
boolean success = before.renameTo(after);
if (success) {
before = after;
}
System.out.println(before);
}
}
输出:
/tmp/after
这是因为JAVA中的变量是passed by value
。如果您想查看新内容,则 return newFile
,而不是 f = newFile;
语句。