7

我需要仅使用 bash 从具有多个选项的 poloniex rest 客户端下载图表数据。我尝试了 getopts 但真的找不到一种方法来使用具有多个参数的多个选项。

这是我想要实现的目标

./getdata.sh -c currency1 currency2 ... -p period1 period2 ...

有我需要c x p多次调用 wget 的参数

for currency in c
    for period in p
        wget https://poloniex.com/public?command=returnChartData&currencyPair=BTC_{$currency}&start=1405699200&end=9999999999&period={$period}

好吧,我正在明确地写下我的最终目标,因为现在可能有许多其他人正在寻找它。

4

2 回答 2

11

像这样的东西对你有用吗?

#!/bin/bash

while getopts ":a:p:" opt; do
  case $opt in
    a) arg1="$OPTARG"
    ;;
    p) arg2="$OPTARG"
    ;;
    \?) echo "Invalid option -$OPTARG" >&2
    ;;
  esac
done

printf "Argument 1 is %s\n" "$arg1"
printf "Argument 2 is %s\n" "$arg2"

然后,您可以像这样调用您的脚本:

./script.sh -p 'world' -a 'hello'

上面的输出将是:

Argument 1 is hello
Argument 2 is world

更新

您可以多次使用相同的选项。解析参数值时,您可以将它们添加到数组中。

#!/bin/bash

while getopts "c:" opt; do
    case $opt in
        c) currs+=("$OPTARG");;
        #...
    esac
done
shift $((OPTIND -1))

for cur in "${currs[@]}"; do
    echo "$cur"
done

然后,您可以按如下方式调用您的脚本:

./script.sh -c USD -c CAD

输出将是:

USD
CAD

参考:BASH:getopts 从一个标志中检索多个变量

于 2017-08-17T20:49:19.183 回答
3

你可以打电话 ./getdata.sh "currency1 currency2" "period1 period2"

getdata.sh内容:

c=$1
p=$2

for currency in $c ; do 
  for period in $p ; do
    wget ...$currency...$period...
  done
 done
于 2017-08-17T21:54:57.770 回答