Shell编程:列表的访问元素

时间:2013-01-23 15:52:52

标签: string list shell indexing

我的理解是,在编写Unix shell程序时,您可以使用for循环遍历类似于列表的字符串。这是否意味着您也可以通过索引访问字符串的元素?

例如:

foo="fruit vegetable bread"

我怎样才能访问这句话的第一个单词?我尝试使用像C语言这样的括号无济于事,我在线阅读的解决方案需要正则表达式,我现在想避免使用。

2 个答案:

答案 0 :(得分:2)

$foo作为参数传递给函数。您可以使用$1$2等来访问函数中的相应单词。

function try {
 echo $1
}

a="one two three"

try $a

编辑:另一个更好的版本是:

a="one two three"
b=( $a )
echo ${b[0]}

编辑(2):看看this thread.

答案 1 :(得分:0)

使用数组是最佳解决方案。

这是一种使用间接变量的棘手方法

get() { local idx=${!#}; echo "${!idx}"; }

foo="one two three"

get $foo 1  # one
get $foo 2  # two
get $foo 3  # three

注意:

  • $#是给予函数的参数数量(在所有这些情况下为4)
  • ${!#}是最后一个参数
  • ${!idx}idx'参数的
  • 您不能引用$foo,以便shell可以将字符串拆分为单词。

进行一些错误检查:

get() {
  local idx=${!#}
  if (( $idx < 1 || $idx >= $# )); then
    echo "index out of bounds" >&2
    return 1
  fi
  echo "${!idx}"
}

请不要实际使用此功能。使用数组。