Click here to Skip to main content
15,867,834 members
Articles / Programming Languages / Shell

Shell Programming Secrets Nobody Talks About (Part 1)

Rate me:
Please Sign up or sign in to vote.
5.00/5 (27 votes)
5 Mar 2023CPOL8 min read 41.5K   43   11
About odd but critical shell-programming details that get easily forgotten or ignored
Shell programming is a minefield of errors. It is easy to make mistakes. Given that shell scripts run and protect hundreds of billions of dollars worth of assets, it is important to avoid these easy-to-make mistakes and remember these easy-to-forget details.

Last year, I wrote a book on Linux command-line tips and tricks (see note below) and made several updates to it. Annoyingly, I continue to discover something new and important about the bash shell program almost every week. I do not want this happening after I had ordered my author copy. The discoveries make me wonder what I have been doing all these years without knowing these bash secrets.

sh and bash Are Not the Same

The Bourne shell (sh) program began its life in the 70s with the Unix operating system. In Ubuntu Linux, they continue to have this old shell alongside its new avatar, the Bourne-Again shell (bash). Try bash -version in the command line, it will display its version number. Try sh -version, you get an error. The two are different. While sh remains an ancient relic, bash continues to be developed and has a lot more features.

It was my practice (in the late 90s) to run my shell scripts in SCO Unix with the sh command. I continued this in Ubuntu and found that a lot of online script examples did not work with it. (As a security measure, I never give the extension .sh or the +x permission to my scripts. My scripts remain anonymous with an innocuous .txt extension.)

Aware of this problem, a lot of script authors place a comment #!/bin/bash on the first line. This comment ensures that the script will be run with bash even if it is invoked with sh.

Some fanatics use the comment #!/usr/bin/env bash instead as a more failsafe measure. They say that bash may not always be at /bin so it is better make env to find it. By this, they assume that env will always be found at /usr/bin. Seems overkill to me. If you are on Ubuntu as most people are, then #!/bin/bash should do fine.

if Statements Are Not What They Seem to Be

The shell’s if statement is very unusual.

Shell
if test-expression; then
   statements;
else
   statements;
fi

The test-expression needs to return 0 (zero) to be true and any non-zero value to be false. In most languages, 1 (one) evaluates as true and 0 (zero) evaluates as false. Why does bash behave differently?

This is because shell scripts often need to determine how other programs have performed. They do this by reading the exit value of those programs. By convention, when a program exits without an error, it returns control to the invoking program (the shell program) with an exit code of 0 (zero). If it needs to exit after encountering an error, it returns with a non-zero exit code. To help in troubleshooting, program authors publish special meaning to each non-zero exit code.

Thus, in the if statement, the test-expression could be a program. If the program executed successfully and returned 0 to the shell, then the if statement behaves as if it evaluated to true. If the program exited with a non-zero value, then the if statement behaves as if evaluated to false.

Test expression

The if statement evaluates commands and checks their exit values. It does not evaluate expressions as true or false.

What you need to remember is that the if statement is not looking for the boolean values true or false.

Does this mean that if true; then will evaluate to false because it is not 0 (zero)? No!

That brings us to another strange feature of shell. true is actually a program! It is not part of the shell language. In Ubuntu, it resides in /usr/bin/true and it exits with a return code of 0. There is also a false program residing at /usr/bin/false and it exits with a return code of 1.

