Linux exec command from file

команда exec в Linux с примерами

Команда exec в Linux используется для выполнения команды из самого bash. Эта команда не создает новый процесс, она просто заменяет bash командой, которая должна быть выполнена. Если команда exec успешна, она не возвращается к вызывающему процессу.

Синтаксис:

Параметры:

  • c: используется для выполнения команды с пустой средой.
  • имя: используется для передачи имени в качестве нулевого аргумента команды.
  • l: используется для передачи тире в качестве нулевого аргумента команды.

Примечание: команда exec не создает новый процесс. Когда мы запускаем команду exec из терминала, текущий процесс терминала заменяется командой, предоставленной в качестве аргумента для команды exec.

Команда exec может использоваться в двух режимах:

    Exec с командой в качестве аргумента: В первом режиме exec пытается выполнить ее как команду, передавая оставшиеся аргументы, если таковые имеются, этой команде и управляя перенаправлениями, если они есть.

Пример 1:

Пример 2:

Команда exec ищет путь, указанный в переменной $ PATH, чтобы найти команду для выполнения. Если команда не найдена, команда exec, а также оболочка завершается с ошибкой.

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

Пример:

Здесь команда exec изменяет стандарт из оболочки на файл tmp, и поэтому все команды, выполняемые после команды exec, записывают свои результаты в этот файл. Это один из самых распространенных способов использования exec без каких-либо команд.

Источник

10 find exec multiple commands examples in Linux/Unix

Table of Contents

In this article I will share multiple find exec examples. Find is a very helpful utility for every system admin for day to day tasks but you can also combine find exec multiple commands to filter and execute certain tasks. For example: find exec grep a pattern and print only patching files, use find exec with pipe, combine fix exec with sed or awk in Linux or Unix.

Find exec multiple commands syntax

The -exec flag to find causes find to execute the given command once per file matched, and it will place the name of the file wherever you put the <> placeholder. The command must end with a semicolon, which has to be escaped from the shell, either as \; or as » ; «.

Syntax to be used for find exec multiple commands:

Find exec example 1: Collect md5sum

In this find exec example find all files under /tmp and collect md5sum for each file

Here, -type f means look out for regular file

Similarly you can find exec multiple commands to collect sha512sum or sha256sum for all file with find command. In the same find exec example to store the output to a file

Читайте также:  Как удалить onedrive windows 10 с рабочего стола

Find exec example 2: Remove files older than certain time

In the below find exec example we will list files older than 5 days

To remove files older than 5 days

Here -mtime means file’s data was last modified n*24 hours ago

Find exec example 3: Rename files

We use mv command to rename files, we can use this with find and exec to rename multiple files

This command we use find exec to rename files where the found files are stored in <> and then the same are renamed with _renamed extension

Combine find exec multiple commands

We can combine find exec multiple commands in one line. find will continue to run one by one as long as the entire chain so far has evaluated to true. So each consecutive -exec command is executed only if the previous ones returned true (i.e. 0 exit status of the commands).

Combine find exec with grep in Linux or Unix

You can combine find exec grep if you wish to look for files with certain content so use find exec grep. For example below I need the list of files which has string » deepak » using find exec grep. But find exec grep print filename didn’t work here as we only get matched string

Combine find exec grep print filename

Now in the above command we get a list of output from files which contains deepak string. But it does not print filename. Here with find exec grep print filename using different methods: In the below example we will combine find exec print filename

Alternatively you can also use below commands to combine find exec grep print filename:

Combine find exec shell script function

We can combine find exec shell script function. In the below example I will combine find exec shell script function to rename a file if found

Follow pattern matching for more details

Combine find exec with pipe

We can combine find exec with pipe. You can also use multiple pipes with find exec grep multiple commands and string. In the below example I am going to combine find exec with pipe multiple times:

Combine grep and find exec with sed

You can combine find exec with sed or with awk, In the below example we combine grep and find exec with sed

  • we find all the files under /tmp/dir1
  • grep for deepak in all the files which were found under /tmp/dir1
  • print the output on STDOUT
  • Use sed and replace deepak with deep

Combine find exec grep with cut or awk

In the below example we will combine find exec grep with cut but in the same command you can combine find exec grep with awk

Lastly I hope the steps from the article to find exec multiple commands in Linux or Unix was helpful. So, let me know your suggestions and feedback using the comment section.

Related Searches: find exec multiple commands, find exec grep print filename, find exec example, find exec with pipe, find exec with sed. find exec shell script in Linux or Unix

Didn’t find what you were looking for? Perform a quick search across GoLinuxCloud

If my articles on GoLinuxCloud has helped you, kindly consider buying me a coffee as a token of appreciation.

For any other feedbacks or questions you can either use the comments section or contact me form.

Читайте также:  Hp laserjet m1132 mfp mac os driver

Thank You for your support!!

Источник

exec command in Linux with examples

