目标
用shell命令删除目录下文件,但是排除某些特殊文件,第一时间无脑从谷歌获取。
rm `ls *.txt | grep -v test.txt`
或者
rm `ls *.txt | egrep -v test.txt`
或者
rm `ls *.txt | awk '{if($0 != "test.txt") print $0}'`
或者
rm `find . -name *.txt | grep -v test.txt`
丢到脚本执行发现,并没有删除,原来rm后面命令返回结果有问题,必须事当前目录才行,脚本脱离当前目录就懵逼。那想办法改吧。
拼接目录和文件
既然【ls *.txt | grep -v test.txt
】返回的的是文件名称,那拼上目录就完事了。
使用awk拼接目录和文件:
#!/bin/sh
datehour=${1}_${2}
txtpath=/data2/job_project/shell/${datehour}/${1}/
ls -l ${txtpath} | grep -v jewel_user_log${2}.txt | awk '{print txtpath "" $9}' txtpath=$txtpath | xargs rm
由于【ls -l 】返回的第一行【total 272】需过滤:
[work@ger-frankfurt-test-dk-001 shell]$ ls -l
total 272
-rwxrw-r-- 1 work work 2075 Dec 17 11:58 doee_boe_oss.sh
-rw-rw-r-- 1 work work 585 Dec 17 12:03 err.log
-rw-rw-r-- 1 work work 155902 Dec 17 12:05 info.log
-rwxrw-r-- 1 work work 218 Dec 17 11:37 inr.sh
-rwxrw-r-- 1 work work 381 Dec 17 08:53 loopfile.sh
过滤第一行统计信息:
ls -l ${txtpath} | awk '{if (NR>1){print $0}}' | grep -v jewel_user_log${2}.txt | awk '{print txtpath "" $9}' txtpath=$txtpath | xargs rm
总结awk引用外部变量的方法
awk内置了一些变量可以拼接,还有常量也可以拼接,此处不表,重点提及awk作用域外的变量引用,有一下三种方式:
- 第一、获得普通外部变量
txtpath=/data2/job_project/shell/
ls -l ${txtpath} | grep -v jewel_user_log${2}.txt | awk '{print txtpath "" $9}' txtpath=$txtpath
格式如:awk ‘{action}’ 变量名=变量值 ,这样传入变量,可以在action中获得值。 注意:变量名与值放到’{action}’后面。
这种变量在:BEGIN的action不能获得。
- 第二、BEGIN程序块中变量
txtpath=/data2/job_project/shell/
ls -l ${txtpath} | grep -v jewel_user_log${2}.txt | awk -v txtpath=$txtpath '{print txtpath "" $9}'
ls -l ${txtpath} | grep -v jewel_user_log${2}.txt | awk -v txtpath=$txtpath 'BEGIN{print txtpath "" $9}'
格式如:awk –v 变量名=变量值 [–v 变量2=值2 …] 'BEGIN{action}’ 注意:用-v 传入变量可以在3中类型的action 中都可以获得到,但顺序在 action前面。
- 第三、获得环境变量
> awk 'BEGIN{for (i in ENVIRON) {print i"="ENVIRON[i];}}'
AWKPATH=.:/usr/share/awk
SSH_ASKPASS=/usr/libexec/openssh/gnome-ssh-askpass
SELINUX_LEVEL_REQUESTED=
SELINUX_ROLE_REQUESTED=
LANG=en_US.UTF-8
只需要调用:awk内置变量 ENVIRON,就可以直接获得环境变量。它是一个字典数组。环境变量名 就是它的键值。
网友评论