如题,将某命令的输出结果赋值给一个变量 a
如果使用 echo $a 输出变量,则变量中的 换行都会被忽略掉,所有内容输出到一行
而使用 echo "$a" 可正常输出变量中的换行
当我们要将命令的输出保存到一个变量,再对每一行遍历进行某些操作时不能使用
for item in "$a";do
## do something
done
语法,这样取到的变量 item 不是$a 中的一行,而是以空格分隔的一个个字符串
这种情况可以使用以下语法解决
echo "$a" | while read i
do
done
测试代码:
#!/bin/bash
a=`ls -l`
echo '==================================== echo $a'
echo $a
echo "$a" | while read i
do
echo $i
# break
done
while循环位于管道中,这意味着在运行过程中,while循环实际是位于一个新的SHELL中的,while循环中的变量和文件开头定义的变量是两个不同的变量,所以while循环中所改变的值在while循环结束后无法保存下来。解决这个问题的方法就是不要使用管道。
对于文件的解决方法:
解决方案: 用重定向而不是管道,举例:
-(dearvoid@LinuxEden:Forum)-(~/tmp)-
[31048 0] ; cat file
1
2
3
4
5
-(dearvoid@LinuxEden:Forum)-(~/tmp)-
[31048 0] ; cat file.sh
#!/bin/bash
arr=()
i=0
while read line; do
arr[i++]=$line
done < file
echo ${#arr[@]}
-(dearvoid@LinuxEden:Forum)-(~/tmp)-
[31048 0] ; ./file.sh
5
shell 按行读取变量的值或者命令的输出
shell 中可以使用 while 按行读取一个文件,同时也可以使用 while 按行读取一个变量的值,或者一个命令的输出。方法有以下4种,分别是进程替换,管道,here document 和here string:
#! /bin/bash
var=$(cat urfile)
echo "Process Substitution"
while read line
do
echo "$line"
done < <(echo "$var")
echo "Pipe"
echo "$var" | while read line
do
echo "$line"
done
echo "Here Document"
while read line
do
echo "$line"
done <<!
$var
!
echo "Here String"
while read line
do
echo "$line"
done <<< "$var"
exit