¿Cuál es la sintaxis correcta de find -exec?

10

Quería eliminar archivos de más de 2 MB dentro de una carpeta específica. Entonces corrí:

find . -size +2M

Y obtuve una lista de dos archivos

./a/b/c/file1

./a/f/g/file2

Entonces corro:

find . -size +2M -exec rm ;

y recibo el mensaje de error Find: missing argument to -exec

Compruebo la sintaxis en la página de manual y dice -exec command ;

Así que en cambio lo intento

find . -size +2M -exec rm {} +

Y funciona. Entiendo que {} hace que ejecute el comando como en rm file1 file2lugar de rm file1; rm file2;.

Entonces, ¿por qué no funcionó el primero?

RESPONDER:

Supongo que solo tuve que usar RTFM un par de veces para finalmente entender lo que decía. Aunque el primer ejemplo no muestra {}, se requieren llaves en todos los casos. Y luego agrega \; o + según el método deseado. No solo lea el encabezado. Lea la descripción también. Entendido.

Safado
fuente

Respuestas:

16

Puede usar cualquiera de los formularios:

find . -size +2M -exec rm {} +

find . -size +2M -exec rm {} \;

¡Se debe escapar el punto y coma!

Khaled
fuente
10
-exec rm {} \;

puedes usar ... man find

-exec command ;
              Execute command; true if 0 status is returned.  All following arguments to find are taken to be arguments to the  command  until
              an  argument  consisting of `;' is encountered.  The string `{}' is replaced by the current file name being processed everywhere
              it occurs in the arguments to the command, not just in arguments where it is alone, as in some versions of find.  Both of  these
              constructions  might  need  to  be escaped (with a `\') or quoted to protect them from expansion by the shell.  See the EXAMPLES
              section for examples of the use of the -exec option.  The specified command is run once for each matched file.  The  command  is
              executed  in  the  starting directory.   There are unavoidable security problems surrounding use of the -exec action; you should
              use the -execdir option instead.

       -exec command {} +
              This variant of the -exec action runs the specified command on the selected files, but the command line is  built  by  appending
              each  selected file name at the end; the total number of invocations of the command will be much less than the number of matched
              files.  The command line is built in much the same way that xargs builds its command  lines.   Only  one  instance  of  `{}'  is
              allowed within the command.  The command is executed in the starting directory.
dSoultanis
fuente
1
Ah ok Supongo que solo tuve que usar RTFM un par de veces para finalmente entender lo que decía. Aunque el primer ejemplo no muestra {}, se requieren llaves en todos los casos. Y luego agrega \; o + según el método deseado. Entendido.
Safado
2

En aras de la eficiencia, generalmente es mejor usar xargs:

$ find /path/to/files -size +2M -print0 | xargs -0 rm
EEAA
fuente
1
Realmente no. Como dice la entrada de la Guía en el wiki de Greg: El + (en lugar de;) al final de la acción -exec le dice a find que use una característica interna similar a xargs que hace que el comando rm se invoque solo una vez por cada porción de archivos, en lugar de una vez por archivo.
Adaptr
Ahh, interesante. He estado usando find + xargs durante años y años, y nunca supe sobre el operador +. ¡Gracias por señalar eso!
EEAA
Puedo recomendar de todo corazón la wiki de Greg; este hombre sabe más sobre bash y el conjunto de herramientas GNU de lo que podría esperar aprender; es seguro decir que aprendí más sobre el uso de bash desde que comencé a leerlo que en todos los años anteriores.
Adaptr
2
¿Quién es Greg y dónde puedo encontrar su wiki?
Safado
@Safado Creo que es este: mywiki.wooledge.org
Enrico Stahn
0

No usaría -exec en absoluto para esto. find también puede eliminar archivos en sí:

find . -size +2M -delete

(Sin embargo, esto es probablemente un GNUismo, no sé si lo encontraría en un hallazgo que no sea GNU)

estofado
fuente
¿Hay alguna razón detrás de esto o es simplemente una preferencia personal?
Safado
find solo llama a unlink (2) en sí y no tiene que bifurcar nuevos procesos para eliminarlos. Sería mucho más eficiente. También es mucho más legible.
estofado
0

Como se documenta, -exec requiere {} como marcador de posición para la salida de find.

La guía definitiva para usar las herramientas bash y GNU está aquí

Como puede ver, muestra explícitamente el segundo comando que utilizó como ejemplo.

Adaptador
fuente