0

我试图让这个 bash 脚本运行speedtest(speedtest-cli),然后通过 curl 将输出作为变量传递给 pushbullet。

#!/bin/bash
speed=$(speedtest --simple)
curl --header 'Access-Token: <-ACCESS-TOKEN->' \
     --header 'Content-Type: application/json' \
     --data-binary {"body":"'"$speed"'","title":"SpeedTest","type":"note"}' \
     --request POST \
     https://api.pushbullet.com/v2/pushes

其他命令使用此方法(例如)运行良好,但whoami只是得到如下错误:speedtestifconfig

{"error":{"code":"invalid_request","type":"invalid_request","message":"Failed to decode JSON body.","cat":"(=^‥^=)"},"error_code":"invalid_request"}
4

1 回答 1

1

你的引用是错误的:

speed=$(speedtest --simple)
curl --header 'Access-Token: o.4q87SC5INy6nMQZqVHJeymwRsvMXW74j' \
     --header 'Content-Type: application/json' \
     --data-binary "{\"body\":\"$speed\",\"title\":\"SpeedTest\",\"type\":\"note\"}" \
     --request POST \
     https://api.pushbullet.com/v2/pushes

从此处阅读文档可以简化引用:

speed=$(speedtest --simple)
curl --header 'Access-Token: o.4q87SC5INy6nMQZqVHJeymwRsvMXW74j' \
     --header 'Content-Type: application/json' \
     --data-binary @- \
     --request POST \
     https://api.pushbullet.com/v2/pushes <<EOF
{ "body": "$speed",
  "title": "SpeedTest",
  "type": "note"
}
EOF

但是,通常您不应该假设变量的内容是正确编码的 JSON 字符串,因此请使用类似于jq为您生成 JSON 的工具。

jq -n --arg data "$(speedtest --simple)" \
   '{body: $data, title: "SpeedTest", type: "note"}' | 
 curl --header 'Access-Token: o.4q87SC5INy6nMQZqVHJeymwRsvMXW74j' \
      --header 'Content-Type: application/json' \
      --data-binary @- \
      --request POST \
      https://api.pushbullet.com/v2/pushes

这可以很容易地重构:

post_data () {
  url=$1
  token=$2
  data=$3

  jq -n --arg d "$data" \
   '{body: $d, title: "SpeedTest", type: "note"}' | 
   curl --header "Access-Token: $token" \
        --header 'Content-Type: application/json' \
        --data-binary @- \
        --request POST \
        "$url"
}

post_data "https://api.pushbullet.com/v2/pushes" \
          "o.4q87SC5INy6nMQZqVHJeymwRsvMXW74j" \
          "$(speedtest ---simple)"
于 2016-12-14T19:22:37.650 回答