在shell中解析JSON [重复]

a1o7rhls  于 2023-04-21  发布在  Shell
关注(0)|答案(2)|浏览(141)

此问题已在此处有答案

Parsing JSON with Unix tools(47回答)
4天前关闭。
如何在shell中进行字典结构?我的目标是生成随机单词。例如,脏鱼,好书,丑陋的钢琴或pesante pasta,giallo cane......其js代码如下所示

words ={

"italian" :
{
    "name" :
            [
             "gatto", 
             "cane", 
             "pasta", 
             "telefono", 
             "libro"
             ],

    "adjective" : 
            [
             "pesante", 
             "sottile", 
             "giallo", 
             "stretto",      
             ]
},
"english" :
{
    "name" : 
            [
             "fish", 
             "book",
             "guitar",
             "piano",
             ],     
    "adjective" :
            [
              "dirty",
              "good",
              "ugly",
              "great",   
             ]
}}

我想要这个

words[english][adjective][1]
>> good
ht4b089n

ht4b089n1#

shell本身不能存储复杂的数据结构,但与shell中的大多数情况一样,您可以使用外部工具,我在这里演示了6种不同的解决方案,都是在Unix* 类shell中:
首先,您的JSON已损坏,这是file.js中的有效版本:

{
   "italian" : {
      "name" : [
         "gatto",
         "cane",
         "pasta",
         "telefono",
         "libro"
      ],
      "adjective" : [
         "pesante",
         "sottile",
         "giallo",
         "stretto"
      ]
   },
   "english" : {
      "name" : [
         "fish",
         "book",
         "guitar",
         "piano"
      ],
      "adjective" : [
         "dirty",
         "good",
         "ugly",
         "great"
      ]
   }
}

使用jq

$ jq '.english.adjective[1]' file.js

输出:

good

使用jqRANDOM shell变量:

$ echo $(
    jq ".english.adjective[$((RANDOM%4))], .english.name[$((RANDOM%4))]" file.js
)
"great" "piano"

jq,参见tutorial

使用rhino

$ rhino<<EOF 2>/dev/null
hash = $(<file.js)
print(hash.english.adjective[1])
EOF

输出:

...
good

使用node.js

$ node<<EOF
hash = $(<file.js)
console.log(hash.english.adjective[1])
EOF

输出:

good

使用perl

让我们在perl命令行中解析DS:

$ perl -MJSON -0lnE '
    $words = decode_json $_;
    say $words->{english}->{adjective}->[1]
' file.js

输出:

good

使用python

$ python<<EOF
import json
json_data = open('file.js')
data = json.load(json_data)
json_data.close()
print(data['english']['adjective'][1])
EOF

输出:

good

使用ruby

$ ruby<<EOF
require 'json'
file = File.read('file.js')
data = JSON.parse(file)
print(data['english']['adjective'][1])
EOF

输出:

good
wswtfjt7

wswtfjt72#

使用纯bash 3.2+无依赖(如jq、python、grep等):

source <(curl -s -L -o- https://github.com/lirik90/bashJsonParser/raw/master/jsonParser.sh)
JSON=$(minifyJson "$JSON")
echo "Result is: $(parseJson "$JSON" english adjective 1)"

输出:

Result is: good

Try it

相关问题