在shell中我们经常要面临一个问题就是,怎么判断我交互式的前端,使用者输入的是否是数字呢?这里小编我也就会两种方法,所以今天就在这说一说
第一种:sed格式
首先:我们先(在命令行直接输出模拟一下,如果都正确再在shell脚本中进行书写。)直接echo输出一下
echo "111asd"
第一步:思想
然后我们就要想一下我们要说用sed判断,但是sed的最主要的功能是什么?替换!!!当然是替换,既然是替换那么我们能不能直接把echo输出的数字直接替换掉,然后看这个输出还剩下什么呢?如果我们剩下的空,那么我就基本可以确定我echo输出的就是空,如果我sed替换之后不是空,那么我是不是就是可以认为我echo输出的不是数字或不全是数字呢?
第二步:命令行测试:
[root@localhost shell]# echo "111asd" | sed ‘s#[0-9]##g‘ | cat -A
asd$
[root@localhost shell]# echo "111" | sed ‘s#[0-9]##g‘ | cat -A
$
第三步:进行shell测试
经过第二步我们很明显就能看出来这个想法是能够实现的。所以在shell中配合-z(zero)-n(no zero)是完全可以实现的,所以这个时候我们就可以进行脚本的编写测试了。
#!/bin/bash
##############################################################
# File Name: test.sh
# Version: V1.0
# Author: ls
# Created Time : 2017-02-24 06:25:13
# Description:
##############################################################
#交互式外部读取
read -p "pleace input: " a1
#if进行数字判断
if [ -z "$(echo $a1 | sed ‘s#[0-9]##g‘)" ]
then
#如果是数字输出yes给$?一个1的返回值并退出。
echo "yes"
exit 1
else
#如果不是数字输出no给$?一个1的返回值并退出。
echo "no"
[root@localhost shell]# sh test.sh 
pleace input: 1
yes
[root@localhost shell]# sh test.sh 
pleace input: q1
no
第二种方法:
这个方法比较“特”,因为必须在shell的3.0版本以上才能使用(shell --version,我用的centos6.8是4.8版本的shell)
这里我们要介绍shell中一个字符“=~”这个在shell中是字符匹配的意思下面不多说直接介绍用法
#!/bin/bash
##############################################################
# File Name: test.sh
# Version: V1.0
# Author: ls
# Created Time : 2017-02-24 06:25:13
# Description:
##############################################################
#交互式外部读取
read -p "input:" i
#if进行数字判断
if [[ $i =~ ^[0-9]*$ ]]
then
#如果是数字输出yes给$?一个1的返回值并退出。
echo "ok"
exit 1
else
#如果不是数字输出no给$?一个1的返回值并退出。
echo "no"
exit 1
fi
下面我们就来进行测试一下
[root@localhost shell]# sh shuzipanduan.sh 
input:1
ok
[root@localhost shell]# sh shuzipanduan.sh 
input:123dasd
no
本文出自 “我的学习” 博客,请务必保留此出处http://shuai12138.blog.51cto.com/10118203/1901055
原文:http://shuai12138.blog.51cto.com/10118203/1901055