先看下面一个简单示例:
?#!/bin/sh
msg=
"welcome to www groad net"
for
item
in
$msg
do
echo
"Item: $item"
done
运行输出:
# sh temp.sh Item: welcome Item: to Item: www Item: groad Item: net
上 面用一个 for 循环遍历了变量 msg 里的所有项。
msg 变量里存储的各个单词都是用空格分开的,而 for 能依次取出这些单词,正是依靠 IFS 这个变量作为分隔符。
如果将 msg 变量改为 CSV (comma separaed values 逗号分隔值)格式,那么按照默认的 IFS 值就无法解析出各个单词,如:
sh temp.sh Item: welcome,to,www,groad,net
这样,整个字符串就当成一个 item 被获取了。
此时如果仍然希望逐个获得各个单词,那么需要修改 IFS 变量的值,如:
#!/bin/sh
data=
"welcome,to,www,groad,net"
IFSBAK=$IFS
#备份原来的值
IFS=,
for
item
in
$data
do
echo
Item: $item
done
IFS=$IFSBAK
#还原
运行输出:
# sh tmp.sh Item: welcome Item: to Item: www Item: groad Item: net################# shell中字分隔的妙用:变量IFS
shell中字分隔的妙用:变量IFS shell把每个 $IFS 字符对待成一个分隔符,且基于这些字符把其他扩展的结果分割。
如果 IFS 未设置,或者它的值正好是 “‘’”,那么任何IFS 字符的序列就送往分割字。
自写一个简单的脚本:
#!/bin/bash
for i in `cat /etc/passwd`
do
echo $i
done
输出结果:
test33:x::::/home/test33:/bin/bash
test44:x::::/home/test44:/bin/bash
test55:x::::/home/test55:/bin/bash
test66:x::::/home/test66:/bin/bash 假如/etc/passwd中有第五列,即注释,恰恰注释中包含空格,如下:
test33:x::::/home/test33:/bin/bash
test44:x::::/home/test44:/bin/bash
test55:x::::/home/test55:/bin/bash
test66:x:::user test1:/home/test66:/bin/bash 执行的结果是什么呢,乱了:
test33:x::::/home/test33:/bin/bash
test44:x::::/home/test44:/bin/bash
test55:x::::/home/test55:/bin/bash
test66:x:::user
test1:/home/test66:/bin/bash 程序把注释中的空格看作字分隔符了。
为了解决这一问题,可用$IFS变量:
#!/bin/bash
IFS_old=$IFS #将原IFS值保存,以便用完后恢复
IFS=$’\n’ #更改IFS值为$’\n’ ,注意,以回车做为分隔符,IFS必须为:$’\n’
for i in `cat m.txt`
do
echo $i
done
IFS=$IFS_old #恢复原IFS值 再次运行,得到预期结果:
test33:x::::/home/test33:/bin/bash
test44:x::::/home/test44:/bin/bash
test55:x::::/home/test55:/bin/bash
test66:x:::user test1:/home/test66:/bin/bash
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)