Java 创建和写入文件
创建文件
要在 Java 中创建文件,可以使用 createNewFile()
方法。此方法返回布尔值:true
表示文件已成功创建,false
表示文件已存在。请注意,该方法包含在一个 try...catch
块中。这是必要的,因为它会抛出一个 IOException
(如果发生错误(如果由于某种原因无法创建文件))。
示例
import java.io.File; // Import the File class
import java.io.IOException; // Import the IOException class to handle errors
public class CreateFile {
public static void main(String[] args) {
try {
File myObj = new File("filename.txt");
if (myObj.createNewFile()) {
System.out.println("File created: " + myObj.getName());
} else {
System.out.println("File already exists.");
}
} catch (IOException e) {
System.out.println("An error occurred.");
e.printStackTrace();
}
}
}
输出将是
文件已创建:filename.txt
要在特定目录中创建文件(需要权限),请指定文件路径并使用双反斜杠转义 "\
" 字符(对于 Windows)。在 Mac 和 Linux 上,您只需编写路径,例如:/Users/name/filename.txt
写入文件
在以下示例中,我们使用 FileWriter
类及其 write()
方法将一些文本写入我们在上面示例中创建的文件。请注意,写入文件后,应使用 close()
方法关闭文件。
示例
import java.io.FileWriter; // Import the FileWriter class
import java.io.IOException; // Import the IOException class to handle errors
public class WriteToFile {
public static void main(String[] args) {
try {
FileWriter myWriter = new FileWriter("filename.txt");
myWriter.write("Files in Java might be tricky, but it is fun enough!");
myWriter.close();
System.out.println("Successfully wrote to the file.");
} catch (IOException e) {
System.out.println("An error occurred.");
e.printStackTrace();
}
}
}
输出将是
已成功写入文件。
要读取上面的文件,请转到 Java 读取文件 章节。