这是(至少是曾经是)在Ruby中的常见模式,但是我不知道如何在Zsh或Bash中做到这一点。
让我们假设有一个名为“ whoosiwhatsit”的shell函数,我想在特定项目中覆盖它,同时仍以其他名称保留原始文件。
如果我不了解,我可能会尝试创建一个别名来指向whoosiwhatsit,然后创建一个使用别名的新的“ whoosiwhatsit”函数。当然可以,因为别名将改为引用新函数。
有什么办法可以完成我在说的话吗?
答案 0 :(得分:2)
在bash中,有一个名为BASH_ALIASES
的内置变量,它是一个包含当前别名的关联数组。更新时(RTM!)的语义有些不一致,但是如果您限制自己阅读BASH_ALIASES
,则应该能够为自己编写一个实现别名链接的shell函数。
答案 1 :(得分:2)
别名非常薄弱。您可以使用函数来实现。请考虑以下工具:
#!/usr/bin/env bash
PS4=':${#FUNCNAME[@]}:${BASH_SOURCE}:$LINENO+'
rename_function() {
local orig_definition new_definition new_name retval
retval=$1; shift
orig_definition=$(declare -f "$1") || return 1
new_name="${1}_"
while declare -f "$new_name" >/dev/null 2>&1; do
new_name+="_"
done
new_definition=${orig_definition/"$1"/"$new_name"}
eval "$new_definition" || return
unset -f "$orig_definition"
printf -v "$retval" %s "$new_name"
}
# usage: shadow_function target_name shadowing_func [...]
# ...replaces target_name with a function which will call:
# shadowing_func target_renamed_to_this number_of_args_in_[...] [...] "$@"
shadow_function() {
local shadowed_func eval_code shadowed_name shadowing_func shadowed_func_renamed
shadowed_name=$1; shift
shadowing_func=$1; shift
rename_function shadowed_func_renamed "$shadowed_name" || return
if (( $# )); then printf -v const_args '%q ' "$@"; else const_args=''; fi
printf -v eval_code '%q() { %q %q %s "$@"; }' \
"$shadowed_name" "$shadowing_func" "$shadowed_func_renamed" "$# $const_args"
eval "$eval_code"
}
...以及这些工具的以下示例应用程序:
whoosiwhatsit() { echo "This is the original implementation"; }
override_in_directory() {
local shadowed_func=$1; shift
local override_cmd_len=$1; shift
local override_dir=$1; shift
local -a override_cmd=( )
local i
for (( i=1; i<override_cmd_len; i++)); do : "$1"
override_cmd+=( "$1" ); shift
done
: PWD="$PWD" override_dir="$override_dir" shadowed_func="$shadowed_func"
: override_args "${override_args[@]}"
if [[ $PWD = $override_dir || $PWD = $override_dir/* ]]; then
[[ $- = *x* ]] && declare -f shadowed_func >&2 # if in debugging mode
"${override_cmd[@]}"
else
"$shadowed_func" "$@"
fi
}
ask_the_user_first() {
local shadowed_func=$1; shift;
shift # ignore static-argument-count parameter
if [[ -t 0 ]]; then
read -r -p "Press ctrl+c if you are unsure, or enter if you are"
fi
"$shadowed_func" "$@"
}
shadow_function whoosiwhatsit ask_the_user_first
shadow_function whoosiwhatsit \
override_in_directory /tmp echo "Not in the /tmp!!!"
shadow_function whoosiwhatsit \
override_in_directory /home echo "Don't try this at home"
最终结果是一个whoosiwhatsit
函数,当其标准输入为TTY时要求用户先执行任何操作,并在/tmp
或{{1}下运行时中止(带有不同的消息) }。
也就是说,我不容忍这种做法。将以上内容视为智力练习。 :)
答案 2 :(得分:1)
通过功能(可以选择调用其重写的内置函数或命令)来创建单一级别的重写是常见且得到良好支持的:
# Make all cd commands auto-exit on failure
cd() { builtin cd "$@" || exit; }
# Make all ssh commands verbose
ssh() { command ssh -vv "$@"; }
它不止于一个链接,但它完全是POSIX,并且在实践中通常比尝试用Bash编写Ruby更好。