Oracle® Database Advanced Application Developer's Guide 11g Release 2 (11.2) Part Number E25518-05 |
|
|
PDF · Mobi · ePub |
This chapter describes some procedural capabilities of Oracle Database for application development.
See Also:
Oracle Database PL/SQL Language Reference for more information about PL/SQL subprograms
Oracle Database PL/SQL Language Reference for more information about PL/SQL packages
Oracle Database Performance Tuning Guide for information about application tracing tools, which can help you find problems in PL/SQL code
PL/SQL is a modern, block-structured programming language. It provides several features that make developing powerful database applications very convenient. For example, PL/SQL provides procedural constructs, such as loops and conditional statements, that are not available in standard SQL.
You can directly enter SQL data manipulation language (DML) statements inside PL/SQL blocks, and you can use subprograms supplied by Oracle to perform data definition language (DDL) statements.
PL/SQL code runs on the server, so using PL/SQL lets you centralize significant parts of your database applications for increased maintainability and security. It also enables you to achieve a significant reduction of network overhead in client/server applications.
Note:
Some Oracle tools, such as Oracle Forms, contain a PL/SQL engine that lets you run PL/SQL locally.You can even use PL/SQL for some database applications instead of 3GL programs that use embedded SQL or Oracle Call Interface (OCI).
PL/SQL units include:
See Also:
Oracle Database PL/SQL Language Reference for syntax and examples of operations on PL/SQL packages
Oracle Database PL/SQL Packages and Types Reference for information about the PL/SQL packages that come with Oracle Database
"Dependencies Among Local and Remote Database Procedures" for information about dependencies among stored PL/SQL units
An anonymous block is a PL/SQL unit that has no name. An anonymous block consists of an optional declarative part, an executable part, and one or more optional exception handlers.
The declarative part declares PL/SQL variables, exceptions, and cursors. The executable part contains PL/SQL code and SQL statements, and can contain nested blocks.
Exception handlers contain code that is invoked when the exception is raised, either as a predefined PL/SQL exception (such as NO_DATA_FOUND
or ZERO_DIVIDE
) or as an exception that you define.
Anonymous blocks are usually used interactively from a tool, such as SQL*Plus, or in a precompiler, OCI, or SQL*Module application. They are usually used to invoke stored subprograms or to open cursor variables.
The anonymous block in Example 6-1 uses the DBMS_OUTPUT
package to print the names of all employees in the HR
.EMPLOYEES
table who are in department 20.
DECLARE last_name VARCHAR2(10); cursor c1 IS SELECT LAST_NAME FROM EMPLOYEES WHERE DEPARTMENT_ID = 20 ORDER BY LAST_NAME; BEGIN OPEN c1; LOOP FETCH c1 INTO last_name; EXIT WHEN c1%NOTFOUND; DBMS_OUTPUT.PUT_LINE(last_name); END LOOP; END; /
Result:
Fay Hartstein
Exceptions let you handle Oracle Database error conditions with PL/SQL program logic, enabling your application to prevent the server from issuing an error that can cause the client application to end. The anonymous block in Example 6-2 handles the predefined Oracle Database exception NO_DATA_FOUND
(which results in ORA-01403 if not handled).
Example 6-2 Anonymous Block with Exception Handler for Predefined Error
DECLARE Emp_number INTEGER := 9999 Emp_name VARCHAR2(10); BEGIN SELECT LAST_NAME INTO Emp_name FROM EMPLOYEES WHERE EMPLOYEE_ID = Emp_number; DBMS_OUTPUT.PUT_LINE('Employee name is ' || Emp_name); EXCEPTION WHEN NO_DATA_FOUND THEN DBMS_OUTPUT.PUT_LINE('No such employee: ' || Emp_number); END; /
Result:
No such employee: 9999
You can also define your own exceptions; that is, you can declare them in the declaration part of a block and define them in the exception part of the block, as in Example 6-3.
Example 6-3 Anonymous Block with Exception Handler for User-Defined Exception
DECLARE Emp_name VARCHAR2(10); Emp_number INTEGER; Empno_out_of_range EXCEPTION; BEGIN Emp_number := 10001; IF Emp_number > 9999 OR Emp_number < 1000 THEN RAISE Empno_out_of_range; ELSE SELECT LAST_NAME INTO Emp_name FROM EMPLOYEES WHERE EMPLOYEE_ID = Emp_number; DBMS_OUTPUT.PUT_LINE('Employee name is ' || Emp_name); END IF; EXCEPTION WHEN Empno_out_of_range THEN DBMS_OUTPUT.PUT_LINE('Employee number ' || Emp_number || ' is out of range.'); END; /
Result:
Employee number 10001 is out of range.
See Also:
Oracle Database PL/SQL Packages and Types Reference for complete information about the DBMS_OUTPUT
package
Oracle Database PL/SQL Language Reference and "Handling Runtime PL/SQL Errors"
A stored PL/SQL unit is a subprogram (procedure or function) or package that:
Has a name.
Can take parameters, and can return values.
Is stored in the data dictionary.
Can be invoked by many users.
If a subprogram belongs to a package, it is called a package subprogram; if not, it is called a standalone subprogram.
Because a subprogram is stored in the database, it must be named. This distinguishes it from other stored subprograms and makes it possible for applications to invoke it. Each publicly-visible subprogram in a schema must have a unique name, and the name must be a legal PL/SQL identifier.
Note:
If you plan to invoke a stored subprogram using a stub generated by SQL*Module, then the stored subprogram name must also be a legal identifier in the invoking host 3GL language, such as Ada or C.Stored subprograms can take parameters. In the procedure in Example 6-4, the department number is an input parameter that is used when the parameterized cursor c1
is opened.
Example 6-4 Stored Procedure with Parameters
CREATE OR REPLACE PROCEDURE get_emp_names ( dept_num IN NUMBER ) IS emp_name VARCHAR2(10); CURSOR c1 (dept_num NUMBER) IS SELECT LAST_NAME FROM EMPLOYEES WHERE DEPARTMENT_ID = dept_num; BEGIN OPEN c1(dept_num); LOOP FETCH c1 INTO emp_name; EXIT WHEN C1%NOTFOUND; DBMS_OUTPUT.PUT_LINE(emp_name); END LOOP; CLOSE c1; END; /
The formal parameters of a subprogram have three major attributes, described in Table 6-1.
Table 6-1 Attributes of Subprogram Parameters
Parameter Attribute | Description |
---|---|
Name |
This must be a legal PL/SQL identifier. |
Mode |
This indicates whether the parameter is an input-only parameter ( |
Data Type |
This is a standard PL/SQL data type. |
Parameter modes define the action of formal parameters. You can use the three parameter modes, IN
(the default), OUT
, and IN
OUT
, with any subprogram. Avoid using the OUT
and IN
OUT
modes with functions. Good programming practice dictates that a function returns a single value and does not change the values of variables that are not local to the subprogram.
See Also:
Oracle Database PL/SQL Language Reference for details about parameter modesThe data type of a formal parameter consists of one of these:
An unconstrained type name, such as NUMBER
or VARCHAR2
.
A type that is constrained using the %TYPE
or %ROWTYPE
attributes.
Note:
Numerically constrained types such asNUMBER
(2
) or VARCHAR2
(20
) are not allowed in a parameter list.Use the type attributes %TYPE
and %ROWTYPE
to constrain the parameter. For example, the procedure heading in Example 6-4 can be written as follows:
PROCEDURE get_emp_names(dept_num IN EMPLOYEES.DEPARTMENT_ID%TYPE)
This gives the dept_num
parameter the same data type as the DEPARTMENT_ID
column in the EMPLOYEES
table. The column and table must be available when a declaration using %TYPE
(or %ROWTYPE
) is elaborated.
Using %TYPE
is recommended, because if the type of the column in the table changes, it is not necessary to change the application code.
If the get_emp_names
procedure is part of a package, you can use previously-declared public (package) variables to constrain its parameter data types. For example:
dept_number NUMBER(2); ... PROCEDURE get_emp_names(dept_num IN dept_number%TYPE);
Use the %ROWTYPE
attribute to create a record that contains all the columns of the specified table. The procedure in Example 6-5 returns all the columns of the EMPLOYEES
table in a PL/SQL record for the given employee ID.
Example 6-5 %TYPE and %ROWTYPE Attributes
CREATE OR REPLACE PROCEDURE get_emp_rec ( emp_number IN EMPLOYEES.EMPLOYEE_ID%TYPE, emp_info OUT EMPLOYEES%ROWTYPE ) IS BEGIN SELECT * INTO emp_info FROM EMPLOYEES WHERE EMPLOYEE_ID = emp_number; END; /
Invoke procedure from PL/SQL block:
DECLARE
emp_row EMPLOYEES%ROWTYPE;
BEGIN
get_emp_rec(206, emp_row);
DBMS_OUTPUT.PUT('EMPLOYEE_ID: ' || emp_row.EMPLOYEE_ID);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('FIRST_NAME: ' || emp_row.FIRST_NAME);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('LAST_NAME: ' || emp_row.LAST_NAME);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('EMAIL: ' || emp_row.EMAIL);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('PHONE_NUMBER: ' || emp_row.PHONE_NUMBER);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('HIRE_DATE: ' || emp_row.HIRE_DATE);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('JOB_ID: ' || emp_row.JOB_ID);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('SALARY: ' || emp_row.SALARY);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('COMMISSION_PCT: ' || emp_row.COMMISSION_PCT);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('MANAGER_ID: ' || emp_row.MANAGER_ID);
DBMS_OUTPUT.NEW_LINE;
DBMS_OUTPUT.PUT('DEPARTMENT_ID: ' || emp_row.DEPARTMENT_ID);
DBMS_OUTPUT.NEW_LINE;
END;
/
Result:
EMPLOYEE_ID: 206 FIRST_NAME: William LAST_NAME: Gietz EMAIL: WGIETZ PHONE_NUMBER: 515.123.8181 HIRE_DATE: 07-JUN-02 JOB_ID: AC_ACCOUNT SALARY: 8300 COMMISSION_PCT: MANAGER_ID: 205 DEPARTMENT_ID: 110
Stored functions can return values that are declared using %ROWTYPE
. For example:
FUNCTION get_emp_rec (dept_num IN EMPLOYEES.DEPARTMENT_ID%TYPE) RETURN EMPLOYEES%ROWTYPE IS ...
You can pass PL/SQL composite variables (collections and records) as parameters to stored subprograms.
If the subprogram is remote, you must create a redundant loop-back DBLINK, so that when the remote subprogram compiles, the type checker that verifies the source uses the same definition of the user-defined composite variable type as the invoker uses.
Parameters can take initial values. Use either the assignment operator or the DEFAULT
keyword to give a parameter an initial value. For example, these are equivalent:
PROCEDURE Get_emp_names (Dept_num IN NUMBER := 20) IS ... PROCEDURE Get_emp_names (Dept_num IN NUMBER DEFAULT) IS ...
When a parameter takes an initial value, it can be omitted from the actual parameter list when you invoke the subprogram. When you do specify the parameter value on the invocation, it overrides the initial value.
Note:
Unlike in an anonymous PL/SQL block, you do not use the keywordDECLARE
before the declarations of variables, cursors, and exceptions in a stored subprogram. In fact, it is an error to use it.Use a text editor to write the subprogram. Then, using an interactive tool such as SQL*Plus, load the text file containing the procedure by entering:
@get_emp
This loads the procedure into the current schema from the get_emp
.sql
file (.sql
is the default file extension). The slash (/) after the code is not part of the code, it only activates the loading of the procedure.
Caution:
When developing a subprogram, it is usually preferable to use the statementCREATE
OR
REPLACE
PROCEDURE
or CREATE
OR
REPLACE
FUNCTION
. This statement replaces any previous version of that subprogram in the same schema with the newer version, but without warning.You can use either the keyword IS
or AS
after the subprogram parameter list.
See Also:
Oracle Database SQL Language Reference for the syntax of the CREATE
FUNCTION
statement
Oracle Database SQL Language Reference for the syntax of the CREATE
PROCEDURE
statement
To create a subprogram, a package specification, or a package body, you must meet these prerequisites:
You must have the CREATE
PROCEDURE
system privilege to create a subprogram or package in your schema, or the CREATE
ANY
PROCEDURE
system privilege to create a subprogram or package in another user's schema. In either case, the package body must be created in the same schema as the package.
Note:
To create without errors (to compile the subprogram or package successfully) requires these additional privileges:The owner of the subprogram or package must be explicitly granted the necessary object privileges for all objects referenced within the body of the code.
The owner cannot obtain required privileges through roles.
If the privileges of the owner of a subprogram or package change, then the subprogram must be reauthenticated before it is run. If a necessary privilege to a referenced object is revoked from the owner of the subprogram or package, then the subprogram cannot be run.
The EXECUTE
privilege on a subprogram gives a user the right to run a subprogram owned by another user. Privileged users run the subprogram under the security domain of the owner of the subprogram. Therefore, users need not be granted the privileges to the objects referenced by a subprogram. This allows for more disciplined and efficient security strategies with database applications and their users. Furthermore, all subprograms and packages are stored in the data dictionary (in the SYSTEM
tablespace). No quota controls the amount of space available to a user who creates subprograms and packages.
Note:
Package creation requires a sort. The user creating the package must be able to create a sort segment in the temporary tablespace with which the user is associated.To alter a subprogram, you must first drop it using the DROP
PROCEDURE
or DROP
FUNCTION
statement, then re-create it using the CREATE
PROCEDURE
or CREATE
FUNCTION
statement. Alternatively, use the CREATE
OR
REPLACE
PROCEDURE
or CREATE
OR
REPLACE
FUNCTION
statement, which first drops the subprogram if it exists, then re-creates it as specified.
Caution:
The subprogram is dropped without warning.A standalone subprogram, a standalone function, a package body, or an entire package can be dropped using the SQL statements DROP
PROCEDURE
, DROP
FUNCTION
, DROP
PACKAGE
BODY
, and DROP
PACKAGE
, respectively. A DROP
PACKAGE
statement drops both the specification and body of a package.
This statement drops the Old_sal_raise
procedure in your schema:
DROP PROCEDURE Old_sal_raise;
To drop a subprogram or package, the subprogram or package must be in your schema, or you must have the DROP
ANY
PROCEDURE
privilege. An individual subprogram within a package cannot be dropped; the containing package specification and body must be re-created without the subprograms to be dropped.
A PL/SQL subprogram running on an Oracle Database instance can invoke an external subprogram written in a third-generation language (3GL). The 3GL subprogram runs in a separate address space from that of the database.
See Also:
Chapter 14, "Developing Applications with Multiple Programming Languages," for information about external subprogramsUsing the PL/SQL function result cache can save significant space and time. Each time a result-cached PL/SQL function is invoked with different parameter values, those parameters and their result are stored in the cache. Subsequently, when the same function is invoked with the same parameter values, the result is retrieved from the cache, instead of being recomputed. Because the cache is stored in a shared global area (SGA), it is available to any session that runs your application.
If a database object that was used to compute a cached result is updated, the cached result becomes invalid and must be recomputed.
The best candidates for result-caching are functions that are invoked frequently but depend on information that changes infrequently or never.
For more information about the PL/SQL function result cache, see Oracle Database PL/SQL Language Reference.
A package is a collection of related program objects (for example, subprogram, variables, constants, cursors, and exceptions) stored as a unit in the database.
Using packages is an alternative to creating subprograms as standalone schema objects. Packages have many advantages over standalone subprograms. For example, they:
Let you organize your application development more efficiently.
Let you grant privileges more efficiently.
Let you modify package objects without recompiling dependent schema objects.
Enable Oracle Database to read multiple package objects into memory at once.
Can contain global variables and cursors that are available to all subprograms in the package.
Let you overload subprograms. Overloading a subprogram means creating multiple subprograms with the same name in the same package, each taking arguments of different number or data type.
See Also:
Oracle Database PL/SQL Language Reference for more information about subprogram name overloadingThe specification part of a package declares the public types, variables, constants, and subprograms that are visible outside the immediate scope of the package. The body of a package defines both the objects declared in the specification and private objects that are not visible to applications outside the package.
Example 6-6 creates a package that contains one stored function and two stored procedures, and then invokes a procedure.
Example 6-6 Creating PL/SQL Package and Invoking Package Subprogram
-- Sequence that package function needs: CREATE SEQUENCE emp_sequence START WITH 8000 INCREMENT BY 10; -- Package specification: CREATE or REPLACE PACKAGE employee_management IS FUNCTION hire_emp ( firstname VARCHAR2, lastname VARCHAR2, email VARCHAR2, phone VARCHAR2, hiredate DATE, job VARCHAR2, sal NUMBER, comm NUMBER, mgr NUMBER, deptno NUMBER ) RETURN NUMBER; PROCEDURE fire_emp( emp_id IN NUMBER ); PROCEDURE sal_raise ( emp_id IN NUMBER, sal_incr IN NUMBER ); END employee_management; / -- Package body: CREATE or REPLACE PACKAGE BODY employee_management IS FUNCTION hire_emp ( firstname VARCHAR2, lastname VARCHAR2, email VARCHAR2, phone VARCHAR2, hiredate DATE, job VARCHAR2, sal NUMBER, comm NUMBER, mgr NUMBER, deptno NUMBER ) RETURN NUMBER IS new_empno NUMBER(10); BEGIN new_empno := emp_sequence.NEXTVAL; INSERT INTO EMPLOYEES ( employee_id, first_name, last_name, email, phone_number, hire_date, job_id, salary, commission_pct, manager_id, department_id ) VALUES ( new_empno, firstname, lastname, email, phone, hiredate, job, sal, comm, mgr, deptno ); RETURN (new_empno); END hire_emp; PROCEDURE fire_emp ( emp_id IN NUMBER ) IS BEGIN DELETE FROM EMPLOYEES WHERE EMPLOYEE_ID = emp_id; IF SQL%NOTFOUND THEN raise_application_error( -20011, 'Invalid Employee Number: ' || TO_CHAR(Emp_id) ); END IF; END fire_emp; PROCEDURE sal_raise ( emp_id IN NUMBER, sal_incr IN NUMBER ) IS BEGIN UPDATE EMPLOYEES SET SALARY = SALARY + sal_incr WHERE EMPLOYEE_ID = emp_id; IF SQL%NOTFOUND THEN raise_application_error( -20011, 'Invalid Employee Number: ' || TO_CHAR(Emp_id) ); END IF; END sal_raise; END employee_management; /
Invoke package procedures:
DECLARE
empno NUMBER(6);
sal NUMBER(6);
temp NUMBER(6);
BEGIN
empno := employee_management.hire_emp(
'John',
'Doe',
'john.doe@company.com',
'555-0100',
'20-SEP-07',
'ST_CLERK',
2500,
0,
100,
20);
DBMS_OUTPUT.PUT_LINE('New employee ID is ' || TO_CHAR(empno));
END;
/
The size limit for PL/SQL stored database objects such as subprograms, triggers, and packages is the size of the Descriptive Intermediate Attributed Notation for Ada (DIANA) code in the shared pool in bytes. The Linux and UNIX limit on the size of the flattened DIANA/code size is 64K but the limit might be 32K on desktop platforms.
The most closely related number that a user can access is the PARSED_SIZE
in the static data dictionary view *_OBJECT_SIZE
. That gives the size of the DIANA in bytes as stored in the SYS.IDL_xxx$
tables. This is not the size in the shared pool. The size of the DIANA part of PL/SQL code (used during compilation) is significantly larger in the shared pool than it is in the system table.
Each part of a package is created with a different statement. Create the package specification using the CREATE
PACKAGE
statement. The CREATE
PACKAGE
statement declares public package objects.
To create a package body, use the CREATE
PACKAGE
BODY
statement. The CREATE
PACKAGE
BODY
statement defines the procedural code of the public subprograms declared in the package specification.
You can also define private, or local, package subprograms, and variables in a package body. These objects can only be accessed by other subprograms in the body of the same package. They are not visible to external users, regardless of the privileges they hold.
It is often more convenient to add the OR
REPLACE
clause in the CREATE
PACKAGE
or CREATE
PACKAGE
BODY
statements when you are first developing your application. The effect of this option is to drop the package or the package body without warning. The CREATE
statements are:
CREATE OR REPLACE PACKAGE Package_name AS ...
and
CREATE OR REPLACE PACKAGE BODY Package_name AS ...
The body of a package can contain:
Subprograms declared in the package specification.
Definitions of cursors declared in the package specification.
Local subprograms, not declared in the package specification.
Local variables.
Subprograms, cursors, and variables that are declared in the package specification are global. They can be invoked, or used, by external users that have EXECUTE
permission for the package or that have EXECUTE
ANY
PROCEDURE
privileges.
When you create the package body, ensure that each subprogram that you define in the body has the same parameters, by name, data type, and mode, as the declaration in the package specification. For functions in the package body, the parameters and the return type must agree in name and type.
The privileges required to create or drop a package specification or package body are the same as those required to create or drop a standalone subprogram. See "Creating Subprograms" and "Dropping Subprograms and Packages".
The names of a package and all public objects in the package must be unique within a given schema. The package specification and its body must have the same name. All package constructs must have unique names within the scope of the package, unless overloading of subprogram names is desired.
Each session that references a package object has its own instance of the corresponding package, including persistent state for any public and private variables, cursors, and constants. If any of the session's instantiated packages (specification or body) are invalidated, then all package instances in the session are invalidated and recompiled. Therefore, the session state is lost for all package instances in the session.
When a package in a given session is invalidated, the session receives ORA-04068 the first time it attempts to use any object of the invalid package instance. The second time a session makes such a package call, the package is reinstantiated for the session without error. However, if you handle this error in your application, be aware of the following:
For optimal performance, Oracle Database returns this error message only when the package state is discarded. When a subprogram in one package invokes a subprogram in another package, the session state is lost for both packages.
If a server session traps ORA-04068, then ORA-04068 is not raised for the client session. Therefore, when the client session attempts to use an object in the package, the package is not reinstantiated. To reinstantiate the package, the client session must either reconnect to the database or recompile the package.
In Example 6-7, the RAISE
statement raises the current exception, ORA-04068, which is the cause of the exception being handled, ORA-06508. ORA-04068 is not trapped.
PROCEDURE p IS
package_exception EXCEPTION;
PRAGMA EXCEPTION_INIT (package_exception, -6508);
BEGIN
...
EXCEPTION
WHEN package_exception THEN
RAISE;
END;
/
In Example 6-8, the RAISE
statement raises the exception ORA-20001 in response to ORA-06508, instead of the current exception, ORA-04068. ORA-04068 is trapped. When this happens, the ORA-04068 error is masked, which stops the package from being reinstantiated.
Example 6-8 Trapping ORA-04068
PROCEDURE p IS
package_exception EXCEPTION;
other_exception EXCEPTION;
PRAGMA EXCEPTION_INIT (package_exception, -6508);
PRAGMA EXCEPTION_INIT (other_exception, -20001);
BEGIN
...
EXCEPTION
WHEN package_exception THEN
...
RAISE other_exception;
END;
/
In most production environments, DDL operations that can cause invalidations are usually performed during inactive working hours; therefore, this situation might not be a problem for end-user applications. However, if package invalidations are common in your system during working hours, then you might want to code your applications to handle this error when package calls are made.
There are many packages provided with Oracle Database, either to extend the functionality of the database or to give PL/SQL access to SQL features. You can invoke these packages from your application.
See Also:
Oracle Database PL/SQL Packages and Types Reference for an overview of these Oracle Database packagesOracle Database uses two engines to run PL/SQL blocks and subprograms. The PL/SQL engine runs procedural statements, while the SQL engine runs SQL statements. During execution, every SQL statement causes a context switch between the two engines, resulting in performance overhead.
Performance can be improved substantially by minimizing the number of context switches required to run a particular block or subprogram. When a SQL statement runs inside a loop that uses collection elements as bind variables, the large number of context switches required by the block can cause poor performance. Collections include:
Varrays
Nested tables
Index-by tables
Host arrays
Binding is the assignment of values to PL/SQL variables in SQL statements. Bulk binding is binding an entire collection at once. Bulk binds pass the entire collection back and forth between the two engines in a single operation.
Typically, using bulk binds improves performance for SQL statements that affect four or more database rows. The more rows affected by a SQL statement, the greater the performance gain from bulk binds.
Note:
This section provides an overview of bulk binds to help you decide whether to use them in your PL/SQL applications. For detailed information about using bulk binds, including ways to handle exceptions that occur in the middle of a bulk bind operation, see Oracle Database PL/SQL Language Reference.Parallel DML statements are disabled with bulk binds.
Consider using bulk binds to improve the performance of:
A bulk bind, which uses the FORALL
keyword, can improve the performance of INSERT
, UPDATE
, or DELETE
statements that reference collection elements.
The PL/SQL block in Example 6-9 increases the salary for employees whose manager's ID number is 7902, 7698, or 7839, with and without bulk binds. Without bulk bind, PL/SQL sends a SQL statement to the SQL engine for each updated employee, leading to context switches that slow performance.
Example 6-9 DML Statements that Reference Collections
DECLARE TYPE numlist IS VARRAY (100) OF NUMBER; id NUMLIST := NUMLIST(7902, 7698, 7839); BEGIN -- Efficient method, using bulk bind: FORALL i IN id.FIRST..id.LAST UPDATE EMPLOYEES SET SALARY = 1.1 * SALARY WHERE MANAGER_ID = id(i); -- Slower method: FOR i IN id.FIRST..id.LAST LOOP UPDATE EMPLOYEES SET SALARY = 1.1 * SALARY WHERE MANAGER_ID = id(i); END LOOP; END; /
The BULK
COLLECT
INTO
clause can improve the performance of queries that reference collections. You can use BULK
COLLECT
INTO
with tables of scalar values, or tables of %TYPE
values.
The PL/SQL block in Example 6-10 queries multiple values into PL/SQL tables, with and without bulk binds. Without bulk bind, PL/SQL sends a SQL statement to the SQL engine for each selected employee, leading to context switches that slow performance.
Example 6-10 SELECT Statements that Reference Collections
DECLARE TYPE var_tab IS TABLE OF VARCHAR2(20) INDEX BY PLS_INTEGER; empno VAR_TAB; ename VAR_TAB; counter NUMBER; CURSOR c IS SELECT EMPLOYEE_ID, LAST_NAME FROM EMPLOYEES WHERE MANAGER_ID = 7698; BEGIN -- Efficient method, using bulk bind: SELECT EMPLOYEE_ID, LAST_NAME BULK COLLECT INTO empno, ename FROM EMPLOYEES WHERE MANAGER_ID = 7698; -- Slower method: counter := 1; FOR rec IN c LOOP empno(counter) := rec.EMPLOYEE_ID; ename(counter) := rec.LAST_NAME; counter := counter + 1; END LOOP; END; /
You can use the FORALL
keyword with the BULK
COLLECT
INTO
keywords to improve the performance of FOR
loops that reference collections and return DML.
The PL/SQL block in Example 6-11 updates the EMPLOYEES
table by computing bonuses for a collection of employees. Then it returns the bonuses in a column called bonus_list_inst
. The actions are performed with and without bulk binds. Without bulk bind, PL/SQL sends a SQL statement to the SQL engine for each updated employee, leading to context switches that slow performance.
Example 6-11 FOR Loops that Reference Collections and Return DML
DECLARE TYPE emp_list IS VARRAY(100) OF EMPLOYEES.EMPLOYEE_ID%TYPE; empids emp_list := emp_list(182, 187, 193, 200, 204, 206); TYPE bonus_list IS TABLE OF EMPLOYEES.SALARY%TYPE; bonus_list_inst bonus_list; BEGIN -- Efficient method, using bulk bind: FORALL i IN empids.FIRST..empids.LAST UPDATE EMPLOYEES SET SALARY = 0.1 * SALARY WHERE EMPLOYEE_ID = empids(i) RETURNING SALARY BULK COLLECT INTO bonus_list_inst; -- Slower method: FOR i IN empids.FIRST..empids.LAST LOOP UPDATE EMPLOYEES SET SALARY = 0.1 * SALARY WHERE EMPLOYEE_ID = empids(i) RETURNING SALARY INTO bonus_list_inst(i); END LOOP; END; /
A trigger is a special kind of PL/SQL anonymous block. You can define triggers to fire before or after SQL statements, either on a statement level or for each row that is affected. You can also define INSTEAD
OF
triggers or system triggers (triggers on DATABASE
and SCHEMA
).
See Also:
Oracle Database PL/SQL Language Reference for more information about triggersYou can speed up PL/SQL subprograms by compiling them into native code residing in shared libraries.
You can use native compilation with both the supplied packages and the subprograms you write yourself. Subprograms compiled this way work in all server environments, such as the shared server configuration (formerly known as multithreaded server) and Oracle Real Application Clusters (Oracle RAC).
This technique is most effective for computation-intensive subprograms that do not spend much time running SQL, because it can do little to speed up SQL statements invoked from these subprograms.
With Java, you can use the ncomp
tool to compile your own packages and classes.
See Also:
Oracle Database PL/SQL Language Reference for details on PL/SQL native compilation
Oracle Database Java Developer's Guide for details on Java native compilation
A cursor is a static object; a cursor variable is a pointer to a cursor. Because cursor variables are pointers, they can be passed and returned as parameters to subprograms. A cursor variable can also refer to different cursors in its lifetime.
Additional advantages of cursor variables include:
Encapsulation
Queries are centralized in the stored subprogram that opens the cursor variable.
Easy maintenance
If you must change the cursor, then you only make the change in the stored subprogram, not in each application.
Convenient security
The user of the application is the user name used when the application connects to the server. The user must have EXECUTE
permission on the stored subprogram that opens the cursor. But, the user need not have READ
permission on the tables used in the query. Use this capability to limit access to the columns in the table and access to other stored subprograms.
See Also:
Oracle Database PL/SQL Language Reference for more information about cursor variablesMemory is usually allocated for a cursor variable in the client application using the appropriate ALLOCATE
statement. In Pro*C, use the EXEC
SQL
ALLOCATE
cursor_name
statement. In OCI, use the Cursor Data Area.
You can also use cursor variables in applications that run entirely in a single server session. You can declare cursor variables in PL/SQL subprograms, open them, and use them as parameters for other PL/SQL subprograms.
This section has these examples of cursor variable usage in PL/SQL:
See Also:
For additional cursor variable examples that use programmatic interfaces:Example 6-12 creates a package that defines a PL/SQL cursor variable type and two procedures, and then invokes the procedures from a PL/SQL block. The first procedure opens a cursor variable using a bind variable in the WHERE
clause. The second procedure uses a cursor variable to fetch rows from the EMPLOYEES
table.
Example 6-12 Fetching Data with Cursor Variable
CREATE OR REPLACE PACKAGE emp_data AS TYPE emp_val_cv_type IS REF CURSOR RETURN EMPLOYEES%ROWTYPE; PROCEDURE open_emp_cv ( emp_cv IN OUT emp_val_cv_type, dept_number IN EMPLOYEES.DEPARTMENT_ID%TYPE ); PROCEDURE fetch_emp_data ( emp_cv IN emp_val_cv_type, emp_row OUT EMPLOYEES%ROWTYPE ); END emp_data; / CREATE OR REPLACE PACKAGE BODY emp_data AS PROCEDURE open_emp_cv ( emp_cv IN OUT emp_val_cv_type, dept_number IN EMPLOYEES.DEPARTMENT_ID%TYPE ) IS BEGIN OPEN emp_cv FOR SELECT * FROM EMPLOYEES WHERE DEPARTMENT_ID = dept_number ORDER BY last_name; END open_emp_cv; PROCEDURE fetch_emp_data ( emp_cv IN emp_val_cv_type, emp_row OUT EMPLOYEES%ROWTYPE ) IS BEGIN FETCH emp_cv INTO emp_row; END fetch_emp_data; END emp_data; /
Invoke package procedures:
DECLARE emp_curs emp_data.emp_val_cv_type; dept_number EMPLOYEES.DEPARTMENT_ID%TYPE; emp_row EMPLOYEES%ROWTYPE; BEGIN dept_number := 20; -- Open cursor, using variable: emp_data.open_emp_cv(emp_curs, dept_number); -- Fetch and display data: LOOP emp_data.fetch_emp_data(emp_curs, emp_row); EXIT WHEN emp_curs%NOTFOUND; DBMS_OUTPUT.PUT(emp_row.LAST_NAME || ' '); DBMS_OUTPUT.PUT_LINE(emp_row.SALARY); END LOOP; END; /
In Example 6-13, the procedure opens a cursor variable for either the EMPLOYEES
table or the DEPARTMENTS
table, depending on the value of the parameter discrim
. The anonymous block invokes the procedure to open the cursor variable for the EMPLOYEES
table, but fetches from the DEPARTMENTS
table, which raises the predefined exception ROWTYPE_MISMATCH
.
Example 6-13 Cursor Variable with Discriminator
CREATE OR REPLACE PACKAGE emp_dept_data AS TYPE cv_type IS REF CURSOR; PROCEDURE open_cv ( cv IN OUT cv_type, discrim IN POSITIVE ); END emp_dept_data; / CREATE OR REPLACE PACKAGE BODY emp_dept_data AS PROCEDURE open_cv ( cv IN OUT cv_type, discrim IN POSITIVE) IS BEGIN IF discrim = 1 THEN OPEN cv FOR SELECT * FROM EMPLOYEES ORDER BY employee_id; ELSIF discrim = 2 THEN OPEN cv FOR SELECT * FROM DEPARTMENTS ORDER BY department_id; END IF; END open_cv; END emp_dept_data; /
Invoke procedure open_cv
from anonymous block:
DECLARE emp_rec EMPLOYEES%ROWTYPE; dept_rec DEPARTMENTS%ROWTYPE; cv Emp_dept_data.CV_TYPE; BEGIN emp_dept_data.open_cv(cv, 1); -- Open cv for EMPLOYEES fetch. FETCH cv INTO dept_rec; -- Fetch from DEPARTMENTS. DBMS_OUTPUT.PUT(dept_rec.DEPARTMENT_ID); DBMS_OUTPUT.PUT_LINE(' ' || dept_rec.LOCATION_ID); EXCEPTION WHEN ROWTYPE_MISMATCH THEN BEGIN DBMS_OUTPUT.PUT_LINE ('Row type mismatch, fetching EMPLOYEES data ...'); FETCH cv INTO emp_rec; DBMS_OUTPUT.PUT(emp_rec.DEPARTMENT_ID); DBMS_OUTPUT.PUT_LINE(' ' || emp_rec.LAST_NAME); END; END; /
Result:
Row type mismatch, fetching EMPLOYEES data ...
90 King
To list compile-time errors, query the static data dictionary view *_ERRORS
. From these views, you can retrieve original source code. The error text associated with the compilation of a subprogram is updated when the subprogram is replaced, and it is deleted when the subprogram is dropped.
SQL*Plus issues a warning message for compile-time errors, but for more information about them, you must use the command SHOW
ERRORS
.
Note:
Before issuing theSHOW
ERRORS
statement, use the SET
LINESIZE
statement to get long lines on output. The value 132 is usually a good choice. For example:
SET LINESIZE 132
Example 6-14 has two compile-time errors: WHER
should be WHERE
, and END
should be followed by a semicolon. SHOW
ERRORS
shows the line, column, and description of each error.
Example 6-14 Compile-Time Errors
CREATE OR REPLACE PROCEDURE fire_emp ( emp_id NUMBER ) AS BEGIN DELETE FROM EMPLOYEES WHER EMPLOYEE_ID = Emp_id; END /
Result:
Warning: Procedure created with compilation errors.
Command:
SHOW ERRORS;
Result:
Errors for PROCEDURE FIRE_EMP: LINE/COL ERROR -------- ----------------------------------------------------------------- 5/3 PL/SQL: SQL Statement ignored 6/8 PL/SQL: ORA-00933: SQL command not properly ended 7/3 PLS-00103: Encountered the symbol "end-of-file" when expecting one of the following: ; <an identifier> <a double-quoted delimited-identifier> current delete exists prior <a single-quoted SQL string> The symbol ";" was substituted for "end-of-file" to continue.
See Also:
Oracle Database Reference for more information about the static data dictionary view *_SOURCE
SQL*Plus User's Guide and Reference for more information about the SHOW
ERRORS
statement
Oracle Database allows user-defined errors in PL/SQL code to be handled so that user-specified error numbers and messages are returned to the client application, which can handle the error.
User-specified error messages are returned using the RAISE_APPLICATION_ERROR
procedure. For example:
RAISE_APPLICATION_ERROR(error_number, 'text', keep_error_stack)
This procedure stops subprogram execution, rolls back any effects of the subprogram, and returns a user-specified error number and message (unless the error is trapped by an exception handler). error_number
must be in the range of -20000 to -20999.
Use error number -20000 as a generic number for messages where it is important to relay information to the user, but having a unique error number is not required. Text
must be a character expression, 2 KB or less (longer messages are ignored). To add the error to errors on the stack, set Keep_error_stack
to TRUE
; to replace the existing errors, set it to FALSE
(the default).
Note:
Some Oracle Database packages, such asDBMS_OUTPUT
, DBMS_DESCRIBE
, and DBMS_ALERT
, use application error numbers in the range -20000 to -20005. See the descriptions of these packages for more information.The RAISE_APPLICATION_ERROR
procedure is often used in exception handlers or in the logic of PL/SQL code. For example, this exception handler selects the string for the associated user-defined error message and invokes the RAISE_APPLICATION_ERROR
procedure:
... WHEN NO_DATA_FOUND THEN SELECT Error_string INTO Message FROM Error_table, V$NLS_PARAMETERS V WHERE Error_number = -20101 AND Lang = v.value AND v.parameter = "NLS_LANGUAGE"; Raise_application_error(-20101, Message); ...
User-defined exceptions are explicitly defined and raised within the PL/SQL block, to process errors specific to the application. When an exception is raised, the usual execution of the PL/SQL block stops, and an exception handler is invoked. Specific exception handlers can be written to handle any internal or user-defined exception.
Application code can check for a condition that requires special attention using an IF
statement. If there is an error condition, then two options are available:
Enter a RAISE
statement that names the appropriate exception. A RAISE
statement stops the execution of the subprogram, and control passes to an exception handler (if any).
Invoke the RAISE_APPLICATION_ERROR
procedure to return a user-specified error number and message.
You can also define an exception handler to handle user-specified error messages. For example, Figure 6-1 shows:
An exception and associated exception handler in a subprogram
A conditional statement that checks for an error (such as transferring funds not available) and enters a user-specified error number and message within a trigger
How user-specified error numbers are returned to the invoking environment (in this case, a subprogram), and how that application can define an exception that corresponds to the user-specified error number
Declare a user-defined exception in a subprogram or package body (private exceptions), or in the specification of a package (public exceptions). Define an exception handler in the body of a subprogram (standalone or package).
Figure 6-1 Exceptions and User-Defined Errors
In database PL/SQL units, an unhandled user-error condition or internal error condition that is not trapped by an appropriate exception handler causes the implicit rollback of the program unit. If the program unit includes a COMMIT
statement before the point at which the unhandled exception is observed, then the implicit rollback of the program unit can only be completed back to the previous COMMIT
.
Additionally, unhandled exceptions in database-stored PL/SQL units propagate back to client-side applications that invoke the containing program unit. In such an application, only the application program unit invocation is rolled back (not the entire application program unit), because it is submitted to the database as a SQL statement.
If unhandled exceptions in database PL/SQL units are propagated back to database applications, modify the database PL/SQL code to handle the exceptions. Your application can also trap for unhandled exceptions when invoking database program units and handle such errors appropriately.
You can use a trigger or a stored subprogram to create a distributed query. This distributed query is decomposed by the local Oracle Database instance into a corresponding number of remote queries, which are sent to the remote nodes for execution. The remote nodes run the queries and send the results back to the local node. The local node then performs any necessary post-processing and returns the results to the user or application.
If a portion of a distributed statement fails, possibly from a constraint violation, then Oracle Database returns ORA-02055. Subsequent statements, or subprogram invocations, return ORA-02067 until a rollback or a rollback to savepoint is entered.
Design your application to check for any returned error messages that indicates that a portion of the distributed update has failed. If you detect a failure, rollback the entire transaction (or rollback to a savepoint) before allowing the application to proceed.
When a subprogram is run locally or at a remote location, these types of exceptions can occur:
PL/SQL user-defined exceptions, which must be declared using the keyword EXCEPTION
PL/SQL predefined exceptions, such as NO_DATA_FOUND
SQL errors, such as ORA-00900
Application exceptions, which are generated using the RAISE_APPLICATION_ERROR
procedure.
When using local subprograms, all of these messages can be trapped by writing an exception handler, such as:
EXCEPTION WHEN ZERO_DIVIDE THEN /* Handle the exception */
The WHEN
clause requires an exception name. If the exception that is raised does not have a name, such as those generated with RAISE_APPLICATION_ERROR
, then one can be assigned using PRAGMA_EXCEPTION_INIT
. For example:
DECLARE ... Null_salary EXCEPTION; PRAGMA EXCEPTION_INIT(Null_salary, -20101); BEGIN ... RAISE_APPLICATION_ERROR(-20101, 'salary is missing'); ... EXCEPTION WHEN Null_salary THEN ...
When invoking a remote subprogram, exceptions are also handled by creating a local exception handler. The remote subprogram must return an error number to the local invoking subprogram, which then handles the exception, as shown in the previous example. Because PL/SQL user-defined exceptions always return ORA-06510 to the local subprogram, these exceptions cannot be handled. All other remote exceptions can be handled in the same manner as local exceptions.
Compiling a stored subprogram involves fixing any syntax errors in the code. You might need to do additional debugging to ensure that the subprogram works correctly, performs well, and recovers from errors. Such debugging might involve:
Adding extra output statements to verify execution progress and check data values at certain points within the subprogram.
Running a separate debugger to analyze execution in greater detail.
PL/Scope is a compiler-driven tool that collects and organizes data about user-defined identifiers from PL/SQL source code. Because PL/Scope is a compiler-driven tool, you use it through interactive development environments (such as SQL Developer and JDeveloper), rather than directly.
PL/Scope enables the development of powerful and effective PL/Scope source code browsers that increase PL/SQL developer productivity by minimizing time spent browsing and understanding source code.
For more information about PL/Scope, see Chapter 7, "Using PL/Scope."
The PL/SQL hierarchical profiler reports the dynamic execution profile of your PL/SQL program, organized by subprogram calls. It accounts for SQL and PL/SQL execution times separately. Each subprogram-level summary in the dynamic execution profile includes information such as number of calls to the subprogram, time spent in the subprogram itself, time spent in the subprogram's subtree (that is, in its descendent subprograms), and detailed parent-children information.
You can browse the generated HTML reports in any browser. The browser's navigational capabilities, combined with well chosen links, provide a powerful way to analyze performance of large applications, improve application performance, and lower development costs.
For a detailed description of PL/SQL hierarchical profiler, see Chapter 8, "Using the PL/SQL Hierarchical Profiler."
Recent releases of Oracle JDeveloper have extensive features for debugging PL/SQL, Java, and multi-language programs. You can get Oracle JDeveloper as part of various Oracle product suites. Often, a more recent release is available as a download at:
http://www.oracle.com/technetwork/developer-tools/jdev/downloads/index.html
You can also debug stored subprograms and triggers using the Oracle package DBMS_OUTPUT
. Put PUT
and PUT_LINE
statements in your code to output the value of variables and expressions to your terminal.
Starting with Oracle Database 10g, a new privilege model applies to debugging PL/SQL and Java code running within the database. This model applies whether you are using Oracle JDeveloper, Oracle Developer, or any of the various third-party PL/SQL or Java development environments, and it affects both the DBMS_DEBUG
and DBMS_DEBUG_JDWP
APIs.
For a session to connect to a debugger, the effective user at the time of the connect operation must have the DEBUG
CONNECT
SESSION
system privilege. This effective user might be the owner of a DR subprogram involved in making the connect call.
When a debugger becomes connected to a session, the session login user and the enabled session-level roles are fixed as the privilege environment for that debugging connection. Any DEBUG
or EXECUTE
privileges needed for debugging must be granted to that combination of user and roles.
To be able to display and change Java public variables or variables declared in a PL/SQL package specification, the debugging connection must be granted either EXECUTE
or DEBUG
privilege on the relevant code.
To be able to either display and change private variables or breakpoint and run code lines step by step, the debugging connection must be granted DEBUG
privilege on the relevant code
Caution:
TheDEBUG
privilege allows a debugging session to do anything that the subprogram being debugged could have done if that action had been included in its code.In addition to these privilege requirements, the ability to stop on individual code lines and debugger access to variables are allowed only in code compiled with debug information generated. Use the PL/SQL compilation parameter PLSQL_DEBUG
and the DEBUG
keyword on statements such as ALTER
PACKAGE
to control whether the PL/SQL compiler includes debug information in its results. If not, variables are not accessible, and neither stepping nor breakpoints stop on code lines. The PL/SQL compiler never generates debug information for code hidden with the PL/SQL wrap
utility.
The DEBUG
ANY
PROCEDURE
system privilege is equivalent to the DEBUG
privilege granted on all objects in the database. Objects owned by SYS
are included if the value of the O7_DICTIONARY_ACCESSIBILITY
parameter is TRUE
.
A debug role mechanism is available to carry privileges needed for debugging that are not normally enabled in the session. See the documentation on the DBMS_DEBUG
and DBMS_DEBUG_JDWP
packages for details on how to specify a debug role and any necessary related password.
The JAVADEBUGPRIV
role carries the DEBUG
CONNECT
SESSION
and DEBUG
ANY
PROCEDURE
privileges. Grant it only with the care those privileges warrant.
Caution:
GrantingDEBUG
ANY
PROCEDURE
privilege, or granting DEBUG
privilege on any object owned by SYS
, means granting complete rights to the database.If you are writing code for part of a debugger, you might need to use packages such as DBMS_DEBUG_JDWP
or DBMS_DEBUG
.
The DBMS_DEBUG_JDWP
package, provided starting with Oracle Database 9g Release 2, provides a framework for multi-language debugging that is expected to supersede the DBMS_DEBUG
package over time. It is especially useful for programs that combine PL/SQL and Java.
The DBMS_DEBUG
package, provided starting with Oracle8i, implements server-side debuggers and provides a way to debug server-side PL/SQL units. Several of the debuggers available, such as Oracle Procedure Builder and various third-party vendor solutions, use this API.
See Also:
Oracle Procedure Builder Developer's Guide
Oracle Database PL/SQL Packages and Types Reference for more information about the DBMS_DEBUG
package and associated privileges
Oracle Database PL/SQL Packages and Types Reference for more information about the DBMS_OUTPUT
package and associated privileges
The Oracle JDeveloper documentation for information about using package DBMS_DEBUG_JDWP
Oracle Database SQL Language Reference for more details on privileges
http://www.oracle.com/technetwork/database/features/plsql/index.html
Stored PL/SQL subprograms can be invoked from many different environments. For example:
Interactively, using an Oracle Database tool
From the body of another subprogram
From within an application (such as a SQL*Forms or a precompiler)
From the body of a trigger
Stored PL/SQL functions (but not procedures) can also be invoked from within SQL statements. For details, see "Invoking Stored PL/SQL Functions from SQL Statements".
See Also:
Oracle Database PL/SQL Language Reference for information about coding the body of a trigger
You do not need privileges to invoke:
Standalone subprograms that you own
Subprograms in packages that you own
Public standalone subprograms
Subprograms in public packages
To invoke a standalone or package subprogram owned by another user:
You must have the EXECUTE
privilege for the standalone subprogram or for the package containing the subprogram, or you must have the EXECUTE
ANY
PROCEDURE
system privilege.
When running a remote subprogram, you must be granted the EXECUTE
privilege or EXECUTE
ANY
PROCEDURE
system privilege directly, not through a role.
You must include the name of the owner in the invocation. For example:
EXECUTE jdoe.Fire_emp (1043); EXECUTE jdoe.Hire_fire.Fire_emp (1043);
If the subprogram is a definer's-rights (DR) subprogram, then it runs with the privileges of the owner. The owner must have all the necessary object privileges for any referenced objects.
If the subprogram is an invoker's-rights (IR) subprogram, then it runs with your privileges. You must have all the necessary object privileges for any referenced objects; that is, all objects accessed by the subprogram through external references that are resolved in your schema. You can hold these privileges either directly or through a role. Roles are enabled unless an IR subprogram is invoked directly or indirectly by a DR subprogram.
You can invoke a subprogram interactively from an Oracle Database tool, such as SQL*Plus. Example 6-15 uses SQL*Plus to create a procedure and then invokes it in two different ways.
Example 6-15 Invoking a Subprogram Interactively with SQL*Plus
CREATE OR REPLACE PROCEDURE salary_raise ( employee EMPLOYEES.EMPLOYEE_ID%TYPE, increase EMPLOYEES.SALARY%TYPE ) IS BEGIN UPDATE EMPLOYEES SET SALARY = SALARY + increase WHERE EMPLOYEE_ID = employee; END; /
Invoke procedure from within PL/SQL block:
BEGIN
salary_raise(205, 200);
END;
/
Result:
PL/SQL procedure successfully completed.
Invoke procedure with EXECUTE
statement:
EXECUTE salary_raise(205, 200);
Result:
PL/SQL procedure successfully completed.
Some interactive tools allow you to create session variables, which you can use for the duration of the session. Using SQL*Plus, Example 6-16 creates, uses, and prints a session variable.
Example 6-16 Creating and Using a Session Variable with SQL*Plus
-- Create function for later use: CREATE OR REPLACE FUNCTION get_job_id ( emp_id EMPLOYEES.EMPLOYEE_ID%TYPE ) RETURN EMPLOYEES.JOB_ID%TYPE IS job_id EMPLOYEES.JOB_ID%TYPE; BEGIN SELECT JOB_ID INTO job_id FROM EMPLOYEES WHERE EMPLOYEE_ID = emp_id; RETURN job_id; END; / -- Create session variable: VARIABLE job VARCHAR2(10); -- Run function and store returned value in session variable: EXECUTE :job := get_job_id(204); PL/SQL procedure successfully completed.
SQL*Plus command:
PRINT job;
Result:
JOB -------------------------------- PR_REP
See Also:
SQL*Plus User's Guide and Reference for information about the EXECUTE
command
Your tools documentation for information about performing similar operations using your development tool
A subprogram or a trigger can invoke another stored subprogram. In Example 6-17, the procedure print_mgr_name
invokes the procedure print_emp_name
.
Recursive subprogram invocations are allowed (that is, a subprogram can invoke itself).
Example 6-17 Invoking a Subprogram from Within Another Subprogram
-- Create procedure that takes employee's ID and prints employee's name: CREATE OR REPLACE PROCEDURE print_emp_name ( emp_id EMPLOYEES.EMPLOYEE_ID%TYPE ) IS fname EMPLOYEES.FIRST_NAME%TYPE; lname EMPLOYEES.LAST_NAME%TYPE; BEGIN SELECT FIRST_NAME, LAST_NAME INTO fname, lname FROM EMPLOYEES WHERE EMPLOYEE_ID = emp_id; DBMS_OUTPUT.PUT_LINE ( 'Employee #' || emp_id || ': ' || fname || ' ' || lname ); END; / -- Create procedure that takes employee's ID and prints manager's name: CREATE OR REPLACE PROCEDURE print_mgr_name ( emp_id EMPLOYEES.EMPLOYEE_ID%TYPE ) IS mgr_id EMPLOYEES.MANAGER_ID%TYPE; BEGIN SELECT MANAGER_ID INTO mgr_id FROM EMPLOYEES WHERE EMPLOYEE_ID = emp_id; DBMS_OUTPUT.PUT_LINE ( 'Manager of employee #' || emp_id || ' is: ' ); print_emp_name(mgr_id); END; /
Invoke procedures:
BEGIN print_emp_name(200); print_mgr_name(200); END; /
Result:
Employee #200: Jennifer Whalen Manager of employee #200 is: Employee #101: Neena Kochhar
A 3GL database application, such as a precompiler or an OCI application, can invoke a subprogram from within its own code.
Assume that the procedure Fire_emp1
was created as follows:
CREATE OR REPLACE PROCEDURE fire_emp1 (Emp_id NUMBER) AS BEGIN DELETE FROM Emp_tab WHERE Empno = Emp_id; END;
To run a subprogram within the code of a precompiler application, you must use the EXEC
call interface. For example, this statement invokes the Fire_emp
procedure in the code of a precompiler application:
EXEC SQL EXECUTE BEGIN Fire_emp1(:Empnum); END; END-EXEC;
See Also:
Oracle Call Interface Programmer's Guide for information about invoking PL/SQL subprograms from within 3GL applicationsRemote subprograms (standalone and package) can be invoked from within a subprogram, OCI application, or precompiler by specifying the remote subprogram name, a database link, and the parameters for the remote subprogram.
For example, this SQL*Plus statement invokes the procedure fire_emp1
, which is located in the database and referenced by the local database link named boston_server
:
EXECUTE fire_emp1@boston_server(1043);
You must specify values for all remote subprogram parameters, even if there are defaults. You cannot access remote package variables and constants.
Caution:
Remote subprogram invocations use runtime binding. The user account to which you connect depends on the database link. (Stored subprograms use compile-time binding.)
If a local subprogram invokes a remote subprogram, and a time stamp mismatch is found during execution of the local subprogram, then the remote subprogram is not run, and the local subprogram is invalidated.
See Also:
"Handling Errors in Remote Subprograms" for information about exception handling when invoking remote subprogramsYou can create a synonym for a remote subprogram name and database link, and then use the synonym to invoke the subprogram. For example:
CREATE SYNONYM synonym1 for fire_emp1@boston_server; EXECUTE synonym1(1043); /
The synonym enables you to invoke the remote subprogram from an Oracle Database tool application, such as a SQL*Forms application, as well from within a subprogram, OCI application, or precompiler.
Synonyms provide both data independence and location transparency. Synonyms permit applications to function without modification regardless of which user owns the object and regardless of which database holds the object. However, synonyms are not a substitute for privileges on database objects. Appropriate privileges must be granted to a user before the user can use the synonym.
Because subprograms defined within a package are not individual objects (the package is the object), synonyms cannot be created for individual subprograms within a package.
If you do not want to use a synonym, you can create a local subprogram to invoke the remote subprogram. For example:
CREATE OR REPLACE PROCEDURE local_procedure (arg IN NUMBER) AS BEGIN fire_emp1@boston_server(arg); END; / DECLARE arg NUMBER; BEGIN local_procedure(arg); END; /
See Also:
Oracle Database Concepts for general information about synonyms
Oracle Database SQL Language Reference for information about the CREATE
SYNONYM
statement
All invocations to remotely stored subprograms are assumed to perform updates; therefore, this type of referencing always requires two-phase commit of that transaction (even if the remote subprogram is read-only). Furthermore, if a transaction that includes a remote subprogram invocation is rolled back, then the work done by the remote subprogram is also rolled back.
A subprogram invoked remotely can usually run a COMMIT
, ROLLBACK
, or SAVEPOINT
statement, the same as a local subprogram. However, there are some differences in action:
If the transaction was originated by a database that is not an Oracle database, as might be the case in XA applications, these operations are not allowed in the remote subprogram.
After doing one of these operations, the remote subprogram cannot start any distributed transactions of its own.
If the remote subprogram does not commit or roll back its work, the commit is done implicitly when the database link is closed. In the meantime, further invocations to the remote subprogram are not allowed because it is still considered to be performing a transaction.
A distributed transaction modifies data on two or more databases. A distributed transaction is possible using a subprogram that includes two or more remote updates that access data on different databases. Statements in the construct are sent to the remote databases, and the execution of the construct succeeds or fails as a unit. If part of a distributed update fails and part succeeds, then a rollback (of the entire transaction or to a savepoint) is required to proceed. Consider this when creating subprograms that perform distributed updates.
Caution:
Because SQL is a declarative language, rather than an imperative (or procedural) one, you cannot know how many times a function invoked from a SQL statement will run—even if the function is written in PL/SQL, an imperative language.If your application requires that a function be executed a certain number of times, do not invoke that function from a SQL statement. Use a cursor instead.
For example, if your application requires that a function be called for each selected row, then open a cursor, select rows from the cursor, and call the function for each row. This guarantees that the number of calls to the function is the number of rows fetched from the cursor.
To be invoked from a SQL statement, a stored PL/SQL function must be declared either at schema level or in a package specification.
These SQL statements can invoke stored PL/SQL functions:
INSERT
UPDATE
DELETE
SELECT
CALL
(CALL
can also invoke a stored PL/SQL procedure.)
To invoke a PL/SQL subprogram from SQL, you must either own or have EXECUTE
privileges on the subprogram. To select from a view defined with a PL/SQL function, you must have SELECT
privileges on the view. No separate EXECUTE
privileges are necessary to select from the view.
For general information about invoking subprograms, including passing parameters, see Oracle Database PL/SQL Language Reference.
Invoking PL/SQL subprograms in SQL statements can:
Increase user productivity by extending SQL
Expressiveness of the SQL statement increases where activities are too complex, too awkward, or unavailable with SQL.
Increase query efficiency
Functions used in the WHERE
clause of a query can filter data using criteria that must otherwise be evaluated by the application.
Manipulate character strings to represent special data types (for example, latitude, longitude, or temperature).
Provide parallel query execution
If the query is parallelized, then SQL statements in your PL/SQL subprogram might also be run in parallel (using the parallel query option).
A PL/SQL function can appear in a SQL statement wherever a SQL function or an expression can appear in a SQL statement. For example:
Select list of the SELECT
statement
Condition of the WHERE
or HAVING
clause
CONNECT
BY
, START
WITH
, ORDER
BY
, or GROUP
BY
clause
VALUES
clause of the INSERT
statement
SET
clause of the UPDATE
statement
A PL/SQL table function (which returns a collection of rows) can appear in a SELECT
statement instead of:
Column name in the SELECT
list
Table name in the FROM
clause
A PL/SQL function cannot appear in these contexts, which require unchanging definitions:
CHECK
constraint clause of a CREATE
or ALTER
TABLE
statement
Default value specification for a column
To be invoked from a SQL expression, a PL/SQL function must satisfy these requirements:
It must be a row function, not a column (group) function; that is, its argument cannot be an entire column.
Its formal parameters must be IN
parameters, not OUT
or IN
OUT
parameters.
Its formal parameters and its return value (if any) must have Oracle built-in data types (such as CHAR
, DATE
, or NUMBER
), not PL/SQL data types (such as BOOLEAN
, RECORD
, or TABLE
).
There is an exception to this rule: A formal parameter can have a PL/SQL data type if the corresponding actual parameter is implicitly converted to the data type of the formal parameter (as in Example 6-19).
The function in Example 6-18 satisfies the preceding requirements.
Example 6-18 PL/SQL Function in SQL Expression (Follows Rules)
DROP TABLE payroll; -- in case it exists CREATE TABLE payroll ( srate NUMBER, orate NUMBER, acctno NUMBER ); CREATE OR REPLACE FUNCTION gross_pay ( emp_id IN NUMBER, st_hrs IN NUMBER := 40, ot_hrs IN NUMBER := 0 ) RETURN NUMBER IS st_rate NUMBER; ot_rate NUMBER; BEGIN SELECT srate, orate INTO st_rate, ot_rate FROM payroll WHERE acctno = emp_id; RETURN st_hrs * st_rate + ot_hrs * ot_rate; END gross_pay; /
In Example 6-19, the SQL statement CALL
invokes the PL/SQL function f1
, whose formal parameter and return value have PL/SQL data type PLS_INTEGER
. The CALL
statement succeeds because the actual parameter, 2, is implicitly converted to the data type PLS_INTEGER
. If the actual parameter had a value outside the range of PLS_INTEGER
, the CALL
statement would fail.
The purity of a stored subprogram refers to the side effects of that subprogram on database tables or package variables. Side effects can prevent the parallelization of a query, yield order-dependent (and therefore, indeterminate) results, or require that package state be maintained across user sessions. Various side effects are not allowed when a function is invoked from a SQL query or DML statement.
Before Oracle Database 8g Release 1, Oracle Database leveraged the PL/SQL compiler to enforce restrictions during the compilation of a stored subprogram or a SQL statement. As of Oracle Database 8g Release 1, the compile-time restrictions were relaxed, and a smaller set of restrictions are enforced during execution.
This change provides uniform support for stored subprograms written in PL/SQL, Java, and C, and it allows programmers the most flexibility possible.
When a new SQL statement is run, checks are made to see if it is logically embedded within the execution of a running SQL statement. This occurs if the statement is run from a trigger or from a subprogram that was in turn invoked from the running SQL statement. In these cases, further checks determine if the new SQL statement is safe in the specific context.
These restrictions are enforced on subprograms:
A subprogram invoked from a query (SELECT
statement) or DML statement cannot end the current transaction, create or rollback to a savepoint, or ALTER
the system or session.
A subprogram invoked from a query or parallelized DML statement cannot run a DML statement or otherwise modify the database.
A subprogram invoked from a DML statement cannot read or modify the particular table being modified by that DML statement.
These restrictions apply regardless of what mechanism is used to run the SQL statement inside the subprogram or trigger. For example:
They apply to a SQL statement invoked from PL/SQL, whether embedded directly in a subprogram or trigger body, run using the native dynamic mechanism (EXECUTE
IMMEDIATE
), or run using the DBMS_SQL
package.
They apply to statements embedded in Java with SQLJ syntax or run using JDBC.
They apply to statements run with OCI using the callback context from within an "external" C function.
You can avoid these restrictions if the execution of the new SQL statement is not logically embedded in the context of the running statement. PL/SQL autonomous transactions provide one escape (see "Autonomous Transactions" ). Another escape is available using OCI from an external C function, if you create a new connection rather than using the handle available from the OCIExtProcContext
argument.
You can use the keywords DETERMINISTIC
and PARALLEL_ENABLE
in the syntax for declaring a function. These are optimization hints that inform the query optimizer and other software components about:
Functions that need not be invoked redundantly
Functions permitted within a parallelized query or parallelized DML statement
Only functions that are DETERMINISTIC
are allowed in function-based indexes and in certain snapshots and materialized views.
A deterministic function depends solely on the values passed into it as arguments and does not reference or modify the contents of package variables or the database or have other side-effects. Such a function produces the same result value for any combination of argument values passed into it.
You place the DETERMINISTIC
keyword after the return value type in a declaration of the function. For example:
CREATE OR REPLACE FUNCTION f1 (
p1 NUMBER
) RETURN NUMBER DETERMINISTIC
IS
BEGIN
RETURN p1 * 2;
END;
/
You might place this keyword in these places:
On a function defined in a CREATE
FUNCTION
statement
In a function declaration in a CREATE
PACKAGE
statement
On a method declaration in a CREATE
TYPE
statement
Do not repeat the keyword on the function or method body in a CREATE
PACKAGE
BODY
or CREATE
TYPE
BODY
statement.
Certain performance optimizations occur on invocations of functions that are marked DETERMINISTIC
without any other action being required. These features require that any function used with them be declared DETERMINISTIC
:
Any user-defined function used in a function-based index.
Any function used in a materialized view, if that view is to qualify for Fast Refresh or is marked ENABLE
QUERY
REWRITE
.
The preceding functions features attempt to use previously calculated results rather than invoking the function when it is possible to do so.
It is good programming practice to make functions that fall into these categories DETERMINISTIC
:
Functions used in a WHERE
, ORDER
BY
, or GROUP
BY
clause
Functions that MAP
or ORDER
methods of a SQL type
Functions that help determine whether or where a row appears in a result set
Keep these points in mind when you create DETERMINISTIC
functions:
The database cannot recognize if the action of the function is indeed deterministic. If the DETERMINISTIC
keyword is applied to a function whose action is not truly deterministic, then the result of queries involving that function is unpredictable.
If you change the semantics of a DETERMINISTIC
function and recompile it, then existing function-based indexes and materialized views report results for the prior version of the function. Thus, if you change the semantics of a function, you must manually rebuild any dependent function-based indexes and materialized views.
Oracle Database's parallel execution feature divides the work of running a SQL statement across multiple processes. Functions invoked from a SQL statement that is run in parallel might have a separate copy run in each of these processes, with each copy invoked for only the subset of rows that are handled by that process.
Each process has its own copy of package variables. When parallel execution begins, these are initialized based on the information in the package specification and body as if a user is logging into the system; the values in package variables are not copied from the original login session. And changes made to package variables are not automatically propagated between the various sessions or back to the original session. Java STATIC
class attributes are similarly initialized and modified independently in each process. Because a function can use package (or Java STATIC
) variables to accumulate some value across the various rows it encounters, Oracle Database cannot assume that it is safe to parallelize the execution of all user-defined functions.
For SELECT
statements in Oracle Database versions before 8.1.5, the parallel query optimization allowed functions noted as both RNPS
and WNPS
in a PRAGMA
RESTRICT_REFERENCES
declaration to run in parallel. Functions defined with CREATE
FUNCTION
statements had their code implicitly examined to determine if they were pure enough; parallelized execution might occur even though a pragma cannot be specified on these functions.
For DML statements in Oracle Database versions before 8.1.5, the parallelization optimization looked to see if a function was noted as having all four of RNDS
, WNDS
, RNPS
and WNPS
specified in a PRAGMA
RESTRICT_REFERENCES
declaration; those functions that were marked as neither reading nor writing to either the database or package variables could run in parallel. Again, those functions defined with a CREATE
FUNCTION
statement had their code implicitly examined to determine if they were actually pure enough; parallelized execution might occur even though a pragma cannot be specified on these functions.
Oracle Database versions 8.1.5 and later continue to parallelize those functions that earlier versions recognize as parallelizable. The PARALLEL_ENABLE
keyword is the preferred way to mark your code as safe for parallel execution. This keyword is syntactically similar to DETERMINISTIC
as described in "Declaring a Function"; it is placed after the return value type in a declaration of the function, as in:
CREATE OR REPLACE FUNCTION f1 (
p1 NUMBER
) RETURN NUMBER PARALLEL_ENABLE
IS
BEGIN
RETURN p1 * 2;
END;
/
A PL/SQL function defined with CREATE
FUNCTION
might still be run in parallel without any explicit declaration that it is safe to do so, if the system can determine that it neither reads nor writes package variables nor invokes any function that might do so. A Java method or C function is never seen by the system as safe to run in parallel, unless the programmer explicitly indicates PARALLEL_ENABLE
on the call specification, or provides a PRAGMA
RESTRICT_REFERENCES
indicating that the function is sufficiently pure.
An additional runtime restriction is imposed on functions run in parallel as part of a parallelized DML statement. Such a function is not permitted to in turn run a DML statement; it is subject to the same restrictions that are enforced on functions that are run inside a query (SELECT
) statement.
See Also:
RestrictionsIn Oracle Database versions before 8.1.5 (Oracle8i), programmers used PRAGMA
RESTRICT_REFERENCES
to assert the purity level of a subprogram. In subsequent versions, use the hints PARALLEL_ENABLE
and DETERMINISTIC
, instead, to communicate subprogram purity to Oracle Database.
You can remove PRAGMA
RESTRICT_REFERENCES
from your code. However, this pragma remains available for backward compatibility in these situations:
When it is impossible or impractical to edit existing code to completely remove PRAGMA
RESTRICT_REFERENCES
.
For example, if subprogram S1 depends on subprogram S2, and you do not remove the pragma from S1, then you might need the pragma in S2 to compile S1.
When replacing PRAGMA
RESTRICT_REFERENCES
in existing code with hints PARALLEL_ENABLE
and DETERMINISTIC
would negatively affect the action of new, dependent code. (Use PRAGMA
RESTRICT_REFERENCES
to preserve the action of the existing code.)
An existing PL/SQL application can thus continue using the pragma even on new functionality, to ease integration with the existing code. Do not use the pragma in a new application.
If you use PRAGMA
RESTRICT_REFERENCES
, place it in a package specification, not in a package body. It must follow the declaration of a subprogram, but it need not follow immediately. Only one pragma can reference a given subprogram declaration.
To code the PRAGMA
RESTRICT_REFERENCES
, use this syntax:
PRAGMA RESTRICT_REFERENCES ( Function_name, WNDS [, WNPS] [, RNDS] [, RNPS] [, TRUST] );
Where:
Option | Description |
---|---|
WNDS |
The subprogram writes no database state (does not modify database tables). |
RNDS |
The subprogram reads no database state (does not query database tables). |
WNPS |
The subprogram writes no package state (does not change the values of package variables). |
RNPS |
The subprogram reads no package state (does not reference the values of package variables) |
TRUST |
The other restrictions listed in the pragma are not enforced; they are simply assumed to be true. This allows easy invocation from functions that have RESTRICT_REFERENCES declarations to those that do not. |
You can pass the arguments in any order. If any SQL statement inside the subprogram body violates a rule, then you get an error when the statement is parsed.
In Example 6-20, the function compound_
neither reads nor writes database or package state; therefore, you can assert the maximum purity level. Always assert the highest purity level that a subprogram allows, so that the PL/SQL compiler never rejects the subprogram unnecessarily.
Example 6-20 PRAGMA RESTRICT_REFERENCES
DROP TABLE accounts; -- in case it exists CREATE TABLE accounts ( acctno INTEGER, balance NUMBER ); INSERT INTO accounts (acctno, balance) VALUES (12345, 1000.00); CREATE OR REPLACE PACKAGE finance AS FUNCTION compound_ ( years IN NUMBER, amount IN NUMBER, rate IN NUMBER ) RETURN NUMBER; PRAGMA RESTRICT_REFERENCES (compound_, WNDS, WNPS, RNDS, RNPS); END finance; / CREATE PACKAGE BODY finance AS FUNCTION compound_ ( years IN NUMBER, amount IN NUMBER, rate IN NUMBER ) RETURN NUMBER IS BEGIN RETURN amount * POWER((rate / 100) + 1, years); END compound_; -- No pragma in package body END finance; / DECLARE interest NUMBER; BEGIN SELECT finance.compound_(5, 1000, 6) INTO interest FROM accounts WHERE acctno = 12345; END; /
When PRAGMA
RESTRICT
REFERENCES
includes the keyword TRUST
, the restrictions listed in the pragma are assumed to be true, and not enforced.
When you invoke a subprogram that is in a section of code that does not use pragmas (such as a Java method), from a section of PL/SQL code that does use pragmas, specify PRAGMA
RESTRICT
REFERENCES
with TRUST
for either the invoked subprogram or the invoking subprogram.
In both Example 6-21 and Example 6-22, the PL/SQL function f
invokes the Java procedure java_sleep
. In Example 6-21, this is possible because java_sleep
is declared to be WNDS
with TRUST
. In Example 6-22, it is possible because f
is declared to be WNDS
with TRUST
, which allows it to invoke any subprogram.
Example 6-21 PRAGMA RESTRICT REFERENCES with TRUST on Invokee
CREATE OR REPLACE PACKAGE p IS PROCEDURE java_sleep (milli_seconds IN NUMBER) AS LANGUAGE JAVA NAME 'java.lang.Thread.sleep(long)'; PRAGMA RESTRICT_REFERENCES(java_sleep,WNDS,TRUST); FUNCTION f (n NUMBER) RETURN NUMBER; END p; / CREATE OR REPLACE PACKAGE BODY p IS FUNCTION f ( n NUMBER ) RETURN NUMBER IS BEGIN java_sleep(n); RETURN n; END f; END p; /
Example 6-22 PRAGMA RESTRICT REFERENCES with TRUST on Invoker
CREATE OR REPLACE PACKAGE p IS PROCEDURE java_sleep (milli_seconds IN NUMBER) AS LANGUAGE JAVA NAME 'java.lang.Thread.sleep(long)'; FUNCTION f (n NUMBER) RETURN NUMBER; PRAGMA RESTRICT_REFERENCES(f,WNDS,TRUST); END p; / CREATE OR REPLACE PACKAGE BODY p IS FUNCTION f ( n NUMBER ) RETURN NUMBER IS BEGIN java_sleep(n); RETURN n; END f; END p; /
Static INSERT
, UPDATE
, and DELETE
statements do not violate RNDS
if these statements do not explicitly read any database states, such as columns of a table. However, dynamic INSERT
, UPDATE
, and DELETE
statements always violate RNDS
, regardless of whether the statements explicitly read database states.
This INSERT
statement violates RNDS
if it is executed dynamically, but it does not violate RNDS
if it is executed statically.
INSERT INTO my_table values(3, 'BOB');
This UPDATE
statement always violates RNDS
statically and dynamically, because it explicitly reads the column name
of my_table
.
UPDATE my_table SET id=777 WHERE name='BOB';
If a subprogram is overloaded, PRAGMA
RESTRICT_REFERENCES
applies only to the most recently declared version.
In Example 6-23, the pragma applies to the second declaration of valid
.
In a data warehousing environment, you might use PL/SQL functions to transform large amounts of data. Perhaps the data is passed through a series of transformations, each performed by a different function. PL/SQL table functions let you perform such transformations without significant memory overhead or the need to store the data in tables between each transformation stage. These functions can accept and return multiple rows, can return rows as they are ready rather than all at once, and can be parallelized.
See Also:
Oracle Database PL/SQL Language Reference for more information about performing multiple transformations with pipelined table functionsTo analyze a set of rows and compute a result value, you can code your own aggregate function that works the same as a SQL aggregate function like SUM
:
Define an ADT that defines these member functions:
ODCIAggregateInitialize
ODCIAggregateIterate
ODCIAggregateMerge
ODCIAggregateTerminate
Code the member functions. In particular, ODCIAggregateIterate
accumulates the result as it is invoked for each row that is processed. Store any intermediate results using the attributes of the ADT.
Create the aggregate function, and associate it with the ADT.
Call the aggregate function from SQL queries, DML statements, or other places that you might use the SQL aggregate functions. You can include typical options such as DISTINCT
and ALL
in the invocation of the aggregate function.
See Also:
Oracle Database Data Cartridge Developer's Guide for more information about user-defined aggregate functions