DEV Community

Pranav Bakare
Pranav Bakare

Posted on

PLSQL BEST PART 2

Here are more advanced PL/SQL topics and examples, along with explanations for each:


  1. Advanced Error Handling with Custom Exception

In complex applications, you often need to create your own exceptions for specific error scenarios. You can raise and handle custom exceptions in PL/SQL blocks.

Explanation:

Custom exceptions allow you to handle specific error scenarios effectively and give more meaningful error messages to users or logs.

Example:

DECLARE
-- Declare a custom exception
ex_invalid_salary EXCEPTION;
v_salary employees.salary%TYPE;
BEGIN
-- Simulating a situation where the salary is invalid
SELECT salary INTO v_salary FROM employees WHERE employee_id = 101;

IF v_salary < 0 THEN
    -- Raise the custom exception
    RAISE ex_invalid_salary;
END IF;
Enter fullscreen mode Exit fullscreen mode

EXCEPTION
WHEN ex_invalid_salary THEN
DBMS_OUTPUT.PUT_LINE('Salary cannot be negative.');
WHEN NO_DATA_FOUND THEN
DBMS_OUTPUT.PUT_LINE('No employee found.');
WHEN OTHERS THEN
DBMS_OUTPUT.PUT_LINE('An unexpected error occurred: ' || SQLERRM);
END;
/


  1. Dynamic SQL with EXECUTE IMMEDIATE

Dynamic SQL allows you to construct SQL statements at runtime and execute them.

Explanation:

Dynamic SQL is useful when you need to execute SQL statements that are not known until runtime, such as when you want to query different tables or columns based on user input.

Example:

DECLARE
v_table_name VARCHAR2(30) := 'employees';
v_sql VARCHAR2(1000);
BEGIN
v_sql := 'SELECT * FROM ' || v_table_name;
EXECUTE IMMEDIATE v_sql;
END;
/


  1. Autonomous Transactions

Autonomous transactions allow you to execute a transaction independently from the main transaction. They are useful when you need to perform logging, auditing, or error handling without affecting the main transaction.

Explanation:

An autonomous transaction allows you to commit or roll back changes without impacting the state of the main transaction.

Example:

CREATE OR REPLACE PROCEDURE log_transaction(v_msg VARCHAR2) IS
PRAGMA AUTONOMOUS_TRANSACTION; -- Make this procedure an autonomous transaction
BEGIN
INSERT INTO transaction_log (message, log_date)
VALUES (v_msg, SYSDATE);
COMMIT; -- Commit changes independently
END;
/


  1. Advanced Pipelined Function with Cursor

A pipelined function can return a set of rows to a query, and it can be optimized by using a cursor. This allows you to generate large datasets and return them without needing to load everything into memory.

Explanation:

Pipelined functions are especially useful when dealing with large amounts of data that you need to process row by row.

Example:

CREATE OR REPLACE FUNCTION get_employee_details RETURN SYS_REFCURSOR PIPELINED IS
emp_cursor SYS_REFCURSOR;
BEGIN
OPEN emp_cursor FOR
SELECT employee_id, first_name, last_name, salary FROM employees;
LOOP
FETCH emp_cursor INTO :new.employee_id, :new.first_name, :new.last_name, :new.salary;
EXIT WHEN emp_cursor%NOTFOUND;
PIPE ROW(:new);
END LOOP;
CLOSE emp_cursor;
END;
/

SELECT * FROM TABLE(get_employee_details());


  1. Materialized Views with Fast Refresh

Materialized views allow you to store the results of a query and periodically refresh them to keep the data up-to-date. Fast refresh uses the materialized view logs to only refresh the changes since the last refresh.

Explanation:

Materialized views can greatly improve query performance when dealing with large, frequently queried datasets by precomputing and storing results.

Example:

CREATE MATERIALIZED VIEW sales_mv
REFRESH FAST
AS
SELECT * FROM sales WHERE sale_date >= SYSDATE - 30;

