目录

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();
    }
  }
}

输出将是:

File created: filename.txt
运行示例 »

要在特定目录中创建文件(需要权限),请指定文件的路径并使用双反斜杠转义“\" 字符(适用于 Windows)。在 Mac 和 Linux 上,您可以只写路径,例如:/Users/name/filename.txt

示例

File myObj = new File("C:\\Users\\MyName\\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();
    }
  }
}

输出将是:

Successfully wrote to the file.
运行示例 »

要阅读上面的文件,请转到Java读取文件章节。