TL;DR:对于琐碎的情况:将您的函数定义语法从 切换f() compound-command
到function f { ...; }
. 对于复杂的情况:仅依赖 ksh93(更灵活),使用以下荒谬的 hack(硬),重写为严格符合 POSIX(可能很难,不灵活),用真实语言重写(但有时 shell 很好)。
没有“Linux ksh”。它在所有系统上的行为都相同,并且仅取决于您使用的版本。
AIX 提供了一个经过修改的 ksh88。ksh88 有一个动态范围系统,类似于 Bash 和所有其他支持本地的 shell,但与 ksh93 不同。为了让本地人在 ksh93 下工作,您必须使用“现代”function name { ; }
语法,而不是 POSIX 语法来定义函数。这在 ksh88 中可能需要也可能不需要,因为它没有记录并且我无法测试,因为 ksh88 是专有软件,而且很可能甚至不是为在现代 x86 硬件上运行而构建的。
如果以上是正确的,并且您的脚本是为 ksh88 编写的,那么只需切换函数定义语法就足以使局部变量至少起作用。然而,虽然 ksh93 的静态范围远远优于其他 shell 的动态范围,但它确实会导致严重的可移植性问题——这可能是所有 shell 脚本中最难解决的问题之一。
如果您需要便携式本地人,则没有出色的解决方案。我提出了两种“打破” ksh 范围的技术,使其更像 ksh88/bash/mksh/zsh 等。
第一个在未损坏的 POSIX shell 中工作。
#!/bin/sh
# (Partially) Working shells: dash, posh, bash, ksh93v, mksh, older zsh
# Broken shells: current zsh, busybox sh, non-bleeding edge alpha ksh93, heirloom
f() {
if ! ${_called_f+false}; then
# Your code using "x"
for x; do
printf '%s, ' "$x"
done
else
# This hackishly localizes x to some degree
_called_f= x= command eval typeset +x x 2\>/dev/null \; f '"$@"'
fi
}
# demonstration code
x='outside f'; printf "$x, "; f 1 2 3; echo "$x"
第二种方法仅适用于类似 ksh 的 shell,涉及通过引用显式传递所有内容并广泛使用间接。
#!/usr/bin/env ksh
# bash, ksh93, mksh, zsh
# Breaking things for dash users is always a plus.
# This is crude. We're assuming "modern" shells only here.
${ZSH_VERSION+false} || emulate ksh
${BASH_VERSION+shopt -s lastpipe extglob}
unset -v is_{ksh93,mksh}
case ${!KSH_VERSION} in
.sh.version) is_ksh93= ;;
KSH_VERSION) is_mksh=
esac
function f {
# We want x to act like in dynamic scope shells. (not ksh93)
typeset x
g x
typeset -p x
}
function g {
# Note mksh and bash 4.3 namerefs kind of suck and are no better than eval.
# This makes a local of a pointer to the variable arg of the same name.
# Remember it's up to the programmer to ensure the sanity of any NAME
# passed through an argument.
${is_ksh93+eval typeset -n ${1}=\$1}
typeset y=yojo
# mksh... you fail at printf. We'll try our best anyway.
eval "$(printf %${is_mksh+.s%s=%s%.s }s=%q "$1" ${is_mksh+"${y@Q}"} "$y")"
}
f
如果您是少数需要编写健壮的库代码且必须可移植的人,我只推荐其中任何一种。