Oracle对象之存储函数

存储函数

create or replace function 函数名(Name in type, Name out type, ...) return 数据类型 is

结果变量 数据类型;

begin

return(结果变量);

end[函数名];

存储过程和存储函数的区别

一般来讲,过程和函数的区别在于函数可以有一个返回值;而过程没有返回值。

但过程和函数都可以通过out指定一个或多个输出参数。我们可以利用out参数,在过程和函数中实现返回多个值。

一般来讲,有一个返回值的时候用存储函数,多个返回值用存储过程。

范例:使用存储函数来查询指定员工的年薪

create or replace function empincome(eno in emp.empno%type) return number is
 
  psal  emp.sal%type;
 
  pcomm emp.comm%type;
 
begin
 
  select t.sal into psal from emp t where t.empno = eno;
 
  return psal * 12 + nvl(pcomm, 0);
 
end;

使用存储过程来替换上面的例子

create or replace procedure empincomep(eno in emp.empno%type, income out number) is
 
  psal emp.sal%type;
 
  pcomm emp.comm%type;
 
begin
 
  select t.sal, t.comm into psal, pcomm from emp t where t.empno = eno;
 
  income := psal*12+nvl(pcomm,0);
 
end empincomep;

调用:

declare
 
  income number;
 
begin
 
  empincomep(7369, income);
 
  dbms_output.put_line(income);
 
end;

 

 

相关推荐