要么我错过了一些反弹,要么反弹似乎不适用于太多的程序员引用循环。
$ echo "hello1-`echo hello2-\`echo hello3-\`echo hello4\`\``" hello1-hello2-hello3-echo hello4
通缉
hello1-hello2-hello3-hello4-hello5-hello6-...
It's a lot easier if you use bash's $(cmd) command substitution syntax, which is much more friendly to being nested:
$(cmd)
$ echo "hello1-$(echo hello2-$(echo hello3-$(echo hello4)))" hello1-hello2-hello3-hello4
Use $(commands) instead:
$(commands)
$(commands) does the same thing as backticks, but you can nest them.
You may also be interested in Bash range expansions:
echo hello{1..10} hello1 hello2 hello3 hello4 hello5 hello6 hello7 hello8 hello9 hello10
if you insist to use backticks, following could be done
$ echo "hello1-`echo hello2-\`echo hello3-\\\`echo hello4\\\`\``"
you have to put backslashes, \\ \\\\ \\\\\\\\ by 2x and so on, its just very ugly, use $(commands) as other suggested.
\\ \\\\ \\\\\\\\
Any time you want to evaluate a command use command substitution:
command substitution
$(command)
Any time you want to evaluate an arithmetic expression use expression substitution:
expression substitution
$((expr))
You can nest these like this:
Let's say file1.txt is 30 lines long and file2.txt is 10 lines long, than you can evaluate an expression like this:
$(( $(wc -l file1.txt) - $(wc -l file2.txt) ))
which would output 20 ( the difference in number of lines between two files).
Sometimes backtick nesting can be substituted with xargs and pipes
xargs
$ echo hello4 | xargs echo hello3 | xargs echo hello2 | xargs echo hello1 hello1 hello2 hello3 hello4
Drawback of this solution are:
All arguments become space separated (solvable with tr):
tr
$ echo hello4 | xargs echo hello3 | xargs echo hello2 | xargs echo hello1 | tr ' ' '-' hello1-hello2-hello3-hello4
Following commands work in bash, but not in tcsh (backtick nesting is not handled very good in tcsh)
$ ls $(dirname $(which bash)) $ ls `dirname \`which bash\``
They can be substituted with
$ which bash | xargs dirname | xargs ls
You can capture and combine into a variable incrementally
__=`printf hello2-` __=`printf "${__}hello3-"` __=`printf "${__}hello4-"` printf "hello1-${__}"