As a conscientious programmer, you took to heart what we described in the previous recipe, Recipe 4.5. "Deciding Whether a Command Succeeds." You applied the concept to your latest shell script, and now you find that the shell script is unreadable, if with all those if statements checking the return code of every command. Isn’t there an alternative?
Solution
Use the double-ampersand operator in bash to provide conditional execution:
$ cd mytmp && rm *
Discussion
Two commands separated by the double ampersands tells bash to run the first command and then to run the second command only if the first command succeeds (i.e., its exit status is 0). This is very much like using an ifstatement to check the exit status of the first command in order to protect the running of the second command:
cd mytmp if (( $? )); then rm * ; fi
The double ampersand syntax is meant to be reminiscent of the logical and operator in C Language. If you know your logic (and your C) then you’ll recall that if you are evaluating the logical expressionA AND B, then the entire expression can only be true if both (sub)expressionAand (sub)expressionBevaluate to true. If either one is false, the whole expression is false. C Language makes use of this fact, and when you code an expression likeif (A && B) { ... }, it will evaluate expressionAfirst. If it is false, it won’t even bother to evaluateBsince the overall outcome (false) has already been determined (byAbeing false).
So what does this have to do with bash? Well, if the exit status of the first command (the one to the left of the&&) is non-zero (i.e., failed) then it won’t bother to evaluate the second expression—i.e., it won’t run the other command at all.
If you want to be thorough about your error checking, but don’t wantifstatements all over the place, you can have bash exit any time it encounters a failure (i.e., a non-zero exit status) from every command in your script (except inwhileloops andifstatements where it is already capturing and using the exit status) by setting the-eflag.
set -e cd mytmp rm *
Setting the -e flag will cause the shell to exit when a command fails. If the cd fails, the script will exit and never even try to execute the rm * command. We don’t recommend doing this on an interactive shell, because when the shell exits it will make your shell window go away.
See Also
• Recipe 4.8, "Displaying Error Messages When Failures Occur" for an explanation of the || syntax, which is similar in some ways, but also quite different from the && construct