Bash Tips and Pitfalls: Difference between revisions
Jump to navigation
Jump to search
mNo edit summary |
(→Tips: Parameter parsing) |
||
Line 1: | Line 1: | ||
== Tips == |
== Tips == |
||
=== Parsing Command-Line Option Parameters === |
|||
* To ease parsing, pre-parse with executable '''getopt''' or Bash/sh built-in '''getopts''', see [http://aplawrence.com/Unix/getopts.html here for more information and examples]. |
|||
* 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"> |
|||
until [[ ! "$*" ]]; do |
|||
if [[ ${1:0:2} = '--' ]]; then |
|||
PAIR=${1:2} |
|||
PARAMETER=`echo ${PAIR%=*} | tr [:lower:] [:upper:]` |
|||
eval P_$PARAMETER=${PAIR##*=} |
|||
fi |
|||
shift |
|||
done |
|||
</source></div> |
|||
=== Miscellaneous === |
|||
Empty a file named <tt>filename</tt>, keeping the same permission and user/group: |
Empty a file named <tt>filename</tt>, keeping the same permission and user/group: |
||
Revision as of 22:24, 30 January 2009
Tips
Parsing Command-Line Option Parameters
- To ease parsing, pre-parse with executable getopt or Bash/sh built-in getopts, see here for more information and examples.
- To parse option like -value=name ([1])
until [[ ! "$*" ]]; do
if [[ ${1:0:2} = '--' ]]; then
PAIR=${1:2}
PARAMETER=`echo ${PAIR%=*} | tr [:lower:] [:upper:]`
eval P_$PARAMETER=${PAIR##*=}
fi
shift
done
Miscellaneous
Empty a file named filename, keeping the same permission and user/group:
>filename
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...
Pits
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
|
Space variable setting - There must be no space between the variable name and the subsequent equal sign. Also the variable name must not be prefixed with a $ |
srcDir = $1 # WRONG - spaces around = sign
$srcDir=$1 # WRONG - variable name must not have $ prefix
srcDir=$1 # CORRECT
srcDir="$1" # BEST
|