답변:
가장 좋은 방법은 다음과 같습니다.
String path = "C:" + File.separator + "hello" + File.separator + "hi.txt";
// Use relative path for Unix systems
File f = new File(path);
f.getParentFile().mkdirs();
f.createNewFile();
new File("/a/b/test.txt")
두 시스템에 대한 작품. Windows에서는 JVM이 실행되는 곳과 동일한 디스크에 기록됩니다.
f.getParentFile().mkdirs(); f.createNewFile();
쓰기 전에 상위 디렉토리가 존재하는지 확인해야합니다. 에 의해이 작업을 수행 할 수 있습니다 File#mkdirs()
.
File f = new File("C:/a/b/test.txt");
f.getParentFile().mkdirs();
// ...
함께 자바 7 , 당신이 사용할 수있는 Path
, Paths
그리고 Files
:
import java.io.IOException;
import java.nio.file.FileAlreadyExistsException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
public class CreateFile {
public static void main(String[] args) throws IOException {
Path path = Paths.get("/tmp/foo/bar.txt");
Files.createDirectories(path.getParent());
try {
Files.createFile(path);
} catch (FileAlreadyExistsException e) {
System.err.println("already exists: " + e.getMessage());
}
}
}
사용하다:
File f = new File("C:\\a\\b\\test.txt");
f.mkdirs();
f.createNewFile();
Windows 파일 시스템의 경로에 슬래시를 이중 백 슬래시로 변경했습니다. 주어진 경로에 빈 파일이 생성됩니다.
createNewFile()
당신이 쓸 때 불필요한 방법입니다 FileOutputStream
어쨌든.
String path = "C:"+File.separator+"hello";
String fname= path+File.separator+"abc.txt";
File f = new File(path);
File f1 = new File(fname);
f.mkdirs() ;
try {
f1.createNewFile();
} catch (IOException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
이것은 디렉토리 안에 새로운 파일을 만들어야합니다
지정된 경로에 새 파일 작성
import java.io.File;
import java.io.IOException;
public class CreateNewFile {
public static void main(String[] args) {
try {
File file = new File("d:/sampleFile.txt");
if(file.createNewFile())
System.out.println("File creation successfull");
else
System.out.println("Error while creating File, file already exists in specified path");
}
catch(IOException io) {
io.printStackTrace();
}
}
}
프로그램 출력 :
파일 생성 성공
놀랍게도 많은 답변이 완전한 작업 코드를 제공하지 않습니다. 여기있어:
public static void createFile(String fullPath) throws IOException {
File file = new File(fullPath);
file.getParentFile().mkdirs();
file.createNewFile();
}
public static void main(String [] args) throws Exception {
String path = "C:/donkey/bray.txt";
createFile(path);
}
FileOutputStream을 사용하려면 다음을 시도하십시오.
public class Main01{
public static void main(String[] args) throws FileNotFoundException{
FileOutputStream f = new FileOutputStream("file.txt");
PrintStream p = new PrintStream(f);
p.println("George.........");
p.println("Alain..........");
p.println("Gerard.........");
p.close();
f.close();
}
}