从grep生成的列表中创建数组

时间:2016-12-28 15:05:14

标签: bash


我有一个存储在文件中的线程列表。我可以使用grep:

检索线程名称
$ grep "#" stack.out
"MSC service thread 1-8" #20 prio=5 os_prio=0 tid=0x00007f473c045800 nid=0x7f8 waiting on condition [0x00007f4795216000]
"MSC service thread 1-7" #19 prio=5 os_prio=0 tid=0x00007f4740001000 nid=0x7f7 waiting on condition [0x00007f479531b000]
"MSC service thread 1-6" #18 prio=5 os_prio=0 tid=0x00007f4738001000 nid=0x7f4 waiting on condition [0x00007f479541c000]
. . .

由于我需要操纵此列表的输出,我需要将这些行存储在数组中。 我发现了一些建议采用这种方法的例子:

$ export my_array=( $(grep "#" stack.out) )

但是,如果我浏览数组,我的早期grep不会得到相同的结果:

$ printf '%s\n' "${my_array[@]}"

"MSC
service
thread
1-8"
#20
prio=5
os_prio=0
tid=0x00007f473c045800
nid=0x7f8
waiting
on
condition
[0x00007f4795216000]
"MSC
service
thread
1-7"
#19
prio=5
os_prio=0
tid=0x00007f4740001000
nid=0x7f7
waiting
on
condition
[0x00007f479531b000]

似乎回车正在搞乱我的阵列分配。 任何帮助如何解决它? 谢谢!

2 个答案:

答案 0 :(得分:5)

这是一个反模式来填充数组!而且,export关键字很可能是错误的。请使用循环或mapfile代替:

循环:

my_array=()
while IFS= read -r line; do
    my_array+=( "$line" )
done < <(grep "#" stack.out)

mapfile(Bash≥4):

mapfile -t my_array < <(grep "#" stack.out)

答案 1 :(得分:4)

问题是grep的输出在创建数组之前在所有空格上被拆分,因此每个单词都成为数组中的一个单独元素。

使用mapfile代替创建数组:

mapfile -t my_array < <(grep "#" stack.out)