将逗号分隔的字符串拆分为多个单词,以便我可以遍历每个单词

时间:2013-06-22 10:24:28

标签: bash split

我想在Bash中拆分一个用于for循环的字符串。例如,我有这个字符串

hello,my,name,is,mindia

我想把它分成单个单词,这样我就可以遍历每个单词。有人可以帮帮我吗?

4 个答案:

答案 0 :(得分:3)

非常简单的方法是使用单词拆分到数组:

s="hello,my,name,is,mindia"

将输入字段分隔符设置为:

IFS=,

然后将字符串拆分为数组:

a=( $s )

结果:

for word in "${a[@]}"; do echo "- [$word]"; done

答案 1 :(得分:2)

使用纯而不是split(或者您的意思是cut):

string="hello,my,name,is,mindia"
IFS=, read -r -a array <<< "$string"
# at this point your fields are in the array array
# you can loop through the fields like so:
for field in "${array[@]}"; do
    # do stuff with field field
done
# you can print the fields one per line like so
printf "%s\n" "${array[@]}"

买者。如果您正在尝试解析csv文件,它迟早会中断,例如,如果您有像

这样的行
field 1,"field 2 is a string, with a coma in it",field 3

好点。但是,与其他答案相比,有一个好处:如果你的字段有空格,这个方法仍然有效:

$ string="hello,this field has spaces in it,cool,it,works"
$ IFS=, read -r -a array <<< "$string"
$ printf "%s\n" "${array[@]}"
hello
this field has spaces in it
cool
it
works

另一个好处是IFS不是全局设定的;它仅为read命令设置:当您忘记全局设置IFS时,不会有任何意外的惊喜!

答案 2 :(得分:0)

您可以使用模式替换:

s="hello,my,name,is,mindia"
for i in ${s//,/ }
do
    echo $i
done

这是一个可以处理空白的版本:

while IFS= read -r -d ',' i; do
    printf "%s\n" "$i"
done <<<"${s:+$s,}"

答案 3 :(得分:0)

root$ s="hello,my,name,is,mindia"
root$ for i in $(echo "$s" | tr "," "\n"); do echo $i;done

hello
my
name
is
mindia

修正了空间问题:

s="a,b,c   ,d,f";
a="";
while [[ $s != $a ]] ; do 
    a="$(echo $s | cut -f1  -d",")";
    echo $a;
    s="$(echo $s | cut -f2- -d",")"; 
done

和输出:

a
b
c
d
f