如何计算一行中的值数并将总计数存储到数组中



我有一个场景,我想逐行获取所有值的计数,并将其存储到动态数组中

文件中的数据:

"A","B","C","B"
"P","W","R","S"
"E","U","C","S"
"Y","F","C"

第一行为:4->值

第二行为:4->值

第三行为:4->值

第四行为:3->值

预期输出:存储到数组:array_list=(4,4,3(

写了一个脚本,但无法运行

array_list=()
while read -r line 
do 
var_comma_count=`echo "$line" | tr -cd , | wc -c`
array_list=+($( var_comma_count))
done < demo.txt

当我打印数组时,它应该给我所有的值:echo "{array_list[@]}"

注意:文件最后可能包含不应读取的空行

当我计数文件时,它给了我计数:5,它应该忽略最后一行,这是空的

当我使用awk时,它会给我正确的计数:awk '{print NF}' demo.txt -> 4

我知道使用while循环处理文件不是最佳实践,但任何更好的解决方案都将受到的赞赏

也许使用awk会更容易,将FS设置为逗号,并检查字段数是否大于0:

#!/bin/bash
array_list=($(awk -v FS=, 'NF>0 {print NF}' demo.txt))
echo "${array_list[@]}"

输出

4 4 4 3

awk命令解释道:

awk -v FS=, '    # Start awk, set the Field Separator (FS) to a comma
NF>0 {print NF}  # If the Number of Fields (NF) is greater than 0, print the NF
' demo.txt       # Close awk and set demo.txt as the input file

另一个选项可能是首先匹配整行的格式。如果匹配,则至少出现一次。

然后用逗号分隔这行。

array_list=($(awk '/^"[A-Z]"(,"[A-Z]")*$/{print(split($0,a,","));}' demo.txt))
echo "${array_list[@]}"

输出

4 4 4 3

awk命令解释道:

awk '/^"[A-Z]"(,"[A-Z]")*$/{   # Regex pattern for the whole line, match a single char A-Z between " and optionally repeat preceded by a comma
print(split($0,a,","));      # Split the whole line `$0` on a comma and print the number of parts
}
' demo.txt

相关内容

  • 没有找到相关文章

最新更新