在MySQL中使用参数创建过程吗?

您可以使用IN和OUT创建参数。IN用于获取输入参数,而OUT用于输出。

语法如下

DELIMITER //
CREATE PROCEDURE yourProcedureName(IN yourParameterName dataType,OUT
   yourParameterName dataType
)
BEGIN
yourStatement1;
yourStatement2;
.
.
N
END;
//
DELIMITER ;

首先,我们将创建一个表。创建表的查询如下

mysql> create table SumOfAll
   -> (
   -> Amount int
   -> );

使用insert命令在表中插入一些记录。查询如下

mysql> insert into SumOfAll values(100);

mysql> insert into SumOfAll values(330);

mysql> insert into SumOfAll values(450);

mysql> insert into SumOfAll values(400);

使用select语句显示表中的所有记录。查询如下

mysql> select *from SumOfAll;

以下是输出

+--------+
| Amount |
+--------+
| 100    |
| 330    |
| 450    |
| 400    |
+--------+
4 rows in set (0.00 sec)

现在,我们将创建一个存储过程,该过程将检查表中是否存在该值。如果表中不存在给定值,则您将获得NULL值。

存储过程如下

mysql> DELIMITER //
mysql> create procedure sp_ChechValue(IN value1 int,OUT value2 int)
   -> begin
   -> set value2=(select Amount from SumOfAll where Amount=value1);
   -> end;
   -> //
mysql> delimiter ;

让我们用一些值调用存储过程,并将输出存储在会话变量中。

情况1:当该值不存在于表中时。

mysql> call sp_ChechValue(300,@isPresent);

现在,使用select语句检查变量@isPresent中的值。查询如下

mysql> select @isPresent;

以下是输出

+------------+
| @isPresent |
+------------+
| NULL       |
+------------+
1 row in set (0.00 sec)

情况2:存在该值时。

查询如下。让我们调用存储过程

mysql> call sp_ChechValue(330,@isPresent);

检查会话变量@isPresent的值。查询如下

mysql> select @isPresent;

以下是输出

+------------+
| @isPresent |
+------------+
| 330        |
+------------+
1 row in set (0.00 sec)