我在 中存储了一堆函数~/.bash_functions
,这些函数在 shell 启动时被调用~/.bashrc
。该文件导出所有函数,如下所示:
# Find functions in this script based on a grep search, and export them.
grep ^'[[:alnum:]]' ~/.bash_functions |
grep '()' |
cut -d'(' -f1 |
while read function
do
export -f "$function"
done
unset function
这在本地 shell 上工作得很好,但不能通过 SSH 工作。实际上没有导出任何函数(使用 检查declare -F
)。但是,如果我将其放入echo "$function"
循环中,它会打印所有函数名称,所以我知道循环中唯一不起作用的部分是该export
行。
export -f
如果我在 SSH 会话中使用,或者export -f
在文件里为每个单独的函数添加一行,这些函数就会被正确导出。
我使用的是带有 Bash 4.3.11 的 14.04,SSH 客户端是 Android 上的 Termux。
编辑:即使我declare -F
在底部添加~/.bash_functions
,函数仍显示为未导出。
编辑:我刚刚意识到在本地会话中,我的某些函数未导出,似乎是随机的,但我找不到任何错误的证据。我正在做更多研究...
答案1
由于while
循环位于管道中,因此它在子 shell 中执行。如果您注销并登录,您将看到本地会话也会受到影响(不仅仅是 SSH)。可以通过将列表移动到变量并切换到循环来解决这个问题for
:
# Find functions in this script based on a grep search, and export them.
functions="$( grep ^'[[:alnum:]]' ~/.bash_functions |
grep '()' |
cut -d'(' -f1
)"
for function in $functions; do
export -f "$function"
done
unset -v function functions # Also I added the -v flag to make this only unset variables.