1、 统计文件的行数
wc -l ./nowcoder.txt | awk '{print $1}'
awk '{print NR}' ./nowcoder.txt | tail -n 1
awk 'END{print NR}' ./nowcoder.txt
grep -c "" ./nowcoder.txt
grep -n "" ./nowcoder.txt | awk -F ":" '{print $1 }' | tail -n 1
sed -n '$=' ./nowcoder.txt
awk常用的变量
$0 表示当前处理的整个一行
$1 是分割后的第一个字段,$n 每行第n个字段
-F 用来指定分隔符
NF 字段数量变量(Number Of Field,当前行的字段的个数,(当前行被分成了几列),字段数量)
NR 行号,当前处理的文本行的行号,会连续记录行号
awk
BEGIN 模式指定了处理文本之前需要执行的操作( 第一行)
END 模式指定了处理完所有行之后需要执行的操作
2、 打印文件的最后5行 和 5个字节
tail -n 5 nowcoder.txt [ 或者:tail -5 nowcoder.txt] : 输出文件的最后5行
tail -n +5 nowcoder.txt : 输出从第5行开始到文件结尾的内容;
tail -n -5 nowcoder.txt : 输出从倒数 第五行开始到文件结尾的内容;
tail -c 5 nowcoder.txt : 表示输出文件最后5个字节;
3、输出 0 到 500 中 7 的倍数
for item in { 0 .. 500 .. 7 }
do echo $item
done
seq 0 7 500
实现一:依次输出训练list中的内容 【list内容可以是数字也可以是串】
for item in 1 4 5 hello worlddo echo $item
done
运行结果:
1
4
6
hello
world实现二:依次输出一个范围内的值,如下为输出1到5的值
for item in { 1 .. 5 }
do echo $item
done
运行结果:
1
2
3
4
5 实现三: 设置输出的间隔值,如下为间隔2输出【也就是输出10以内的所有奇数】
for item in { 1 .. 10 .. 2 }
do echo $item
done
运行结果:
1
3
5
7
9 实现四: 输出当前目录下所有的文件和文件夹
for file in $( ls )
do echo $file
done for file in *
do echo $file
done
将输入的参数循环输出【这里使用@来获取参数列表】,脚本test.sh 内容如下:echo "input the world:"
for item in "$@ "
do echo $item
done
echo "total param : $# " 运行: sh test.sh hello world 【带了两个参数】
运行结果:
intput the world
hello
world
total param : 2 【备注】 $@ 获取参数列表内容; $# 获取输入参数的个数;
一、输出连续的数字seq 1 100 表示: 输出所有1到100之间的数字;二、输出固定间隔的数字seq 0 7 500 表示: 输出所有 0 到500内 7 个倍数;三、输出指定格式的数字 1 、【-s 用于使用指定的字符串分割数字】seq -s "+" 1 100 表示:输出1到100之间的数字,每个数字间由+号间隔;2 、【-f 使用print 样式的浮点格式输出,默认使用 %g 】seq -f "file%g" 1 10 表示:输出给是为: file1 到 file10 ; 如下:file1file2file3file4file5file6file7file8file9file10
4、输出第5行的内容
head -n 5 nowcoder.txt | tail -n 1
sed -n 5p
sed -n "5,5p" nowcoder.txt
awk -n "NR==5" ./nowcoder.txt
awk 'NR==5{print 0}' ./nowcoder.txt
5、打印空行的行号
grep -n '^$' $1 | sed 's/://'
sed -n '/^**$/= ' nowcoder.txt
sed -n '/^$/=' nowcoder.txt
awk '/^$/ {print NR}' nowcoder.txt
6、去掉空行
grep -v '^$'
awk '{if($0 != "") {print $0}}' ./nowcoder.txt
cat ./nowcoder.txt | awk NFsed '/^$/d' nowcoder.txt
7、打印字母数小于8的单词
awk -F" " '{for(i=1;i<=NF;i++){if(length($i) < 8){print $i}}}' nowcoder.txt
IFS = " "
words = ( $( cat nowcoder.txt) )
for word in ${words[ @] }
do [ ${# word} -lt 8 ] && echo $word
done < nowcoder.txt
exit 0
cat nowcoder.txt | sed 's/ /\n/g' | awk '{if(length($0)<8) print}' cat nowcoder.txt | awk 'BEGIN{RS=" "} {if(length($0)<8) print $0;}' cat nowcoder.txt | xargs -n 1 | awk '{if(length($0)<8) print;}' cat nowcoder.txt | sed 's/ /\n/g' | awk '/^.{1,7}$/'
8、统计所有进程占用内存百分比的和
awk -F" " '{sum+=$4} END{print sum}' nowcoder.txtawk 'BEGIN{sum=0}{sum+=$4}END{print sum}' ./nowcoder.txt