Shell - HowTo's

mail

Nothing fancy here, but worth noting this solution : when facing this problem, I tried way harder (and non-functional) solutions :
while read link; do
	target=$(readlink "$link")
	[ -d "$target" ] && continue			it's not possible to target a directory with a hard link
#	echo "$link --> $target"
	ls -l "$link"
	echo '==============================='
	mv "$link" "$link"_DISABLED
	ln "$target" "$link"
done < <(find -type l)
mail

How to list all file extensions within a file tree ?

find path/to/directoryToSearchInto -type f | sed -r 's|^.*\.([a-zA-Z0-9]+)$|\1|' | sort -u
mail

How to do maths in Bash ?

with the arithmetic expansion operator $(()) with let with expr
declare a variable
myVariable=value no space allowed before or after the =
let myVariable=value
do basic operations :
+, -, * or /
a=3; echo $((a + 2)) $((a - 2)) $((a * 2)) $((a / 2))
5 1 6 1
a=3; let b=a+2; let c=a-2; let d=a*2; let e=a/2; echo $b $c $d $e
5 1 6 1
a=3; expr $a + 2; expr $a - 2; expr $a \* 2; expr $a / 2
5
1
6
1
  • This supports integers only. If you work with decimal number, consider bc.
  • SPACEs around the operators may / may not be allowed. Examples above work, some variations should work but many won't .
increment / decrement
a=3; echo $((a++)); echo $((++a)); echo $a
3	a++ : "return" the value, then increment
5	++a : increment the value, then return it
5
a=3; let a++; echo $a; let ++a; echo $a
4
5
not possible
modulo : %
for i in {0..9}; do echo -n $[i % 3]' '; done
0 1 2 0 1 2 0 1 2 0 

What about the $[] operator ?

Use $(()).
  • I've seen this operator mentioned here.
  • But as for this thread (dating back from 2015) :
    • $(()) is POSIX standard
    • $[] is Bash-specific + obsolete
    • man bash | grep -E '\$\['
      The old format $[expression] is deprecated and will be removed in upcoming versions of bash.
mail

How to display Unicode characters ?

An obvious workaround would be to simply paste the special character itself from any source and just type
echo ''
But what we're trying to do here is to display a character using its code.

Example 1 : display the angstrom symbol : Å

  1. find its code : the HTML code is &#8491;, but we're only interested in the numeric part : 8491
  2. convert this decimal value to hexadecimal :
    echo 'ibase=10; obase=16; 8491' | bc
    212B
  3. several methods to display it :
    • echo $'\u212B'
    • echo -e '\u212B'

Example 2 : and now a doggy 🐕

  1. as above, it starts by finding its code : &#128021;, which gives 1F415 in hexadecimal
  2. again, several methods to display it :
    Notice the \U has turned uppercase.
    • echo $'\U1F415'
    • echo -e '\U1F415'

What's the difference between \u and \U ? (source)

  • \u introduces a value made of 4 hex digits
  • \U introduces a value made of (up to) 8 hex digits
mail

How to echo a backspace ?

echo -n 'abcd'; echo -en '\b \b'

Detailed answer

\b actually moves the cursor 1 character left but prints nothing. To simulate a backspace, you'll have to :
  1. move 1 character left
  2. print a space
  3. move 1 character left again

Example

sleepDuration='0.1';
echo -en '\033[1;31mO\033[0;33m o===B\033[0m'; sleep 0.8
echo -en '\b\b\b\b\b\b\b\033[1;31mO\033[0;33mo===B\033[0m '; sleep 0.8
while true; do
echo -en '\b\b\b\b\b\b\b\b\033[1;31mO\033[0;33m===B\033[0m  '; sleep $(echo $sleepDuration*2 | bc)
echo -en '\b\b\b\b\b\b\b\033[1;31mO\033[0;33m==B\033[0m   '; sleep $sleepDuration
echo -en '\b\b\b\b\b\033[0;33mB\033[0m    '; sleep $sleepDuration
echo -en '\b\b\b\b\b\b\033[0;33mB\033[0m     '; sleep $sleepDuration
echo -en '\b\b\b\b\b\b\b\033[1;31mO\033[0;33m=B\033[0m    '; sleep $sleepDuration
done
mail

How to simulate a ternary operator with command1 && command2 || command3

Details and warning about this construct :

This construct can work as commandIfSuccess / commandIfFailure only because command2 never fails (this is where the magic comes from). Check it (source) :

