shell条件测试之test语句的用法

发布时间:2020-03-26编辑:脚本学堂
本文介绍下,在shell中进行条件测试时,test语句的各种用法的例子,有需要的朋友参考下。

linux shell编程中,可以用test语句检测系统上面某些文件的类型与权限等。

1,判断文件类型,如 test -e filename 表示存在
 

-e  该『档名』是否存在?(常用)
-f  该『档名』是否存在且为档案(file)?(常用)
-d  该『文件名』是否存在且为目录(directory)?(常用) -b  该『档名』是否存在且为一个 block device 装置?
-c  该『档名』是否存在且为一个 character device 装置?
-S  该『档名』是否存在且为一个 Socket 档案?
-p  该『档名』是否存在且为一个 FIFO (pipe) 档案?
-L  该『档名』是否存在且为一个连结档?

2,检测文件权限,如 test -r  filename 表示可读否 (但 root 权限常有例外)
 

-r  侦测该档名是否存在且具有『可读』的权限?
-w  侦测该档名是否存在且具有『可写』的权限?
-x  侦测该档名是否存在且具有『可执行』的权限?
-u  侦测该文件名是否存在且具有『SUID』的属性?
-g  侦测该文件名是否存在且具有『SGID』的属性?
-k  侦测该文件名是否存在且具有『Sticky bit』的属性?
-s  侦测该档名是否存在且为『非空白档案』?

3,两个文档之间的比较 test file1 -nt file2
 

-nt    (newer than)判断 file1 是否比 file2 新
-ot    (older than)判断 file1 是否比 file2 旧
-ef    判断 file1 和file2 是否为同一档案,可用在判断 hard link 的判定上。

4,两个整数之间的判定,例如 test n1 -eq n2
 

-eq  两数值相等 (equal)
-ne  两数值不等 (not equal)
-gt    n1 大于 n2 (greater than)
-lt    n1 小于 n2 (less than)
-ge  n1 大于等于 n2 (greater than or equal)
-le  n1 小于等于 n2 (less than or equal)

5,判定字符串的数据
 

test -z string      判定字符串是否为 0 ?若 string 为空字符串,则为 true
test -n string      判定字符串是否非为 0 ?若 string 为空字符串,则为 false。注: -n 亦可省略
test str1 = str2  判定 str1 是否等于 str2 ,若相等,则回传 true
test str1 != str2  判定 str1 是否不等于 str2 ,若相等,则回传 false

6,多重条件判定,例如: test -r  filename -a  -x  filename
 

-a  (and)两状况同时成立!例如 test -r  file -a -x file,则 file 同时具有 r 与x 权限时,才回传 true。
-o  (or)两状况任何一个成立!例如 test -r file -o -x file,则 file 具有 r 或者 x 权限时,就可回传 true。
!    反相状态, 如 test ! -x file ,当 file 不具有 x 时,回传 true。

例子:
# 1. 让使用者输入档名,并判断使用者是否真的有输入字符串?
 

复制代码 代码示例:
echo -e "Please input a filename, I will check the filename's type and
permission. nn"
read -p "Input a filename : " filename
test -z $filename && echo "You MUST input a filename." && exit 0

# 2. 判断档案是否存在?若不存在则显示讯息结束脚本
 

复制代码 代码示例:
test ! -e $filename && echo "The filename '$filename' DO NOT exist" &&
exit 0

# 3. 开始判断文件类型与属性
 

复制代码 代码示例:
test -f $filename && filetype="regulare file"
test -d $filename && filetype="directory"
test -r $filename && perm="readable"
test -w $filename && perm="$perm writable"
test -x $filename && perm="$perm executable"

# 4. 开始输出信息!
 

复制代码 代码示例:
echo "The filename: $filename is a $filetype"
echo "And the permissions are : $perm"