Bash Tips and Pitfalls: Difference between revisions
(→Escape special / meta- character in a string: Fix print instead of printf typo) |
|||
(157 intermediate revisions by 2 users not shown) | |||
Line 7: | Line 7: | ||
* [http://tldp.org/LDP/abs/html/gotchas.html Advanced Bash-Shell Scripting - Gotchas] |
* [http://tldp.org/LDP/abs/html/gotchas.html Advanced Bash-Shell Scripting - Gotchas] |
||
* [http://www.commandlinefu.com/commands/browse/sort-by-votes Command Line Fu] |
* [http://www.commandlinefu.com/commands/browse/sort-by-votes Command Line Fu] |
||
* [https://betterdev.blog/minimal-safe-bash-script-template/ Minimal safe bash script template] |
|||
== Tips for Robust Scripts == |
== Tips for Robust Scripts == |
||
Line 22: | Line 23: | ||
=== Use set -e === |
=== Use set -e === |
||
Script will exit if any command fails. |
Script will exit if any command fails. {{red|But beware of the '''[http://mywiki.wooledge.org/BashFAQ/105 gotchas]'''}}. |
||
<source lang="bash"> |
<source lang="bash"> |
||
#! /bin/bash |
#! /bin/bash |
||
Line 45: | Line 46: | ||
if [ "$filename" = "foo" ]; # Correct |
if [ "$filename" = "foo" ]; # Correct |
||
for i in $@; do echo $i; done |
for i in $@; do echo $i; done # WRONG |
||
for i in "$@"; do echo $i; done # Correct |
|||
find | xargs ls # WRONG |
find | xargs ls # WRONG |
||
find |
find | xargs -d '\n' ls # Correct |
||
find -print0 | xargs -0 ls # Better |
|||
for |
for f in $(locate .pdf); do basename $f; done # WRONG |
||
locate .pdf | xargs -d '\n' -n 1 basemane # Correct |
locate .pdf | xargs -d '\n' -n 1 basemane # Correct |
||
locate -0 .pdf | xargs -0 -n 1 basemane # Better |
|||
for f in $(ls); do basename $f; done # WRONG |
|||
for f in *; do basemane $f; done # Correct |
|||
</source> |
</source> |
||
=== More safe shell tips === |
|||
From [https://sipb.mit.edu/doc/safe-shell/ mit.eud]: |
|||
* Use <code>set -euf -o pipefail</code>. This enables: |
|||
:* <code>set -e</code>, exit on fails. |
|||
:* <code>set -u</code>, exit on undefined variables. |
|||
:* <code>set -f</code>, disable filename expansion (globbing), when seeing <code>* ?</code>... |
|||
:* <code>set -o pipefail</code>, fails when one step in a pipeline fails (otherwise, only last step is checked). |
|||
In addition: |
|||
* Quote liberally *all* variables (use <code>"$filename"</code>). |
|||
* Always use <code>--</code> to make sure variables are passed as positional parameter (<code>sudo -u nobody -- "$@"</code> safer than <code>sudo -u nobody "$@"</code> if <code>$@</code> expands to <code>-u root reboot</code>). |
|||
* Use '''shellcheck'''. |
|||
=== Use signals to fail cleanly === |
=== Use signals to fail cleanly === |
||
<source lang="bash"> |
<source lang="bash"> |
||
if [ ! -e $lockfile ]; then |
if [ ! -e $lockfile ]; then |
||
trap "rm -f $lockfile; exit" INT TERM EXIT |
trap "rm -f $lockfile; exit" INT TERM EXIT # Do we need HUP? |
||
touch $lockfile # !!! race-condition. gap between testing and file creation |
|||
touch $lockfile |
|||
critical-section |
critical-section |
||
rm $lockfile |
rm $lockfile |
||
Line 66: | Line 85: | ||
echo "critical-section is already running" |
echo "critical-section is already running" |
||
fi |
fi |
||
</source> |
|||
(Not sure we need to trap <code>INT</code> and <code>TERM</code>. Note that we can't trap <code>KILL</code> anyway). |
|||
A better solution '''without''' TOCTTOU (time-of-check to time-of-use) race condition: |
|||
<source lang="bash"> |
|||
if mkdir $lockdir; then # mkdir is atomic on all fs |
|||
trap "rmdir $lockdir; exit" INT TERM EXIT ERR |
|||
critical-section |
|||
rmdir $lockdir |
|||
trap - INT TERM EXIT |
|||
else |
|||
echo "critical-section is already running" |
|||
fi |
|||
</source> |
|||
Some extra tips: |
|||
* Use trap <code>ERR</code> to trap exit due to the <code>-e</code> shell option. |
|||
<source lang="bash"> |
|||
set -e |
|||
trap "die 1 'ERR signal trapped'" ERR |
|||
die() { |
|||
CODE=$1 |
|||
shift |
|||
>&2 echo "$0: Error - $@" |
|||
exit $CODE |
|||
} |
|||
</source> |
|||
* It is not necessary to clean the trap handler at the end of the script. |
|||
* Setup the trap as soon as possible in the script since errors may occur at any command. |
|||
=== Create temp file and cleanup using signals === |
|||
From [http://stackoverflow.com/questions/64786/error-handling-in-bash]: |
|||
<source lang=bash> |
|||
tempfiles=( ) |
|||
cleanup() { |
|||
rm -f "${tempfiles[@]}" |
|||
} |
|||
trap cleanup EXIT # Note that there is no need to trap TERM or KILL |
|||
</source> |
|||
Create a temporary file with |
|||
<source lang=bash> |
|||
temp_foo="$(mktemp -t foobar.XXXXXX)" |
|||
tempfiles+=( "$temp_foo" ) |
|||
</source> |
|||
Alternatively, one can create a file and descriptor to it, then remove the file immediately: |
|||
<source lang="bash"> |
|||
touch 'temp.txt' |
|||
exec 3 < 'temp.txt' |
|||
exec 4 > 'temp.txt' |
|||
rm -f 'temp.txt' |
|||
# Now we can still use fd 3 and 4, but files is no longer on fs |
|||
</source> |
</source> |
||
=== Beware of Race conditions === |
=== Beware of Race conditions === |
||
References: |
|||
* http://www.davidpashley.com/articles/writing-robust-shell-scripts.html |
|||
* http://stackoverflow.com/questions/325628/race-condition-in-the-common-lock-on-file |
|||
* https://unix.stackexchange.com/questions/22044/correct-locking-in-shell-scripts |
|||
* http://wiki.bash-hackers.org/howto/mutex |
|||
There is race condition between the test of file and its creation. If 2 processes run simultaneously, they might both pass the test successfully and think that they are running alone. To solve it, we need an operation that tests & create the file in an atomic way. |
There is race condition between the test of file and its creation. If 2 processes run simultaneously, they might both pass the test successfully and think that they are running alone. To solve it, we need an operation that tests & create the file in an atomic way. |
||
The safest solution is to use <code>mkdir</code>, which is atomic on most filesystem [https://unix.stackexchange.com/questions/22044/correct-locking-in-shell-scripts]. It will fail if directory already exists, or create it otherwise, both atomically. |
|||
<source lang=bash> |
|||
lockdir=/var/tmp/mylock |
|||
pidfile=/var/tmp/mylock/pid |
|||
if ( mkdir ${lockdir} ) 2> /dev/null; then |
|||
echo $$ > $pidfile |
|||
trap 'rm -rf "$lockdir"; exit $?' INT TERM EXIT |
|||
# do stuff here |
|||
# clean up after yourself, and release your trap |
|||
rm -rf "$lockdir" |
|||
trap - INT TERM EXIT |
|||
else |
|||
echo "Lock Exists: $lockdir owned by $(cat $pidfile)" |
|||
fi |
|||
</source> |
|||
The PID of locking script is stored in a file in locked directory. This way, another script can detect stale lock (by verifying that the owner script is still running). |
|||
Note that on exit, trap will be executed twice. |
|||
<source lang=bash> |
|||
<source lang=bash> |
|||
lockdir=/var/tmp/mylock |
|||
pidfile=/var/tmp/mylock/pid |
|||
if ( mkdir ${lockdir} ) 2> /dev/null; then |
|||
echo $$ > $pidfile |
|||
trap 'trap - INT TERM EXIT; rm -rf "$lockdir"; exit $?' INT TERM EXIT |
|||
# do stuff here |
|||
# exit explicitly to call the trap |
|||
exit 0 |
|||
else |
|||
echo "Lock Exists: $lockdir owned by $(cat $pidfile)" |
|||
fi |
|||
</source> |
|||
</source> |
|||
Here a complete example on how to manage lockdir and stale process [http://wiki.bash-hackers.org/howto/mutex]: |
|||
<source lang=bash> |
|||
#!/bin/bash |
|||
# lock dirs/files |
|||
LOCKDIR="/tmp/statsgen-lock" |
|||
PIDFILE="${LOCKDIR}/PID" |
|||
# exit codes and text |
|||
ENO_SUCCESS=0; ETXT[0]="ENO_SUCCESS" |
|||
ENO_GENERAL=1; ETXT[1]="ENO_GENERAL" |
|||
ENO_LOCKFAIL=2; ETXT[2]="ENO_LOCKFAIL" |
|||
ENO_RECVSIG=3; ETXT[3]="ENO_RECVSIG" |
|||
### |
|||
### start locking attempt |
|||
### |
|||
trap 'ECODE=$?; echo "[statsgen] Exit: ${ETXT[ECODE]}($ECODE)" >&2' 0 |
|||
echo -n "[statsgen] Locking: " >&2 |
|||
if mkdir "${LOCKDIR}" &>/dev/null; then |
|||
# lock succeeded, install signal handlers before storing the PID just in case |
|||
# storing the PID fails |
|||
trap 'ECODE=$?; |
|||
echo "[statsgen] Removing lock. Exit: ${ETXT[ECODE]}($ECODE)" >&2 |
|||
rm -rf "${LOCKDIR}"' 0 |
|||
echo "$$" >"${PIDFILE}" |
|||
# the following handler will exit the script upon receiving these signals |
|||
# the trap on "0" (EXIT) from above will be triggered by this trap's "exit" command! |
|||
trap 'echo "[statsgen] Killed by a signal." >&2 |
|||
exit ${ENO_RECVSIG}' 1 2 3 15 |
|||
echo "success, installed signal handlers" |
|||
else |
|||
# lock failed, check if the other PID is alive |
|||
OTHERPID="$(cat "${PIDFILE}")" |
|||
# if cat isn't able to read the file, another instance is probably |
|||
# about to remove the lock -- exit, we're *still* locked |
|||
# Thanks to Grzegorz Wierzowiecki for pointing out this race condition on |
|||
# http://wiki.grzegorz.wierzowiecki.pl/code:mutex-in-bash |
|||
if [ $? != 0 ]; then |
|||
echo "lock failed, PID ${OTHERPID} is active" >&2 |
|||
exit ${ENO_LOCKFAIL} |
|||
fi |
|||
if ! kill -0 $OTHERPID &>/dev/null; then |
|||
# lock is stale, remove it and restart |
|||
echo "removing stale lock of nonexistant PID ${OTHERPID}" >&2 |
|||
rm -r "${LOCKDIR}" |
|||
if [ $? != 0 ]; then |
|||
echo "lock failed, another script is cleaning up stale lock" >&2 |
|||
exit ${ENO_LOCKFAIL} |
|||
fi |
|||
echo "[statsgen] restarting myself" >&2 |
|||
exec "$0" "$@" |
|||
else |
|||
# lock is valid and OTHERPID is active - exit, we're locked! |
|||
echo "lock failed, PID ${OTHERPID} is active" >&2 |
|||
exit ${ENO_LOCKFAIL} |
|||
fi |
|||
fi |
|||
</source> |
|||
:{{red|'''Issue!'''}} — there is a race-condition when the lock is stale and two scripts are trying to clean up. Another script could remove the stale lock and create a new one, when first script still thinks lock is stale and remove it successfully with <code>rm -r</code>. |
|||
Another example in [http://www.davidpashley.com/articles/writing-robust-shell-scripts.html#id2326620] and [http://flabdablet.nfshost.com/linux-scripts/test-locking.sh], is to use '''IO redirection and bash's <tt>noclobber</tt> mode''', which won't redirect to an existing file: |
|||
<source lang="bash"> |
<source lang="bash"> |
||
if ( set -o noclobber; echo "$$" > "$lockfile") 2> /dev/null; |
if ( set -o noclobber; echo "$$" > "$lockfile") 2> /dev/null; |
||
Line 76: | Line 265: | ||
trap 'rm -f "$lockfile"; exit $?' INT TERM EXIT |
trap 'rm -f "$lockfile"; exit $?' INT TERM EXIT |
||
critical-section |
# critical-section |
||
rm -f "$lockfile" |
rm -f "$lockfile" |
||
Line 85: | Line 274: | ||
fi |
fi |
||
</source> |
</source> |
||
The shortest solution [http://stackoverflow.com/questions/13828544/atomic-create-file-if-not-exists-from-bash-script]: |
|||
Another solution is to use <tt>mkdir</tt> (see [http://www.franzone.com/2007/09/23/how-can-i-tell-if-my-bash-script-is-already-running/]). <tt>mkdir</tt> is atomic, it will fail if directory already exists, or create it otherwise, both atomically. |
|||
<source lang= |
<source lang=bash> |
||
set -o noclobber |
|||
LOCKDIR="~/.$(basename $0).lock" |
|||
{ > file ; } &> /dev/null |
|||
if (mkdir “$LOCKDIR”); then echo “Could not lock…”; exit 1; fi |
|||
# “locking” succesful |
|||
do_stuff() |
|||
rmdir -f “$LOCKDIR” |
|||
</source> |
</source> |
||
A more thorough example below from [http://flabdablet.nfshost.com/linux-scripts/test-locking.sh]: |
A more thorough example below from [http://flabdablet.nfshost.com/linux-scripts/test-locking.sh]: |
||
{{hiddenSourceFile| ~/|test-locking.sh|<source lang="bash" class="test-locking.sh"> |
{{hiddenSourceFile| ~/|test-locking.sh|content=<source lang="bash" class="test-locking.sh"> |
||
#!/bin/sh |
#!/bin/sh |
||
Line 187: | Line 373: | ||
done |
done |
||
</source>}} |
</source>}} |
||
Alternate solutions using <code>flock</code>: |
|||
<source lang=bash> |
|||
exec 200>"$LOCK_FILE" |
|||
flock -e -n 200 || exit 1 |
|||
# ...critical section... |
|||
rm "$LOCK_FILE" # Optional |
|||
</source> |
|||
=== Use unique variable names in functions === |
|||
In bash, changing a variable in a function, change that variable '''in the parents''' as well, ''even if that variable was declared <code>local</code> in the parent''! |
|||
So to avoid conflicts, use unique variable names. But if all function calls are local, using <code>local</code> in all child functions is enough, but potentially unsafe. |
|||
<source lang=bash> |
|||
function achild() { |
|||
A=achild |
|||
MYSCRIPT_ACHILD=achild |
|||
echo $A $MYSCRIPT_ACHILD |
|||
} |
|||
function a() { |
|||
local A=a # Name too generic. Potential name clash! |
|||
local MYSCRIPT_A=a # Unique name, using script name as prefix |
|||
echo $A MYSCRIPT_A |
|||
achild |
|||
echo $A $MYSCRIPT_A |
|||
} |
|||
a # a a |
|||
# achild achild |
|||
# achild a |
|||
</source> |
|||
=== Avoid <code>eval</code> like the plague=== |
|||
See also these posts: |
|||
* https://stackoverflow.com/questions/17529220/why-should-eval-be-avoided-in-bash-and-what-should-i-use-instead |
|||
;Avoid eval for variable indirection, use <code>declare</code> and <code>${!ref}</code> |
|||
From [http://stackoverflow.com/questions/1494178/how-to-define-hash-tables-in-bash]: |
|||
:<code>declare</code> is a far '''safer''' option. It does not evaluate data as bash code like <code>eval</code> does, and as such it does not allow ''arbitrary code injection'' quite so easily |
|||
So do not write |
|||
{| class=wikitable |
|||
|- |
|||
!Do ''NOT'' write: |
|||
!...write this instead: |
|||
|- |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
eval "array_$index=$value" # Indirect var decl. |
|||
local ref="${array}_$index" |
|||
eval \$$ref # Var. indirection |
|||
</source>}} |
|||
<center>{{red|'''———BAD———'''}}</center> |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
declare "array_$index=$value" # Indirect var decl. |
|||
local ref="${array}_$index" |
|||
echo "${!ref}" # Var. indirection |
|||
</source>}} |
|||
<center>{{green|'''———GOOD———'''}}</center> |
|||
|} |
|||
There is a caveat though: any variable declared with <code>declare</code> are local to the function. So there is no way to modify a global array with <code>declare</code>. |
|||
Also <code>${!ref}</code> only works in Bash since v2. For more portable script, like compatibility with ''sh'', eval is needed. |
|||
;Avoid eval for verbose output |
|||
This solution was proposed by ChatGPT ;-) |
|||
<source lang="bash"> |
|||
#! /bin/bash |
|||
verbose() |
|||
{ |
|||
[ -n "${VERBOSE+1}" ] && echo "verbose: $@" |
|||
printf -v cmd_str '%q ' "$@" |
|||
bash -c "$cmd_str" |
|||
} |
|||
verbose_unsafe() |
|||
{ |
|||
[ -n "${VERBOSE+1}" ] && echo "verbose_unsafe: $@" |
|||
eval "$@" # UNSAFE -- DO NOT DO THIS! |
|||
} |
|||
echofoo() |
|||
{ |
|||
echo $FOO "$@" |
|||
} |
|||
export -f echofoo # Needed for safe verbose |
|||
verbose_unsafe echofoo bar baz |
|||
export VERBOSE=Y |
|||
verbose_unsafe echofoo bar baz |
|||
verbose_unsafe FOO=foo echofoo bar baz |
|||
verbose_unsafe echofoo bar baz |
|||
verbose_unsafe echofoo bar $baz |
|||
verbose_unsafe echofoo bar '$baz' # Unsafe! Will echo content of $baz |
|||
verbose_unsafe echofoo bar ';date' # Unsafe! Will execute date |
|||
verbose echofoo bar '$baz' |
|||
verbose echofoo bar ';date' |
|||
</source> |
|||
=== Trap EXIT or RETURN for cleanup === |
|||
Trap <code>EXIT</code> signal to perform cleanup in all cases (either normal exit, or kill). |
|||
<source lang="bash"> |
|||
tmp=$(mktemp) |
|||
trap "rm -f $tmp" EXIT |
|||
</source> |
|||
For functions, trap <code>RETURN</code> signal. Note that the signal handler will be '''automatically called and removed''' from handler list. |
|||
<source lang="bash"> |
|||
foo() { |
|||
trap "echo 'Cleanup from foo'" RETURN |
|||
return |
|||
} |
|||
bar() { |
|||
return |
|||
} |
|||
baz() { |
|||
trap "echo 'Cleanup from baz'" RETURN |
|||
return |
|||
} |
|||
foo # Will call foo cleanup |
|||
bar # no call here |
|||
baz # Will call baz cleanup |
|||
</source> |
|||
Using <code>trap</code>, we can build a '''defer''' operator similar to Go [https://cedwards.xyz/defer-for-shell/]: |
|||
<source lang="bash"> |
|||
#!/bin/sh |
|||
# |
|||
# TODO: Quoting not perfect! |
|||
DEFER= |
|||
defer() { |
|||
DEFER="$*; ${DEFER}" |
|||
trap "{ $DEFER }" EXIT |
|||
} |
|||
</source> |
|||
Example of use: |
|||
<source lang="bash"> |
|||
# Mount /tmp as tmpfs and umount it on script exit. |
|||
mount -t tmpfs tmpfs /tmp |
|||
defer umount -f /tmp |
|||
# Create a temporary file and delete it on script exit. |
|||
TEMP=$(mktemp) |
|||
echo "Hello!" > "$TEMP" |
|||
defer rm -f "$TEMP" |
|||
</source> |
|||
== Tips for Fast Scripts == |
|||
=== Avoid forking === |
|||
Avoid calling an external program. Use Bash internal commands as much as possible. Here some common replacement: |
|||
{| class="wikitable" |
|||
|- |
|||
! don't |
|||
! DO |
|||
|- |
|||
|{{nb|1=<source lang=bash> |
|||
cat FILE | some_pgm |
|||
</source> |
|||
}} |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
<FILE some_pgm # Don't cat, use redirection! |
|||
A=$(<FILE) # Put FILE content into A |
|||
</source> |
|||
}} |
|||
|- |
|||
|{{nb|1=<source lang=bash> |
|||
basename FILE |
|||
</source> |
|||
}} |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
echo ${FILE/*\/} # Remove everything up to last slash |
|||
</source> |
|||
}} |
|||
|- |
|||
|{{nb|1=<source lang=bash> |
|||
ps aux | grep ssh-agent && ... |
|||
</source> |
|||
}} |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
[[ $(ps aux) =~ ssh-agent ]] && ... # Use built-in regex engine |
|||
[[ $(ps aux) == *ssh-agent* ]] && ... # Use built-in pattern matching |
|||
</source> |
|||
}} |
|||
|} |
|||
== Syntax Tips == |
|||
=== Function body === |
|||
The <code>{ ... }</code> after a '''function''' is actually not a function body but a '''compound command''' [http://www.catonmat.net/blog/bash-functions/]: |
|||
<source lang="bash"> |
|||
function name () { |
|||
... |
|||
} |
|||
</source> |
|||
We can do more fancy things like: |
|||
<source lang="bash"> |
|||
function fileExists () [[ -f $1 ]] |
|||
function isEven () (( $1 % 2 == 0 )) |
|||
function sleep1 () while :; do "$@"; sleep 1; done |
|||
# Below we run the function in its own shell, meaning we don't need to save previous values: |
|||
function caseInsensitiveMatch () ( |
|||
shopt -s nocasematch |
|||
.... |
|||
) |
|||
</source> |
|||
== External tools == |
|||
Most comes from [https://hacker-tools.github.io/command-line/ MIT hacker-tools lectures on the command-line environment]. |
|||
* [https://github.com/clvv/fasd fasd] A command-line productivity booster, with fuzzy matcher for <code>cd</code> similar to '''z'''. |
|||
* [https://github.com/sharkdp/bat bat] A <code>cat(1)</code> clone with wings (syntax highlighting). |
|||
* [https://github.com/sharkdp/fd fd] A simple, fast and user-friendly alternative to <code>find</code> (inspired from <code>ripgrep</code>). |
|||
* [https://github.com/BurntSushi/ripgrep rg] A ultra-fast grep replacement. |
|||
* [https://github.com/tldr-pages/tldr tldr] Simplified and community-driven man pages. |
|||
== Template == |
|||
=== Minimal safe === |
|||
<source lang="bash"> |
|||
#!/bin/bash |
|||
set -Eeuo pipefail |
|||
trap cleanup SIGINT SIGTERM ERR EXIT |
|||
script_dir=$(cd "$(dirname "${BASH_SOURCE[0]}")" &>/dev/null && pwd -P) |
|||
cmd(){ echo $(basename "$0"); } |
|||
usage() { |
|||
# ... |
|||
exit |
|||
} |
|||
cleanup() { |
|||
trap - SIGINT SIGTERM ERR EXIT |
|||
# script cleanup here |
|||
} |
|||
die() { |
|||
local code=$1 |
|||
shift |
|||
echo >&2 -e "$(cmd): Error: $@" |
|||
exit "$code" |
|||
} |
|||
parse_params() { |
|||
# ... |
|||
} |
|||
parse_params "$@" |
|||
# script logic here |
|||
</source> |
|||
=== Long === |
|||
From betterdev blog [https://betterdev.blog/minimal-safe-bash-script-template/]: |
|||
<source lang="bash"> |
|||
#!/usr/bin/env bash |
|||
set -Eeuo pipefail |
|||
trap cleanup SIGINT SIGTERM ERR EXIT |
|||
script_dir=$(cd "$(dirname "${BASH_SOURCE[0]}")" &>/dev/null && pwd -P) |
|||
usage() { |
|||
cat <<EOF |
|||
Usage: $(basename "${BASH_SOURCE[0]}") [-h] [-v] [-f] -p param_value arg1 [arg2...] |
|||
Script description here. |
|||
Available options: |
|||
-h, --help Print this help and exit |
|||
-v, --verbose Print script debug info |
|||
-f, --flag Some flag description |
|||
-p, --param Some param description |
|||
EOF |
|||
exit |
|||
} |
|||
cleanup() { |
|||
trap - SIGINT SIGTERM ERR EXIT |
|||
# script cleanup here |
|||
} |
|||
setup_colors() { |
|||
if [[ -t 2 ]] && [[ -z "${NO_COLOR-}" ]] && [[ "${TERM-}" != "dumb" ]]; then |
|||
NOFORMAT='\033[0m' RED='\033[0;31m' GREEN='\033[0;32m' ORANGE='\033[0;33m' BLUE='\033[0;34m' PURPLE='\033[0;35m' CYAN='\033[0;36m' YELLOW='\033[1;33m' |
|||
else |
|||
NOFORMAT='' RED='' GREEN='' ORANGE='' BLUE='' PURPLE='' CYAN='' YELLOW='' |
|||
fi |
|||
} |
|||
msg() { |
|||
echo >&2 -e "${1-}" |
|||
} |
|||
die() { |
|||
local msg=$1 |
|||
local code=${2-1} # default exit status 1 |
|||
msg "$msg" |
|||
exit "$code" |
|||
} |
|||
parse_params() { |
|||
# default values of variables set from params |
|||
flag=0 |
|||
param='' |
|||
while :; do |
|||
case "${1-}" in |
|||
-h | --help) usage ;; |
|||
-v | --verbose) set -x ;; |
|||
--no-color) NO_COLOR=1 ;; |
|||
-f | --flag) flag=1 ;; # example flag |
|||
-p | --param) # example named parameter |
|||
param="${2-}" |
|||
shift |
|||
;; |
|||
-?*) die "Unknown option: $1" ;; |
|||
*) break ;; |
|||
esac |
|||
shift |
|||
done |
|||
args=("$@") |
|||
# check required params and arguments |
|||
[[ -z "${param-}" ]] && die "Missing required parameter: param" |
|||
[[ ${#args[@]} -eq 0 ]] && die "Missing script arguments" |
|||
return 0 |
|||
} |
|||
parse_params "$@" |
|||
setup_colors |
|||
# script logic here |
|||
msg "${RED}Read parameters:${NOFORMAT}" |
|||
msg "- flag: ${flag}" |
|||
msg "- param: ${param}" |
|||
msg "- arguments: ${args[*]-}" |
|||
</source> |
|||
== Tips == |
== Tips == |
||
=== Parsing |
=== Parsing command-line option parameters (getopt/getopts) === |
||
* To ease parsing, pre-parse with executable '''getopt''' (see [http://aplawrence.com/Unix/getopts.html here for more information and examples]). |
|||
;getopt |
|||
<div style="padding-left:2em;"><source lang="bash"> |
|||
To ease parsing, pre-parse with executable '''getopt''' (see [http://aplawrence.com/Unix/getopts.html here for more information and examples]). |
|||
<source lang="bash"> |
|||
#!/bin/bash |
#!/bin/bash |
||
# Gets the command name without path |
|||
# (old version) |
|||
cmd(){ echo $(basename "$0"); } |
|||
args=`getopt abc: $*` |
|||
if test $? != 0 |
|||
# Help command output |
|||
then |
|||
usage(){ |
|||
echo 'Usage: -a -b -c file' |
|||
echo "`cmd` [OPTION...]" |
|||
exit 1 |
|||
column -t -s ";" << __USAGE__ |
|||
fi |
|||
-a; hey |
|||
-b; bee |
|||
-c FILE; cee FILE. |
|||
__USAGE__ |
|||
exit $1 |
|||
} |
|||
# (old getopt syntax) |
|||
args=$(getopt abc: "$@") |
|||
[ $? -eq 0 ] || usage 1 |
|||
set -- $args |
set -- $args |
||
for i |
for i |
||
do |
do |
||
case "$i" in |
case "$i" in |
||
-c) shift;echo "flag c set to $1";shift;; |
-c) shift; echo "flag c set to $1"; shift ;; |
||
-a) shift;echo "flag a set";; |
-a) shift; echo "flag a set" ;; |
||
-b) shift;echo "flag b set";; |
-b) shift; echo "flag b set" ;; |
||
esac |
esac |
||
done |
done |
||
</source |
</source> |
||
<source lang="bash"> |
|||
$ ./g -abc "foo" |
$ ./g -abc "foo" |
||
flag a set |
flag a set |
||
flag b set |
flag b set |
||
flag c set to foo |
flag c set to foo |
||
</source |
</source> |
||
A more complete example with <code>getopt</code> using both '''short''' and '''long''' options (from [https://stackoverflow.com/a/9274633/3392217 SO], [https://gist.github.com/cosimo/3760587 Cosimo (GitHub)], and [https://gist.github.com/shakefu/2765260 shakefu (GitHub)]): |
|||
* Better yet, parse using Bash/sh built-in '''getopts''' (see [http://aplawrence.com/Unix/getopts.html here for more information and examples]). |
|||
<source lang="bash"> |
|||
# Gets the command name without path |
|||
cmd(){ echo $(basename "$0"); } |
|||
# Error message |
|||
error(){ |
|||
echo "`cmd`: invalid option -- '$1'"; |
|||
echo "Try '`cmd` -h' for more information."; |
|||
exit 1; |
|||
} |
|||
# Help command output |
|||
usage(){ |
|||
echo "`cmd` [OPTION...]" |
|||
column -t -s ";" << __USAGE__ |
|||
-x, --exclude VALUE; Add VALUE to exclude. |
|||
-h, --help; Print this help. |
|||
-v, --verbose; Enable verbose output (include multiple times for more |
|||
; verbosity, e.g. -vvv). |
|||
__USAGE__ |
|||
exit $1 |
|||
} |
|||
# Parse options |
|||
OPTS="$(getopt -o e:hv -l exclude:,help,verbose --name "`cmd`" -- "$@")" |
|||
[ $? -eq 0 ] || usage 1 |
|||
eval set -- "$OPTS" |
|||
unset OPTS |
|||
EXCLUDES= |
|||
VERBOSE=false # Or leave empty, and use [ -n "$VERBOSE" ] |
|||
while true |
|||
do |
|||
case $1 in |
|||
-e | --exclude ) EXCLUDES+=("$2"); shift; shift ;; # Note: $2 can't be empty here |
|||
-h | --help ) usage 0 ;; |
|||
-v | --verbose ) VERBOSE=true; shift ;; |
|||
-- ) shift; break ;; |
|||
* ) error $1 ;; |
|||
esac |
|||
done |
|||
</source> |
|||
;getopts (Bash built-in) |
|||
A slightly lighter alternative is to use builtin command '''getopts''' (see [http://aplawrence.com/Unix/getopts.html here for more information and examples]). |
|||
<div style="padding-left:2em;"><source lang="bash"> |
<div style="padding-left:2em;"><source lang="bash"> |
||
#!/bin/bash |
#!/bin/bash |
||
cmd(){ echo $(basename "$0"); } |
|||
while getopts "abc:" flag |
|||
# Error message |
|||
error(){ |
|||
echo "`cmd`: invalid option -- '$1'"; |
|||
echo "Try '`cmd` -h' for more information."; |
|||
exit 1; |
|||
} |
|||
usage(){ |
|||
echo "`cmd` [OPTION...] [--] ARGS" |
|||
column -t -s ";" << __USAGE__ |
|||
-a; hey. |
|||
-b; bee. |
|||
-c FILE; cee FILE. |
|||
-h; Print this help. |
|||
__USAGE__ |
|||
exit $1 |
|||
} |
|||
while getopts "abc:h" flag |
|||
do |
do |
||
case "$flag" in |
|||
a) echo "$OPTIND: flag a set" ;; |
|||
b) echo "$OPTIND: flag b set" ;; |
|||
c) echo "$OPTIND: flag c set to $OPTARG" ;; |
|||
h) usage 0 ;; |
|||
*) error $flag ;; # ?) Unknow flag / :) Missing arg |
|||
esac |
|||
done |
done |
||
shift $((OPTIND-1)) |
shift $((OPTIND-1)) |
||
echo $@ |
echo ARGS: $@ |
||
</source></div> |
</source></div> |
||
<div style="padding-left:2em;"><source lang="bash"> |
<div style="padding-left:2em;"><source lang="bash"> |
||
$ ./g -abc "foo" "bar" |
$ ./g -abc "foo" "bar" |
||
1: flag a set |
|||
a 1 |
|||
1: flag b set |
|||
b 1 |
|||
c |
3: flag c set to foo |
||
bar |
ARGS: bar |
||
</source></div> |
</source></div> |
||
To parse option like <tt>--value=name</tt> ([http://www.opensourcery.co.uk/2008/04/parsing-parameters-bash-shell-script/]) |
|||
<div style="padding-left:2em;"><source lang="bash"> |
<div style="padding-left:2em;"><source lang="bash"> |
||
until [[ ! "$*" ]]; do |
until [[ ! "$*" ]]; do |
||
Line 249: | Line 884: | ||
done |
done |
||
</source></div> |
</source></div> |
||
Another built-in example: |
|||
<source lang="bash"> |
|||
N_ARGS="$#" |
|||
while [ "$#" -gt 0 ] |
|||
do |
|||
case "$1" in |
|||
# List long options '--*' *FIRST* |
|||
--verbose) VERBOSE=1 |
|||
;; |
|||
--output) OUTPUT="$2" |
|||
shift |
|||
;; |
|||
--*) die_usage "Illegal option '$1'" |
|||
;; |
|||
-*) |
|||
OPTS="$1" |
|||
while [ "$OPTS" != "-" ]; do |
|||
case "$OPTS" in |
|||
# Options that takes an extra param does not have a trailing '*' |
|||
# because they must be the last in the group. |
|||
-b) BAR="$2" |
|||
shift |
|||
;; |
|||
-f*) FOO=1 |
|||
;; |
|||
-q*) QUIET=1 |
|||
;; |
|||
-*) die_usage "Illegal option '-${OPTS:1:1}'" |
|||
;; |
|||
esac |
|||
OPTS=${OPTS/-?/-} # Get next option |
|||
done |
|||
;; |
|||
*) break |
|||
;; |
|||
esac |
|||
shift |
|||
done |
|||
shift $(($N_ARGS - $#)) |
|||
# $1 $2 ... contains positional args |
|||
</source> |
|||
=== Empty a file keeping permissions === |
=== Empty a file keeping permissions === |
||
Line 279: | Line 956: | ||
=== Echo with colors === |
=== Echo with colors === |
||
References: |
|||
* [http://invisible-island.net/xterm/xterm.faq.html#ctlseqs_ms Xterm Control Sequences] ([http://invisible-island.net/xterm/ctlseqs/ctlseqs.html]) |
|||
* [http://unix.stackexchange.com/questions/14684/removing-control-chars-including-console-codes-colours-from-script-output RegExp to filter ESC sequence with ''sed''] |
|||
The command <tt>echo</tt> can display colors thanks to ''escape sequence'' commands [http://www.developer.com/open/article.php/631241]: |
The command <tt>echo</tt> can display colors thanks to ''escape sequence'' commands [http://www.developer.com/open/article.php/631241]: |
||
<source lang="bash"> |
<source lang="bash"> |
||
Line 308: | Line 990: | ||
| || || 37 || grey || || || 47 || grey || || |
| || || 37 || grey || || || 47 || grey || || |
||
|} |
|} |
||
A '''more portable''' solution is to use <code>tput</code>. |
|||
==== ANSI Color Code Variables ==== |
==== ANSI Color Code Variables ==== |
||
Line 385: | Line 1,069: | ||
On_ICyan='\e[0;106m' # Cyan |
On_ICyan='\e[0;106m' # Cyan |
||
On_IWhite='\e[0;107m' # White |
On_IWhite='\e[0;107m' # White |
||
</source> |
|||
==== Using tput ==== |
|||
<code>tput</code> is an utility that can configure terminal-dependent capabilities from the shell. |
|||
Example of use: |
|||
<source lang="bash"> |
|||
# See 'man terminfo 5' for a list of capabilities |
|||
echo "$(tput sgr0)This text is displayed normally." |
|||
echo "$(tput setaf 1)This text is displayed in RED." |
|||
echo "$(tput setaf 2)This text is displayed in GREEN." |
|||
echo "$(tput sgr0)This text is displayed normally." |
|||
</source> |
|||
Assuming that tput always generate escape sequence, we can avoid the extra shell call by calling tput once for every format: |
|||
<source lang="bash"> |
|||
Z="$(tput sgr0)" |
|||
R="$(tput setaf 1)" |
|||
G="$(tput setaf 2)" |
|||
echo "${Z}This text is displayed normally." |
|||
echo "${R}This text is displayed in RED." |
|||
echo "${G}This text is displayed in GREEN." |
|||
echo "${Z}This text is displayed normally." |
|||
</source> |
</source> |
||
Line 405: | Line 1,112: | ||
</source> |
</source> |
||
=== Get the PID of a new process === |
=== Get the PID of a new / background process === |
||
Getting the ''pid'' of a new process (when other processes with same name are already running) |
Getting the ''pid'' of a new process (when other processes with same name are already running) |
||
<source lang="bash"> |
<source lang="bash"> |
||
Line 414: | Line 1,121: | ||
uniqPID=`echo $oldPID $newPID|sed -e 's/ /\n/g'|sort|uniq -u` |
uniqPID=`echo $oldPID $newPID|sed -e 's/ /\n/g'|sort|uniq -u` |
||
echo $uniqPID |
echo $uniqPID |
||
</source> |
|||
Or if the process was launched in the background in a script [https://stackoverflow.com/questions/1908610/how-to-get-process-id-of-background-process]: |
|||
<source lang="bash"> |
|||
foo & |
|||
FOO_PID=$! |
|||
# do other stuff |
|||
kill $FOO_PID |
|||
</source> |
</source> |
||
Line 431: | Line 1,146: | ||
/bin/kill -0 $pid 2>/dev/null # PID - need redirect, otherwise kill will complain if no process found |
/bin/kill -0 $pid 2>/dev/null # PID - need redirect, otherwise kill will complain if no process found |
||
# ... also works with bash built-in kill |
# ... also works with bash built-in kill |
||
</source> |
|||
Using <tt>[[ ... =~ ...]]</tt>: |
|||
<source lang=bash> |
|||
if [[ $(ps $pid) =~ $name ]]; # Test both PID and process name |
|||
</source> |
</source> |
||
Line 515: | Line 1,235: | ||
|- |
|- |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
cat file # Correct |
cat file # Correct |
||
cat <<EOF >file # Correct |
cat <<EOF >file # Correct |
||
Line 527: | Line 1,247: | ||
|- |
|- |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
cat file | myprocess # Bad |
cat file | myprocess # Bad |
||
$(cat file) # Bad |
$(cat file) # Bad |
||
</source>}} |
</source>}} |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
<file myprocess # Correct |
<file myprocess # Correct |
||
$(< file) # Correct |
$(< file) # Correct |
||
Line 562: | Line 1,282: | ||
((x++)) < <(:) # now variable 'x' remains in the main process |
((x++)) < <(:) # now variable 'x' remains in the main process |
||
echo $x # x is defined |
|||
</source> |
|||
One can use <code>lastpipe</code> to tell Bash to run the last pipe in the current shell though: |
|||
<source lang="bash"> |
|||
set +m # Optional in script - disable job control (needed for lastpipe) |
|||
shopt -s lastpipe |
|||
: | ( ((x++)) ) # Now variable 'x' remain in the main process |
|||
echo $x # x is defined |
echo $x # x is defined |
||
</source> |
</source> |
||
Line 572: | Line 1,300: | ||
What if we also want to do the same with stderr? In other words, can we also pipe stderr?<br/>Yes, in Bash this is easy! We only need to use the ''process substitution'' feature (reference [http://stackoverflow.com/questions/692000/how-do-i-write-stderr-to-a-file-while-using-tee-with-a-pipe])! |
What if we also want to do the same with stderr? In other words, can we also pipe stderr?<br/>Yes, in Bash this is easy! We only need to use the ''process substitution'' feature (reference [http://stackoverflow.com/questions/692000/how-do-i-write-stderr-to-a-file-while-using-tee-with-a-pipe])! |
||
<source lang="bash"> |
<source lang="bash"> |
||
command |& tee stdoutnerr.log # Pipe BOTH stdout and stderr |
|||
command 2> >(tee stderr.log) >&2 # Keep a copy of 'command' stderr in file 'stderr.log' |
|||
command 2> >(tee stderr.log) >&2 # Keep a copy of 'command' stderr in file 'stderr.log' |
command 2> >(tee stderr.log) >&2 # Keep a copy of 'command' stderr in file 'stderr.log' |
||
command > >(tee stdout.log) 2> >(tee stderr.log >&2) # Keep both a copy of stdout and stderr in separate files |
command > >(tee stdout.log) 2> >(tee stderr.log >&2) # Keep both a copy of stdout and stderr in separate files |
||
</source> |
</source> |
||
Note that <tt>tee</tt> always print the content of ''stdin'' to ''stdout''. That's why we need the redirection <tt>>&2</tt> to redirect it back to ''stderr''. |
Note that <tt>tee</tt> always print the content of ''stdin'' to ''stdout''. That's why we need the redirection <tt>>&2</tt> to redirect it back to ''stderr''. |
||
To redirect stdout for current script: |
|||
<source lang=bash> |
|||
#! /bin/bash |
|||
exec > >(tee foo) |
|||
</source> |
|||
To redirect both stdout and stderr for current script: |
|||
<source lang=bash> |
|||
#! /bin/bash |
|||
exec > >(tee foo) 2>&1 |
|||
</source> |
|||
=== Forcing program to read from standard input instead of file === |
=== Forcing program to read from standard input instead of file === |
||
See [[Linux System Programming#/proc filesystem|/proc filesystem]] |
See [[Linux System Programming#/proc filesystem|/proc filesystem]] |
||
Line 610: | Line 1,355: | ||
echo -n "$(pgrep -P $somepid)" | tr '\n' ',' # use -n "..." so that interim newline are kept, but none added at the end |
echo -n "$(pgrep -P $somepid)" | tr '\n' ',' # use -n "..." so that interim newline are kept, but none added at the end |
||
echo $(pgrep -P $somepid) | tr ' ' ',' # Here echo will translate interim newlines to space |
echo $(pgrep -P $somepid) | tr ' ' ',' # Here echo will translate interim newlines to space |
||
</source> |
|||
=== Join arrays with delimiters === |
|||
From [https://stackoverflow.com/questions/1527049/how-can-i-join-elements-of-an-array-in-bash StackOverflow]: |
|||
<source lang="bash"> |
|||
# Multi-character delimiter |
|||
function join_by { |
|||
local d=${1-} f=${2-} |
|||
if shift 2; then |
|||
printf %s "$f" "${@/#/$d}" |
|||
fi |
|||
} |
|||
join_by , a b c #a,b,c |
|||
join_by ' , ' a b c #a , b , c |
|||
join_by ')|(' a b c #a)|(b)|(c |
|||
join_by ' %s ' a b c #a %s b %s c |
|||
join_by $'\n' a b c #a<newline>b<newline>c |
|||
# Single-character delimiter |
|||
function join_by { local IFS="$1"; shift; echo "$*"; } |
|||
join_by , a "b c" d #a,b c,d |
|||
join_by / var local tmp #var/local/tmp |
|||
join_by , "${FOO[@]}" #a,b,c |
|||
</source> |
</source> |
||
=== Force single trailing slash in directory === |
=== Force single trailing slash in directory === |
||
<source lang="bash"> |
<source lang="bash"> |
||
function single() { echo ${1%%\/*}/; } |
#function single() { echo ${1%%\/*}/; } # WRONG! |
||
function single() { A=${1%//}; echo ${A%/}/; } |
|||
for i in / // . ./ .// dir dir/ dir//; do single $i; done |
for i in / // . ./ .// dir dir/ dir// /home/john; do single $i; done |
||
# / |
# / |
||
# / |
# / |
||
Line 625: | Line 1,398: | ||
# dir/ |
# dir/ |
||
# dir/ |
# dir/ |
||
# /home/john/ |
|||
</source> |
</source> |
||
Line 648: | Line 1,422: | ||
# 4 ... |
# 4 ... |
||
</source> |
</source> |
||
=== Avoid duplicate entries in PATH === |
|||
From [http://unix.stackexchange.com/questions/14895/duplicate-entries-in-path-a-problem]: |
|||
<source lang=bash> |
|||
function addpath() |
|||
{ |
|||
new_entry=$1 |
|||
case ":$PATH:" in |
|||
*":$new_entry:"*) :;; # already there |
|||
*) PATH="$new_entry:$PATH";; # or PATH="$PATH:$new_entry" |
|||
esac |
|||
} |
|||
</source> |
|||
Or using <code>==</code> operator: |
|||
<source lang=bash> |
|||
function addpath() |
|||
{ |
|||
if ! [[ $PATH == *:$1:* ]]; then |
|||
export PATH="$1:$PATH" # or PATH="$PATH:$1" |
|||
fi |
|||
} |
|||
</source> |
|||
Another option is to use <code>[ $(expr match ":$PATH:" ".*:$1:.*") -eq 0 ]</code>, but this spawns a process and hence is much slower. |
|||
=== Remove directory from PATH === |
|||
Several solutions available from [https://stackoverflow.com/questions/370047/what-is-the-most-elegant-way-to-remove-a-path-from-the-path-variable-in-bash SO]. Using the pure bash one (w/o process spawn): |
|||
<source lang="bash"> |
|||
rmpath() { |
|||
local d |
|||
d=":$PATH:" # Surround $PATH with : |
|||
d=${d//:$1:/:} # Replace all occurences of :$1: with : |
|||
d=${d#:} # Remove heading : |
|||
PATH=${d%:} # Remove trailing : |
|||
} |
|||
</source> |
|||
=== Get directory of a sourced script === |
|||
The '''best''' and '''simplest''' solution is to use <code>readlink</code> with parameter <code>-f</code> (requires package {{deb|coreutils}}, and not portable on Mac OSX). The following works '''even if the script is itself a symlink'''. |
|||
<source lang=bash> |
|||
BASEDIR=$(dirname "$(readlink -nf "${BASH_SOURCE[0]}")") |
|||
</source> |
|||
On Mac OSX, we have to use the more complex solution [http://stackoverflow.com/questions/59895/can-a-bash-script-tell-what-directory-its-stored-in]: |
|||
<source lang=bash> |
|||
SOURCE="${BASH_SOURCE[0]}" |
|||
while [ -h "$SOURCE" ] ; do SOURCE="$(readlink "$SOURCE")"; done |
|||
BASEDIR="$( cd -P "$( dirname "$SOURCE" )" && pwd )" |
|||
</source> |
|||
Some '''bad''' or limited solutions: |
|||
<source lang="bash"> |
|||
# BAD - Does not work if script is a symlink; only give a RELATIVE path. |
|||
BASEDIR="$(dirname "${BASH_SOURCE[0]}")" |
|||
# BAD - Does not work if script is a symlink. |
|||
BASEDIR="$(cd "$(dirname "${BASH_SOURCE[0]}" )" && pwd )" |
|||
# BAD - Does not work if script is a symlink. |
|||
# Dereference all paths, except script itself. |
|||
BASEDIR="$(cd -P "$(dirname "${BASH_SOURCE[0]}" )" && pwd )" |
|||
# BAD - Works only is script is executable and within PATH |
|||
PROGDIRNAME=$(dirname $(which "$0")) |
|||
</source> |
|||
=== Detect spaces in file name === |
|||
Some script-fu of mine: |
|||
<source lang=bash> |
|||
if [ $(wc -w <<< $FILENAME) -eq 1 ]; then echo no spaces; else echo space found in filename; fi |
|||
</source> |
|||
=== Get SSH ''hostname'' from given ''host'' name === |
|||
Say we have the following <tt>.ssh/config</tt>: |
|||
<source lang=text> |
|||
Host myhost |
|||
UserName myuser |
|||
HostName myhost.domain.com |
|||
[...] |
|||
</source> |
|||
We want to get the ''HostName'' corresponding to '''myhost''': |
|||
<source lang=bash> |
|||
#First pre-process ssh config file, only keeping lines of the form "host xxx yyy hostname zzz" |
|||
SSH_CONFIG="$(< ~/.ssh/config sed -rn 's/#.*//; s/ +/ /g; s/[hH]ost/host/; s/[nN]ame/name/; /host |hostname/p'|sed -r ':a /host/N; /hostname/!b a; {s/\n *hostname/ hostname/; p; d}')" |
|||
NAME="myhost" |
|||
$(echo "$SSH_CONFIG" | perl -lne 'print for / '"$NAME"' .*hostname +(.*)/g') |
|||
</source> |
|||
=== String and path manipulation === |
|||
* Echo first word in a space-separated list: |
|||
<source lang=bash> |
|||
make="/usr/bin/make -r --no-print-directory -j 2" |
|||
# Using array |
|||
words=($make) |
|||
echo $words # $words same as ${words[0]} |
|||
# Using suffix matching |
|||
echo ${make% *} |
|||
# Using pattern matching |
|||
echo ${make/ */} |
|||
</source> |
|||
* Replace a folder name ''within'' a path (i.e. not trailing or ending). |
|||
<source lang=bash> |
|||
FILE=/foobar/bar/foobar.txt |
|||
echo ${FILE/\/bar//fuu} # We *must* escape first /, but 2nd can be as-is. |
|||
echo ${FILE//bar//fuu} # WRONG. Will replace *all* occurences of "bar" with "/fuu" |
|||
</source> |
|||
=== Use if <tt>[[ ... =~ ''pattern'' ]]</tt> instead of <tt>if ( ... | grep ... )</tt> === |
|||
Constructs like <code>if ( ... | grep ... )</code> spawn 2 processes, and are then inefficient (in particular on ''Cygwin''). |
|||
<source lang=bash> |
|||
if ( ps aux | grep ssh-agent ); then echo ssh-agent found; fi # NOT EFFICIENT, 2 processes spawn |
|||
if [[ $(ps aux) =~ ssh-agent ]]; then echo ssh-agent found; fi # BETTER!!! |
|||
</source> |
|||
=== Test whether a variable is set/defined/unset/empty === |
|||
One can use the rich parameter expansion possibilities: |
|||
{| class=wikitable |
|||
|- |
|||
|{{nb|1=<source lang=bash>echo ${VAR:-word}</source>}} |
|||
|'''Use Default Values''' — (expansion of) ''word'' if ''VAR'' is <u>unset or null</u>; <code>$VAR</code> otherwise |
|||
|- |
|||
|{{nb|1=<source lang=bash>echo ${VAR-word}</source>}} |
|||
|'''Use Default Values''' — (expansion of) ''word'' if ''VAR'' is <u>unset</u>; <code>$VAR</code> otherwise |
|||
|- |
|||
|{{nb|1=<source lang=bash>echo ${VAR:+word}</source>}} |
|||
|'''Use Alternate Values''' — nothing if ''VAR'' is <u>unset or null</u>; (expansion of) ''word'' otherwise |
|||
|- |
|||
|{{nb|1=<source lang=bash>echo ${VAR+word}</source>}} |
|||
|'''Use Alternate Values''' — nothing if ''VAR'' is <u>unset</u>; (expansion of) ''word'' otherwise |
|||
|} |
|||
We have: |
|||
<source lang="bash"> |
|||
unset U |
|||
E="" |
|||
S="s e t" |
|||
echo U${U+x} E${E+x} S${S+x} U${U:+x} E${E:+x} S${S:+x} |
|||
# U Ex Sx U E Sx |
|||
echo U${U-x} E${E-x} S${S-x} U${U:-x} E${E:-x} S${S:-x} |
|||
# Ux E Ss e t Ux Ex Ss e t |
|||
</source> |
|||
So one can test if VAR is unset with (quote when present are necessary in the test): |
|||
<source lang="bash"> |
|||
[ -z ${var+x} ] && echo "unset" || echo "set to '$var'" |
|||
[ -n "${var+x}" ] && echo "set to '$var'" || echo "unset" |
|||
[ -z "${var-x}" ] && echo "empty" || echo "set or unset" |
|||
[ -n "${var:+x}" ] && echo non-empty || echo empty or unset |
|||
</source> |
|||
If we want to test that a '''set of variables''' are defined, we can use '''indirect expansion''': |
|||
<source lang=bash> |
|||
REFS="FOO BAR[0] BAR[1]" |
|||
for refs in $REFS; do |
|||
[ -n "${!refs+defined}" ] || echo "Variable '$refs' is NOT defined" |
|||
done |
|||
</source> |
|||
As we see it also works nicely '''with arrays'''! |
|||
Alternatively type <code>echo $VAR</code>{{kb|TAB}}, Bash shall add a space if ''VAR'' is set or empty. |
|||
=== Use <code>sponge</code> to easily modify a file inplace === |
|||
'''sponge''' is part of package ''moreutils''. It can be used to easily edit file in-place: |
|||
<source lang=bash> |
|||
sed -r '...' FILE | grep ... | sponge FILE # Sponge soaks its full input before creating output file |
|||
</source> |
|||
=== Use auto-complete with command starting with 'sudo' === |
|||
Just add to <tt>.bashrc</tt> ([http://www.webupd8.org/2010/03/how-to-autocomplete-commands-preceded.html]): |
|||
<source lang=bash> |
|||
if [ "$PS1" ]; then |
|||
complete -cf sudo |
|||
fi |
|||
</source> |
|||
=== Test if a directory is empty === |
|||
From [http://www.cyberciti.biz/faq/linux-unix-shell-check-if-directory-empty/]: |
|||
<source lang=bash> |
|||
$ [ "$(ls -A /tmp)" ] && echo "Not Empty" || echo "Empty" |
|||
# OR |
|||
if [ "$(ls -A /tmp)" ]; then |
|||
echo "Not Empty" |
|||
else |
|||
echo "Empty" |
|||
fi |
|||
</source> |
|||
A solution that does not invoke a sub-shell [http://stackoverflow.com/questions/91368/checking-from-shell-script-if-a-directory-contains-files]: |
|||
<source lang=bash> |
|||
shopt -s nullglob |
|||
shopt -s dotglob # To include hidden files |
|||
files=(/some/dir/*) |
|||
if [ ${#files[@]} -gt 0 ]; then echo "huzzah"; fi |
|||
shopt -u nullglob dotglob |
|||
</source> |
|||
=== Be more efficient with Bash console === |
|||
* use {{kb|Alt-.}} to replace the last argument of last command. |
|||
$ cd mydirectory |
|||
bash: cd: mydirectory: No such file or directory |
|||
$ mk {{kb|Alt-.}} |
|||
* use <code>!!</code> to replace last command. Very handy for: |
|||
$ apt-get install package |
|||
E: Could not open lock file /var/lib/dpkg/lock - open (13: Permission denied) |
|||
E: Unable to lock the administration directory (/var/lib/dpkg/), are you root? |
|||
$ sude {{red|!!}} |
|||
=== Sum integers, one per line? === |
|||
From [http://stackoverflow.com/questions/450799/shell-command-to-sum-integers-one-per-line stackoverflow.com] |
|||
<source lang=bash> |
|||
awk '{s+=$1} END {print s}' mydatafile |
|||
awk '{s+=$1} END {printf "%.0f", s}' mydatafile # To avoid 2^31 overflow in some version of awk |
|||
</source> |
|||
=== Test existence of an array index or key === |
|||
We find the following solution on [http://stackoverflow.com/questions/13219634/easiest-way-to-check-for-an-index-or-a-key-in-an-array stackoverflow.com] |
|||
<source lang=bash> |
|||
[ ${array[key]+abc} ] && echo "exists" |
|||
</source> |
|||
We can extend the solution. For instance, say we want to return a default key if a given key is not found: |
|||
<source lang=bash> |
|||
read -p "enter key" key |
|||
echo "Value for key $key is ${array[$key]:-array[default]} ]" # Will print value for $key, or for defaultkey if not found |
|||
</source> |
|||
=== How to detect if a script is being sourced === |
|||
This is a though question, see stackoverflow for details [[http://stackoverflow.com/questions/2683279/how-to-detect-if-a-script-is-being-sourced]]. |
|||
The best solution if bash support <code>BASH_SOURCE</code>: |
|||
<source lang=bash> |
|||
[[ "${BASH_SOURCE[0]}" != "${0}" ]] && echo "script ${BASH_SOURCE[0]} is being sourced ..." |
|||
</source> |
|||
The following solution is portable between Bash and Korn: |
|||
<source lang=bash> |
|||
[[ $_ != $0 ]] && echo "Script is being sourced" || echo "Script is a subshell" |
|||
</source> |
|||
=== Get ip address of local host / remote host === |
|||
Remote host: |
|||
<source lang=bash> |
|||
getent hosts remotehost | awk '{ print $1; exit }' |
|||
dig +short remotehost | head -n 1 |
|||
</source> |
|||
local host: |
|||
<source lang=bash> |
|||
hostname -I | awk '{ print $1 }' # awk because might have several ip address |
|||
</source> |
|||
=== Expand tilde <code>~</code> in variables === |
|||
The simplest [http://stackoverflow.com/questions/3963716/how-to-manually-expand-a-special-variable-ex-tilde-in-bash]: |
|||
<source lang=bash> |
|||
var="${var/#\~/$HOME}" # If var contains a single file name, var="~/myfile" |
|||
var="${var//\~/$HOME}" # If var contains several file names, var="~/myfile1 ~/myfile2" |
|||
</source> |
|||
'''DO NOT USE <code>eval</code>'''. Using <code>eval</code> is not safe if applied without safeguard (variable could eval to <code>rm -rf $HOME</code>). |
|||
=== Run a command when a file changes === |
|||
Easiest solution is to use <code>entr</code>: |
|||
<source lang=bash> |
|||
find -name *.c | entr make |
|||
</source> |
|||
Alternatively, use <code>inotifywait</code> or script {{file|sleep_until_modified.sh}} [http://superuser.com/questions/181517/how-to-execute-a-command-whenever-a-file-changes]. |
|||
=== Remove CRLF and trailing whitespace in text files === |
|||
Using '''ack-grep''': |
|||
<source lang=bash> |
|||
# Convert CRLF to LF (2x to get rid of CRCRLF) |
|||
ack-grep -f --text --print0 | xargs -0 dos2unix |
|||
ack-grep -f --text --print0 | xargs -0 dos2unix |
|||
# Convert CR to LF |
|||
ack-grep -f --text --print0 | xargs -0 mac2unix |
|||
# Remove trailing blanks/tabs |
|||
ack-grep -f --text --print0 | xargs -0 sed -ri 's/[ \t]+$//' |
|||
</source> |
|||
Using '''ag''': |
|||
<source lang=bash> |
|||
# Convert CRLF to LF (2x to get rid of CRCRLF) |
|||
ag -lt0 | xargs -0 dos2unix # or 'ag --files-with-matches --all-text --print0 ...' |
|||
ag -lt0 | xargs -0 dos2unix |
|||
# Convert CR to LF |
|||
ag -lt0 | xargs -0 mac2unix |
|||
# Remove trailing blanks/tabs |
|||
ag -lt0 | xargs -0 sed -ri 's/[ \t]+$//' |
|||
</source> |
|||
Using '''find''' to restrict to some extensions: |
|||
<source lang=bash> |
|||
# Convert CRLF to LF (2x to get rid of CRCRLF) |
|||
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 dos2unix |
|||
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 dos2unix |
|||
# Convert CR to LF |
|||
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 mac2unix |
|||
# Remove trailing blanks/tabs |
|||
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 sed -ri 's/[ \t]+$//' |
|||
</source> |
|||
=== Detect if script redirected through pipe === |
|||
From [http://stackoverflow.com/questions/911168/how-to-detect-if-my-shell-script-is-running-through-a-pipe stackoverflow.com]: |
|||
<source lang="bash"> |
|||
if [ -t 1 ] ; then echo terminal; else echo "not a terminal"; fi |
|||
# terminal |
|||
(if [ -t 1 ] ; then echo terminal; else echo "not a terminal"; fi) | cat |
|||
# not a terminal |
|||
</source> |
|||
=== Try running a program until it succeeds === |
|||
This is typically useful for cron scripts. |
|||
From [https://unix.stackexchange.com/questions/40776/how-do-i-run-a-program-only-once-per-day-while-accounting-for-variable-uptime-a StackExchange]: |
|||
<source lang="bash"> |
|||
#!/bin/sh |
|||
# Check to see if this is already running from some other day |
|||
mkdir /tmp/lock || exit 1 |
|||
while ! command-to-execute-until-succeed; do |
|||
# Wait 30 seconds between successive runs of the command |
|||
sleep 30 |
|||
done |
|||
rmdir /tmp/lock |
|||
</source> |
|||
=== Infinite wait in Bash === |
|||
From [https://stackoverflow.com/questions/9052847/implementing-infinite-wait-in-shell-scripting SO]: |
|||
<source lang=bash> |
|||
#! /bin/bash |
|||
trap 'trap - INT TERM EXIT; rm -f mypipe; exit $?' INT TERM EXIT |
|||
mkfifo mypipe |
|||
while : ; do |
|||
read S <mypipe |
|||
case "$S" in |
|||
*EXIT*) |
|||
>&2 echo "Got EXIT." |
|||
break |
|||
;; |
|||
*) |
|||
>&2 echo "Signal '$S' not supported." |
|||
;; |
|||
esac |
|||
done |
|||
exit 0 |
|||
</source> |
|||
Only drawback: the source process writing to fifo will block until the sink process start to read the fifo again. See [https://stackoverflow.com/questions/7360473/linux-non-blocking-fifo-on-demand-logging SO] again for <code>ftee</code>, a <code>tee</code>-like clone that can pipe to a fifo without blocking. |
|||
=== Functions to manipulate IP addresses === |
|||
<source lang="bash"> |
|||
ip_to_int() |
|||
{ |
|||
local IP=$1 |
|||
echo $(( $(echo $IP | sed -r 's/^/(((/; s/\./)*256+/g') )) |
|||
} |
|||
cidr_to_int() |
|||
{ |
|||
local CIDR=$1 |
|||
echo $(( (0xFFFFFFFF << (32-CIDR)) & 0xFFFFFFFF )) |
|||
} |
|||
int_to_ip() |
|||
{ |
|||
local INT=$1 |
|||
local IP3=$(( (INT >> 24) & 0xFF )) |
|||
local IP2=$(( (INT >> 16) & 0xFF )) |
|||
local IP1=$(( (INT >> 8) & 0xFF )) |
|||
local IP0=$(( INT & 0xFF )) |
|||
echo "$IP3.$IP2.$IP1.$IP0" |
|||
} |
|||
cidr_to_mask() |
|||
{ |
|||
local CIDR=$1 |
|||
int_to_ip $(cidr_to_int $CIDR) |
|||
} |
|||
ip_cidr_to_subnet() |
|||
{ |
|||
local IP_INT=$(ip_to_int $1) |
|||
local CIDR_INT=$(cidr_to_int $2) |
|||
int_to_ip $((IP_INT & CIDR_INT)) |
|||
} |
|||
</source> |
|||
Example of use: |
|||
<source lang="bash"> |
|||
cidr_to_mask 24 |
|||
# 255.255.255.0 |
|||
ip_cidr_to_subnet 192.168.10.15 24 |
|||
# 192.168.10.0 |
|||
</source> |
|||
=== Check if a program exists from a Bash script === |
|||
From [https://stackoverflow.com/questions/592620/check-if-a-program-exists-from-a-bash-script/677212#677212 SO]. |
|||
Ideally use |
|||
* '''hash''' (Bash shell) |
|||
Or either |
|||
* '''command''' (POSIX compatible). |
|||
* '''type''' (Bash shell) |
|||
<source lang="bash"> |
|||
hash foo 2>/dev/null || { echo >&2 "I require foo but it's not installed. Aborting."; exit 1; } |
|||
command -v foo >/dev/null 2>&1 || { echo >&2 "I require foo but it's not installed. Aborting."; exit 1; } |
|||
type foo >/dev/null 2>&1 || { echo >&2 "I require foo but it's not installed. Aborting."; exit 1; } |
|||
</source> |
|||
<code>hash</code> has added advantages that given command will be hashed if it exists, and '''will ignore aliases'''. |
|||
'''DO NOT USE <code>which</code> FOR TESTING!''' It spawns a process for doing little and is not guaranteed to return an error code. |
|||
=== Change a relative path into an absolute (aka full) path === |
|||
The easiest is to use <code>readlink</code> from package {{deb|coreutils}}: |
|||
<source lang="bash"> |
|||
RELATIVE=./src/my.c |
|||
echo $(readlink -e "$RELATIVE") # $RELATIVE must exist |
|||
echo $(readlink -f "$RELATIVE") # All path components but the last must exist |
|||
echo $(readlink -m "$RELATIVE") # Works even if $RELATIVE is missing |
|||
</source> |
|||
=== Escape positional args for reuse in shell input === |
|||
Say we write a script that takes a few parameters, and this script must pass along these parameters to another script on a remote machine through ssh. |
|||
For instance, we would call the script with |
|||
<source lang="bash"> |
|||
local-exec "1st arg" '2nd (arg)' |
|||
</source> |
|||
Then we would like the script to run the ssh command |
|||
<source lang="bash"> |
|||
ssh user@remote remote-exec "1st arg" '2nd (arg)' |
|||
</source> |
|||
Again [https://stackoverflow.com/questions/1668649/how-to-keep-quotes-in-bash-arguments/8723305 Stack] [https://stackoverflow.com/questions/10835933/preserve-quotes-in-bash-arguments Overflow] comes to the rescue, which we summarize here: |
|||
* Use <code>$(printf " %q" "$@")</code> (note the space before <code>%</code>). |
|||
* Use <code>${*@Q}</code> or <code>"${*@Q}"</code> (available since Bash 4.4?). |
|||
Script {{file|local-exec}} |
|||
<source lang="bash"> |
|||
#! /bin/bash |
|||
# |
|||
# local-exec |
|||
# 1st solution -- using printf and %q -- NOTE THE *SPACE* BEFORE % |
|||
# ssh user@server ./remote-exec "$(printf " %q" "$@")" |
|||
# 2nd solution: |
|||
ssh user@server ./remote-exec ${*@Q} |
|||
</source> |
|||
Script {{file|remote-exec}} on the remote machine: |
|||
<source lang="bash"> |
|||
#! /bin/bash |
|||
for arg; do |
|||
echo "'$arg'" |
|||
done |
|||
</source> |
|||
This gives: |
|||
<source lang="bash"> |
|||
./local-exec "1st arg" '2nd (arg)' |
|||
# '1st arg' |
|||
# '2nd (arg)' |
|||
</source> |
|||
This works for passing command and command parameters with ssh, <code>bash -c</code>... |
|||
=== Detect if scripts run on Linux or Windows === |
|||
A simple one: |
|||
<source lang="bash"> |
|||
if [[ $OSTYPE == linux-* ]]; then |
|||
echo "Running on Linux" |
|||
elif [[ $OS == Windows_NT ]]; then |
|||
echo "Running on Windows" |
|||
else |
|||
echo "Operating system not detected." |
|||
return 1 |
|||
fi |
|||
</source> |
|||
=== Start a new interactive bash sub-shell with some initial command === |
|||
Again, [https://serverfault.com/questions/368054/run-an-interactive-bash-subshell-with-initial-commands-without-returning-to-the StackExchange] to the rescue: |
|||
<source lang="bash"> |
|||
bash -rcfile <(echo ". $HOME/.bashrc; FOO=foo; export BAR=bar; pwd") |
|||
</source> |
|||
On '''Debian''', this will source {{file|/etc/bash.bashrc}} [https://unix.stackexchange.com/questions/187369/when-is-etc-bash-bashrc-invoked], then source {{file|~/.bashrc}}, then execute some commands, and remain in the sub-shell. Use <code>exit</code> to leave the subshell. |
|||
On other system, {{file|/etc/bash.bashrc}} might need to be sourced explicitly: |
|||
<source lang="bash"> |
|||
bash -rcfile <(echo ". /etc/bash.bashrc; . $HOME/.bashrc; FOO=foo; export BAR=bar; pwd") |
|||
</source> |
|||
Note that the above is strictly equivalent to doing in a shell: |
|||
<source lang="bash"> |
|||
bash |
|||
FOO=foo |
|||
export BAR=bar |
|||
pwd |
|||
</source> |
|||
So, even non-exported variable will be part of the new sub-shell. |
|||
The following solution is more compact, but lose the non-exported variables: |
|||
<source lang="bash"> |
|||
bash -c 'FOO=foo; export BAR=bar; pwd; exec bash' |
|||
</source> |
|||
=== Find non-ascii characters === |
|||
<source lang="bash"> |
|||
# Using grep |
|||
find -print0 | LANG=C LC_ALL=C xargs -0 grep -Pl "[\x80-\xff]" |
|||
# Using ag |
|||
ag -l "[\x80-\xff]" |
|||
</source> |
|||
=== Split list of words as separate lines / filter duplicate words === |
|||
Say we have |
|||
<source lang="bash"> |
|||
FOO="foo bar baz foo" |
|||
</source> |
|||
We can easily split that into separate lines with <code>xargs</code> |
|||
<source lang="bash"> |
|||
echo $FOO | xargs -n1 |
|||
# foo |
|||
# bar |
|||
# baz |
|||
# foo |
|||
</source> |
|||
For instance we can use that to filter duplicate words: |
|||
<source lang="bash"> |
|||
echo $FOO | xargs -n1 | sort -u |
|||
# bar |
|||
# baz |
|||
# foo |
|||
echo $FOO | xargs -n1 | sort -u | xargs |
|||
# bar baz foo |
|||
</source> |
|||
=== Set IFS / GLOBIGNORE for one assignment only === |
|||
From [https://stackoverflow.com/questions/11393817/read-lines-from-a-file-into-a-bash-array/11393884#11393884 SO]: |
|||
<source lang="bash"> |
|||
IFS=$'\r\n' GLOBIGNORE='*' command eval 'XYZ=($(cat /etc/passwd))' |
|||
</source> |
|||
Using <code>command eval</code>, the first two variable assignment are only valid for the command execution. Without it, it would appear as three variable assignement that are persistent in the script. |
|||
=== Duplicate stdout to stderr === |
|||
<source lang="bash"> |
|||
echo foo | tee /dev/stderr |
|||
</source> |
|||
=== Pick random line in a text file === |
|||
We can use <code>sort -R</code> or <code>shuf</code>: |
|||
<source lang=bash> |
|||
sort -R FILE | head -n 1 |
|||
shuf -n 1 FILE |
|||
</source> |
|||
=== Store list of files in a directory in a array === |
|||
From [https://stackoverflow.com/questions/9954680/how-to-store-directory-files-listing-into-an-array/9958143 SO]: |
|||
<source lang="bash"> |
|||
# Simpler |
|||
A=(*) # Also works when filename as space |
|||
for f in "${A[@]}"; do ... # Mind the "..." |
|||
# Simple + support empty directory |
|||
shopt -s nullglob |
|||
A=(*) |
|||
for f in "${A[@]}"; do ... |
|||
# Patterns |
|||
shopt -s nullglob |
|||
A=(*.h) |
|||
for f in "${A[@]}"; do ... |
|||
# More powerful patterns |
|||
shopt -s globstar nullglob # Add dotglob to also scan dot dir |
|||
A=( **/*"$input"* ) |
|||
for f in "${A[@]}"; do ... |
|||
</source> |
|||
Using <code>find</code> whhorks, but only if the paths do not contain spaces |
|||
<source lang="bash"> |
|||
# https://stackoverflow.com/questions/23356779/how-can-i-store-the-find-command-results-as-an-array-in-bash |
|||
readarray -d '' array < <(find . -name "$input" -print0) # Bash 4.4+ |
|||
array=() |
|||
while IFS= read -r -d $'\0'; do |
|||
array+=("$REPLY") |
|||
done < <(find . -name "${input}" -print0) # Bash 4.3 or before |
|||
# ... or using lastpipe to avoid process substitution |
|||
set +m |
|||
shopt -s lastpipe |
|||
array=() |
|||
find . -name "${input}" -print0 | while IFS= read -r -d $'\0'; do array+=("$REPLY"); done |
|||
# Keep only files, starting with A |
|||
A=($(find -type f -name A*)) # Only if no space! |
|||
for f in "${A[@]}"; do ... # quotes useless in fact... |
|||
</source> |
|||
=== Test if files with given pattern exists === |
|||
No easy way with bash |
|||
<source lang=bash> |
|||
# https://unix.stackexchange.com/questions/79301/test-if-there-are-files-matching-a-pattern-in-order-to-execute-a-script |
|||
shopt -s nullglob |
|||
set -- *.txt |
|||
if [ "$#" -gt 0 ]; then |
|||
./script "$@" # call script with that list of files. |
|||
</source> |
|||
=== Wait for several jobs in background to finish === |
|||
We use the tip from [https://stackoverflow.com/questions/1131484/wait-for-bash-background-jobs-in-script-to-be-finished SO]: |
|||
<source lang="bash"> |
|||
set -e # Exit on first error |
|||
job1 & |
|||
job2 & |
|||
# ... |
|||
# Waiting loop |
|||
while true; do |
|||
wait -n || { |
|||
code="$?" |
|||
([[ $code = "127" ]] && exit 0 || exit "$code") |
|||
break |
|||
} |
|||
done; |
|||
</source> |
|||
Alternatively, there is also [https://www.gnu.org/software/bash/manual/html_node/GNU-Parallel.html <code>parallel</code>]. |
|||
=== Find a file in a list / in an array (exclude pattern) === |
|||
Without regular expression, space separated: |
|||
<source lang="bash"> |
|||
T="source/foo.c include/foo.h source/parrot.c" |
|||
T_EX="source/parrot.c include/parrot.h" |
|||
for f in $T; do |
|||
[[ " $T_EX " =~ " $f " ]] && echo "Excluding: $f" || echo "Processing: $f" |
|||
done |
|||
</source> |
|||
With regex + support for spaces: |
|||
<source lang="bash"> |
|||
declare -a T |
|||
T+=("source/f o o.c") |
|||
T+=("include/f o o.h") |
|||
T+=("source/par rot.c") |
|||
T_EX=("source/par.*") |
|||
T_EX+=("include/par rot.h") |
|||
match() |
|||
{ |
|||
f=$1 |
|||
while [ $# -gt 1 ]; do |
|||
shift |
|||
[[ $f =~ $1 ]] && return 0 |
|||
done |
|||
return 1 |
|||
} |
|||
for f in "${T[@]}"; do |
|||
match "$f" "${T_EX[@]}" && echo "Ignoring $f" && continue |
|||
echo "Processing $f" |
|||
done |
|||
</source> |
|||
=== Functions for emulating multi-dimensional associative array === |
|||
Building up on ideas from [https://stackoverflow.com/questions/6149679/multidimensional-associative-arrays-in-bash SO] and [https://stackoverflow.com/questions/11180714/how-to-iterate-over-an-array-using-indirect-reference SO]. |
|||
<source lang="bash"> |
|||
#! /bin/bash |
|||
filter_values() |
|||
{ |
|||
local -n myvar="$1" |
|||
local filter=$2 |
|||
local key |
|||
for key in ${!myvar[@]}; do |
|||
[[ $key =~ ^$filter, ]] && echo ${myvar[$key]} |
|||
done |
|||
} |
|||
filter_keys() |
|||
{ |
|||
local -n myvar="$1" |
|||
local filter=$2 |
|||
local key |
|||
for key in ${!myvar[@]}; do |
|||
[[ $key =~ ^$filter, ]] && echo ${key##$filter,} |
|||
done |
|||
} |
|||
declare -Ax A=( [id,one]=ONE [id,two]=TWO [tgt,one]=TGTONE [tgt,two]=TGTTWO ) |
|||
filter_keys A id |
|||
# two |
|||
# one |
|||
# TWO |
|||
# ONE |
|||
filter_keys A tgt |
|||
# one |
|||
# two |
|||
filter_values A tgt |
|||
# TGTONE |
|||
# TGTTWO |
|||
</source> |
|||
=== Display MOTD in bash shell === |
|||
Message-of-the-Day (motd) provides interesting information, like when ''firmware upgrade'' are available. |
|||
By default, motd is only displayed in the console logins. |
|||
Add the snippet below in {{file|~/.bashrc}} to show motd at least once every 24h. |
|||
<source lang="bash"> |
|||
# ~/.bashrc |
|||
#### MOTD |
|||
######################## |
|||
touch -d "yesterday" ~/.yesterday |
|||
if [ ~/.last-motd -ot ~/.yesterday ]; then |
|||
touch ~/.last-motd |
|||
[ -f /etc/motd ] && cat /etc/motd |
|||
[ -d /etc/update-motd.d ] && run-parts --lsbsysinit /etc/update-motd.d |
|||
fi |
|||
rm ~/.yesterday |
|||
</source> |
|||
=== Keep terminal width in piped command === |
|||
Some commands adapt their output to the terminal width for nicer formatting. |
|||
However, when the output is piped in another command (say <code>cat</code>), this property is lost. |
|||
To restore this behaviour even in case of piping, we can set the <code>COLUMNS</code> variable: |
|||
<source lang="bash"> |
|||
COLUMNS=$(tput cols) my_command | cat # tell my_command how many columns are available |
|||
</source> |
|||
To also restore the number of lines, we can use <code>LINES</code> and <code>stty size</code>: |
|||
<source lang="bash"> |
|||
LINES=$(stty size | cut -d' ' -f1) COLUMNS=$(stty size | cut -d' ' -f2) my_command | cat |
|||
</source> |
|||
=== Modify an array in a function === |
|||
Say we have an array, and we want to modify its content in a function. |
|||
An easy way is to pass the array by reference using '''namerefs''' (since Bash 4.3+): |
|||
<source lang="bash"> |
|||
crop() { |
|||
local -n array=$1 # This creates a namerefs to given array |
|||
array=("${array[@]:1}") # Remove the first element from the array |
|||
echo "new array: ${array[*]}" |
|||
} |
|||
foo=(123 456 789 101 112) |
|||
bar=(234 567 890 123 345) |
|||
baz=(345 678 901 234 456) |
|||
crop foo |
|||
crop bar |
|||
crop baz |
|||
echo "foo: ${foo[@]}" |
|||
echo "bar: ${bar[@]}" |
|||
echo "baz: ${baz[@]}" |
|||
</source> |
|||
Modify an array in a function |
|||
== Pits == |
== Pits == |
||
Line 655: | Line 2,229: | ||
{| class="wikitable" |
{| class="wikitable" |
||
|- |
|- |
||
!Description |
!width=50%|Description |
||
!Example |
!Example |
||
|- |
|- |
||
Line 669: | Line 2,243: | ||
|'''For loops with file''' - Use simply '''*''' to list files in for loops, not <tt>`ls *`</tt>: |
|'''For loops with file''' - Use simply '''*''' to list files in for loops, not <tt>`ls *`</tt>: |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
for file in *; cat "$file"; done # SUCCEEDS, even if white space |
for file in *; cat "$file"; done # SUCCEEDS, even if white space |
||
for file in `ls *`; cat "$file"; done # FAILS miserably |
for file in `ls *`; cat "$file"; done # FAILS miserably |
||
Line 679: | Line 2,253: | ||
So it is '''<big>{{green|MYVAR=value}}</big>''' and '''not''' '''<big><s>{{red|MYVAR= value}}</s></big>''' !!! |
So it is '''<big>{{green|MYVAR=value}}</big>''' and '''not''' '''<big><s>{{red|MYVAR= value}}</s></big>''' !!! |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
srcDir = $1 # WRONG - spaces around = sign |
srcDir = $1 # WRONG - spaces around = sign |
||
$srcDir=$1 # WRONG - $ prefix |
$srcDir=$1 # WRONG - $ prefix |
||
Line 689: | Line 2,263: | ||
|'''Semi-colon in find''' - Semi-colon in find commands must be '''escaped !''' |
|'''Semi-colon in find''' - Semi-colon in find commands must be '''escaped !''' |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
find . -exec echo {} ; # WRONG - semi-colon not escaped |
find . -exec echo {} ; # WRONG - semi-colon not escaped |
||
find . -exec echo {} \; # CORRECT |
find . -exec echo {} \; # CORRECT |
||
Line 696: | Line 2,270: | ||
|Using a '''bash built-in''' instead of external program<br>Bash built-in commands override external commands with same name (eg. '''kill''' and '''echo''') |
|Using a '''bash built-in''' instead of external program<br>Bash built-in commands override external commands with same name (eg. '''kill''' and '''echo''') |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
$ type kill # kill is a shell builtin |
$ type kill # kill is a shell builtin |
||
$ type /bin/kill # /bin/kill is /bin/kill |
$ type /bin/kill # /bin/kill is /bin/kill |
||
Line 704: | Line 2,278: | ||
|Wrong '''redirection order''' |
|Wrong '''redirection order''' |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
read pid < $PID_FILE 2> /dev/null # WRONG - error msg if $PID_FILE |
read pid < $PID_FILE 2> /dev/null # WRONG - error msg if $PID_FILE |
||
# doesn't exist |
# doesn't exist |
||
Line 712: | Line 2,286: | ||
|'''Variable not exported outside parens''' |
|'''Variable not exported outside parens''' |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
( read pid < $PID_FILE ) 2> /dev/null # WRONG - var pid not kept |
( read pid < $PID_FILE ) 2> /dev/null # WRONG - var pid not kept |
||
read pid 2> /dev/null < $PID_FILE # CORRECT |
read pid 2> /dev/null < $PID_FILE # CORRECT |
||
Line 721: | Line 2,295: | ||
* Better yet, use <tt>set</tt> |
* Better yet, use <tt>set</tt> |
||
| |
| |
||
{{nb|<source lang="bash"> |
{{nb|1=<source lang="bash"> |
||
echo "1 2 3" | read a b c; echo $a $b $c # WRONG - subshell |
echo "1 2 3" | read a b c; echo $a $b $c # WRONG - subshell |
||
echo "1 2 3" | (read a b c; echo $a $b $c) # CORRECT - same subshell |
echo "1 2 3" | (read a b c; echo $a $b $c) # CORRECT - same subshell |
||
Line 727: | Line 2,301: | ||
</source>}} |
</source>}} |
||
|- |
|- |
||
|Don't quote '''tilde''' |
|Don't quote '''tilde''' ... nor the following slash! |
||
|{{nb|<source lang="bash"> |
|{{nb|1=<source lang="bash"> |
||
if [ -a ~/bin/"my file" ]; then echo found; fi # CORRECT |
|||
if [ -a "~/bin/my file" ]; then echo found; fi # WRONG |
if [ -a "~/bin/my file" ]; then echo found; fi # WRONG |
||
if [ -a ~/bin/"my file" ]; then echo found; fi # CORRECT |
|||
export FOO=~"/foo bar" # WRONG |
|||
export FOO=~/"foo bar" # CORRECT |
|||
</source>}} |
</source>}} |
||
|- |
|- |
||
|Need quoting when '''echoing a variable with embedded newlines'''.<br>This is because echo takes newlines (like any blanks) as parameter separator<br/>Moreover '''command substitution always remove the trailing newlines''' no matter what |
|Need quoting when '''echoing a variable with embedded newlines'''.<br>This is because echo takes newlines (like any blanks) as parameter separator<br/>Moreover '''command substitution always remove the trailing newlines''' no matter what |
||
|{{nb|<source lang="bash"> |
|||
Also when |
|||
|{{nb|1=<source lang="bash"> |
|||
HEADER=$(sed -rn '/$^/Q' myfile.txt) |
HEADER=$(sed -rn '/$^/Q' myfile.txt) |
||
echo "$HEADER" # CORRECT |
echo "$HEADER" # CORRECT |
||
Line 741: | Line 2,319: | ||
VAR="$(echo; echo)"; echo "$VAR" # WRONG, trailing newlines stripped! |
VAR="$(echo; echo)"; echo "$VAR" # WRONG, trailing newlines stripped! |
||
VAR="$(echo; echo; echo x"; VAR=${VAR%x}; echo "$VAR" # FIXED |
VAR="$(echo; echo; echo x"; VAR=${VAR%x}; echo "$VAR" # FIXED |
||
</source>}} |
|||
|- |
|||
|Also when using <code>eval</code>: |
|||
|{{nb|1=<source lang="bash"> |
|||
eval $(somefunc foo bar) # WRONG, if somefunc returns several lines |
|||
eval "$(somefunc foo bar)" # CORRECT |
|||
</source>}} |
</source>}} |
||
|- |
|- |
||
Line 746: | Line 2,330: | ||
<br/> |
<br/> |
||
The same way '''never redirect ''stderr'' to a file''', but instead to a process using Bash's process substitution trick so that to prevent undesired file reset. |
The same way '''never redirect ''stderr'' to a file''', but instead to a process using Bash's process substitution trick so that to prevent undesired file reset. |
||
|{{nb|<source lang="bash"> |
|{{nb|1=<source lang="bash"> |
||
sample() { |
sample() { |
||
echo "foo" >/dev/stderr |
echo "foo" >/dev/stderr |
||
Line 760: | Line 2,344: | ||
sample 2> >(cat >foobar.txt) |
sample 2> >(cat >foobar.txt) |
||
cat foobar.txt # both lines |
cat foobar.txt # both lines |
||
</source>}} |
|||
|- |
|||
| |
|||
'''exit status''' of '''pipelines''' returns status of last step in pipeline. Use '''<tt>PIPESTATUS</tt>''' array to get status of each step separately. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
# WRONG - $? will return exit status of 'tee' |
|||
make | tee make.log |
|||
status=$? |
|||
# CORRECT |
|||
make | tee make.log |
|||
exit ${PIPESTATUS[0]} |
|||
</source>}} |
|||
|- |
|||
| |
|||
'''<code>read</code>''' does not preserve '''spaces''' and backslashes''' by default. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
# WRONG - Use read with default option |
|||
read -p "password: " passwd |
|||
echo "$passwd" |
|||
# CORRECT - Use IFS= and -p to keep blanks / backslashes |
|||
IFS= read -r -p "password: " passwd |
|||
echo "$passwd" |
|||
</source>}} |
|||
|- |
|||
|Do not give '''extra quotes''' in pattern matching. Use <code>[[ ]]</code> block. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
# WRONG - Extra quotes or wrong block |
|||
if [[ $NAME == "*.c" ]]; then mv $NAME src/; fi |
|||
if [ $NAME == *.c ]; then mv $NAME src/; fi |
|||
# CORRECT - Use [[ ]] and no extra quotes |
|||
if [[ $NAME == *.c ]]; then mv $NAME src/; fi |
|||
</source>}} |
|||
|- |
|||
|'''There are no ''local'' variables in bash'''. Variables modified in a child function also affects the parent function, even if parent function uses the keyword <code>local</code>. A parent function can't prevent children to modify its variable. It is the opposite, by using the keyword <code>local</code>, a function avoids modifying the variable in the parent. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
function b() { |
|||
SRC=overwritten-$1 |
|||
echo $SRC |
|||
} |
|||
function a() { |
|||
local SRC=$1 # WRONG! what if fct. b redefines SRC? |
|||
local MYSCRIPT_SRC=$1 # CORRECT. Use unique variable names |
|||
b $SRC |
|||
echo $SRC $MYSCRIPT_SRC |
|||
} |
|||
</source>}} |
|||
|- |
|||
|<code>local</code> absorbs the return status of any process called within. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
local OUT=$(foo BAR) |
|||
local RC=$? # WRONG! $? will always be 0 |
|||
local OUT |
|||
OUT=$(foo BAR) |
|||
local RC=$? # CORRECT |
|||
</source>}} |
|||
|- |
|||
|<code>set -e</code> '''has NO effect''' when used in a <code><nowiki>||</nowiki></code>, <code>&&</code> list, or any expression following <code>while</code>, <code>until</code>, <code>if</code>, <code>elif</code> [http://pubs.opengroup.org/onlinepubs/9699919799.2016edition/utilities/V3_chap02.html#set], [https://unix.stackexchange.com/questions/393790/why-does-this-compound-command-not-exit-on-error-when-used-with]. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
function fail() { |
|||
set -x |
|||
cat file |
|||
# Here assume 'file' exists # WRONG! set -x will have no effect if fail |
|||
# ... # is called in an AND-OR expr or alike. |
|||
cat file_not_found_as_well |
|||
set +x |
|||
} |
|||
fail && true |
|||
</source>}} |
|||
|- |
|||
|'''Not setting {{red|1=LANG=C LC_ALL=C}}''' when dealing with strings |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
sort myfile.txt # BAD - locale dependent |
|||
LC_ALL=C sort myfile.txt # OK - Traditional sort |
|||
somelen=${#line} # BAD - Get "some" length |
|||
LANG=C LC_ALL=C |
|||
bytlen=${#line} # OK - Get *byte* length |
|||
find -print0 | LANG=C LC_ALL=C xargs -0 grep -Pl "[\x80-\xff]" |
|||
# Grep for non-ascii characters |
|||
</source>}} |
|||
|- |
|||
|'''{{red|Set variables in a pipeline}}'''. From the manpage: |
|||
Each command in a pipeline is executed as a separate process (i.e., in a subshell). |
|||
We can use <code>shopt -o lastpipe</code> to let last element run by the shell process, but job control must be disabled. |
|||
| |
|||
{{nb|1=<source lang=bash> |
|||
A=1; ( A=2 ) | ( A=3 ); echo $A # BAD - A is 1! |
|||
</source>}} |
</source>}} |
||
|} |
|} |
Latest revision as of 07:48, 17 July 2024
Reference
Local page:
External links:
- Writing Robust Bash Shell Scripts
- Advanced Bash-Shell Scripting - Gotchas
- Command Line Fu
- Minimal safe bash script template
Tips for Robust Scripts
Use set -u
This will detect uninitialized variable, the king of all evils!
#! /bin/bash
set -o nounset # Or "set -u"
chroot=$1
rm -r $chroot/etc # Will delete /etc if $1 is not given!!!
Use set -e
Script will exit if any command fails. But beware of the gotchas.
#! /bin/bash
set -o errexit # Or "set -e"
# Don't do
command # Will fail and exit!
if [ "$?"-ne 0]; then echo "command failed"; exit 1; fi
# But do instead:
command || { echo "command failed"; exit 1; } # Ok
# Temporarily disable the check for some code section
set +e
command1
command2
set -e
Expect space in filenames
if [ $filename = "foo" ]; # WRONG
if [ "$filename" = "foo" ]; # Correct
for i in $@; do echo $i; done # WRONG
for i in "$@"; do echo $i; done # Correct
find | xargs ls # WRONG
find | xargs -d '\n' ls # Correct
find -print0 | xargs -0 ls # Better
for f in $(locate .pdf); do basename $f; done # WRONG
locate .pdf | xargs -d '\n' -n 1 basemane # Correct
locate -0 .pdf | xargs -0 -n 1 basemane # Better
for f in $(ls); do basename $f; done # WRONG
for f in *; do basemane $f; done # Correct
More safe shell tips
From mit.eud:
- Use
set -euf -o pipefail
. This enables:
set -e
, exit on fails.set -u
, exit on undefined variables.set -f
, disable filename expansion (globbing), when seeing* ?
...set -o pipefail
, fails when one step in a pipeline fails (otherwise, only last step is checked).
In addition:
- Quote liberally *all* variables (use
"$filename"
). - Always use
--
to make sure variables are passed as positional parameter (sudo -u nobody -- "$@"
safer thansudo -u nobody "$@"
if$@
expands to-u root reboot
). - Use shellcheck.
Use signals to fail cleanly
if [ ! -e $lockfile ]; then
trap "rm -f $lockfile; exit" INT TERM EXIT # Do we need HUP?
touch $lockfile # !!! race-condition. gap between testing and file creation
critical-section
rm $lockfile
trap - INT TERM EXIT
else
echo "critical-section is already running"
fi
(Not sure we need to trap INT
and TERM
. Note that we can't trap KILL
anyway).
A better solution without TOCTTOU (time-of-check to time-of-use) race condition:
if mkdir $lockdir; then # mkdir is atomic on all fs
trap "rmdir $lockdir; exit" INT TERM EXIT ERR
critical-section
rmdir $lockdir
trap - INT TERM EXIT
else
echo "critical-section is already running"
fi
Some extra tips:
- Use trap
ERR
to trap exit due to the-e
shell option.
set -e
trap "die 1 'ERR signal trapped'" ERR
die() {
CODE=$1
shift
>&2 echo "$0: Error - $@"
exit $CODE
}
- It is not necessary to clean the trap handler at the end of the script.
- Setup the trap as soon as possible in the script since errors may occur at any command.
Create temp file and cleanup using signals
From [4]:
tempfiles=( )
cleanup() {
rm -f "${tempfiles[@]}"
}
trap cleanup EXIT # Note that there is no need to trap TERM or KILL
Create a temporary file with
temp_foo="$(mktemp -t foobar.XXXXXX)"
tempfiles+=( "$temp_foo" )
Alternatively, one can create a file and descriptor to it, then remove the file immediately:
touch 'temp.txt'
exec 3 < 'temp.txt'
exec 4 > 'temp.txt'
rm -f 'temp.txt'
# Now we can still use fd 3 and 4, but files is no longer on fs
Beware of Race conditions
References:
- http://www.davidpashley.com/articles/writing-robust-shell-scripts.html
- http://stackoverflow.com/questions/325628/race-condition-in-the-common-lock-on-file
- https://unix.stackexchange.com/questions/22044/correct-locking-in-shell-scripts
- http://wiki.bash-hackers.org/howto/mutex
There is race condition between the test of file and its creation. If 2 processes run simultaneously, they might both pass the test successfully and think that they are running alone. To solve it, we need an operation that tests & create the file in an atomic way.
The safest solution is to use mkdir
, which is atomic on most filesystem [5]. It will fail if directory already exists, or create it otherwise, both atomically.
lockdir=/var/tmp/mylock
pidfile=/var/tmp/mylock/pid
if ( mkdir ${lockdir} ) 2> /dev/null; then
echo $$ > $pidfile
trap 'rm -rf "$lockdir"; exit $?' INT TERM EXIT
# do stuff here
# clean up after yourself, and release your trap
rm -rf "$lockdir"
trap - INT TERM EXIT
else
echo "Lock Exists: $lockdir owned by $(cat $pidfile)"
fi
The PID of locking script is stored in a file in locked directory. This way, another script can detect stale lock (by verifying that the owner script is still running).
Note that on exit, trap will be executed twice.
<source lang=bash>
lockdir=/var/tmp/mylock
pidfile=/var/tmp/mylock/pid
if ( mkdir ${lockdir} ) 2> /dev/null; then
echo $$ > $pidfile
trap 'trap - INT TERM EXIT; rm -rf "$lockdir"; exit $?' INT TERM EXIT
# do stuff here
# exit explicitly to call the trap
exit 0
else
echo "Lock Exists: $lockdir owned by $(cat $pidfile)"
fi
</source>
Here a complete example on how to manage lockdir and stale process [6]:
#!/bin/bash
# lock dirs/files
LOCKDIR="/tmp/statsgen-lock"
PIDFILE="${LOCKDIR}/PID"
# exit codes and text
ENO_SUCCESS=0; ETXT[0]="ENO_SUCCESS"
ENO_GENERAL=1; ETXT[1]="ENO_GENERAL"
ENO_LOCKFAIL=2; ETXT[2]="ENO_LOCKFAIL"
ENO_RECVSIG=3; ETXT[3]="ENO_RECVSIG"
###
### start locking attempt
###
trap 'ECODE=$?; echo "[statsgen] Exit: ${ETXT[ECODE]}($ECODE)" >&2' 0
echo -n "[statsgen] Locking: " >&2
if mkdir "${LOCKDIR}" &>/dev/null; then
# lock succeeded, install signal handlers before storing the PID just in case
# storing the PID fails
trap 'ECODE=$?;
echo "[statsgen] Removing lock. Exit: ${ETXT[ECODE]}($ECODE)" >&2
rm -rf "${LOCKDIR}"' 0
echo "$$" >"${PIDFILE}"
# the following handler will exit the script upon receiving these signals
# the trap on "0" (EXIT) from above will be triggered by this trap's "exit" command!
trap 'echo "[statsgen] Killed by a signal." >&2
exit ${ENO_RECVSIG}' 1 2 3 15
echo "success, installed signal handlers"
else
# lock failed, check if the other PID is alive
OTHERPID="$(cat "${PIDFILE}")"
# if cat isn't able to read the file, another instance is probably
# about to remove the lock -- exit, we're *still* locked
# Thanks to Grzegorz Wierzowiecki for pointing out this race condition on
# http://wiki.grzegorz.wierzowiecki.pl/code:mutex-in-bash
if [ $? != 0 ]; then
echo "lock failed, PID ${OTHERPID} is active" >&2
exit ${ENO_LOCKFAIL}
fi
if ! kill -0 $OTHERPID &>/dev/null; then
# lock is stale, remove it and restart
echo "removing stale lock of nonexistant PID ${OTHERPID}" >&2
rm -r "${LOCKDIR}"
if [ $? != 0 ]; then
echo "lock failed, another script is cleaning up stale lock" >&2
exit ${ENO_LOCKFAIL}
fi
echo "[statsgen] restarting myself" >&2
exec "$0" "$@"
else
# lock is valid and OTHERPID is active - exit, we're locked!
echo "lock failed, PID ${OTHERPID} is active" >&2
exit ${ENO_LOCKFAIL}
fi
fi
- Issue! — there is a race-condition when the lock is stale and two scripts are trying to clean up. Another script could remove the stale lock and create a new one, when first script still thinks lock is stale and remove it successfully with
rm -r
.
Another example in [7] and [8], is to use IO redirection and bash's noclobber mode, which won't redirect to an existing file:
if ( set -o noclobber; echo "$$" > "$lockfile") 2> /dev/null;
then
trap 'rm -f "$lockfile"; exit $?' INT TERM EXIT
# critical-section
rm -f "$lockfile"
trap - INT TERM EXIT
else
echo "Failed to acquire lockfile: $lockfile."
echo "Held by $(cat $lockfile)"
fi
The shortest solution [9]:
set -o noclobber
{ > file ; } &> /dev/null
A more thorough example below from [10]:
#!/bin/sh
# Lock (mutex) sample code for Bourne shell
#
# Stephen Thomas <flabdablet@gmail.com> 14-Oct-2009
#
# This is free software - do whatever you like with it
# except hold me accountable for any grief it causes you.
# Acquire specified lock
# Return 0 if successful, 1 if not
acquire_lock () {
local me=$(sh -c 'echo $PPID')
local owner
local shell
local status
local result
local flags=$-
set -o noclobber #make output redirection into atomic test-and-set
if echo $me $$ valid >"$1"
then
result=0
else
read owner shell status <"$1"
test "$owner $shell $status" = "$me $$ valid"
result=$?
fi 2>/dev/null
set +$- -$flags
return $result
}
# Remove specified lock if stale (valid, but neither the
# owning process nor the shell that spawned it are still
# running)
purge_stale_lock () {
local owner
local shell
local status
if
read owner shell status <"$1" &&
test "$status" = valid &&
! ps p "$shell" &&
! ps p "$owner"
then
rm -f "$1"
fi >/dev/null 2>&1
}
# Exercise locking functions
test_locking () {
local me=$(sh -c 'echo $PPID')
echo Process $me from shell $$ attempting to acquire lock $1
if acquire_lock "$1"
then
echo Process $me from shell $$ acquired lock - sleeping 5 seconds
sleep 5
echo Process $me from shell $$ attempting to re-acquire same lock
if acquire_lock "$1"
then
echo Process $me from shell $$ re-acquired same lock - sleeping 5 seconds
sleep 5
else
echo Process $me from shell $$ failed to re-acquire lock
fi
echo Process $me from shell $$ releasing lock
rm -f "$1"
else
echo Process $me from shell $$ locked out
fi
}
lock=~/test.lck
purge_stale_lock "$lock"
for i in $(seq 1 10)
do
test_locking "$lock" &
done
Alternate solutions using flock
:
exec 200>"$LOCK_FILE"
flock -e -n 200 || exit 1
# ...critical section...
rm "$LOCK_FILE" # Optional
Use unique variable names in functions
In bash, changing a variable in a function, change that variable in the parents as well, even if that variable was declared local
in the parent!
So to avoid conflicts, use unique variable names. But if all function calls are local, using local
in all child functions is enough, but potentially unsafe.
function achild() {
A=achild
MYSCRIPT_ACHILD=achild
echo $A $MYSCRIPT_ACHILD
}
function a() {
local A=a # Name too generic. Potential name clash!
local MYSCRIPT_A=a # Unique name, using script name as prefix
echo $A MYSCRIPT_A
achild
echo $A $MYSCRIPT_A
}
a # a a
# achild achild
# achild a
Avoid eval
like the plague
See also these posts:
- Avoid eval for variable indirection, use
declare
and${!ref}
From [11]:
declare
is a far safer option. It does not evaluate data as bash code likeeval
does, and as such it does not allow arbitrary code injection quite so easily
So do not write
Do NOT write: | ...write this instead: |
---|---|
eval "array_$index=$value" # Indirect var decl.
local ref="${array}_$index"
eval \$$ref # Var. indirection
|
declare "array_$index=$value" # Indirect var decl.
local ref="${array}_$index"
echo "${!ref}" # Var. indirection
|
There is a caveat though: any variable declared with declare
are local to the function. So there is no way to modify a global array with declare
.
Also ${!ref}
only works in Bash since v2. For more portable script, like compatibility with sh, eval is needed.
- Avoid eval for verbose output
This solution was proposed by ChatGPT ;-)
#! /bin/bash
verbose()
{
[ -n "${VERBOSE+1}" ] && echo "verbose: $@"
printf -v cmd_str '%q ' "$@"
bash -c "$cmd_str"
}
verbose_unsafe()
{
[ -n "${VERBOSE+1}" ] && echo "verbose_unsafe: $@"
eval "$@" # UNSAFE -- DO NOT DO THIS!
}
echofoo()
{
echo $FOO "$@"
}
export -f echofoo # Needed for safe verbose
verbose_unsafe echofoo bar baz
export VERBOSE=Y
verbose_unsafe echofoo bar baz
verbose_unsafe FOO=foo echofoo bar baz
verbose_unsafe echofoo bar baz
verbose_unsafe echofoo bar $baz
verbose_unsafe echofoo bar '$baz' # Unsafe! Will echo content of $baz
verbose_unsafe echofoo bar ';date' # Unsafe! Will execute date
verbose echofoo bar '$baz'
verbose echofoo bar ';date'
Trap EXIT or RETURN for cleanup
Trap EXIT
signal to perform cleanup in all cases (either normal exit, or kill).
tmp=$(mktemp)
trap "rm -f $tmp" EXIT
For functions, trap RETURN
signal. Note that the signal handler will be automatically called and removed from handler list.
foo() {
trap "echo 'Cleanup from foo'" RETURN
return
}
bar() {
return
}
baz() {
trap "echo 'Cleanup from baz'" RETURN
return
}
foo # Will call foo cleanup
bar # no call here
baz # Will call baz cleanup
Using trap
, we can build a defer operator similar to Go [12]:
#!/bin/sh
#
# TODO: Quoting not perfect!
DEFER=
defer() {
DEFER="$*; ${DEFER}"
trap "{ $DEFER }" EXIT
}
Example of use:
# Mount /tmp as tmpfs and umount it on script exit.
mount -t tmpfs tmpfs /tmp
defer umount -f /tmp
# Create a temporary file and delete it on script exit.
TEMP=$(mktemp)
echo "Hello!" > "$TEMP"
defer rm -f "$TEMP"
Tips for Fast Scripts
Avoid forking
Avoid calling an external program. Use Bash internal commands as much as possible. Here some common replacement:
don't | DO |
---|---|
cat FILE | some_pgm
|
<FILE some_pgm # Don't cat, use redirection!
A=$(<FILE) # Put FILE content into A
|
basename FILE
|
echo ${FILE/*\/} # Remove everything up to last slash
|
ps aux | grep ssh-agent && ...
|
[[ $(ps aux) =~ ssh-agent ]] && ... # Use built-in regex engine
[[ $(ps aux) == *ssh-agent* ]] && ... # Use built-in pattern matching
|
Syntax Tips
Function body
The { ... }
after a function is actually not a function body but a compound command [13]:
function name () {
...
}
We can do more fancy things like:
function fileExists () [[ -f $1 ]]
function isEven () (( $1 % 2 == 0 ))
function sleep1 () while :; do "$@"; sleep 1; done
# Below we run the function in its own shell, meaning we don't need to save previous values:
function caseInsensitiveMatch () (
shopt -s nocasematch
....
)
External tools
Most comes from MIT hacker-tools lectures on the command-line environment.
- fasd A command-line productivity booster, with fuzzy matcher for
cd
similar to z. - bat A
cat(1)
clone with wings (syntax highlighting). - fd A simple, fast and user-friendly alternative to
find
(inspired fromripgrep
). - rg A ultra-fast grep replacement.
- tldr Simplified and community-driven man pages.
Template
Minimal safe
#!/bin/bash
set -Eeuo pipefail
trap cleanup SIGINT SIGTERM ERR EXIT
script_dir=$(cd "$(dirname "${BASH_SOURCE[0]}")" &>/dev/null && pwd -P)
cmd(){ echo $(basename "$0"); }
usage() {
# ...
exit
}
cleanup() {
trap - SIGINT SIGTERM ERR EXIT
# script cleanup here
}
die() {
local code=$1
shift
echo >&2 -e "$(cmd): Error: $@"
exit "$code"
}
parse_params() {
# ...
}
parse_params "$@"
# script logic here
Long
From betterdev blog [14]:
#!/usr/bin/env bash
set -Eeuo pipefail
trap cleanup SIGINT SIGTERM ERR EXIT
script_dir=$(cd "$(dirname "${BASH_SOURCE[0]}")" &>/dev/null && pwd -P)
usage() {
cat <<EOF
Usage: $(basename "${BASH_SOURCE[0]}") [-h] [-v] [-f] -p param_value arg1 [arg2...]
Script description here.
Available options:
-h, --help Print this help and exit
-v, --verbose Print script debug info
-f, --flag Some flag description
-p, --param Some param description
EOF
exit
}
cleanup() {
trap - SIGINT SIGTERM ERR EXIT
# script cleanup here
}
setup_colors() {
if [[ -t 2 ]] && [[ -z "${NO_COLOR-}" ]] && [[ "${TERM-}" != "dumb" ]]; then
NOFORMAT='\033[0m' RED='\033[0;31m' GREEN='\033[0;32m' ORANGE='\033[0;33m' BLUE='\033[0;34m' PURPLE='\033[0;35m' CYAN='\033[0;36m' YELLOW='\033[1;33m'
else
NOFORMAT='' RED='' GREEN='' ORANGE='' BLUE='' PURPLE='' CYAN='' YELLOW=''
fi
}
msg() {
echo >&2 -e "${1-}"
}
die() {
local msg=$1
local code=${2-1} # default exit status 1
msg "$msg"
exit "$code"
}
parse_params() {
# default values of variables set from params
flag=0
param=''
while :; do
case "${1-}" in
-h | --help) usage ;;
-v | --verbose) set -x ;;
--no-color) NO_COLOR=1 ;;
-f | --flag) flag=1 ;; # example flag
-p | --param) # example named parameter
param="${2-}"
shift
;;
-?*) die "Unknown option: $1" ;;
*) break ;;
esac
shift
done
args=("$@")
# check required params and arguments
[[ -z "${param-}" ]] && die "Missing required parameter: param"
[[ ${#args[@]} -eq 0 ]] && die "Missing script arguments"
return 0
}
parse_params "$@"
setup_colors
# script logic here
msg "${RED}Read parameters:${NOFORMAT}"
msg "- flag: ${flag}"
msg "- param: ${param}"
msg "- arguments: ${args[*]-}"
Tips
Parsing command-line option parameters (getopt/getopts)
- getopt
To ease parsing, pre-parse with executable getopt (see here for more information and examples).
#!/bin/bash
# Gets the command name without path
cmd(){ echo $(basename "$0"); }
# Help command output
usage(){
echo "`cmd` [OPTION...]"
column -t -s ";" << __USAGE__
-a; hey
-b; bee
-c FILE; cee FILE.
__USAGE__
exit $1
}
# (old getopt syntax)
args=$(getopt abc: "$@")
[ $? -eq 0 ] || usage 1
set -- $args
for i
do
case "$i" in
-c) shift; echo "flag c set to $1"; shift ;;
-a) shift; echo "flag a set" ;;
-b) shift; echo "flag b set" ;;
esac
done
$ ./g -abc "foo"
flag a set
flag b set
flag c set to foo
A more complete example with getopt
using both short and long options (from SO, Cosimo (GitHub), and shakefu (GitHub)):
# Gets the command name without path
cmd(){ echo $(basename "$0"); }
# Error message
error(){
echo "`cmd`: invalid option -- '$1'";
echo "Try '`cmd` -h' for more information.";
exit 1;
}
# Help command output
usage(){
echo "`cmd` [OPTION...]"
column -t -s ";" << __USAGE__
-x, --exclude VALUE; Add VALUE to exclude.
-h, --help; Print this help.
-v, --verbose; Enable verbose output (include multiple times for more
; verbosity, e.g. -vvv).
__USAGE__
exit $1
}
# Parse options
OPTS="$(getopt -o e:hv -l exclude:,help,verbose --name "`cmd`" -- "$@")"
[ $? -eq 0 ] || usage 1
eval set -- "$OPTS"
unset OPTS
EXCLUDES=
VERBOSE=false # Or leave empty, and use [ -n "$VERBOSE" ]
while true
do
case $1 in
-e | --exclude ) EXCLUDES+=("$2"); shift; shift ;; # Note: $2 can't be empty here
-h | --help ) usage 0 ;;
-v | --verbose ) VERBOSE=true; shift ;;
-- ) shift; break ;;
* ) error $1 ;;
esac
done
- getopts (Bash built-in)
A slightly lighter alternative is to use builtin command getopts (see here for more information and examples).
#!/bin/bash
cmd(){ echo $(basename "$0"); }
# Error message
error(){
echo "`cmd`: invalid option -- '$1'";
echo "Try '`cmd` -h' for more information.";
exit 1;
}
usage(){
echo "`cmd` [OPTION...] [--] ARGS"
column -t -s ";" << __USAGE__
-a; hey.
-b; bee.
-c FILE; cee FILE.
-h; Print this help.
__USAGE__
exit $1
}
while getopts "abc:h" flag
do
case "$flag" in
a) echo "$OPTIND: flag a set" ;;
b) echo "$OPTIND: flag b set" ;;
c) echo "$OPTIND: flag c set to $OPTARG" ;;
h) usage 0 ;;
*) error $flag ;; # ?) Unknow flag / :) Missing arg
esac
done
shift $((OPTIND-1))
echo ARGS: $@
$ ./g -abc "foo" "bar"
1: flag a set
1: flag b set
3: flag c set to foo
ARGS: bar
To parse option like --value=name ([15])
until [[ ! "$*" ]]; do
if [[ ${1:0:2} = '--' ]]; then
PAIR=${1:2}
PARAMETER=$(echo ${PAIR%=*} | tr [:lower:]- [:upper:]_)
eval P_$PARAMETER=${PAIR##*=}
fi
shift
done
Another built-in example:
N_ARGS="$#"
while [ "$#" -gt 0 ]
do
case "$1" in
# List long options '--*' *FIRST*
--verbose) VERBOSE=1
;;
--output) OUTPUT="$2"
shift
;;
--*) die_usage "Illegal option '$1'"
;;
-*)
OPTS="$1"
while [ "$OPTS" != "-" ]; do
case "$OPTS" in
# Options that takes an extra param does not have a trailing '*'
# because they must be the last in the group.
-b) BAR="$2"
shift
;;
-f*) FOO=1
;;
-q*) QUIET=1
;;
-*) die_usage "Illegal option '-${OPTS:1:1}'"
;;
esac
OPTS=${OPTS/-?/-} # Get next option
done
;;
*) break
;;
esac
shift
done
shift $(($N_ARGS - $#))
# $1 $2 ... contains positional args
Empty a file keeping permissions
Empty a file named filename, keeping the same permission and user/group:
>filename
Print multi-lines with echo
Print multi-lines text with echo:
$ echo -e "Some text\n...on 2 lines..." # Enable interpretation of backslash escapes (must be quoted!)
Some text
...on 2 lines...
Print multi-line variables with echo
One can save in a variable the multi-line output of a command. Later this variable can echoed while preserving the linefeeds if the variable is enclosed in quotes "...":
$ mymultilinevar=$(<myfile.txt sed -e'/first line/,/last line/')
$ echo "$mymultilinevar"
first line
second line
...
last line
Echo with colors
References:
The command echo can display colors thanks to escape sequence commands [17]:
echo -e "\033[35;1m Shocking \033[0m" #Display "shocking" in bright purple
The first character is the escape character 27 (033 in octal). One can also type directly ^[ (i.e. Ctrl-AltGr-[). The syntax is (where spaces were added for clarity)
\033 [ <command> m \033 [ <command> ; <command> m
Note that commands can be chained. The set of commands is given in the color table below:
code | style | code | foreground | code | foreground | code | background | code | background |
---|---|---|---|---|---|---|---|---|---|
0 | default colour | 90 | dark grey | 40 | black | 100 | dark grey | ||
1 | bold | 31 | red | 91 | light red | 41 | red | 101 | light red |
4 | underlined | 32 | green | 92 | light green | 42 | green | 102 | light green |
5 | flashing text | 33 | orange | 93 | yellow | 43 | orange | 103 | yellow |
7 | reverse field | 34 | blue | 94 | light blue | 44 | blue | 104 | light blue |
35 | purple | 95 | light purple | 45 | purple | 105 | light purple | ||
36 | cyan | 96 | turquoise | 46 | cyan | 106 | turquoise | ||
37 | grey | 47 | grey |
A more portable solution is to use tput
.
ANSI Color Code Variables
See [18]. Use echo -e "${Red}Red"
to use them:
# Reset
Color_Off='\e[0m' # Text Reset
# Regular Colors
Black='\e[0;30m' # Black
Red='\e[0;31m' # Red
Green='\e[0;32m' # Green
Yellow='\e[0;33m' # Yellow
Blue='\e[0;34m' # Blue
Purple='\e[0;35m' # Purple
Cyan='\e[0;36m' # Cyan
White='\e[0;37m' # White
# Bold
BBlack='\e[1;30m' # Black
BRed='\e[1;31m' # Red
BGreen='\e[1;32m' # Green
BYellow='\e[1;33m' # Yellow
BBlue='\e[1;34m' # Blue
BPurple='\e[1;35m' # Purple
BCyan='\e[1;36m' # Cyan
BWhite='\e[1;37m' # White
# Underline
UBlack='\e[4;30m' # Black
URed='\e[4;31m' # Red
UGreen='\e[4;32m' # Green
UYellow='\e[4;33m' # Yellow
UBlue='\e[4;34m' # Blue
UPurple='\e[4;35m' # Purple
UCyan='\e[4;36m' # Cyan
UWhite='\e[4;37m' # White
# Background
On_Black='\e[40m' # Black
On_Red='\e[41m' # Red
On_Green='\e[42m' # Green
On_Yellow='\e[43m' # Yellow
On_Blue='\e[44m' # Blue
On_Purple='\e[45m' # Purple
On_Cyan='\e[46m' # Cyan
On_White='\e[47m' # White
# High Intensty
IBlack='\e[0;90m' # Black
IRed='\e[0;91m' # Red
IGreen='\e[0;92m' # Green
IYellow='\e[0;93m' # Yellow
IBlue='\e[0;94m' # Blue
IPurple='\e[0;95m' # Purple
ICyan='\e[0;96m' # Cyan
IWhite='\e[0;97m' # White
# Bold High Intensty
BIBlack='\e[1;90m' # Black
BIRed='\e[1;91m' # Red
BIGreen='\e[1;92m' # Green
BIYellow='\e[1;93m' # Yellow
BIBlue='\e[1;94m' # Blue
BIPurple='\e[1;95m' # Purple
BICyan='\e[1;96m' # Cyan
BIWhite='\e[1;97m' # White
# High Intensty backgrounds
On_IBlack='\e[0;100m' # Black
On_IRed='\e[0;101m' # Red
On_IGreen='\e[0;102m' # Green
On_IYellow='\e[0;103m' # Yellow
On_IBlue='\e[0;104m' # Blue
On_IPurple='\e[10;95m' # Purple
On_ICyan='\e[0;106m' # Cyan
On_IWhite='\e[0;107m' # White
Using tput
tput
is an utility that can configure terminal-dependent capabilities from the shell.
Example of use:
# See 'man terminfo 5' for a list of capabilities
echo "$(tput sgr0)This text is displayed normally."
echo "$(tput setaf 1)This text is displayed in RED."
echo "$(tput setaf 2)This text is displayed in GREEN."
echo "$(tput sgr0)This text is displayed normally."
Assuming that tput always generate escape sequence, we can avoid the extra shell call by calling tput once for every format:
Z="$(tput sgr0)"
R="$(tput setaf 1)"
G="$(tput setaf 2)"
echo "${Z}This text is displayed normally."
echo "${R}This text is displayed in RED."
echo "${G}This text is displayed in GREEN."
echo "${Z}This text is displayed normally."
Get file size
The different ways to extract file size in a Bash script:
SIZE=$(stat -c%s "$FILENAME") # Using stat
SIZE=$(ls -l $FILENAME | awk -F" "'{ print $5 }') # Using ls / awk
SIZE=$(du -b $FILENAME | sed 's/\([0-9]*\)\(.*\)/\1/') # Using du
SIZE=$(cat $FILENAME | wc -c) # Using cat / wc
SIZE=$(ls -l $FILENAME | cut -d " " -f 6) # Using ls / cut
Read file content into env variable
Read the content of a file into an environment variable:
PID=`cat $PIDFILE`
read PID < $PIDFILE
Get the PID of a new / background process
Getting the pid of a new process (when other processes with same name are already running)
oldPID=`pidofproc /usr/bin/ssh`
/usr/bin/ssh -f -N -n -q -D 1080 noekeon
RETVAL=$?
newPID=`pidofproc /usr/bin/ssh`
uniqPID=`echo $oldPID $newPID|sed -e 's/ /\n/g'|sort|uniq -u`
echo $uniqPID
Or if the process was launched in the background in a script [19]:
foo &
FOO_PID=$!
# do other stuff
kill $FOO_PID
Get the PID of a running process
Getting the pid of a running process
pid=$(pidof -o $$ -o $PPID - o %PPID -x /bin/ssh)
Detect if a given process is running
This is actually a tricky one. Some good solutions, all giving answer in $?:
[ -e /proc/$pid ] # PID - nice, but is it portable?
ps -p $pid >/dev/null # PID - need redirect, otherwise ps will print the process found
pgrep "^$name$" # NAME - probably the best using command-name
pkill -0 $name # NAME - ... similar & less robust (fail if process can't accept signal)
/bin/kill -0 $pid 2>/dev/null # PID - need redirect, otherwise kill will complain if no process found
# ... also works with bash built-in kill
Using ... =~ ...:
if [[ $(ps $pid) =~ $name ]]; # Test both PID and process name
Some wrong / bad solutions:
ps -aef | grep $pid # --== FAIL ==-- Will match grep process itself + $pid as ppid
ps -aef | grep $name # --== FAIL ==-- Will match grep process itself
ps -aef | grep -v grep | grep $pid # --== UGLY ==-- ... and slow. Better use ps -fp $(pgrep $pid)
ps -p $pid | grep $pid # --== SLOW ==-- better test $? immediately
Don't use this method for locking in startup scripts. Be careful with race condition. The best solution is to use a mutex, or use an atomic command (like mkdir). See for example:
- http://flabdablet.nfshost.com/linux-scripts/test-locking.sh
- http://www.davidpashley.com/articles/writing-robust-shell-scripts.html#id2326620
Launch a process in the background
Different ways to launch process in the background (unordered - might be useful one day...). The double ampersand trick comes from here.
myprocess.exe &
exec myprocess.exe
exec myprocess.exe &
( ( exec myprocess.exe & ) & )
nohup myprocess.exe &
( ( nohup myprocess.exe & ) & )
Display the name / body of functions
To list the functions declared in the current environment, or to list the body of a function:
declare -f # List all defined functions and their bodies
declare -f name # List the body of function "name"
declare -F # List name of all defined functions
Or alternatively use bash built-in type:
type name # Works with commands, builtins, function, aliases...
Return the subnet address
Solution from [20].
/sbin/ifconfig eth0 |
grep 'inet addr' | tr .: ' ' |
(read inet addr a b c d Bcast e f g h Mask i j k l;
echo $(( $a & $i )).$(( $b & $j )).$(( $c & $k )).$(( $d & $l )) )
Remove file name extensions
FILENAME="myfile.pdf"
echo ${FILENAME%%.pdf} # only matches '.pdf', not '.PDF'
echo ${FILENAME%%.???} # only matches 3-letter extension
Formatted output / printing using printf
printf
is a Bash built-in function that allows printing formatted output much like the standard C printf
instructions.
printf "%02d" 1 # outputs '01'
Delete files with special characters
find . -inum [inode] -exec rm -i {} \; # Use inode
rm -- -foo # Special case for name with a heading dash
rm ./-foo
Remove useless invocation of 'cat'
There are basically only 3 valid uses of cat:
- Show the content of a file in a terminal
- Write a "here" document or standard input to a file in a terminal
- Concatenating several files together (hence the name of cat)
However cat is frequently used for other purposes like piping a file in a process. This is a bad habit. It is slow and add an unnecessary process. A better alternative is to use the file redirection feature of the shell:
|
|
Using Process Substitution
The process substitution feature of Bash takes the form <(list)
or >(list)
. The process list is run with its input or output connected to a FIFO (named pipe) or a file in /dev/fd. The name of this file is then passed as an argument to the current command (as a result of the expansion). We can see this explicitly with the following examples:
echo >(true)
# /dev/fd/63
echo <(true)
# /dev/fd/63
This feature can be used to build some very advanced redirection [21]:
diff <(ls dir1) <(ls dir2) # Compare the content of 2 directories
sort -k 9 <(ls -l /bin) <(ls -l /usr/bin) <(ls -l /usr/X11R6/bin) # Sort content of 3 directories
tar cf >(gzip -c > file.tar.gz) $directory # Equivalent of tar czf file.tar.gz $directory
It can also be used to use variables that would otherwise be limited to some subprocess, like:
: | ((x++)) # This actually starts a subprocess
: | ( ((x++)) ) # ... like this.
echo x # ... so 'x' is undefined here
((x++)) < <(:) # now variable 'x' remains in the main process
echo $x # x is defined
One can use lastpipe
to tell Bash to run the last pipe in the current shell though:
set +m # Optional in script - disable job control (needed for lastpipe)
shopt -s lastpipe
: | ( ((x++)) ) # Now variable 'x' remain in the main process
echo $x # x is defined
Redirecting stdout and stderr with tee and a pipe
Using tee and the standard piping mechanism, it is easy to redirect the content of stdout to a file and stdout:
command | tee stdout.log # Keep a copy of 'command' output in file 'stdout.log'
What if we also want to do the same with stderr? In other words, can we also pipe stderr?
Yes, in Bash this is easy! We only need to use the process substitution feature (reference [22])!
command |& tee stdoutnerr.log # Pipe BOTH stdout and stderr
command 2> >(tee stderr.log) >&2 # Keep a copy of 'command' stderr in file 'stderr.log'
command 2> >(tee stderr.log) >&2 # Keep a copy of 'command' stderr in file 'stderr.log'
command > >(tee stdout.log) 2> >(tee stderr.log >&2) # Keep both a copy of stdout and stderr in separate files
Note that tee always print the content of stdin to stdout. That's why we need the redirection >&2 to redirect it back to stderr.
To redirect stdout for current script:
#! /bin/bash
exec > >(tee foo)
To redirect both stdout and stderr for current script:
#! /bin/bash
exec > >(tee foo) 2>&1
Forcing program to read from standard input instead of file
See /proc filesystem
Finding symbolic link target
Use readlink:
target=$(readlink -n source) # Return target basename of link 'source'
target=$(readlink -nf source) # Return target fullname of link 'source'
Escape special / meta- character in a string
Use printf "%q"
to automatically escape special characters in a string, so that they can be reused as shell input:
printf "%q" 'pipe:[12345]' # Returns "pipe:\[12345\]"
safefname=$(printf "%q" "$fname") # Protects file name if it contains special character
Find intersection between 2 files
grep -f file1 file2
Join lines with comma
pgrep -P $somepid | sed -re ':a N; s/\n/,/; b a' # With Sed
pgrep -P $somepid | perl -e '@_=<>; chomp @_; print join ",",@_' # With Perl
pgrep -P $somepid | perl -e '@_=<>; chomp @_; $,=","; print @_' # With Perl
Another example using tr
:
echo -n "$(pgrep -P $somepid)" | tr '\n' ',' # use -n "..." so that interim newline are kept, but none added at the end
echo $(pgrep -P $somepid) | tr ' ' ',' # Here echo will translate interim newlines to space
Join arrays with delimiters
From StackOverflow:
# Multi-character delimiter
function join_by {
local d=${1-} f=${2-}
if shift 2; then
printf %s "$f" "${@/#/$d}"
fi
}
join_by , a b c #a,b,c
join_by ' , ' a b c #a , b , c
join_by ')|(' a b c #a)|(b)|(c
join_by ' %s ' a b c #a %s b %s c
join_by $'\n' a b c #a<newline>b<newline>c
# Single-character delimiter
function join_by { local IFS="$1"; shift; echo "$*"; }
join_by , a "b c" d #a,b c,d
join_by / var local tmp #var/local/tmp
join_by , "${FOO[@]}" #a,b,c
Force single trailing slash in directory
#function single() { echo ${1%%\/*}/; } # WRONG!
function single() { A=${1%//}; echo ${A%/}/; }
for i in / // . ./ .// dir dir/ dir// /home/john; do single $i; done
# /
# /
# ./
# ./
# ./
# dir/
# dir/
# dir/
# /home/john/
Keep Color with Less
colordiff -bu file1 file2 | less -R # Use -R to preserve color with less pager
Pad with newlines
Padding with newlines is a bit difficult because we cannot use a function and a command substitution because the latter will always remove the trailing newlines no matter what. A solution is as follows:
function padln()
{
PAD=
local N=$1
while (( N-- > 0 )); do
PAD=$PAD$'\n'
done
}
padln 2
VAR=$'line1\nline2\n'$PAD
echo "$VAR" | wc # Don't forget quotes!
# 4 ...
Avoid duplicate entries in PATH
From [23]:
function addpath()
{
new_entry=$1
case ":$PATH:" in
*":$new_entry:"*) :;; # already there
*) PATH="$new_entry:$PATH";; # or PATH="$PATH:$new_entry"
esac
}
Or using ==
operator:
function addpath()
{
if ! [[ $PATH == *:$1:* ]]; then
export PATH="$1:$PATH" # or PATH="$PATH:$1"
fi
}
Another option is to use [ $(expr match ":$PATH:" ".*:$1:.*") -eq 0 ]
, but this spawns a process and hence is much slower.
Remove directory from PATH
Several solutions available from SO. Using the pure bash one (w/o process spawn):
rmpath() {
local d
d=":$PATH:" # Surround $PATH with :
d=${d//:$1:/:} # Replace all occurences of :$1: with :
d=${d#:} # Remove heading :
PATH=${d%:} # Remove trailing :
}
Get directory of a sourced script
The best and simplest solution is to use readlink
with parameter -f
(requires package coreutils, and not portable on Mac OSX). The following works even if the script is itself a symlink.
BASEDIR=$(dirname "$(readlink -nf "${BASH_SOURCE[0]}")")
On Mac OSX, we have to use the more complex solution [24]:
SOURCE="${BASH_SOURCE[0]}"
while [ -h "$SOURCE" ] ; do SOURCE="$(readlink "$SOURCE")"; done
BASEDIR="$( cd -P "$( dirname "$SOURCE" )" && pwd )"
Some bad or limited solutions:
# BAD - Does not work if script is a symlink; only give a RELATIVE path.
BASEDIR="$(dirname "${BASH_SOURCE[0]}")"
# BAD - Does not work if script is a symlink.
BASEDIR="$(cd "$(dirname "${BASH_SOURCE[0]}" )" && pwd )"
# BAD - Does not work if script is a symlink.
# Dereference all paths, except script itself.
BASEDIR="$(cd -P "$(dirname "${BASH_SOURCE[0]}" )" && pwd )"
# BAD - Works only is script is executable and within PATH
PROGDIRNAME=$(dirname $(which "$0"))
Detect spaces in file name
Some script-fu of mine:
if [ $(wc -w <<< $FILENAME) -eq 1 ]; then echo no spaces; else echo space found in filename; fi
Get SSH hostname from given host name
Say we have the following .ssh/config:
Host myhost
UserName myuser
HostName myhost.domain.com
[...]
We want to get the HostName corresponding to myhost:
#First pre-process ssh config file, only keeping lines of the form "host xxx yyy hostname zzz"
SSH_CONFIG="$(< ~/.ssh/config sed -rn 's/#.*//; s/ +/ /g; s/[hH]ost/host/; s/[nN]ame/name/; /host |hostname/p'|sed -r ':a /host/N; /hostname/!b a; {s/\n *hostname/ hostname/; p; d}')"
NAME="myhost"
$(echo "$SSH_CONFIG" | perl -lne 'print for / '"$NAME"' .*hostname +(.*)/g')
String and path manipulation
- Echo first word in a space-separated list:
make="/usr/bin/make -r --no-print-directory -j 2"
# Using array
words=($make)
echo $words # $words same as ${words[0]}
# Using suffix matching
echo ${make% *}
# Using pattern matching
echo ${make/ */}
- Replace a folder name within a path (i.e. not trailing or ending).
FILE=/foobar/bar/foobar.txt
echo ${FILE/\/bar//fuu} # We *must* escape first /, but 2nd can be as-is.
echo ${FILE//bar//fuu} # WRONG. Will replace *all* occurences of "bar" with "/fuu"
Use if ... =~ ''pattern'' instead of if ( ... | grep ... )
Constructs like if ( ... | grep ... )
spawn 2 processes, and are then inefficient (in particular on Cygwin).
if ( ps aux | grep ssh-agent ); then echo ssh-agent found; fi # NOT EFFICIENT, 2 processes spawn
if [[ $(ps aux) =~ ssh-agent ]]; then echo ssh-agent found; fi # BETTER!!!
Test whether a variable is set/defined/unset/empty
One can use the rich parameter expansion possibilities:
echo ${VAR:-word}
|
Use Default Values — (expansion of) word if VAR is unset or null; $VAR otherwise
|
echo ${VAR-word}
|
Use Default Values — (expansion of) word if VAR is unset; $VAR otherwise
|
echo ${VAR:+word}
|
Use Alternate Values — nothing if VAR is unset or null; (expansion of) word otherwise |
echo ${VAR+word}
|
Use Alternate Values — nothing if VAR is unset; (expansion of) word otherwise |
We have:
unset U
E=""
S="s e t"
echo U${U+x} E${E+x} S${S+x} U${U:+x} E${E:+x} S${S:+x}
# U Ex Sx U E Sx
echo U${U-x} E${E-x} S${S-x} U${U:-x} E${E:-x} S${S:-x}
# Ux E Ss e t Ux Ex Ss e t
So one can test if VAR is unset with (quote when present are necessary in the test):
[ -z ${var+x} ] && echo "unset" || echo "set to '$var'"
[ -n "${var+x}" ] && echo "set to '$var'" || echo "unset"
[ -z "${var-x}" ] && echo "empty" || echo "set or unset"
[ -n "${var:+x}" ] && echo non-empty || echo empty or unset
If we want to test that a set of variables are defined, we can use indirect expansion:
REFS="FOO BAR[0] BAR[1]"
for refs in $REFS; do
[ -n "${!refs+defined}" ] || echo "Variable '$refs' is NOT defined"
done
As we see it also works nicely with arrays!
Alternatively type echo $VAR
TAB, Bash shall add a space if VAR is set or empty.
Use sponge
to easily modify a file inplace
sponge is part of package moreutils. It can be used to easily edit file in-place:
sed -r '...' FILE | grep ... | sponge FILE # Sponge soaks its full input before creating output file
Use auto-complete with command starting with 'sudo'
Just add to .bashrc ([25]):
if [ "$PS1" ]; then
complete -cf sudo
fi
Test if a directory is empty
From [26]:
$ [ "$(ls -A /tmp)" ] && echo "Not Empty" || echo "Empty"
# OR
if [ "$(ls -A /tmp)" ]; then
echo "Not Empty"
else
echo "Empty"
fi
A solution that does not invoke a sub-shell [27]:
shopt -s nullglob
shopt -s dotglob # To include hidden files
files=(/some/dir/*)
if [ ${#files[@]} -gt 0 ]; then echo "huzzah"; fi
shopt -u nullglob dotglob
Be more efficient with Bash console
- use Alt-. to replace the last argument of last command.
$ cd mydirectory
bash: cd: mydirectory: No such file or directory
$ mk Alt-.
- use
!!
to replace last command. Very handy for:
$ apt-get install package
E: Could not open lock file /var/lib/dpkg/lock - open (13: Permission denied)
E: Unable to lock the administration directory (/var/lib/dpkg/), are you root?
$ sude !!
Sum integers, one per line?
From stackoverflow.com
awk '{s+=$1} END {print s}' mydatafile
awk '{s+=$1} END {printf "%.0f", s}' mydatafile # To avoid 2^31 overflow in some version of awk
Test existence of an array index or key
We find the following solution on stackoverflow.com
[ ${array[key]+abc} ] && echo "exists"
We can extend the solution. For instance, say we want to return a default key if a given key is not found:
read -p "enter key" key
echo "Value for key $key is ${array[$key]:-array[default]} ]" # Will print value for $key, or for defaultkey if not found
How to detect if a script is being sourced
This is a though question, see stackoverflow for details [[28]].
The best solution if bash support BASH_SOURCE
:
[[ "${BASH_SOURCE[0]}" != "${0}" ]] && echo "script ${BASH_SOURCE[0]} is being sourced ..."
The following solution is portable between Bash and Korn:
[[ $_ != $0 ]] && echo "Script is being sourced" || echo "Script is a subshell"
Get ip address of local host / remote host
Remote host:
getent hosts remotehost | awk '{ print $1; exit }'
dig +short remotehost | head -n 1
local host:
hostname -I | awk '{ print $1 }' # awk because might have several ip address
Expand tilde ~
in variables
The simplest [29]:
var="${var/#\~/$HOME}" # If var contains a single file name, var="~/myfile"
var="${var//\~/$HOME}" # If var contains several file names, var="~/myfile1 ~/myfile2"
DO NOT USE eval
. Using eval
is not safe if applied without safeguard (variable could eval to rm -rf $HOME
).
Run a command when a file changes
Easiest solution is to use entr
:
find -name *.c | entr make
Alternatively, use inotifywait
or script sleep_until_modified.sh [30].
Remove CRLF and trailing whitespace in text files
Using ack-grep:
# Convert CRLF to LF (2x to get rid of CRCRLF)
ack-grep -f --text --print0 | xargs -0 dos2unix
ack-grep -f --text --print0 | xargs -0 dos2unix
# Convert CR to LF
ack-grep -f --text --print0 | xargs -0 mac2unix
# Remove trailing blanks/tabs
ack-grep -f --text --print0 | xargs -0 sed -ri 's/[ \t]+$//'
Using ag:
# Convert CRLF to LF (2x to get rid of CRCRLF)
ag -lt0 | xargs -0 dos2unix # or 'ag --files-with-matches --all-text --print0 ...'
ag -lt0 | xargs -0 dos2unix
# Convert CR to LF
ag -lt0 | xargs -0 mac2unix
# Remove trailing blanks/tabs
ag -lt0 | xargs -0 sed -ri 's/[ \t]+$//'
Using find to restrict to some extensions:
# Convert CRLF to LF (2x to get rid of CRCRLF)
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 dos2unix
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 dos2unix
# Convert CR to LF
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 mac2unix
# Remove trailing blanks/tabs
find -type f -regex ".*\.\(c\|h\|cpp\|hpp\)" -print0 | xargs -0 sed -ri 's/[ \t]+$//'
Detect if script redirected through pipe
From stackoverflow.com:
if [ -t 1 ] ; then echo terminal; else echo "not a terminal"; fi
# terminal
(if [ -t 1 ] ; then echo terminal; else echo "not a terminal"; fi) | cat
# not a terminal
Try running a program until it succeeds
This is typically useful for cron scripts. From StackExchange:
#!/bin/sh
# Check to see if this is already running from some other day
mkdir /tmp/lock || exit 1
while ! command-to-execute-until-succeed; do
# Wait 30 seconds between successive runs of the command
sleep 30
done
rmdir /tmp/lock
Infinite wait in Bash
From SO:
#! /bin/bash
trap 'trap - INT TERM EXIT; rm -f mypipe; exit $?' INT TERM EXIT
mkfifo mypipe
while : ; do
read S <mypipe
case "$S" in
*EXIT*)
>&2 echo "Got EXIT."
break
;;
*)
>&2 echo "Signal '$S' not supported."
;;
esac
done
exit 0
Only drawback: the source process writing to fifo will block until the sink process start to read the fifo again. See SO again for ftee
, a tee
-like clone that can pipe to a fifo without blocking.
Functions to manipulate IP addresses
ip_to_int()
{
local IP=$1
echo $(( $(echo $IP | sed -r 's/^/(((/; s/\./)*256+/g') ))
}
cidr_to_int()
{
local CIDR=$1
echo $(( (0xFFFFFFFF << (32-CIDR)) & 0xFFFFFFFF ))
}
int_to_ip()
{
local INT=$1
local IP3=$(( (INT >> 24) & 0xFF ))
local IP2=$(( (INT >> 16) & 0xFF ))
local IP1=$(( (INT >> 8) & 0xFF ))
local IP0=$(( INT & 0xFF ))
echo "$IP3.$IP2.$IP1.$IP0"
}
cidr_to_mask()
{
local CIDR=$1
int_to_ip $(cidr_to_int $CIDR)
}
ip_cidr_to_subnet()
{
local IP_INT=$(ip_to_int $1)
local CIDR_INT=$(cidr_to_int $2)
int_to_ip $((IP_INT & CIDR_INT))
}
Example of use:
cidr_to_mask 24
# 255.255.255.0
ip_cidr_to_subnet 192.168.10.15 24
# 192.168.10.0
Check if a program exists from a Bash script
From SO.
Ideally use
- hash (Bash shell)
Or either
- command (POSIX compatible).
- type (Bash shell)
hash foo 2>/dev/null || { echo >&2 "I require foo but it's not installed. Aborting."; exit 1; }
command -v foo >/dev/null 2>&1 || { echo >&2 "I require foo but it's not installed. Aborting."; exit 1; }
type foo >/dev/null 2>&1 || { echo >&2 "I require foo but it's not installed. Aborting."; exit 1; }
hash
has added advantages that given command will be hashed if it exists, and will ignore aliases.
DO NOT USE which
FOR TESTING! It spawns a process for doing little and is not guaranteed to return an error code.
Change a relative path into an absolute (aka full) path
The easiest is to use readlink
from package coreutils:
RELATIVE=./src/my.c
echo $(readlink -e "$RELATIVE") # $RELATIVE must exist
echo $(readlink -f "$RELATIVE") # All path components but the last must exist
echo $(readlink -m "$RELATIVE") # Works even if $RELATIVE is missing
Escape positional args for reuse in shell input
Say we write a script that takes a few parameters, and this script must pass along these parameters to another script on a remote machine through ssh. For instance, we would call the script with
local-exec "1st arg" '2nd (arg)'
Then we would like the script to run the ssh command
ssh user@remote remote-exec "1st arg" '2nd (arg)'
Again Stack Overflow comes to the rescue, which we summarize here:
- Use
$(printf " %q" "$@")
(note the space before%
). - Use
${*@Q}
or"${*@Q}"
(available since Bash 4.4?).
Script local-exec
#! /bin/bash
#
# local-exec
# 1st solution -- using printf and %q -- NOTE THE *SPACE* BEFORE %
# ssh user@server ./remote-exec "$(printf " %q" "$@")"
# 2nd solution:
ssh user@server ./remote-exec ${*@Q}
Script remote-exec on the remote machine:
#! /bin/bash
for arg; do
echo "'$arg'"
done
This gives:
./local-exec "1st arg" '2nd (arg)'
# '1st arg'
# '2nd (arg)'
This works for passing command and command parameters with ssh, bash -c
...
Detect if scripts run on Linux or Windows
A simple one:
if [[ $OSTYPE == linux-* ]]; then
echo "Running on Linux"
elif [[ $OS == Windows_NT ]]; then
echo "Running on Windows"
else
echo "Operating system not detected."
return 1
fi
Start a new interactive bash sub-shell with some initial command
Again, StackExchange to the rescue:
bash -rcfile <(echo ". $HOME/.bashrc; FOO=foo; export BAR=bar; pwd")
On Debian, this will source /etc/bash.bashrc [31], then source ~/.bashrc, then execute some commands, and remain in the sub-shell. Use exit
to leave the subshell.
On other system, /etc/bash.bashrc might need to be sourced explicitly:
bash -rcfile <(echo ". /etc/bash.bashrc; . $HOME/.bashrc; FOO=foo; export BAR=bar; pwd")
Note that the above is strictly equivalent to doing in a shell:
bash
FOO=foo
export BAR=bar
pwd
So, even non-exported variable will be part of the new sub-shell.
The following solution is more compact, but lose the non-exported variables:
bash -c 'FOO=foo; export BAR=bar; pwd; exec bash'
Find non-ascii characters
# Using grep
find -print0 | LANG=C LC_ALL=C xargs -0 grep -Pl "[\x80-\xff]"
# Using ag
ag -l "[\x80-\xff]"
Split list of words as separate lines / filter duplicate words
Say we have
FOO="foo bar baz foo"
We can easily split that into separate lines with xargs
echo $FOO | xargs -n1
# foo
# bar
# baz
# foo
For instance we can use that to filter duplicate words:
echo $FOO | xargs -n1 | sort -u
# bar
# baz
# foo
echo $FOO | xargs -n1 | sort -u | xargs
# bar baz foo
Set IFS / GLOBIGNORE for one assignment only
From SO:
IFS=$'\r\n' GLOBIGNORE='*' command eval 'XYZ=($(cat /etc/passwd))'
Using command eval
, the first two variable assignment are only valid for the command execution. Without it, it would appear as three variable assignement that are persistent in the script.
Duplicate stdout to stderr
echo foo | tee /dev/stderr
Pick random line in a text file
We can use sort -R
or shuf
:
sort -R FILE | head -n 1
shuf -n 1 FILE
Store list of files in a directory in a array
From SO:
# Simpler
A=(*) # Also works when filename as space
for f in "${A[@]}"; do ... # Mind the "..."
# Simple + support empty directory
shopt -s nullglob
A=(*)
for f in "${A[@]}"; do ...
# Patterns
shopt -s nullglob
A=(*.h)
for f in "${A[@]}"; do ...
# More powerful patterns
shopt -s globstar nullglob # Add dotglob to also scan dot dir
A=( **/*"$input"* )
for f in "${A[@]}"; do ...
Using find
whhorks, but only if the paths do not contain spaces
# https://stackoverflow.com/questions/23356779/how-can-i-store-the-find-command-results-as-an-array-in-bash
readarray -d '' array < <(find . -name "$input" -print0) # Bash 4.4+
array=()
while IFS= read -r -d $'\0'; do
array+=("$REPLY")
done < <(find . -name "${input}" -print0) # Bash 4.3 or before
# ... or using lastpipe to avoid process substitution
set +m
shopt -s lastpipe
array=()
find . -name "${input}" -print0 | while IFS= read -r -d $'\0'; do array+=("$REPLY"); done
# Keep only files, starting with A
A=($(find -type f -name A*)) # Only if no space!
for f in "${A[@]}"; do ... # quotes useless in fact...
Test if files with given pattern exists
No easy way with bash
# https://unix.stackexchange.com/questions/79301/test-if-there-are-files-matching-a-pattern-in-order-to-execute-a-script
shopt -s nullglob
set -- *.txt
if [ "$#" -gt 0 ]; then
./script "$@" # call script with that list of files.
Wait for several jobs in background to finish
We use the tip from SO:
set -e # Exit on first error
job1 &
job2 &
# ...
# Waiting loop
while true; do
wait -n || {
code="$?"
([[ $code = "127" ]] && exit 0 || exit "$code")
break
}
done;
Alternatively, there is also parallel
.
Find a file in a list / in an array (exclude pattern)
Without regular expression, space separated:
T="source/foo.c include/foo.h source/parrot.c"
T_EX="source/parrot.c include/parrot.h"
for f in $T; do
[[ " $T_EX " =~ " $f " ]] && echo "Excluding: $f" || echo "Processing: $f"
done
With regex + support for spaces:
declare -a T
T+=("source/f o o.c")
T+=("include/f o o.h")
T+=("source/par rot.c")
T_EX=("source/par.*")
T_EX+=("include/par rot.h")
match()
{
f=$1
while [ $# -gt 1 ]; do
shift
[[ $f =~ $1 ]] && return 0
done
return 1
}
for f in "${T[@]}"; do
match "$f" "${T_EX[@]}" && echo "Ignoring $f" && continue
echo "Processing $f"
done
Functions for emulating multi-dimensional associative array
Building up on ideas from SO and SO.
#! /bin/bash
filter_values()
{
local -n myvar="$1"
local filter=$2
local key
for key in ${!myvar[@]}; do
[[ $key =~ ^$filter, ]] && echo ${myvar[$key]}
done
}
filter_keys()
{
local -n myvar="$1"
local filter=$2
local key
for key in ${!myvar[@]}; do
[[ $key =~ ^$filter, ]] && echo ${key##$filter,}
done
}
declare -Ax A=( [id,one]=ONE [id,two]=TWO [tgt,one]=TGTONE [tgt,two]=TGTTWO )
filter_keys A id
# two
# one
# TWO
# ONE
filter_keys A tgt
# one
# two
filter_values A tgt
# TGTONE
# TGTTWO
Display MOTD in bash shell
Message-of-the-Day (motd) provides interesting information, like when firmware upgrade are available. By default, motd is only displayed in the console logins.
Add the snippet below in ~/.bashrc to show motd at least once every 24h.
# ~/.bashrc
#### MOTD
########################
touch -d "yesterday" ~/.yesterday
if [ ~/.last-motd -ot ~/.yesterday ]; then
touch ~/.last-motd
[ -f /etc/motd ] && cat /etc/motd
[ -d /etc/update-motd.d ] && run-parts --lsbsysinit /etc/update-motd.d
fi
rm ~/.yesterday
Keep terminal width in piped command
Some commands adapt their output to the terminal width for nicer formatting.
However, when the output is piped in another command (say cat
), this property is lost.
To restore this behaviour even in case of piping, we can set the COLUMNS
variable:
COLUMNS=$(tput cols) my_command | cat # tell my_command how many columns are available
To also restore the number of lines, we can use LINES
and stty size
:
LINES=$(stty size | cut -d' ' -f1) COLUMNS=$(stty size | cut -d' ' -f2) my_command | cat
Modify an array in a function
Say we have an array, and we want to modify its content in a function.
An easy way is to pass the array by reference using namerefs (since Bash 4.3+):
crop() {
local -n array=$1 # This creates a namerefs to given array
array=("${array[@]:1}") # Remove the first element from the array
echo "new array: ${array[*]}"
}
foo=(123 456 789 101 112)
bar=(234 567 890 123 345)
baz=(345 678 901 234 456)
crop foo
crop bar
crop baz
echo "foo: ${foo[@]}"
echo "bar: ${bar[@]}"
echo "baz: ${baz[@]}"
Modify an array in a function
Pits
A list of frequent gotcha's !
Description | Example |
---|---|
Space! - Don't forget to add spaces whenever necessary, in particular around brace in function definition, or in test conditions for ifs. |
if -space- [ -space- -f /etc/foo -space- ]; then ... |
Quote - Always quote parameters, variables passed to test in if ... then ... else: |
if [ "$name" -eq 5 ]; then ... |
For loops with file - Use simply * to list files in for loops, not `ls *`: |
for file in *; cat "$file"; done # SUCCEEDS, even if white space
for file in `ls *`; cat "$file"; done # FAILS miserably
|
Incorrect variable definition
So it is MYVAR=value and not |
srcDir = $1 # WRONG - spaces around = sign
$srcDir=$1 # WRONG - $ prefix
maxW= $(sed -rn '/$^/Q' myfile.txt) # WRONG - SPACE!
srcDir=$1 # CORRECT
srcDir="$1" # BEST
|
Semi-colon in find - Semi-colon in find commands must be escaped ! |
find . -exec echo {} ; # WRONG - semi-colon not escaped
find . -exec echo {} \; # CORRECT
|
Using a bash built-in instead of external program Bash built-in commands override external commands with same name (eg. kill and echo) |
$ type kill # kill is a shell builtin
$ type /bin/kill # /bin/kill is /bin/kill
$ /bin/kill -v # kill (cygwin) 1.14
|
Wrong redirection order |
read pid < $PID_FILE 2> /dev/null # WRONG - error msg if $PID_FILE
# doesn't exist
read pid 2> /dev/null < $PID_FILE # CORRECT
|
Variable not exported outside parens |
( read pid < $PID_FILE ) 2> /dev/null # WRONG - var pid not kept
read pid 2> /dev/null < $PID_FILE # CORRECT
|
Read and piping
|
echo "1 2 3" | read a b c; echo $a $b $c # WRONG - subshell
echo "1 2 3" | (read a b c; echo $a $b $c) # CORRECT - same subshell
set -- $(echo "1 2 3"); echo $1, $2, $3 # BETTER
|
Don't quote tilde ... nor the following slash! | if [ -a "~/bin/my file" ]; then echo found; fi # WRONG
if [ -a ~/bin/"my file" ]; then echo found; fi # CORRECT
export FOO=~"/foo bar" # WRONG
export FOO=~/"foo bar" # CORRECT
|
Need quoting when echoing a variable with embedded newlines. This is because echo takes newlines (like any blanks) as parameter separator Moreover command substitution always remove the trailing newlines no matter what Also when |
HEADER=$(sed -rn '/$^/Q' myfile.txt)
echo "$HEADER" # CORRECT
echo $HEADER # WRONG - newline are removed
VAR=$'\n\n'; echo "$VAR" # CORRECT, newlines are kept
VAR="$(echo; echo)"; echo "$VAR" # WRONG, trailing newlines stripped!
VAR="$(echo; echo; echo x"; VAR=${VAR%x}; echo "$VAR" # FIXED
|
Also when using eval :
|
eval $(somefunc foo bar) # WRONG, if somefunc returns several lines
eval "$(somefunc foo bar)" # CORRECT
|
Always append to /dev/stderr or use >&2 instead. The construct ls >/dev/stderr is wrong because if stderr was redirected to a file, then > /dev/stderr will overwrite the file content. Better use ls >>/dev/stderr or best >&2
|
sample() {
echo "foo" >/dev/stderr
echo "bar" >/dev/stderr
}
#REFERENCE:
sample # both lines
#WRONG:
sample 2> foobar.txt
cat foobar.txt # Only last line
#FIX USING PROCESS SUBSTITUTION:
sample 2> >(cat >foobar.txt)
cat foobar.txt # both lines
|
exit status of pipelines returns status of last step in pipeline. Use PIPESTATUS array to get status of each step separately. |
# WRONG - $? will return exit status of 'tee'
make | tee make.log
status=$?
# CORRECT
make | tee make.log
exit ${PIPESTATUS[0]}
|
|
# WRONG - Use read with default option
read -p "password: " passwd
echo "$passwd"
# CORRECT - Use IFS= and -p to keep blanks / backslashes
IFS= read -r -p "password: " passwd
echo "$passwd"
|
Do not give extra quotes in pattern matching. Use [[ ]] block.
|
# WRONG - Extra quotes or wrong block
if [[ $NAME == "*.c" ]]; then mv $NAME src/; fi
if [ $NAME == *.c ]; then mv $NAME src/; fi
# CORRECT - Use [[ ]] and no extra quotes
if [[ $NAME == *.c ]]; then mv $NAME src/; fi
|
There are no local variables in bash. Variables modified in a child function also affects the parent function, even if parent function uses the keyword local . A parent function can't prevent children to modify its variable. It is the opposite, by using the keyword local , a function avoids modifying the variable in the parent.
|
function b() {
SRC=overwritten-$1
echo $SRC
}
function a() {
local SRC=$1 # WRONG! what if fct. b redefines SRC?
local MYSCRIPT_SRC=$1 # CORRECT. Use unique variable names
b $SRC
echo $SRC $MYSCRIPT_SRC
}
|
local absorbs the return status of any process called within.
|
local OUT=$(foo BAR)
local RC=$? # WRONG! $? will always be 0
local OUT
OUT=$(foo BAR)
local RC=$? # CORRECT
|
set -e has NO effect when used in a || , && list, or any expression following while , until , if , elif [32], [33].
|
function fail() {
set -x
cat file
# Here assume 'file' exists # WRONG! set -x will have no effect if fail
# ... # is called in an AND-OR expr or alike.
cat file_not_found_as_well
set +x
}
fail && true
|
Not setting LANG=C LC_ALL=C when dealing with strings |
sort myfile.txt # BAD - locale dependent
LC_ALL=C sort myfile.txt # OK - Traditional sort
somelen=${#line} # BAD - Get "some" length
LANG=C LC_ALL=C
bytlen=${#line} # OK - Get *byte* length
find -print0 | LANG=C LC_ALL=C xargs -0 grep -Pl "[\x80-\xff]"
# Grep for non-ascii characters
|
Set variables in a pipeline. From the manpage:
Each command in a pipeline is executed as a separate process (i.e., in a subshell). We can use |
A=1; ( A=2 ) | ( A=3 ); echo $A # BAD - A is 1!
|