UNIX 命令行参数引用问题
我试图告诉 unix 打印出传递给 Bourne Shell 脚本的命令行参数,但它不起作用。我在 echo 语句中获取 x 的值,而不是在所需位置获取命令行参数。
这就是我想要的:
./run abcd
a 乙 c 这
就是我得到的:
1 2 3 4
发生什么事了?我知道 UNIX 根据我在 shell 脚本中引用的内容(第 x 个位置的变量 x 或命令行参数”而感到困惑。我怎样才能澄清我的意思?
#!/bin/sh
x=1
until [ $x -gt $# ]
do
echo $x
x=`expr $x + 1`
done
编辑:谢谢大家的回复,但现在我有另一个问题;如果您不想从第一个参数开始计数,而是从第二个或第三个参数开始计数,那么我该怎么做才能告诉 UNIX 从第二个位置开始处理元素并忽略第一的?
I'm trying to tell unix to print out the command line arguments passed to a Bourne Shell script, but it's not working. I get the value of x at the echo statement, and not the command line argument at the desired location.
This is what I want:
./run a b c d
a
b
c
d
this is what I get:
1
2
3
4
What's going on? I know that UNIX is confused as per what I'm referencing in the shell script (the variable x or the command line argument at the x'th position". How can I clarify what I mean?
#!/bin/sh
x=1
until [ $x -gt $# ]
do
echo $x
x=`expr $x + 1`
done
EDIT: Thank you all for the responses, but now I have another question; what if you wanted to start counting not at the first argument, but at the second, or third? So, what would I do to tell UNIX to process elements starting at the second position, and ignore the first?
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(4)
$x 不是第 x 个参数。它是变量x,
expr $x+1
就像其他语言中的x++。$x is not the xth argument. It's the variable x, and
expr $x+1
is like x++ in other languages.对脚本进行最简单的更改以使其执行您所要求的操作是这样的:
但是(但是这是一个很大的问题),使用 eval (尤其是在用户输入上)是一个巨大的安全问题。更好的方法是使用 shift 和第一个位置参数变量,如下所示:
The simplest change to your script to make it do what you asked is this:
HOWEVER (and this is a big however), using eval (especially on user input) is a huge security problem. A better way is to use shift and the first positional argument variable like this:
如果你想开始计算第二个参数
If you want to start counting a the 2nd argument
不使用
shift
的解决方案:A solution not using
shift
: