一、MySQL 存儲過程參數(in) MySQL 存儲過程 “in” 參數:跟 C 語言的函數參數的值傳遞類似, MySQL 存儲過程內部可能會修改此參數,但對 in 類型參數的修改,對調用者(caller)來說是不可見的(not visible)。
復制代碼 代碼如下:
drop procedure if exists pr_param_in; create procedure pr_param_in ( in id int -- in 類型的 MySQL 存儲過程參數 ) begin if (id is not null) then set id = id + 1; end if; select id as id_inner; end; set @id = 10; call pr_param_in(@id); select @id as id_out; mysql> call pr_param_in(@id);
二、MySQL 存儲過程參數(out) MySQL 存儲過程 “out” 參數:從存儲過程內部傳值給調用者。在存儲過程內部,該參數初始值為 null,無論調用者是否給存儲過程參數設置值。
復制代碼 代碼如下:
drop procedure if exists pr_param_out; create procedure pr_param_out ( out id int ) begin select id as id_inner_1; -- id 初始值為 null if (id is not null) then set id = id + 1; select id as id_inner_2; else select 1 into id; end if; select id as id_inner_3; end; set @id = 10; call pr_param_out(@id); select @id as id_out; mysql> set @id = 10; mysql> mysql> call pr_param_out(@id);
三、MySQL 存儲過程參數(inout) MySQL 存儲過程 inout 參數跟 out 類似,都可以從存儲過程內部傳值給調用者。不同的是:調用者還可以通過 inout 參數傳遞值給存儲過程。
復制代碼 代碼如下:
drop procedure if exists pr_param_inout; create procedure pr_param_inout ( inout id int ) begin select id as id_inner_1; -- id 值為調用者傳進來的值 if (id is not null) then set id = id + 1; select id as id_inner_2; else select 1 into id; end if; select id as id_inner_3; end; set @id = 10; call pr_param_inout(@id); select @id as id_out; mysql> set @id = 10; mysql> mysql> call pr_param_inout(@id);