¿Cómo crear un archivo en un directorio en java?


156

Si quiero crear un archivo C:/a/b/test.txt, ¿puedo hacer algo como:

File f = new File("C:/a/b/test.txt");

Además, quiero usar FileOutputStreampara crear el archivo. Entonces, ¿cómo lo haría? Por alguna razón, el archivo no se crea en el directorio correcto.

Respuestas:


245

La mejor manera de hacerlo es:

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

35
No funcionará para Linux porque no existe tal cosa como "C:" en sistemas unix.
Marcelo

33
Uso de new File("/a/b/test.txt")obras para ambos sistemas. En Windows, se escribirá en el mismo disco donde se ejecuta JVM.
BalusC

66
f.getParentFile().mkdirs(); f.createNewFile();
Patrick Bergner

1
No olvides comprobar si el método llamado (mkdirs y createNewFile) pide errores
Alessandro S.

1
if (! file.exists ()) f.createNewFile ();
Mehdi

50

Debe asegurarse de que existan los directorios principales antes de escribir. Puedes hacer esto por File#mkdirs().

File f = new File("C:/a/b/test.txt");
f.getParentFile().mkdirs();
// ...

38

Con Java 7 , se puede utilizar Path, Pathsy 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());
        }
    }
}

12

Utilizar:

File f = new File("C:\\a\\b\\test.txt");
f.mkdirs();
f.createNewFile();

Observe que cambié las barras inclinadas a barras diagonales dobles para las rutas en el Sistema de archivos de Windows. Esto creará un archivo vacío en la ruta dada.


1
En Windows, tanto \\ como / son válidos. Por createNewFile()cierto, es innecesario cuando le escribes de FileOutputStreamtodos modos.
BalusC

@Eric señaló y corrigió, gracias.
Marcelo

Esto creó un directorio llamado test.txt en lugar de archivo.
MasterJoe2

3

Una forma mejor y más simple de hacer eso:

File f = new File("C:/a/b/test.txt");
if(!f.exists()){
   f.createNewFile();
}

Fuente


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

Esto debería crear un nuevo archivo dentro de un directorio


0

Crear nuevo archivo en ruta especificada

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

}

Salida del programa:

Creación de archivos exitosa


0

Sorprendentemente, muchas de las respuestas no dan un código de trabajo completo. Aquí está:

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

0

Para crear un archivo y escribir alguna cadena allí:

BufferedWriter bufferedWriter = Files.newBufferedWriter(Paths.get("Path to your file"));
bufferedWriter.write("Some string"); // to write some data
// bufferedWriter.write("");         // for empty file
bufferedWriter.close();

Esto funciona para Mac y PC.


0

Para usar FileOutputStream intente esto:

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();
    }
}
Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.