[ Is a Program

To test whether a file exits, you can use if [ -f the-file.ext ]; then. Here, the single bracket [ is not part of the language. It is a program at /usr/bin/[ and its arguments are: -f, the-file.ext and ]

Programs used in if statements

What seems like keywords or programming constructs are actually programs.

To ensure that the [ commands are executed properly, there has to be a space after the opening bracket and before the closing bracket. If you omit the first, you are not invoking the correct program. If you omit the latter, you failed to terminate the command with the correct closing argument.

Beware of Space in String Comparisons

When you assign a value to a string variable, DO NOT leave any space before and after the = sign. If you do, it seems to the shell that the variable is a command and the = and the attempted value for the variable are its arguments.

When you test whether two strings are equal, DO leave a space before and after the = sign. If you do not, the [ program will think you are trying to make an assignment. This assignment statement has an exit value of 0 (zero). That means the if statement will always be forced to evaluate to true!

Shell
# Causes an error because 'sTest' looks like a command 
# and '=' and '"hello"' become its arguments
sTest = "hello"

# Assigns string variable correctly
sTest="hello"

# Temporary assignment evaluates to true whatever the value
if [ "$sTest"="hellooooooooo" ]; then
  echo "Yep"
else
  echo "Nope"
fi

# String comparison evaluates to true
if [ "$sTest" = "hello" ]; then
  echo "Yep"
else
  echo "Nope"
fi

[[ Is Not the Fail-Safe Version of [

Unlike [, which is a program, the [[ construct is a part of the shell language. Some misguided fellows on the Internet recommend that you replace all your [ evaluations with [[ ones. Do not follow this advice.

[[ are used for a more literal evaluation of text strings. You do not have to quote everything.

  • Words and file names are not expanded. However, other forms of expansion such as expansions and substitutions are performed.
  • The = operator behaves like the way = or == operators do with [.
  • The != and == operators compare the text expression on the left with a pattern on the right.
    • A pattern is a text string containing at least one wildcard character (* or ?) or a bracket expression [..]. A bracket expression encloses a set of characters or a range of characters (separated by a hyphen (-)) between the square brackets ([ and ]).
  • A new =~ operator is available. (It cannot be used with [.) It compares the text on the left with a regular expression on the right. (It will exit with a return value of 2 if the regular expression is invalid.)

    The =~ operator is great for matching substrings.

    Shell
    # Matches substring ell
    $ if [[ "Hello?" =~ ell ]]; then echo "Yes"; else echo "No"; fi
    Yes
    
    # Matches substring Hell at beginning
    $ if [[ "Hello?" =~ ^Hell ]]; then echo "Yes"; else echo "No"; fi
    Yes
    
    # Does not match substring ? (a regex special character) at the end
    $ if [[ "Hello?" =~ ?$ ]]; then echo "Yes"; else echo "No"; fi
    No
    
    # Matches substring ? at the end when quoted
    $ if [[ "Hello?" =~ "?"$ ]]; then echo "Yes"; else echo "No"; fi
    Yes

Evaluations with [ and [[ have their legitimate use-cases. Do not use one for the other.

Operator use Result
[ -f "$file" ] Does it exist as a file?
[ -d "$file" ] Does it exist as a directory?
[ -h "$file" ] Does it exist as a soft link?
[ -r "$file" ] Is the file readable?
[ -w "$file" ] Is the file writeable?
[ -x "$file" ] Is the file executable?
[ -z "$string" ] Is the string empty?
[ -n "$string" ] Is the string not empty?
[ "$string1" = "$string2" ] Are the strings same?
= is same as ==
[ "$string1" != "$string2" ] Are the strings different?
[ "$string1" < "$string2" ] Does first string sort ahead of second?
[ "$string1" > "$string2" ] Does first string sort after second?
[ n1 -eq n2 ] Are the numbers same?
[ n1 -ne n2 ] Are the numbers different?
[ n1 -le n2 ] Is n1 less than or equal to n2?
[ n1 -ge n2 ] Is n1 greater than or equal to n2?
[ n1 -lt n2 ] Is n1 less than n2?
[ n1 -gt n2 ] Is n1 greater than n2?
[ ! e ] Is the expression false
[ e1 ] && [ e2 ] Are both expressions true?
[ e1 ] || [ e2 ] Is one of the expressions true?

Do not use -a and -o logical operators. You will make mistakes reading and writing them. They are the sh way of doing things. Square brackets and operators && and || are so bash.

Arithmetic Operations Are Not Straight-Forward

If you set a=1 and then try a=a+1, does $a echo as 2 or 11? The answer is a+1. Until a few years back, I did not know how to perform arithmetic operations in bash. I never had to so I never learned it. I just assumed that it must be the same as in other languages but it was not to be. To add one plus one, you can use:

Shell
let a=a+1

# or

a=$(( a+1 ))

Array Operations Can Be Cryptic

Does every language out there need to have a totally different method to create and use arrays? Who so evil? Why?

Shell
# Creates an array
var=(hello world how are you)

# Displays hello
echo $var

# Displays how
echo ${var[2]} 

# Changes hello to howdy
var[0]=howdy

# Displays howdy
echo ${var[0]}

# Displays values — howdy world how are you
echo ${var[@]}

# Displays values — howdy world how are you
echo ${var[*]}

# Displays indexes or keys — 0 1 2 3 4
echo ${!var[@]}

# Displays indexes or keys — 0 1 2 3 4
echo ${!var[*]}

# Displays dy
echo ${var:3:2}

# Displays rld
echo ${var[1]:2:3}

# Displays 5, the number of variables in the array
echo ${#var}

Bash Is a Minefield of Careless Errors

A shell script will execute like no tomorrow irrespective of any errors it encounters. If a statement encounters an error and exits with a non-zero exit code, bash is happy to display any error message it wants but will nonchalantly continue to execute the subsequent statements.

If you try to use an undefined variable, bash will not treat it as an error. bash will substitute an empty string and proceed. If you try sudo rm -rf $non-existent-variable/, the command evaluates to sudo rm -rf /. I have not tried it yet so I cannot tell what protections Linux has.

These shell behaviours are extremely dangerous. To fail early, place the following statement at the top of your scripts.

set -eu 

That is, after the #!/bin/bash comment.

The option -u prevents the use of undefined variables. The option -e stops execution of the script when an error is encountered. This is convenient when you are building your scripts. Its disadvantage is your code will never get a chance to evaluate the error code of the previous statement. If you are using if-else constructs in which you check previous error codes, then use set -u. There is also a -x option for verbose error information.

It is not possible to cover all bash secrets in one article. In the next article, I will cover how bash performs text expansions, substitutions and removals.

Notes

  • This article was originally published in the Open Source For You magazine in 2022. I re-posted it on in 2023.
  • I made the ebook version of Linux Command-Line Tips & Tricks free on many ebook stores. This article has been sourced from it.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer www.VSubhash.in
India India
V. Subhash is an invisible Indian writer, programmer and illustrator. In 2020, he wrote one of the biggest jokebooks of all time and then ended up with over two dozen mostly non-fiction books including Linux Command-Line Tips & Tricks, CommonMark Ready Reference, PC Hardware Explained, Cool Electronic Projects and How To Install Solar. His book Quick Start Guide to FFmpeg has been published by Apress/SpringerNature in 2023. He wrote, illustrated, designed and produced all of his books using only open-source software. Subhash has programmed in more than a dozen languages (as varied as assembly, Java and Javascript); published software for desktop (NetCheck), mobile (Subhash Browser & RSS Reader) and web (TweetsToRSS); and designed several websites. As of 2023, he is working on a portable Javascript-free CMS using plain-jane PHP and SQLite. Subhash also occasionally writes for Open Source For You magazine and CodeProject.com.

Comments and Discussions

 
PraiseGood article! Pin
gaujaai8-Mar-23 3:58
gaujaai8-Mar-23 3:58 
GeneralMy vote of 5 Pin
nospam19612-Mar-23 12:11
nospam19612-Mar-23 12:11 
GeneralMy vote of 5 Pin
nospam19612-Mar-23 12:09
nospam19612-Mar-23 12:09 
Questionset -e : A warning Pin
mbancroft2-Mar-23 8:11
mbancroft2-Mar-23 8:11 
QuestionGood Information Pin
StrataRocha1-Mar-23 12:02
StrataRocha1-Mar-23 12:02 
AnswerRe: Good Information Pin
V. Subhash5-Mar-23 21:21
V. Subhash5-Mar-23 21:21 
GeneralRe: Good Information Pin
StrataRocha8-Mar-23 9:20
StrataRocha8-Mar-23 9:20 
GeneralRe: Good Information Pin
V. Subhash8-Mar-23 16:17
V. Subhash8-Mar-23 16:17 
QuestionGood article Pin
nievergelt1-Mar-23 5:49
nievergelt1-Mar-23 5:49 
QuestionUseful! Pin
eplaye28-Feb-23 23:38
eplaye28-Feb-23 23:38 
AnswerRe: Useful! Pin
V. Subhash6-Mar-23 14:52
V. Subhash6-Mar-23 14:52 
The article has been updated with this and other reader comments. Thank you very much.
--
http://www.vsubhash.com

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.