web-dev-qa-db-ja.com

bashを使用してCURLリクエストで変数を使用する方法

目標:

Cloudflare APIv4に接続するためにbash CURLスクリプトを使用しています。目標は、Aレコードを更新することです。私のスクリプト:

   # Get current public IP
      current_ip=curl --silent ipecho.net/plain; echo

   # Update A record
      curl -X PUT "https://api.cloudflare.com/client/v4/zones/ZONEIDHERE/dns_records/DNSRECORDHERE" \
        -H "X-Auth-Email: EMAILHERE" \
        -H "X-Auth-Key: AUTHKEYHERE" \
        -H "Content-Type: application/json" \
        --data '{"id":"ZONEIDHERE","type":"A","name":"example.com","content":"'"${current_ip}"'","zone_name":"example.com"}'

問題:

スクリプトでcurrent_ip変数を呼び出すと、変数が出力されません。出力は"content" : ""ではなく"content" : "1.2.3.4"

私は other stackoverflow postを使用し、それらの例を追おうとしていますが、まだ何か間違っていると思いますが、何が原因なのかわかりません。 :(

5
scre_www

Charles Duffyの回答が示唆するように、これに jq を使用することは非常に良いアイデアです。ただし、jqをインストールできない場合やインストールしたくない場合は、プレーンなPOSIXシェルを使用してここで実行できます。

#!/bin/sh
set -e

current_ip="$(curl --silent --show-error --fail ipecho.net/plain)"
echo "IP: $current_ip"

# Update A record
curl -X PUT "https://api.cloudflare.com/client/v4/zones/ZONEIDHERE/dns_records/DNSRECORDHERE" \
    -H "X-Auth-Email: EMAILHERE" \
    -H "X-Auth-Key: AUTHKEYHERE" \
    -H "Content-Type: application/json" \
    --data @- <<END;
{
    "id": "ZONEIDHERE",
    "type": "A",
    "name": "example.com",
    "content": "$current_ip",
    "zone_name": "example.com"
}
END
6
nwk

シェルスクリプトからJSONを編集する信頼できる方法は、jqを使用することです。

# set Shell variables with your contents
email="yourEmail"
authKey="yourAuthKey"
zoneid="yourZoneId"
dnsrecord="yourDnsRecord"

# make sure we show errors; --silent without --show-error can mask problems.
current_ip=$(curl --fail -sS ipecho.net/plain) || exit

# optional: template w/ JSON content that won't change
json_template='{"type": "A", "name": "example.com"}'

# build JSON with content that *can* change with jq
json_data=$(jq --arg zoneid "$zoneid" \
               --arg current_ip "$current_ip" \
               '.id=$zoneid | .content=$current_ip' \
               <<<"$json_template")

# ...and submit
curl -X PUT "https://api.cloudflare.com/client/v4/zones/$zoneid/dns_records/$dnsrecord" \
  -H "X-Auth-Email: $email" \
  -H "X-Auth-Key: $authKey" \
  -H "Content-Type: application/json" \
  --data "$json_data"
6
Charles Duffy