for command1 in true false; do for command2 in true false; do echo -e "\n$command1 && $command2 || command3"; (echo 'command1'; $command1) && (echo 'command2'; $command2) || echo 'command3'; done; done

From the example above, you must remember that, if command2 fails, both command2 and command3 will be executed :

  • true && { echo 'hello'; true; } || { echo 'world'; }
    hello
  • true && { echo 'hello'; false; } || { echo 'world'; }
    hello
    world

All of this is because lists of commands using && and || are executed with left associativity (What is left associativity ?)

This is why command1 && command2 || command3 and command1 || command2 && command3 have totally different effects :
  • Since && and || have equal precedence, and due to left associativity :
    command1 && command2 || command3
    is interpreted like :
    (command1 && command2) || command3
    • command1 is evaluated
    • if command1 succeeds :
      • command2 is evaluated :
        • if command2 succeeds, the result of () is a success, and command3 is evaluated
        • if command2 fails, the result of () is a failure, so command3 is not evaluated 1st half of the "ternary operator"
    • if command1 fails :
      • command2 is skipped
      • the result of () is a failure, so command3 is evaluated 2nd half of the "ternary operator"
  • As for :
    command1 || command2 && command3
    it's interpreted like :
    (command1 || command2) && command3
    • command1 is evaluated
    • if command1 succeeds :
      • command2 is skipped
      • the result of () is a success, so command3 is evaluated
    • if command1 fails :
      • command2 is evaluated
      • if command2 succeeds : the result of () is a success, so command3 is evaluated
      • if command2 fails : the result of () is a failure, so command3 is not evaluated

Remember : command1 && command2 || command3 ...

  • is a hack simulating a ternary operator
  • may be used only when command2 is a command than can not fail, typically something basic like an echo or to set a variable
  • otherwise, it should be replaced by
    if command1; then
    	command2
    else
    	command3
    fi
mail

How to compare files ?

Usage

Command Usage Command Line Output Notes
cksum compute checksum and file size cksum file1 file2
checksum sizeInBytes file1
checksum sizeInBytes file2
see also :
cmp compare files byte by byte cmp file1 file2
  • when files are similar : nothing
  • when files differ :
works both with ASCII and binary files
comm compare sorted files line by line
diff compare files line by line diff file1 file2
  • when files are similar : nothing
  • when files differ :
works both with ASCII and binary files
vimdiff compare files side by side vimdiff file1 file2

Example

