bash 函数、局部变量和退出代码
bash functions, local variables, and exit codes
在 bash 函数中,我试图捕获命令的输出及其退出代码。一般来说,我的表格是
some_function() {
local rv=$(some_other_function)
local code=$?
echo "$rv"
return $code
}
但我注意到每当我使用 'local' 时,然后是 $?始终为 0。就像它正在捕获赋值的结果,而不是被调用的函数。
如果我不使用 'local',那么它会按预期工作:
$ foo() { local rv=$(false); echo "code is $?"; }
$ foo
code is 0
$ foo() { rv=$(false); echo "code is $?"; }
$ foo
code is 1
谁能给我解释一下?显然这里有一些基本的东西我就是不明白。
Can someone explain this to me?
简单来说,大多数时候 $?
具有最后执行的命令的退出状态。 last 命令是local
。 local
的 return 状态为零 - 它成功地使 rv
成为局部变量。愚蠢的例子:
echo $(false) $(true) $(false)
^^^^ - this is the last command executed
# $? here has exit status of **echo**
将作业与local
分开:
local rv code
# Assignment is not a "command", in the sense it preserves exit status.
# The last command executed in assignment is the one inside `$(...)`.
rv=$(some_other_function)
code=$? # will have the exit status of expression executed inside $(...)
使用 http://shellcheck.net 检查您的脚本。 Shellcheck 对此类错误发出警告。
在 bash 函数中,我试图捕获命令的输出及其退出代码。一般来说,我的表格是
some_function() {
local rv=$(some_other_function)
local code=$?
echo "$rv"
return $code
}
但我注意到每当我使用 'local' 时,然后是 $?始终为 0。就像它正在捕获赋值的结果,而不是被调用的函数。 如果我不使用 'local',那么它会按预期工作:
$ foo() { local rv=$(false); echo "code is $?"; }
$ foo
code is 0
$ foo() { rv=$(false); echo "code is $?"; }
$ foo
code is 1
谁能给我解释一下?显然这里有一些基本的东西我就是不明白。
Can someone explain this to me?
简单来说,大多数时候 $?
具有最后执行的命令的退出状态。 last 命令是local
。 local
的 return 状态为零 - 它成功地使 rv
成为局部变量。愚蠢的例子:
echo $(false) $(true) $(false)
^^^^ - this is the last command executed
# $? here has exit status of **echo**
将作业与local
分开:
local rv code
# Assignment is not a "command", in the sense it preserves exit status.
# The last command executed in assignment is the one inside `$(...)`.
rv=$(some_other_function)
code=$? # will have the exit status of expression executed inside $(...)
使用 http://shellcheck.net 检查您的脚本。 Shellcheck 对此类错误发出警告。