Linux find exec пример

Understanding the -exec option of `find`

mainly because I don’t see how exactly the -exec part works. What is the meaning of the braces, the backslash and the semicolon? Are there other use cases for that syntax?

1 Answer 1

This answer comes in the following parts:

  • Basic usage of -exec
  • Using -exec in combination with sh -c
  • Using -exec . <> +
  • Using -execdir

Basic usage of -exec

The -exec option takes an external utility with optional arguments as its argument and executes it.

If the string <> is present anywhere in the given command, each instance of it will be replaced by the pathname currently being processed (e.g. ./some/path/FILENAME ). In most shells, the two characters <> does not need to be quoted.

The command needs to be terminated with a ; for find to know where it ends (as there may be further options afterwards). To protect the ; from the shell, it needs to be quoted as \; or ‘;’ , otherwise the shell will see it as the end of the find command.

Example (the \ at the end of the first two lines are just for line continuations):

find . -type f -name '*.txt' \ -exec grep -q 'hello' <> ';' \ -exec cat <> ';' 

This will find all regular files ( -type f ) whose names matches the pattern *.txt in or below the current directory. It will then test whether the string hello occurs in any of the found files using grep -q (which does not produce any output, just an exit status). For those files that contain the string, cat will be executed to output the contents of the file to the terminal.

Each -exec also acts like a «test» on the pathnames found by find , just like -type and -name does. If the command returns a zero exit status (signifying «success»), the next part of the find command is considered, otherwise the find command continues with the next pathname. This is used in the example above to find files that contain the string hello , but to ignore all other files.

The above example illustrates the two most common use cases of -exec :

  1. As a test to further restrict the search.
  2. To perform some kind of action on the found pathname (usually, but not necessarily, at the end of the find command).

Using -exec in combination with sh -c

The command that -exec can execute is limited to an external utility with optional arguments. To use shell built-ins, functions, conditionals, pipelines, redirections etc. directly with -exec is not possible, unless wrapped in something like a sh -c child shell.

If bash features are required, then use bash -c in place of sh -c .

sh -c runs /bin/sh with a script given on the command line, followed by optional command line arguments to that script.

Читайте также:  Alt linux сборка rpm

A simple example of using sh -c by itself, without find :

sh -c 'echo "You gave me $1, thanks!"' sh "apples" 

This passes two arguments to the child shell script. These will be placed in $0 and $1 for the script to use.

  1. The string sh . This will be available as $0 inside the script, and if the internal shell outputs an error message, it will prefix it with this string.
  2. The argument apples is available as $1 in the script, and had there been more arguments, then these would have been available as $2 , $3 etc. They would also be available in the list «$@» (except for $0 which would not be part of «$@» ).

This is useful in combination with -exec as it allows us to make arbitrarily complex scripts that acts on the pathnames found by find .

Example: Find all regular files that have a certain filename suffix, and change that filename suffix to some other suffix, where the suffixes are kept in variables:

from=text # Find files that have names like something.text to=txt # Change the .text suffix to .txt find . -type f -name "*.$from" -exec sh -c 'mv "$3" "$.$2"' sh "$from" "$to" <> ';' 

Inside the internal script, $1 would be the string text , $2 would be the string txt and $3 would be whatever pathname find has found for us. The parameter expansion $ would take the pathname and remove the suffix .text from it.

Or, using dirname / basename :

find . -type f -name "*.$from" -exec sh -c ' mv "$3" "$(dirname "$3")/$(basename "$3" ".$1").$2"' sh "$from" "$to" <> ';' 

or, with added variables in the internal script:

find . -type f -name "*.$from" -exec sh -c ' from=$1; to=$2; pathname=$3 mv "$pathname" "$(dirname "$pathname")/$(basename "$pathname" ".$from").$to"' sh "$from" "$to" <> ';' 

Note that in this last variation, the variables from and to in the child shell are distinct from the variables with the same names in the external script.

The above is the correct way of calling an arbitrary complex script from -exec with find . Using find in a loop like

for pathname in $( find . ); do 

is error prone and inelegant (personal opinion). It is splitting filenames on whitespaces, invoking filename globbing, and also forces the shell to expand the complete result of find before even running the first iteration of the loop.

Using -exec . <> +

The ; at the end may be replaced by + . This causes find to execute the given command with as many arguments (found pathnames) as possible rather than once for each found pathname. The string <> has to occur just before the + for this to work.

find . -type f -name '*.txt' \ -exec grep -q 'hello' <> ';' \ -exec cat <> + 

Here, find will collect the resulting pathnames and execute cat on as many of them as possible at once.

find . -type f -name "*.txt" \ -exec grep -q "hello" <> ';' \ -exec mv -t /tmp/files_with_hello/ <> + 

Likewise here, mv will be executed as few times as possible. This last example requires GNU mv from coreutils (which supports the -t option).

Читайте также:  Суперблок linux что это

Using -exec sh -c . <> + is also an efficient way to loop over a set of pathnames with an arbitrarily complex script.

The basics is the same as when using -exec sh -c . <> ‘;’ , but the script now takes a much longer list of arguments. These can be looped over by looping over «$@» inside the script.

Our example from the last section that changes filename suffixes:

from=text # Find files that have names like something.text to=txt # Change the .text suffix to .txt find . -type f -name "*.$from" -exec sh -c ' from=$1; to=$2 shift 2 # remove the first two arguments from the list # because in this case these are *not* pathnames # given to us by find for pathname do # or: for pathname in "$@"; do mv "$pathname" "$.$to" done' sh "$from" "$to" <> + 

