【Shell】mapfile -t 读取文件多行到数组 Prefer mapfile or read -a to split command output (or quote to avoid splitting).
从这篇文章学习而来————【Shell】mapfile -t 读取文件多行到数组
结合实践,谈谈自己的理解
需求
读取 word.txt
中的多行文本到数组中:
abandon
ability
aboard
absence
absent
可以用如下命令读取:
WORDS=($(cat word.txt | xargs))
### 输出数组长度
echo "${#WORDS[*]}"
但是使用 IDEA shell-format 时会报如下警告:
Prefer mapfile or read -a to split command output (or quote to avoid splitting).
See SC2207.
https://github.com/koalaman/shellcheck/wiki/SC2207
推荐修改
mapfile -t WORDS < <(cat word.txt)
或者
mapfile -t WORDS < word.txt
细节解析
mapfile命令参数
Options | Description |
---|---|
-d string |
指定读取数据时的行分隔符,默认是换行符 |
-t |
移除尾随行分隔符,默认是换行符 |
这个 -t
是很重要的,来看下面这个例子:
### 这是一个没加 -t 的不规范示例,仅做试验,请勿模仿
mapfile WORDS < <(cat word.txt)
echo "Case 1"
printf "%s %s %s\n" "${WORDS[0]}" "${WORDS[1]}" "${WORDS[2]}"
echo "Case 2"
printf "%s %s %s\n" ${WORDS[0]} ${WORDS[1]} ${WORDS[2]}
输出结果如下:
[root@hostname ~]# ./word.sh
Case 1
abandon
ability
aboard
Case 2
abandon ability aboard
[root@hostname ~]#
本例没有加上
-t
参数,因此WORDS
数组中的每个元素都是以\n
结尾的
加上双引号""
,特殊字符将含有特殊含义;例如\n
就表示换行符
因此,加上了双引号"${WORDS[0]}"
在 printf 格式化时,换行符是起作用的,如 Case 1 所示;
相反地,不加双引号的${WORDS[0]}
在 printf 格式化输出时,换行符被忽略了,如 Case 2 所示;
问题是,如果 shellcheck 检查 printf "%s %s %s\n" ${WORDS[0]} ${WORDS[1]} ${WORDS[2]}
中的三个变量时,会提示:
# 双引号可防止全局搜索和分词。
Double quote to prevent globbing and word splitting.
See SC2086.
因此,还是不要一错再错,老实加上 -t
吧!
关于 "< <"
应该说 < <
并不是一个单独的输入重定向符号,两个 <
至少有一个空格,它是两个符号的组合:
左边 <
代表左边接受从右边输入,右边 <(command)
代表右边shell(子shell)命令的输出,将输出输出到左边。
我们知道 cat word.txt
命令会打印以下内容到控制台:
abandon
ability
aboard
absence
absent
而 command < <(cat word.txt)
就相当于把上面这段控制台中打印出来的字符,输出给 command 命令。