我正在处理一个csv文件,以导入到JSON代码。
我想在"
的中间添加echo
并在循环中添加,
,最后以no分隔。
这是变量IMG。 (在此示例中,我有2个URL,但也许可以更多。)
img="https://example.com/img/p/8/1/1/811.jpg,https://example.com/img/p/8/0/8/808.jpg"
这是我的代码:
img=$(echo $img | tr -d '"')
echo " \"pictures\":[" >>"$output_filename"
for imgt in ${img//,/ }
do
echo " {\"source\":$imgt} " >>"$output_filename"
done
echo ']' >>"$output_filename"
echo '}' >>"$output_filename"
结果
"pictures":[
{"source":"https://quierotodo.com.ar/img/p/8/1/1/811.jpg}
{"source":https://quierotodo.com.ar/img/p/8/0/8/808.jpg"}
]}
预期结果
"pictures":[
{"source":"https://quierotodo.com.ar/img/p/8/1/1/811.jpg"},
{"source":"https://quierotodo.com.ar/img/p/8/0/8/808.jpg"}
]}
您能建议一些选择在代码中间添加,
而不是在最后吗?
答案 0 :(得分:1)
我稍微修改了您的脚本,然后:
#!/bin/bash
#
img="https://example.com/img/p/8/1/1/811.jpg,https://example.com/img/p/8/0/8/808.jpg"
# Remove the double quotes
img=$(echo $img | tr -d '"')
# Split on the comma, and create an array
IFS=',' read -ra images <<< "$img"
# Start the JSON
echo "\"pictures\":["
# loop through the images, and output the JSON
# keep track of the index of output items
counter=1
for image in "${images[@]}"
do
echo -n " {\"source\":\"$image\"}"
# Add a comma unless it is the last element in the array
if [ $counter -lt ${#images[@]} ]
then
echo ","
else
echo ""
fi
(( counter = counter + 1 ))
done
# Close the JSON
echo "]}"
我将$img
转换成一个数组。然后,我基于数组输出JSON。除非它是数组中的最后一项,否则我将在该项目旁边添加一个逗号。
输出为:
$ ./so.bash
"pictures":[
{"source":"https://example.com/img/p/8/1/1/811.jpg"},
{"source":"https://example.com/img/p/8/0/8/808.jpg"}
]}
您将必须对其进行修改以在某处添加开头{
。