Compare 2 sets of files having the same names (such as 2 backups : ./directory1/* ./directory2/*) :

diff -b : ignore trailing whitespaces
cd directory1; for i in *conf; do echo $i; diff -b $i ../directory2/$i; done
diff -r : recursive
diff -r directory1 directory2
cmp -s : don't output differences
cd directory1; for i in *conf; do echo -n $i; cmp -s $i ../directory2/$i; echo " $?"; done
mail

Read-only TMOUT variable, how to workaround and disable automatic logout ?

Situation

Defining a timeout after which an inactive user will be automatically logged out is a good practice. It helps cleaning connections (and the associated processes) and leaves resources for the "active" users. However, some BOFH (aka mean sysadmins ) set the timeout to ridiculously low values.

Details

Trying to alter TMOUT fails :
export TMOUT=0
-bash: TMOUT: readonly variable
unset TMOUT
-bash: unset: TMOUT: cannot unset: readonly variable

Solution

Method 1 : gdb (sources : 1, 2)

  • Not tested / confirmed, may require some polish... Use at you own risk.
  • There are chances, if your sysadmin made TMOUT readonly, that /usr/bin/gdb (from gdb) is not available anyway (maybe building a static gdb binary could do the trick)
Add to ~/.bashrc :
# Disable the stupid auto-logout
unset TMOUT >/dev/null 2>&1
if [ $? -ne 0 ]; then
	gdb <<EOF >/dev/null 2>&1
	attach $$
	call unbind_variable("TMOUT")
	detach
	quit
EOF
fi

Method 2 : exec (source)

exec env TMOUT=durationSeconds bash
This lets you set any durationSeconds value, including 0. In such case, be very careful you don't forget open connections here and there or BOFH will be mad .

Safe values :

  • 3 hours : exec env TMOUT=10800 bash
  • 3 days : exec env TMOUT=259200 bash

mail

Situation

I suspect suspectFile of being a hard link, how can I make sure ?

Details

A symlink (aka symbolic or soft link)
is just a special file (with its own inode) containing the path to another file. This is why it's able to refer to files on any filesystem.
A hard link
is not so special, actually. On *Nix filesystems (where Everything is a file., remember ?), directories are "files listing files" (including sub-directories). They do so by matching an inode number (i.e. where the data is found on the filesystem) to a label (the file name). And since this is just a list of matching inode / label, nothing forbids several labels to share the same inode. Which is exactly what hard links do. (sources : 1, 2)
A "regular" file (or a directory)
is just a hard link with a "1 to 1" inode / label relation, whereas hard links have a "1 to many" inode / label relation.
  • With symlinks, there is clearly a file being the target and another one being the link.
  • With hardlinks, there is no such thing because both ends of a link are just distinct labels pointing to the same data on the filesystem.
  • Since they are just "labels" pointing to the same data, hard links can even be found in the same directory, referring to the same data, but with different names.

Solution

For some unknown (so far) reason, the inode-based wizardry below doesn't work on a filesystem that is mounted via SSHFS. Running stat someFile (i.e. on the same file) locally and remotely doesn't give the same results :
  • locally :
      File: someFile
      Size: 3369		Blocks: 8		IO Block: 4096	regular file
    Device: 801h/2049d	Inode: 281693	Links: 4
    Access: (0600/-rw-------)	Uid: ( 1000/ stuart)	Gid: ( 1000/ stuart)
    Access: 2019-09-30 10:38:49.287324976 +0200
    Modify: 2019-09-19 11:37:59.255500842 +0200
    Change: 2019-09-30 10:39:49.913512315 +0200
     Birth: -
  • on the mounted filesystem :
      File: someFile
      Size: 3369		Blocks: 8		IO Block: 4096	regular file
    Device: 2dh/45d		Inode: 399	Links: 1
    Access: (0600/-rw-------)	Uid: ( 1000/ stuart)	Gid: ( 1000/ stuart)
    Access: 2019-09-30 10:38:49.000000000 +0200
    Modify: 2019-09-19 11:37:59.000000000 +0200
    Change: 2019-09-19 11:37:59.000000000 +0200
     Birth: -

If you know the target :

Since a hard link shares an inode with its target, let's list their inode numbers :
ls -il suspectFile target
135340 -rw-r--r-- 2 kevin users 9042 Sep 19 15:05 suspectFile
135340 -rw-r--r-- 2 kevin users 9042 Sep 19 15:05 target

If you don't know the target :

Check inodes :

  1. ls -i suspectFile
    135340 suspectFile
  2. find /somewhere -inum 135340
    /path/to/suspectFile
    /different/path/to/someFile

Same as above (source) :

find /somewhere -inum $(ls -i suspectFile | cut -d' ' -f1)
/path/to/suspectFile
/different/path/to/someFile
Or even easier for the same result :
find /somewhere -samefile suspectFile

Investigate file properties (source) :

stat suspectFile
  File: suspectFile
  Size: 9042            Blocks: 24         IO Block: 4096   regular file
Device: fe04h/65028d    Inode: 135340      Links: 2		more than 1 link : this is a hard link
Access: (0644/-rw-r--r--)  Uid: ( 1000/   kevin)   Gid: ( 1000/   users)
Access: 2018-09-19 15:05:26.103989305 +0200
Modify: 2018-09-19 15:05:26.103989305 +0200
Change: 2018-09-20 14:11:38.766124455 +0200
 Birth: -
mail

How to bind a function to a key ?

  1. If the key is a "special" one (function, CTRL-ed or ALT-ed), get its code with CTRL-V key. For example, CTRL-V F9 will output ^[[20~, but we mustn't forget that the ^[ here is an escape sequence and stands for \e. So the final code for F9 is \e[20~.
  2. Then : bind '"keyCode":"someCommand"' :
    • bind '"\e[20~":"echo \"Hello World\""' : this just displays the echo "Hello World" string after pressing F9without actually executing the echo command.
    • bind '"\e[20~":"echo \"Hello World\"\n"' : thanks to the final \n (interpreted as), the command is executed upon pressing F9. There seem to be no way of preventing the bound command to be displayed
    • Also works with compound commands : bind '"\e[20~":"for i in $(seq 10 -1 1); do echo $i; sleep 0.1; done; echo 'BOOOM\!'\n"'
    • Or : bind '"\e[20~":"nbPressed=$((nbPressed+1)); echo \"You pressed F9 $nbPressed times.\"\n"'
  3. To unbind the function : bind '"\e[20~":""'

Define key bindings in ~/.inputrc to make them permanent

# CTRL-F11 : display "/etc/apache2/sites-enabled/"
"\e[23;5~":"/etc/apache2/sites-enabled/"

# CTRL-F12 : display "/var/www/"
"\e[24;5~":"/var/www/"

If the key bindings must work through Putty, the configuration becomes :

# F11 : display "/etc/apache2/sites-enabled/"
"\e[23~":"/etc/apache2/sites-enabled/"

# F12 : display "/var/www/"
"\e[24~":"/var/www/"

~/.inputrc is a readline config file, not a Bash one, so it can not be source'd. Instead, it may be loaded at Bash startup. (source, details)

mail

Redirections : how to read from / write to somewhere else ?

Standard file descriptors :

I/O name file descriptor
STDIN 0
STDOUT 1
STDERR 2
  • Child processes inherit open file descriptors. This is why pipes work. (source, details)
  • For the sake of completeness : read about non-standard file descriptors with exec.

Redirections (source) :

  • is what you're doing when using operators such as < and > :
  • allows a single command's file handles to be duplicated, opened, closed, refer to different files, and changes the files this command reads from and writes to
    Instead of altering a single command, the same can be done to all subsequent commands (affecting the shell itself, actually) with exec.
  • there are some special operators :
  • the file descriptor may be omitted in commands and defaults to :
    • 0 / stdin when reading : command < myFile means command 0< myFile
    • 1 / stdout when writing : command > myFile means command 1> myFile

Duplicating file descriptors

  • n<word
    • n is made a copy of the input file descriptor word (i.e. for reading)
    • if word evaluates to -, n is closed
  • n>word
    • n is made a copy of the output file descriptor word (i.e. for writing)
    • if word evaluates to -, n is closed

Moving file descriptors

The subtle difference between duplicating and moving file descriptors is similar to cp vs mv :
  • when you cp, you end up with 2 instances of an object
  • when you mv, you alter the object itself
  • n<&digit-
    1. moves the file descriptor digit to file descriptor n for reading
    2. closes digit
  • n>&digit-
    1. moves the file descriptor digit to file descriptor n for writing
    2. closes digit

The order of redirections is significant

  • ls > myFile 2>&1
    directs both standard output (file descriptor 1) and standard error (file descriptor 2) to the file myFile
  • ls 2>&1 > myFile
    directs only the standard output to file myFile, because the standard error was made a copy of the standard output before the standard output was redirected to myFile
Consider a redirection as a railroad switch : imagine a railroad track that goes through a switch to town A. When "doing a redirection", you're physically toggling the switch so that that track now goes to town B.
  • ls > myFile 2>&1 means :
    1. switch 1 to myFile
    2. switch 2 to where 1 is now (i.e. where 1 points to now : myFile)
    3. run ls
  • while ls 2>&1 > myFile means :
    1. switch 2 to where 1 is now (so far 1 refers to stdout)
    2. switch 1 to myFile
    3. run ls
Check it :
ls --nonExistentOption > myFile 2>&1
	(nothing)
cat myFile
	ls: unrecognized option '--nonExistentOption'	the error message has been written to myFile
	Try 'ls --help' for more information.

ls --nonExistentOption 2>&1 > myFile
	ls: unrecognized option '--nonExistentOption'	the error message has been written to stdout
	Try 'ls --help' for more information.
cat myFile
	(nothing)

Redirect the outputs :

command 1>file.log 2>&1
which means :
  1. send STDOUT to file.log
  2. and send STDERR to "where STDOUT is", i.e. follow the same redirection
With Bash only, this can be shortened into :
command &>file.log
Nothing before > redirects STDOUT only (source). Commands below are equivalent :
  • command > whatever
  • command 1> whatever

Discard the output :

You just have to redirect the output to /dev/null :
command 1>/dev/null 2>&1
works in most shell flavors (Korn, Bourne, ...), and even on Windows
command &>/dev/null
shorter but Bash only
exec > /path/to/logFile 2>&1
exec hack to discard / redirect the output of a group of commands

There is no "ninja hack" to this : if some output is still displayed despite the redirection, make sure you're actually redirecting the output of the right command.

mail

How to group shell commands ?

There are 2 ways to do this :

(listOfCommands)

This causes a subshell environment to be created, in which each of the commands of listOfCommands will be executed. Since commands are executed in a subshell, variable assignments do not remain in effect after the subshell completes.
a=42; echo "a=$a"; (b=12; echo -e "\ta=$a\n\tb=$b"; a=0; echo -e "\ta=$a\n\tb=$b"); echo -e "a=$a\nb=$b"
a=42
	a=42		$a is "passed" inside of the ()
	b=12
	a=0		$a can be overwritten inside of the ()
	b=12
a=42			the changed value of $a doesn't exist outside of the ()
b=			$b doesn't exist outside of ()

{ listOfCommands; }

Commands are executed in the current shell context, no subshell is created. The semicolon ; (or newline) is required after listOfCommands.
a=42; echo "a=$a"; { b=12; echo -e "\ta=$a\n\tb=$b"; a=0; echo -e "\ta=$a\n\tb=$b"; }; echo -e "a=$a\nb=$b"
a=42
	a=42		this is the same "$a" since it's the same shell context
	b=12
	a=0		we can do whatever we like
	b=12
a=0			being in the same shell context means variables stay altered outside of the {}
b=12			$b now exists outside of {}
In addition to the creation of a subshell, there is a subtle difference between these two constructs due to historical reasons : the braces { and } are reserved words, so they must be separated from the list by blanks.
mail

How to handle files which name starts with a dash - ?

Situation

For some strange reason, you end up with a file called -foo, which is rather embarrassing as you can't "rm -foo".

Details

Indeed, - is interpreted as a command option prefix.

Solution

prefix the file name with its path :
rm ./-foo
explicitly declare the end of command options with -- (sources : 1, 2) :
rm -- -foo
with a hack involving find and an inode number
not sure this actually works because there's some character substitution occurring (Bash normal behavior), and you'd have to circumvent this with "--" :

testDir='/tmp'; touch "$testDir/-foo"; inodeNumber=$(ls -i "$testDir/"*foo | cut -d' ' -f1); find "$testDir" -inum "$inodeNumber"

This lists much more than only /tmp/-foo .
mail

How to cd into a directory among others starting with the same characters ?

Situation

Let's imagine the current directory has several subdirectories such as : and you want to cd into 20161121-25_support.

Solution at the end of this article

Details

To do so :
  1. You type : cd 2 + TAB
  2. the shell completes :
    cd 201611
    but to go further you have to hit TAB + TAB again to see the available options
  3. the shell returns :
    20161115_workOnSomeStuff/	20161121-25_support/	20161122_otherProject/
    so now you have to figure out which character to type next : 2 + TAB + TAB again for available options
  4. still 2 options :
    20161121-25_support/	20161122_otherProject/
    Type the next character : 1 + TAB
  5. the shell completes :
    cd 20161121-25_support/
  6. then you just have to hit : you're in !

Solution

cd *rt

All the magic here is in the shell expansion of the wildcard * + rt to match any directory which name ends in rt.

mail

How to rename numerous files ?

  • Examples below work fine, but things can be done much simpler with rename.
  • Consider shell brace expansion to retrieve file name or file extension.

Make backup copies :

for i in *cfg; do cp "$i" "$i.old"; done; ls -lh

Writing $i_old for the target (with or without quotes) causes an error because the underscore character _ is allowed in variable names, and in such case, Bash will search a variable named i_old, which doesn't exist. (More on Bash variables : 1, 2)

Change file extensions :

for i in *oldExtension; do mv "$i" $(basename "$i" .oldExtension).newExtension; done

copy-paste :

  1. file.cfg into file.cfg.old : for i in *cfg; do mv "$i" $(basename "$i" .cfg).cfg.old; done; ls -lh
  2. file.cfg.old into file.cfg :
    • for i in *old; do mv "$i" $(basename "$i" .cfg.old).cfg; done; ls -lh
    • OR : oldExtension='.DONE'; for i in path/to/directory/*$oldExtension; do mv "$i" $(basename "$i" $oldExtension); done; ls -lh

Rename *JPG files into *jpg :

  • for i in *JPG; do mv "$i" $(basename "$i" .JPG).jpg; done or
  • for i in *JPG; do mv "$i" "${i%.JPG}.jpg"; done

Change all the spaces in the name of .mpg files into _ :

  • for i in *mpg; do mv "$i" $(echo $i | tr ' ' '_'); done or
  • for i in *mpg; do mv "$i" "${i// /_}"; done (source)

Remove a substring from several file names such as xx - artist - title.mp3 (actually : replace it with an empty string) :

The PERL method (source) :

  • theory : for file in *; do mv "$file" "$(perl -e '$tmp=$ARGV[0]; $tmp=~s/before/after/; print $tmp' "$file")"; done
  • copy-paste : for file in *; do mv "$file" "$(perl -e '$tmp=$ARGV[0]; $tmp=~s/artist - //; print $tmp' "$file")"; done

The Bash method to change before into after (source)

for file in *; do mv "$file" "${file/before/after}"; done

${string/before/after}
replace 1st match of before with after
${string//before/after}
replace all matches of before with after
mail

How to enter a directory having a special non-printable character in its name ?

Let's imagine a situation where, after successfully executing cd path/to/directory, then ls -l, you end up with :
drwxr-xr-x 5 bob users	4096 jun.	25 21:19 normalDirectory_1
drwxr-xr-x 6 bob users	4096 nov.	18 07:46 normalDirectory_2
drwxr-xr-x 4 bob users	4096 dec.	 1 18:48 normalDirectory_3
drwxr-xr-x 3 bob users	4096 nov.	28 10:00 ?weirdDirectory		what's wrong with this one ?

This ?weirdDirectory contains a non-printable character in its name represented by a ? by ls. BTW, ls can do more for us and report the octal code of this special character with its -b flag (but this is of no help here).
This is even worse when the special character is the 1st one, because we can't even be saved by Bash completion.

All of this is inspired by a true story, while trying to browse directories on a remote server (where locales were possibly quite f***ed up) via PuTTY + screen (possibly poorly configured also). That server had directories — wherever they came from — with letters such as éèà... and since I couldn't type them in my terminal (even copy-pasting), I could not enter those directories.

<spoiler_alert>We'll have to create such a directory for the demonstration, which lets the cat out of the bag on the solution</spoiler_alert>

Let's create a directory named €uro, then enter it (as said earlier, this is piece of cake when sitting in front of a properly configured host, and everything below is meaningless) :

  1. let's start by finding the octal code of the symbol here : 240
  2. echo -e "\0240uro"
    �uro
  3. create the directory : mkdir $(echo -e "\0240uro")
  4. display it : ls -l will return
    drwxr-xr-x 2 bob users 4,0K déc.	3 17:17 ?uro/
  5. enter it : cd $(ls -d *uro)

Actually, cd $(ls -d ?uro) would have done the job perfectly but might be confusing : ls -l "displays" the directory name with a ? because the terminal itself is not able to display it, whereas the ? in the cd $(ls ) command is a wildcard representing a single character.

mail

How to chain shell commands ?

There are several flavors of commands chaining, each of them having its own interest :
command1; command2; command3
Run command1, then command2, then command3. The exit status is that of command3.
command1 & command2 & command3
All commands are executed at once and return results as they arrive.
Try it : { sleep 2; echo "2s"; } & { sleep 1; echo "1s"; } &
command1 && command2
command2 is executed only if command1 exits on success.
Try it : true && echo 'I said TRUE.'; false && echo 'I said FALSE.'
command1||command2
command2 is executed only if command1 exits on failure.
Try it : true || echo 'I said TRUE.'; false || echo 'I said FALSE.'
command1 && commandIfSuccess || commandIfFailure
Based on success / failure of command1, execute either commandIfSuccess or commandIfFailure
Albeit extremely convenient, this construct comes with serious warnings.
Compound &&'s :
true && true && echo 'Hello world'
Hello world
true && false && echo 'Hello world'
(nothing)
true && echo 'Hello' && echo 'world'
Hello
world
true && { false; echo 'hello'; }
hello
This is the typical case where the success of a single command triggers n extra commands. More on {} and ()
mail

How to get the IP address of the current host from a script ?

Many articles answer this question suggesting to parse the output of ifconfig (ip a should be preferred, actually) with the usual grep, cut, awk et al.

This is very nice, but already available with :
mail

How to limit the impact on the system of a resources-greedy process ?

A (CPU + HDD)-hungry find :

for item in list of items; do
	find haystack [find options] & pidFind=$!
	echo Nicing
	ionice -c 3 -p $pidFind
	renice 19 -p $pidFind
	echo Finding...
	wait $pidFind
done
  • This comes from a very specific real-life use case. It may not be reused as-is, but you get the idea
  • Rather than renice-ing a command, it sounds better to start it already nice'd. Read below.

When starting a single process :

nice -n 19 myResourceGreedyCommand & ionice -c 3 -p $!

Other methods :