Cree un directorio si no existe y luego cree los archivos en ese directorio también


114

La condición es que si el directorio existe, tiene que crear archivos en ese directorio específico sin crear un nuevo directorio.

El siguiente código solo crea un archivo con un nuevo directorio pero no para el directorio existente. Por ejemplo, el nombre del directorio sería como "GETDIRECTION"

String PATH = "/remote/dir/server/";

String fileName = PATH.append(id).concat(getTimeStamp()).append(".txt");  

String directoryName = PATH.append(this.getClassName());   

File file  = new File(String.valueOf(fileName));

File directory = new File(String.valueOf(directoryName));

 if(!directory.exists()){

             directory.mkdir();
            if(!file.exists() && !checkEnoughDiskSpace()){
                file.getParentFile().mkdir();
                file.createNewFile();
            }
}
FileWriter fw = new FileWriter(file.getAbsoluteFile());
BufferedWriter bw = new BufferedWriter(fw);
bw.write(value);
bw.close();

Respuestas:


174

Este código comprueba primero la existencia del directorio y lo crea si no es así, y crea el archivo después. Tenga en cuenta que no pude verificar algunas de sus llamadas a métodos porque no tengo su código completo, así que supongo que las llamadas a cosas como getTimeStamp()y getClassName()funcionarán. También debe hacer algo con lo posible IOExceptionque se puede lanzar al usar cualquiera de las java.io.*clases: o su función que escribe los archivos debe lanzar esta excepción (y se maneja en otro lugar), o debe hacerlo directamente en el método. Además, asumí que ides de tipo String, no lo sé, ya que su código no lo define explícitamente. Si es algo más como an int, probablemente debería convertirlo en a Stringantes de usarlo en fileName como lo he hecho aquí.

Además, reemplacé sus appendllamadas con concato +como vi apropiado.

public void writeFile(String value){
    String PATH = "/remote/dir/server/";
    String directoryName = PATH.concat(this.getClassName());
    String fileName = id + getTimeStamp() + ".txt";

    File directory = new File(directoryName);
    if (! directory.exists()){
        directory.mkdir();
        // If you require it to make the entire directory path including parents,
        // use directory.mkdirs(); here instead.
    }

    File file = new File(directoryName + "/" + fileName);
    try{
        FileWriter fw = new FileWriter(file.getAbsoluteFile());
        BufferedWriter bw = new BufferedWriter(fw);
        bw.write(value);
        bw.close();
    }
    catch (IOException e){
        e.printStackTrace();
        System.exit(-1);
    }
}

Probablemente no debería usar nombres de ruta desnudos como este si desea ejecutar el código en Microsoft Windows; no estoy seguro de qué hará con /los nombres de archivo. Para una portabilidad completa, probablemente debería usar algo como File.separator para construir sus rutas.

Editar : Según un comentario de JosefScript a continuación, no es necesario probar la existencia del directorio. La directory.mkdir() llamada regresará truesi creó un directorio, y falsesi no lo hizo, incluido el caso cuando el directorio ya existía.


las llamadas funcionan bien. Cuando probé la pieza anterior de coed, todavía está escribiendo el archivo en PATH pero no en el directorio. He utilizado File.seperator para la creación de un nuevo archivo.
Sri

Explique exactamente (con nombres de clase y variables de muestra) qué resultado espera. He adjuntado mi programa de ejemplo completo aquí pastebin.com/3eEg6jQv para que pueda ver que hace lo que está describiendo (lo mejor que tengo entendido).
Aaron D

1
Archivo archivo = nuevo Archivo (nombreDirectorio + "/" + nombreArchivo); reemplacé el fragmento de código anterior con StringBuffer fullFilePath = new StringBuffer (nombreDirectorio) .append (File.separator) .append (fileName); Archivo archivo = nuevo archivo (String.valueOf (fullFilePath)); y funcionó
Sri

En ese caso, puede utilizar el mkdirs()método.
Aaron D

3
¿Por qué tiene que comprobar la existencia del directorio? Jugué con esto y, por lo que puedo ver, no parece hacer una diferencia si creo el mismo directorio dos veces. Incluso los archivos contenidos no se sobrescribirán. ¿Me estoy perdiendo de algo?
JosefScript

80

versión java 8+

Files.createDirectories(Paths.get("/Your/Path/Here"));

