本文内容由阿里云实名注册用户自发贡献,版权归原作者所有,阿里云开发者社区不拥有其著作权,亦不承担相应法律责任。具体规则请查看《
IF语句包含多个条件判断,根据结果为TRUE、FALSE执行语句,与编程语言中的if、else if、else语法类似,其语法格式如下:
-- 语法
if search_condition_1 then statement_list_1
[elseif search_condition_2 then statement_list_2] ...
[else statement_list_n]
end if
学生成绩等级存储过程
-- 输入学生的成绩,来判断成绩的级别:
score < 60 :不及格
score >= 60 , score <80 :及格
score >= 80 , score < 90 :良好
score >= 90 , score <= 100 :优秀
score > 100 :成绩错误
delimiter $$
create procedure proc_12_if(in score int)
begin
if score < 60
select '不及格';
elseif score < 80
then
select '及格' ;
elseif score >= 80 and score < 90
then
select '良好';
elseif score >= 90 and score <= 100
then
select '优秀';
else
select '成绩错误';
end if;
end $$
delimiter ;
call proc_12_if(120)
通过这个我们可以总结出这个流程,写流程控制语句的时候,首先注意存储语法的具体格式是什么,然后需要记住每一次的判断之后结束语句(if then ;)需要加分号,然后最后需要以end if结尾,也需要加分号。
-- 输入员工的名字,判断工资的情况。
delimiter $$
create procedure proc12_if(in in_ename varchar(50))
begin
declare result varchar(20);
declare var_sal decimal(7,2);
select sal into var_sal from emp where ename = in_ename;
if var_sal < 10000
then set result = '试用薪资';
elseif var_sal < 30000
then set result = '转正薪资';
else
set result = '元老薪资';
end if;
select result;
end$$
delimiter ;
call proc12_if('庞统');
这里输入了一个参数,利用这个参数在内部获取到它的薪水,然后把这个薪水赋给一个变量,所以此时就需要定义局部变量了,采用declare 然后into 语法,最后需要显示出级别,那么又不想要在里面写select,那么就直接设置变量了,这样就可以使得编程结构化,那么我们就需要重新定义一个变量,用于接收这个级别,每一次就是使用set设置,最后select 该变量就可以了。
其实这些存储过程到底可以实现什么功能,为什么要这样,在做软件或者系统开发的时候,肯定会有基于用户的输入和查询,那么将这些封装为一个存储过程,就可以保证结构和开发的高效有序。