将$ @传递给一个shellcript中的函数

时间:2015-07-20 14:49:05

标签: bash shell command-line-arguments argument-passing

问题描述

在shell脚本中,我想从函数内部迭代所有命令行参数("$@" 。但是,在函数内部,$@引用函数参数,而不是命令行参数。我尝试使用变量将参数传递给函数,但这没有用,因为它会破坏带有空格的参数。

如何以一种不破坏空格的方式将$@传递给函数?我很抱歉,如果之前有人询问,我会尝试搜索此问题并there are a lot similar ones,但我但是没有找到答案。

插图

我制作了一个shell脚本来说明问题。

print_args.sh源列表

#!/bin/sh
echo 'Main scope'
for arg in "$@"
do
    echo "    $arg"
done

function print_args1() {
    echo 'print_args1()'
    for arg in "$@"
    do
        echo "    $arg"
    done
}

function print_args2() {
    echo 'print_args2()'
    for arg in $ARGS
    do
        echo "    $arg"
    done
}

function print_args3() {
    echo 'print_args3()'
    for arg in "$ARGS"
    do
        echo "    $arg"
    done
}

ARGS="$@"

print_args1
print_args2
print_args3

print_args.sh执行

$ ./print_args.sh foo bar 'foo bar'
Main scope
    foo
    bar
    foo bar
print_args1()
print_args2()
    foo
    bar
    foo
    bar
print_args3()
    foo bar foo bar

正如您所看到的,我无法将最后一个foo bar显示为单个参数。我想要一个提供与主范围相同输出的函数。

1 个答案:

答案 0 :(得分:5)

您可以使用此BASH功能:

#!/bin/bash

echo 'Main scope'
for arg in "$@"
do
    echo "    $arg"
done

function print_args1() {
    echo 'print_args1()'
    for arg in "$@"; do
        echo "    $arg"
    done
}

function print_args3() {
    echo 'print_args3()'
    for arg in "${ARGS[@]}"; do
        echo "    $arg"
    done
}

ARGS=( "$@" )

print_args1 "$@"
print_args3

你可以在顶部看到使用bash shebang:

#!/bin/bash

需要能够使用BASH数组。

<强>输出:

bash ./print_args.sh foo bar 'foo bar'
Main scope
    foo
    bar
    foo bar
print_args1()
    foo
    bar
    foo bar
print_args3()
    foo
    bar
    foo bar