The Files.createDirectories

crea un nuevo directorio y directorios principales que no existen.

El método no genera una excepción si el directorio ya existe.


5
Esta es la mejor respuesta
somshivam

¿Qué sucede si se requiere permiso para crear?
Ajay Takur

Para Android, solo funciona en API 26 y posteriores, así que asegúrese de verificar esta línea si (Build.VERSION.SDK_INT> = Build.VERSION_CODES.O) developer.android.com/reference/java/nio/file/…
Arpit Patel

24

Tratando de hacer esto lo más breve y simple posible. Crea un directorio si no existe y luego devuelve el archivo deseado:

/** Creates parent directories if necessary. Then returns file */
private static File fileWithDirectoryAssurance(String directory, String filename) {
    File dir = new File(directory);
    if (!dir.exists()) dir.mkdirs();
    return new File(directory + "/" + filename);
}

9
Prefiere usar File.separatorChar en lugar de "/".
cactuschibre

23

Sugeriría lo siguiente para Java8 +.

/**
 * Creates a File if the file does not exist, or returns a
 * reference to the File if it already exists.
 */
private File createOrRetrieve(final String target) throws IOException{

    final Path path = Paths.get(target);

    if(Files.notExists(path)){
        LOG.info("Target file \"" + target + "\" will be created.");
        return Files.createFile(Files.createDirectories(path)).toFile();
    }
    LOG.info("Target file \"" + target + "\" will be retrieved.");
    return path.toFile();
}

/**
 * Deletes the target if it exists then creates a new empty file.
 */
private File createOrReplaceFileAndDirectories(final String target) throws IOException{

    final Path path = Paths.get(target);
    // Create only if it does not exist already
    Files.walk(path)
        .filter(p -> Files.exists(p))
        .sorted(Comparator.reverseOrder())
        .peek(p -> LOG.info("Deleted existing file or directory \"" + p + "\"."))
        .forEach(p -> {
            try{
                Files.createFile(Files.createDirectories(p));
            }
            catch(IOException e){
                throw new IllegalStateException(e);
            }
        });

    LOG.info("Target file \"" + target + "\" will be created.");

    return Files.createFile(
        Files.createDirectories(path)
    ).toFile();
}

1
Files.createFile(Files.createDirectories(path)).toFile()debería ser Files.createDirectories(path).toFile()por la Access Deniedrazón.
Cataclysm

1
@Pytry, Files.createFile(Files.createDirectories(path))no funciona como se describe en el comentario anterior. createDirectoriesya crea un directorio con el nombre del archivo, por ejemplo, "test.txt", por createFilelo que fallará.
Marcono1234

7

código:

// Create Directory if not exist then Copy a file.


public static void copyFile_Directory(String origin, String destDir, String destination) throws IOException {

    Path FROM = Paths.get(origin);
    Path TO = Paths.get(destination);
    File directory = new File(String.valueOf(destDir));

    if (!directory.exists()) {
        directory.mkdir();
    }
        //overwrite the destination file if it exists, and copy
        // the file attributes, including the rwx permissions
     CopyOption[] options = new CopyOption[]{
                StandardCopyOption.REPLACE_EXISTING,
                StandardCopyOption.COPY_ATTRIBUTES

        };
        Files.copy(FROM, TO, options);


}

5

Usarlo java.nio.Pathsería bastante simple:

public static Path createFileWithDir(String directory, String filename) {
        File dir = new File(directory);
        if (!dir.exists()) dir.mkdirs();
        return Paths.get(directory + File.separatorChar + filename);
    }

0

Si crea una aplicación basada en web, la mejor solución es verificar que el directorio exista o no y luego crear el archivo si no existe. Si existe, vuelva a crear.

    private File createFile(String path, String fileName) throws IOException {
       ClassLoader classLoader = getClass().getClassLoader();
       File file = new File(classLoader.getResource(".").getFile() + path + fileName);

       // Lets create the directory
       try {
          file.getParentFile().mkdir();
       } catch (Exception err){
           System.out.println("ERROR (Directory Create)" + err.getMessage());
       }

       // Lets create the file if we have credential
       try {
           file.createNewFile();
       } catch (Exception err){
           System.out.println("ERROR (File Create)" + err.getMessage());
       }
       return  file;
   }
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.