if
介绍
if用于做条件判断,具体的语法结构为:
IF 条件1 THEN ..... ELSEIF 条件2 THEN -- 可选 ..... ELSE -- 可选 ..... END IF;
在if条件判断的结构中,ELSE IF 结构可以有多个,也可以没有。
ELSE结构可以有,也可以没有。
案例
根据定义的分数score变量,判定当前分数对应的分数等级。
- score >= 85分,等级为优秀。
- score >= 60分 且 score < 85分,等级为及格。
- score < 60分,等级为不及格。
create procedure p() begin declare score int default 58; declare result varchar(10); if score >= 85 then set result := '优秀'; elseif score >= 60 then set result := '及格'; else set result := '不及格'; end if; select result; end; call p();
上述的需求我们虽然已经实现了,但是也存在一些问题,比如:score 分数我们是在存储过程中定义死的,而且最终计算出来的分数等级,我们也仅仅是最终查询展示出来而已。
那么我们能不能,把score分数动态的传递进来,计算出来的分数等级是否可以作为返回值返回呢?(类似于实现一个函数的功能)
答案是肯定的,我们可以通过接下来所讲解的 参数 来解决上述的问题。
参数
介绍
参数的类型,主要分为以下三种:IN、OUT、INOUT。 具体的含义如下:
用法
CREATE PROCEDURE 存储过程名称 ([ IN/OUT/INOUT 参数名 参数类型 ]) BEGIN -- SQL语句 END ;
案例
案例一
根据传入参数score,判定当前分数对应的分数等级,并返回。
- score >= 85分,等级为优秀。
- score >= 60分 且 score < 85分,等级为及格。
- score < 60分,等级为不及格。
create procedure p(in score int, out result varchar(10)) begin if score >= 85 then set result := '优秀'; elseif score >= 60 then set result := '及格'; else set result := '不及格'; end if; end; -- 定义用户变量 @result来接收返回的数据, 用户变量可以不用声明 call p(18, @result); select @result;
案例二
将传入的200分制的分数,进行换算,换算成百分制,然后返回。
create procedure p(inout score double) begin set score := score * 0.5; end; set @score = 198; call p(@score); select @score;
case
介绍
case结构及作用,和我们之前的流程控制函数很类似。有两种语法格式:
语法一:
/* 含义: 当case_value的值为 when_value1时, 执行statement_list1,当值为 when_value2时, 执行statement_list2, 否则就执行 statement_list */ CASE case_value WHEN when_value1 THEN statement_list1 [ WHEN when_value2 THEN statement_list2] ... [ ELSE statement_list ] END CASE;
语法二:
/* 含义: 当条件search_condition1成立时,执行statement_list1, 当条件search_condition2成立时,执行statement_list2, 否则就执行 statement_list */ CASE WHEN search_condition1 THEN statement_list1 [WHEN search_condition2 THEN statement_list2] ... [ELSE statement_list] END CASE;
案例
根据传入的月份,判定月份所属的季节(要求采用case结构)。
- 1-3月份,为第一季度
- 4-6月份,为第二季度
- 7-9月份,为第三季度
- 10-12月份,为第四季度
create procedure p(in month int) begin declare result varchar(10); case when month >= 1 and month <= 3 then set result := '第一季度'; when month >= 4 and month <= 6 then set result := '第二季度'; when month >= 7 and month <= 9 then set result := '第三季度'; when month >= 10 and month <= 12 then set result := '第四季度'; else set result := '非法参数'; end case ; -- 字符串拼接函数 select concat('您输入的月份为: ',month, ', 所属的季度为: ',result); end; call p(16);
注意:如果判定条件有多个,多个条件之间,可以使用 and 或 or 进行连接。
END