create [or replace] procedure 存储过程名 [(参数1 类型,参数2out 类型……)] as 变量名 类型; begin 程序代码体 end;
示例一:无参无返
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16
createor replace procedure p1 --or replace代表创建该存储过程时,若存储名存在,则替换原存储过程,重新创建 --无参数列表时,不需要写() as begin dbms_output.put_line('hello world'); end;
--执行存储过程方式1 set serveroutput on; begin p1(); end; --执行存储过程方式2 set serveroutput on; execute p1();
示例二:有参有返
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
createor replace procedure p2 (name in varchar2,age int,msg out varchar2) --参数列表中,声明变量类型时切记不能写大小,只写类型名即可,例如参数列表中的name变量的声明 --参数列表中,输入参数用in表示,输出参数用out表示,不写时默认为输入参数。 ------------输入参数不能携带值出去,输出参数不能携带值进来,当既想携带值进来,又想携带值出去,可以用in out as begin msg:='姓名'||name||',年龄'||age; --赋值时除了可以使用:=,还可以用into来实现 --上面子句等价于select '姓名'||name||',年龄'||age into msg from dual; end; --执行存储过程 set serveroutput on; declare msg varchar2(100); begin p2('张三',23,msg); dbms_output.put_line(msg); end;
示例三:参数列表中有in out参数
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
createor replace procedure p3 (msg inout varchar2) --当既想携带值进来,又想携带值出去,可以用in out as begin dbms_output.put_line(msg); --输出的为携带进来的值 msg:='我是从存储过程中携带出来的值'; end;
--执行存储过程 set serveroutput on; declare msg varchar2(100):='我是从携带进去的值'; begin p3(msg); dbms_output.put_line(msg); end;
示例四:存储过程中定义参数
1 2 3 4 5 6 7 8 9 10 11
createor replace procedure p4 as --存储过程中定义的参数列表 name varchar(50); begin name :='hello world'; dbms_output.put_line(name); end; ---执行存储过程 set serveroutput on; execute p4();