Using -execdir

There is also -execdir (implemented by most find variants, but not a standard option).

This works like -exec with the difference that the given shell command is executed with the directory of the found pathname as its current working directory and that <> will contain the basename of the found pathname without its path (but GNU find will still prefix the basename with ./ , while BSD find or sfind won’t).

find . -type f -name '*.txt' \ -execdir mv -- <> 'done-texts/<>.done' \; 

This will move each found *.txt -file to a pre-existing done-texts subdirectory in the same directory as where the file was found. The file will also be renamed by adding the suffix .done to it. — , to mark the end of options is needed here in those find implementations that don’t prefix the basename with ./ . The quotes around the argument that contains <> not as a whole are needed if your shell is (t)csh . Also note that not all find implementations will expand that <> there ( sfind won’t).

This would be a bit trickier to do with -exec as we would have to get the basename of the found file out of <> to form the new name of the file. We also need the directory name from <> to locate the done-texts directory properly.

With -execdir , some things like these becomes easier.

The corresponding operation using -exec instead of -execdir would have to employ a child shell:

find . -type f -name '*.txt' -exec sh -c ' for name do mv "$name" "$( dirname "$name" )/done-texts/$( basename "$name" ).done" done' sh <> + 
find . -type f -name '*.txt' -exec sh -c ' for name do mv "$name" "$/done-texts/$.done" done' sh <> + 

Источник

Linux find exec пример

Библиотека сайта rus-linux.net

locate является программа find : GNU find обходит каждый файл из дерева директорий, подставляя его имя в заданное выражение и проводит вычисление значения выражения слева до получения результата (правая часть выражения ложна для операции логического «и», истинна для логического «или»), на основании которого find принимает решение о выполнении заданного действия и переходит к рассмотрению следующего имени файла.

Программа find может принимать различные аргументы командной строки для создания выражения поиска, а стандартным действием при обнаружении файла с именем, удовлетворяющим выражению, является печать имени файла.

Читайте также:  Linux snmp trap receiver

Перед тем, как как привести полезные примеры использования программы find с параметром exec , рассмотрим немного теоретических положений.

Параметры программы find

Наиболее известными параметрами для поиска файлов при помощи программы find , являются:

-name выражение Это наиболее часто используемый параметр для поиска файлов, имена которых (без учета предшествующих им директорий) удовлетворяют заданному выражению.

-mtime n Файлы были изменены n*24 часов назад.

  • ‘b’ для блоков по 512 байт (используется по умолчанию если суффикс не задан)
  • ‘c’ для байт
  • ‘w’ для двухбайтовых слов
  • ‘k’ для Килобайт (единицы размером в 1024 байта)
  • ‘M’ для Мегабайт (единицы размером в 1048576 байт)
  • ‘G’ для Гигабайт (единицы размером в 1073741824 байт)

-uid n Системный числовой идентификатор пользователя-владельца файла должен быть равен n .

Действия

При использовании find есть возможность для указания действий, которые будут выполнены при нахождении файла с именем, удовлетворяющим выражению поиска, а наиболее гибким вариантом, без сомнения, является использование параметра exec .

-exec команда; Выполнить команду; выполнение считается успешным в случае статуса выхода, равного нулю. Все символы, следующие за командой, считаются ее аргументами до того момента, как встречается символ «;» . Строка «<>» заменяется на имя рассматриваемого файла каждый раз, когда она встречается среди аргументов команды.

Примеры использования find с параметром exec

Поиск файлов и удаление их при помощи параметра exec является часто встречающимся вариантом использования этого параметра, но вам не нужно использовать exec для этих целей, так как более удачный вариант будет описан позднее.

find / -name "*.old" -exec /bin/rm <> \;
find / -size +100M -exec /bin/rm <> \;

Бывают и такие случаи, что программы «сходят с ума» и заполняют директории тысячами мелких файлов, при этом вы не сможете просто использовать команду rm * по той причине, что командная оболочка не в состоянии заменить символ * на имена всех этих файлов, зато в состоянии удалить эти файлы по очереди:

Помните, что вы не должны использовать эти примеры, поскольку для удаления файлов у GNU find есть параметр -delete , более безопасный, нежели «-exec /bin/rm <>;» . Пример использования:

В старых системах Unix у вас не будет возможности использовать параметр -delete , поэтому альтернатив параметру -exec для удаления файлов в них не остается.

А теперь рассмотрим некоторые другие примеры использования программы find с параметром exec .

find ./ -type f -exec chmod 644 <> \;

При помощи параметра -type f вы можете вести поиск только файлов и просто изменять права доступа к каждому из них при помощи chmod .

find / -user olduser -type f -exec chown newuser <> \;

В этом примере я использовал параметр -user как альтернативу параметру -uid .

find . -type d -exec chmod 755 <> \;

В этом примере я снова использовал параметр -type , но на этот раз с аргументом d для поиска директорий.

Заключение

Как вы убедились, в приведенных выше примерах показано то, что использование программы find с параметром exec позволяет вам выполнять довольно сложные задачи, при этом то обстоятельство, что вы можете выполнять заданное действие только над частью файлов, ставит вас в выигрышное положение.

Источник

Оцените статью
Adblock
detector