exec command in Linux is used to execute a command from the bash itself. This command does not create a new process it just replaces the bash with the command to be executed. If the exec command is successful, it does not return to the calling process.

Syntax:

Options:

  • c: It is used to execute the command with empty environment.
  • a name: Used to pass a name as the zeroth argument of the command.
  • l: Used to pass dash as the zeroth argument of the command.

Note: exec command does not create a new process. When we run the exec command from the terminal, the ongoing terminal process is replaced by the command that is provided as the argument for the exec command.

The exec command can be used in two modes:

Example 1:

Example 2:

The exec command searches the path mentioned in the $PATH variable to find a command to be executed. If the command is not found the exec command as well as the shell exits in an error.
Exec without a command: If no command is supplied, the redirections can be used to modify the current shell environment. This is useful as it allows us to change the file descriptors of the shell as per our desire. The process continues even after the exec command unlike the previous case but now the standard input, output, and error are modified according to the redirections.

Example:

Here the exec command changes the standard out of the shell to the tmp file and so all the commands executed after the exec command write their results in that file. This is one of the most common ways of using exec without any commands.

Источник

Команда exec

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

Действие, когда какая либо команда или сама командная оболочка инициирует (порождает) новый подпроцесс, чтобы выполнить какую либо работу, называется ветвлением (forking) процесса. Новый процесс называется «дочерним» (или «потомком»), а породивший его процесс — «родительским» (или «предком»). В результате и потомок и предок продолжают исполняться одновременно — параллельно друг другу.

Общая форма команды exec :

Пусть нам нужно настроить среду для выполнения определенной задачи, например, для работы с базой данных: заменить приглашение в переменной PS1 на DataBase , добавить в переменную PATH каталог bin базы данных, изменить переменную CDPATH (чтобы было удобнее использовать команду cd ) и т.п.

С помощью команды exec можно переназначить стандартный ввод ( stdin ) и стандартный вывод ( stdout ). Например, переназначим стандартный ввод:

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

Переадресация стандартного вывода выполняется аналогично:

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

Чтобы переназначить стандартный ввод обратно на терминал, достаточно ввести команду:

Аналогичным образом переназначается и стандартный вывод:

Источник

Bash exec builtin command

On Unix-like operating systems, exec is a builtin command of the Bash shell. It allows you to execute a command that completely replaces the current process. The current shell process is destroyed, and entirely replaced by the command you specify.

Читайте также:  Smart board драйвер для windows

Description

exec is a critical function of any Unix-like operating system. Traditionally, the only way to create a new process in Unix is to fork it. The fork system call makes a copy of the forking program. The copy then uses exec to execute the child process in its memory space.

Syntax

Options and arguments

The exec builtin command takes the following options and arguments:

-a name Pass the string name as the zeroth argument to command. This option is available in bash versions 4.2 and above. When used, it will execute command, and set the special shell variable $0 to the value name, instead of command. For more information, see bash special parameter 0.
-c Execute command in an empty environment.
-l Insert a dash at the beginning of the zeroth argument. This can start a login shell via exec. For more information about login shells, and bash’s requirements about how they may be invoked, see shell invocation in bash.
command The command to be executed. If you do not specify a command, exec can still provide redirection.
arguments The arguments for the command you’d like to execute.
redirection Any redirection for the command. If no command is specified, redirection applies to the current shell.

Description

exec is useful when you want to run a command, but you don’t want a bash shell to be the parent process. When you exec a command, it replaces bash entirely — no new process is forked, no new PID is created, and all memory controlled by bash is destroyed and overwritten. This can be useful if, for instance, you want to give a user restricted access to a certain command. If the command exits because of an error, the user is not returned to the privileged shell that executed it.

exec may also be used without any command, to redirect all output of the current shell to a file. For more information about redirection, see redirection in the bash shell.

Examples

Replace the current bash shell with rbash, the restricted bash login shell. Because the original bash shell is destroyed, the user is not returned to a privileged bash shell when rbash exits.

Redirect all output to the file output.txt for the current shell process. Redirections are a special case, and exec does not destroy the current shell process, but bash will no longer print output to the screen, writing it to the file instead. (This technique is much more useful in scripts — if the above command is executed in a script, all script output will be written to output.txt.)

Open myinfile.txt for reading (» «) on file descriptor 4.

Close («&-«) the open read descriptor (» «) number 4.

Open myfile.txt for reading and writing («<>«) as file descriptor 5.

Close open read/write descriptor 5.

Open myappendfile.txt for appending («>>«) as file descriptor 6.

Open out.txt for writing. A new file descriptor number, chosen automatically, is assigned to the variable myfd.

Echo the text «Text» and redirect the output to the file (in this case, out.txt) described by the write descriptor («>«) whose number is obtained by dereferencing («&«) the value of the variable («$«) named myfd.

read — Read a line of input, and split it into words.

Источник

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