POSIX 中的数组符合 shell

Arrays in a POSIX compliant shell

根据this reference sheet on hyperpolyglot.org,可以使用以下语法设置数组。

i=(1 2 3)

但是我收到 dash 的错误,这是 Ubuntu 上 /bin/sh 的默认设置,应该符合 POSIX。

# Trying the syntax with dash in my terminal
> dash -i
$ i=(1 2 3)
dash: 1: Syntax error: "(" unexpected
$ exit

# Working fine with bash
> bash -i
$ i=(1 2 3)
$ echo ${i[@]}
1 2 3
$ exit

引用 sheet 是否具有误导性或错误性?
如果是,定义数组或列表并符合 POSIX 标准的正确方法是什么?

Posix 不指定数组,所以如果你受限于 Posix shell 特性,你不能使用数组。

恐怕您的参考有误。遗憾的是,并非您在互联网上找到的所有内容都是正确的。

正如 rici 所说,破折号不支持数组。但是,如果您想做的是编写一个循环,则有一些解决方法。

For 循环不会执行数组,但您可以使用 while 循环 + 内置 read 进行拆分。由于 dash read builtin 也不支持定界符,因此您也必须解决这个问题。

这是一个示例脚本:

myArray="a b c d"

echo "$myArray" | tr ' ' '\n' | while read item; do
  # use '$item'
  echo $item
done

一些更深入的解释:

  • tr ' ' '\n' 会让你做一个单字符替换 where 您删除空格并添加换行符 - 这是默认的 delim 对于内置读取。

  • read 将在检测到标准输入时以失败的退出代码退出 已关闭 - 这将是您的输入已完全完成的时间 已处理。

  • 因为 echo 在输入后会打印一个额外的换行符,这会让你 处理数组中的最后一个 "element"。

这相当于 bash 代码:

myArray=(a b c d)

for item in ${myArray[@]}; do
  echo $item
done

如果您想检索第 n 个元素(为了示例的目的,假设是第 2 个元素):

myArray="a b c d"

echo $myArray | cut -d\  -f2 # change -f2 to -fn

POSIX sh shell 确实没有 bash 和其他 shell 具有的命名数组,但是有一个 list sh shells(以及 bash 和其他人)可以使用,那就是 [=44 的列表=]位置参数.

此列表通常包含传递给当前脚本或 shell 函数的参数,但您可以使用 set 内置命令设置其值:

#!/bin/sh

set -- this is "a list" of "several strings"

在上面的脚本中,位置参数</code>, <code>, ..., 被设置为显示的五个字符串。 -- 用于确保您不会意外设置 shell 选项(set 命令也可以这样做)。如果第一个参数以 - 开头,这只会成为一个问题。

例如遍历这些字符串,你可以使用

for string in "$@"; do
    printf 'Got the string "%s"\n' "$string"
done

或较短的

for string do
    printf 'Got the string "%s"\n' "$string"
done

或者只是

printf 'Got the string "%s"\n' "$@"

set 对于将 glob 扩展为路径名列表也很有用:

#!/bin/sh

set -- "$HOME"/*/

# "visible directory" below really means "visible directory, or visible 
# symbolic link to a directory".

if [ ! -d "" ]; then
    echo 'You do not have any visible directories in your home directory'
else
    printf 'There are %d visible directories in your home directory\n' "$#"

    echo 'These are:'
    printf '\t%s\n' "$@"
fi

shift 内置命令可用于从列表中移出第一个位置参数。

#!/bin/sh

# pathnames
set -- path/name/1 path/name/2 some/other/pathname

# insert "--exclude=" in front of each
for pathname do
    shift
    set -- "$@" --exclude="$pathname"
done

# call some command with our list of command line options
some_command "$@"