-- Creating a materialized view log for fast refresh
CREATE MATERIALIZED VIEW LOG ON sales
WITH ROWID, PRIMARY KEY, SEQUENCE (sale_date);


  1. Collection Methods (e.g., MULTISET Operations)

Collections in PL/SQL can be used to handle multiple rows of data within a PL/SQL block. Advanced operations like MULTISET allow you to perform set-based operations on collections.

Explanation:

Collections, such as VARRAY, Nested Tables, or Associative Arrays, can be manipulated using SQL-like operations for efficient bulk processing.

Example:

DECLARE
TYPE num_table IS TABLE OF NUMBER;
v_nums num_table := num_table(10, 20, 30, 40, 50);
v_sum NUMBER;
BEGIN
-- Use MULTISET to calculate the sum of all numbers in the collection
SELECT SUM(column_value) INTO v_sum
FROM TABLE(v_nums);

DBMS_OUTPUT.PUT_LINE('Sum of numbers: ' || v_sum);
Enter fullscreen mode Exit fullscreen mode

END;
/


  1. Advanced Partitioning Techniques: Interval Partitioning

Interval partitioning allows dynamic partition creation based on data values, reducing manual partition management for large tables.

Explanation:

Interval partitioning is particularly useful when the data grows continuously (e.g., date-based data) and requires partitions for future time periods automatically.

Example:

CREATE TABLE sales (
sale_id NUMBER,
sale_date DATE,
amount NUMBER
) PARTITION BY RANGE (sale_date)
INTERVAL (INTERVAL '1' MONTH)
(
PARTITION p_initial VALUES LESS THAN (TO_DATE('2023-01-01', 'YYYY-MM-DD'))
);


  1. Using FORALL for Bulk DML Operations

The FORALL statement is used to perform bulk DML operations efficiently. This reduces context switching between the PL/SQL and SQL engines, resulting in improved performance.

Explanation:

FORALL is used for bulk inserts, updates, and deletes, significantly improving performance when processing large datasets.

Example:

DECLARE
TYPE emp_array IS TABLE OF employees%ROWTYPE;
v_emps emp_array := emp_array(
employees%ROWTYPE(101, 'John', 'Doe', 5000),
employees%ROWTYPE(102, 'Jane', 'Smith', 6000)
);
BEGIN
FORALL i IN 1..v_emps.COUNT
INSERT INTO employees (employee_id, first_name, last_name, salary)
VALUES (v_emps(i).employee_id, v_emps(i).first_name, v_emps(i).last_name, v_emps(i).salary);
END;
/


  1. Using DBMS_SCHEDULER for Job Scheduling

DBMS_SCHEDULER allows you to schedule jobs in Oracle to automate tasks like data processing, maintenance, and reporting.

Explanation:

DBMS_SCHEDULER is more flexible and powerful compared to older DBMS_JOB functionality. It provides robust options for scheduling jobs and managing job execution.

Example:

BEGIN
DBMS_SCHEDULER.create_job (
job_name => 'my_daily_job',
job_type => 'PLSQL_BLOCK',
job_action => 'BEGIN my_procedure; END;',
start_date => SYSTIMESTAMP,
repeat_interval => 'FREQ=DAILY; BYHOUR=0; BYMINUTE=0',
enabled => TRUE
);
END;
/


  1. Flashback Technology

Flashback allows you to view past versions of data and perform recovery operations without requiring a backup. It's especially useful for auditing and restoring data.

Explanation:

Flashback queries and flashback versions of rows can provide historical views of the data.

Example:

-- Querying past versions of data
SELECT * FROM employees AS OF TIMESTAMP (SYSDATE - INTERVAL '1' HOUR)
WHERE employee_id = 101;


These advanced topics will help deepen your understanding of PL/SQL and enable you to write more efficient, maintainable, and scalable code for complex database operations. Let me know if you'd like further details or more examples!

Top comments (0)