欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  网络运营

Shell中处理包含空格的文件名实例

程序员文章站 2023-11-22 10:19:34
今天在处理文件时遇到个问题,当文件名包含空格时,for循环就出问题了。 例如,我在当前文件夹下建立3个文件名包含空格的文件:复制代码 代码如下:keakons-macbo...

今天在处理文件时遇到个问题,当文件名包含空格时,for循环就出问题了。

例如,我在当前文件夹下建立3个文件名包含空格的文件:

复制代码 代码如下:
keakons-macbook-pro:test keakon$ touch "test 1"
keakons-macbook-pro:test keakon$ touch "test 2"
keakons-macbook-pro:test keakon$ touch "test 3"
keakons-macbook-pro:test keakon$ ls
test 1 test 2 test 3

然后for循环输出文件名:
复制代码 代码如下:
keakons-macbook-pro:test keakon$ for file in `ls`;
> do echo $file;
> done
test
1
test
2
test
3

可以看到,文件名被分开了。

复制操作也不行:

复制代码 代码如下:
keakons-macbook-pro:test keakon$ mkdir ../bak
keakons-macbook-pro:test keakon$ for file in `ls`; do cp "$file" ../bak; done
cp: bak is a directory (not copied).
cp: test: no such file or directory
cp: 1: no such file or directory
cp: test: no such file or directory
cp: 2: no such file or directory
cp: test: no such file or directory
cp: 3: no such file or directory

要解决这个问题,当然就要从单词分隔符着手。而bash中使用的是$ifs(internal field separator)这个变量,内容为" \n\t":

复制代码 代码如下:
keakons-macbook-pro:test keakon$ echo $ifs

keakons-macbook-pro:test keakon$ echo "$ifs" | od -t x1
0000000    20  09  0a  0a                                               
0000004
keakons-macbook-pro:test keakon$ echo "" | od -t x1
0000000    0a                                                           
0000001

然后把它改成"\n\b",记得修改前先保存一下:

复制代码 代码如下:
keakons-macbook-pro:test keakon$ saveifs=$ifs
keakons-macbook-pro:test keakon$ ifs=$(echo -en "\n\b")

现在再执行上述命令就正常了:

复制代码 代码如下:
keakons-macbook-pro:test keakon$ for file in `ls`; do echo $file; done
test 1
test 2
test 3
keakons-macbook-pro:test keakon$ for file in `ls`; do cp "$file" ../bak; done
keakons-macbook-pro:test keakon$ ls ../bak
test 1 test 2 test 3

最后,别忘了恢复$ifs:

复制代码 代码如下:
keakons-macbook-pro:test keakon$ ifs=$saveifs
keakons-macbook-pro:test keakon$ echo "$ifs" | od -t x1
0000000    20  09  0a  0a                                               
0000004
keakons-macbook-pro:test keakon$ ifs=$(echo -en " \n\t")
keakons-macbook-pro:test keakon$ echo "$ifs" | od -t x1
0000000    20  0a  09  0a                                               
0000004