1、xargs
xargs命令是将 前一个命令的标准输出作为后一个命令的命令行参数,xargs的默认命令是echo,默认定界符是空格和回车。
而管道是将 前一个命令的标准输出作为后一个命令的标准输入
echo例子
bash
# echo "apple banana orange" | xargs echo "I like"
I like apple banana orange
find例子
bash
# find . -name "*.txt" | xargs rm
find . -name "*.txt"
命令用于查找当前目录下的所有以".txt"为扩展名的文件,并将结果通过管道传递给了xargs
命令。xargs
命令将每个文件名作为参数传递给rm
命令,从而批量删除了这些文件。
-d自定义分隔符
bash
# echo '11@22@33' | xargs
'11@22@33'
# echo '11@22@33' | xargs -d @
'11 22 33'
-n指定参数数量
bash
# echo '11@22@33@44@55@66@77@88@99@00' | xargs -d '@' -n 3 echo
11 22 33
44 55 66
77 88 99
00
每次传递几个参数给其后面的命令执行,如果xargs从标准输入中读入内容,然后以分隔符分割之后生成的命令行参数有10个,使用 -n 3 表示一次传递给xargs后面的命令是3个参数,因为一共有10个参数,所以要执行4次,才能将参数用完。
-E指定结尾
bash
# echo '11 22 33' | xargs -E 33 echo
11 22
当xargs解析出多个命令行参数的时候,如果搜索到-e指定的命令行参数,则只会将-e指定的命令行参数之前的参数(不包括-e指定的这个参数)传递给xargs后面的命令。
注意:-d 和 -E不能同时使用。
-i多次接受输入,默认是{}作为占位符
bash
# ls logdir/ | xargs -i mv ./logdir/{} ./logdir/{}.bak
重命名时在每个传递过来的文件名加上后缀.bak
,这需要两个参数位。
将不同列作为不同的参数传入
input.txt内容
bash
1 2 3
4 5 6
7 8 9
script.sh脚本
bash
#!/bin/bash
echo "First column: $1"
echo "Second column: $2"
echo "Third column: $3"
运行shell脚本
bash
cat input.txt | awk '{print $0}' | xargs -n 3 ./script.sh
执行结果
bash
First column: 1
Second column: 2
Third column: 3
First column: 4
Second column: 5
Third column: 6
First column: 7
Second column: 8
Third column: 9