1

我的 .zshrc 底部有

[[ -e $HOME/.myapp/myapp.sh ]] && source $HOME/.myapp/myapp.sh

myapp.sh 从名为 script_properties 的文件中加载一些环境变量

{ [[ -e $HOME/.myapp/script_properties ]] && source $HOME/.myapp/script_properties; } || {printf "Please run setup script to set build configuration defaults.\n" && exit; }

然后检查一个目录(lt_shell_functions_dir),其中有一些我想作为 zsh 函数加载的 bash 脚本。我希望能够从命令提示符执行类似“ltbuild”的操作,这是我想作为函数运行的 bash 脚本的名称。当我从 zsh 命令提示符运行“autoload ltbuild”时,它会将文件作为函数加载(因为它在我的 fpath 中)并且我可以运行它。当我尝试从启动时执行的脚本中加载它时,我不必键入“autoload ltbuild”,它不起作用。感谢您的帮助!

if [[ -d $lt_shell_functions_dir ]]; then 
  fpath=($lt_shell_functions_dir $fpath)
  for function_file in $lt_shell_functions_dir/* 
  do
    autoload $function_file || printf "Autoloading $function_file failed\n"         
  done
  unset function_file
else
  printf "no $lt_shell_functions_dir exists.\n"
fi

例子:

我有一个名为echome的文件,其中包含:

echo "I'm a file running as a function"

当我启动外壳时:

[carl@desktop[ 3:06PM]:carl] echome 
zsh: command not found: echome
[carl@desktop[ 3:06PM]:carl] autoload echome
[carl@desktop[ 3:07PM]:carl] echome
I'm a file running as a function
4

1 回答 1

0

应该注意:我不知道为什么这没有打印“自动加载失败”,即使在仔细阅读之后也是如此man zshbuiltins。幸运的是,如果您遇到困难(邮件列表和 IRC),zsh 有一个很好的社区——它们值得使用。根据他们的解释:

这不起作用,因为您没有正确自动加载该功能。您正在做的是自动加载一个名为的函数,例如/path/to/lt_shell_functions/echome. 您想要做的是自动加载一个名为echome.

注意/:函数名称中允许使用斜杠。如果您尝试自动加载尚未定义的函数,zsh 将标记该函数以便稍后加载——这就是它不为您打印“自动加载失败”的原因。

我的解决方案:我们可以像这样提取函数的名称:

${function_file##/*}

所以我会修改你~/.zshrc这样做:

autoload ${function_file##/*} || printf "Autoloading $function_file failed\n"

哪个有效:

Last login: Fri Jun 21 17:21:26 on ttys000
$ tail -n 12 ~/.zshrc
if [[ -d $lt_shell_functions_dir ]]; then
    fpath=($lt_shell_functions_dir $fpath)
    for function_file in $lt_shell_functions_dir/*
    do
        autoload -Uz ${function_file##*/} || printf "Autoloading $function_file failed\n"
    done
#    unset function_file
else
    printf "no $lt_shell_functions_dir exists.\n"
fi
$ echome
I'm in a file
于 2013-10-06T14:45:29.760 回答