Shell脚本中的数组,而不是Bash
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Shell脚本中的数组,而不是Bash相关的知识,希望对你有一定的参考价值。
我可能只是一个脑屁,但我不能为我的生活弄清楚如何在shell脚本中循环数组,而不是bash。我确定答案已经在某个地方的stackoverflow,但我找不到一个不使用bash的方法。对于我的嵌入式目标系统,bash目前不是一个选项。以下是我尝试执行的操作以及返回的错误的示例。
#!/bin/sh
enable0=1
enable1=1
port=0
while [ ${port} -lt 2 ]; do
if [ ${enable${port}} -eq 1 ]
then
# do some stuff
fi
port=$((port + 1))
done
每当我运行此脚本时,对于带有if语句的行,将返回错误“Bad substitution”。如果你们有任何想法我会非常感激。谢谢!
答案
BusyBox提供ash
,它不直接提供阵列支持。你可以使用eval
之类的,
#!/bin/busybox sh
enable0=0
enable1=1
for index in 0 1 ; do
eval assign="$enable$index"
if [ $assign == 1 ]; then
echo "enable$index is enabled"
else
echo "enable$index is disabled"
fi
done
另一答案
a="abc 123 def"
set -- $a
while [ -n "$1" ]; do
echo $1
shift
done
通过busybox输出1.27.2灰:
abc
123
def
另一答案
除非没有其他选择,否则最好不要使用eval
。 (最近一连串的bash
漏洞利用是由于shell内部eval
ing环境变量的内容而没有先验证它们的内容)。在这种情况下,您似乎可以完全控制所涉及的变量,但您可以在不使用eval
的情况下迭代变量值。
#!/bin/sh
enable0=1
enable1=1
for port_enabled in "$enable0" "$enable1"; do
if [ "$port_enabled" -eq 1 ]; then
# do some stuff
fi
done
另一答案
人们可以使用位置参数......
http://pubs.opengroup.org/onlinepubs/009696799/utilities/set.html
#!/bin/sh
enable0=0
enable1=1
set -- $enable0 $enable1
for index in 0 1; do
[ "$1" -eq 1 ] && echo "$1 is enabled." || echo "$1 is disabled."
shift
done
在busybox上运行:
~ $ ./test.sh
0 is disabled.
1 is enabled.
以上是关于Shell脚本中的数组,而不是Bash的主要内容,如果未能解决你的问题,请参考以下文章
bash脚本和zsh shell中的数组行为(开始索引0或1?)