[ "${1:0:1}" = '-' ] 的含义

[ "${1:0:1}" = '-' ] 的含义

我有以下脚本来启动 MySQL 进程:

if [ "${1:0:1}" = '-' ]; then
    set -- mysqld_safe "$@"
fi

if [ "$1" = 'mysqld_safe' ]; then
    DATADIR="/var/lib/mysql"
...

1:0:1 在这种情况下意味着什么?

答案1

-显然,这是对虚线参数选项的测试。确实有点奇怪。它使用非标准bash扩展来尝试从 中提取第一个且仅第一个字符$1。是0头字符索引,1是字符串长度。在[ test类似的情况下,它也可能是:

[ " -${1#?}" = " $1" ]

但这两种比较都不是特别适合test,因为它-也解释虚线参数 - 这就是我在那里使用前导空格的原因。

做这种事情的最好方法 - 以及通常完成的方法 - 是:

case $1 in -*) mysqld_safe "$@"; esac

答案2

这将采用$1从第 0 个字符到第 1 个字符的子字符串。因此,您将获得第一个字符,并且仅获得字符串的第一个字符。

来自bash3.2 手册页:

  ${parameter:offset}
  ${parameter:offset:length}
          Substring  Expansion.   Expands  to  up to length characters of
          parameter starting at the character specified  by  offset.   If
          length is omitted, expands to the substring of parameter start-
          ing at the character specified by offset.   length  and  offset
          are  arithmetic  expressions (see ARITHMETIC EVALUATION below).
          length must evaluate to a number greater than or equal to zero.
          If  offset  evaluates  to a number less than zero, the value is
          used as an offset from the end of the value of  parameter.   If
          parameter  is  @,  the  result  is length positional parameters
          beginning at offset.  If parameter is an array name indexed  by
          @ or *, the result is the length members of the array beginning
          with ${parameter[offset]}.  A negative offset is taken relative
          to  one  greater than the maximum index of the specified array.
          Note that a negative offset must be separated from the colon by
          at  least  one space to avoid being confused with the :- expan-
          sion.  Substring indexing is zero-based unless  the  positional
          parameters are used, in which case the indexing starts at 1.

答案3

它正在测试第一个参数的第一个字符$1是破折号-

1:0:1 是参数扩展的值:${parameter:offset:length}

这意味着:

  • name:名为 的参数1,即:$1
  • 开始:从第一个字符开始0(从0开始编号)。
  • 长度:1 个字符。

简而言之:第一个位置参数的第一个字符$1
该参数扩展(至少)在 ksh、bash、zsh 中可用。


如果要更改测试线:

[ "${1:0:1}" = "-" ]

bash 选项

其他更安全的 bash 解决方案可能是:

[[ $1 =~ ^- ]]
[[ $1 == -* ]]

更安全,因为这没有引用问题(内部不会执行拆分[[

POSIX 选项。

对于旧的、功能较差的 shell,可以更改为:

[ "$(echo $1 | cut -c 1)" = "-" ]
[ "${1%%"${1#?}"}"        = "-" ]
case $1 in  -*) set -- mysqld_safe "$@";; esac

只有 case 命令更能抵抗错误引用。

相关内容