CALL

Function

CALL calls defined functions or stored procedures.

Precautions

If the name of a user-defined function is the same as that of a system function, you need to specify a schema when invoking the user-defined function. Otherwise, the system preferentially invokes the system function.

Syntax

1
CALL [schema.] {func_name| procedure_name} ( param_expr );

Parameter Description

Examples

Create the func_add_sql function to compute the sum of two integers and return the result:

1
2
3
4
5
6
CREATE FUNCTION func_add_sql(num1 integer, num2 integer) RETURN integer
AS
BEGIN
RETURN num1 + num2;
END;
/

Transfer based on parameter values:

1
CALL func_add_sql(1, 3);

Transfer based on the naming flags:

1
2
CALL func_add_sql(num1 => 1,num2 => 3);
CALL func_add_sql(num2 := 2, num1 := 3);

Delete a function:

1
DROP FUNCTION func_add_sql;

Create a function with output parameters:

1
2
3
4
5
6
7
CREATE FUNCTION func_increment_sql(num1 IN integer, num2 IN integer, res OUT integer)
RETURN integer
AS
BEGIN
res := num1 + num2;
END;
/

Set output parameters to constants:

1
CALL func_increment_sql(1,2,1);

Set output parameters to variables:

1
2
3
4
5
6
7
DECLARE
res int;
BEGIN
func_increment_sql(1, 2, res);
dbms_output.put_line(res);
END;
/

Create overloaded functions:

1
2
3
4
5
6
7
8
9
create or replace procedure package_func_overload(col int, col2 out int) package
as
declare
    col_type text;
begin
     col := 122;
         dbms_output.put_line('two out parameters ' || col2);
end;
/
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
create or replace procedure package_func_overload(col int, col2 out varchar)
package
as
declare
    col_type text;
begin
     col2 := '122';
         dbms_output.put_line('two varchar parameters ' || col2);
end;
/

Call a function:

1
2
call package_func_overload(1, 'test'); 
call package_func_overload(1, 1); 

Delete a function:

1
DROP FUNCTION func_increment_sql;