Oracle – 11 – Records

In Oracle, a record is a user-defined composite data type that allows you to group together multiple related fields or attributes into a single structure. Records are particularly useful when you need to represent a complex data structure or a set of related data elements as a single unit. Here’s a brief description of records in Oracle:

  1. Definition:
    • A record in Oracle is defined using the %ROWTYPE attribute of a table, cursor, or a user-defined data structure called a PL/SQL record type.
    -- Defining a PL/SQL record type TYPE employee_record_type IS RECORD ( emp_id NUMBER, emp_name VARCHAR2(50), emp_salary NUMBER );
  2. Structure:
    • A record consists of one or more fields, also known as attributes or components. Each field in a record has a data type and a name.
  3. Initialization:
    • You can initialize a record by assigning values to its individual fields or by selecting values from a table or cursor into the record.
    DECLARE emp_info employee_record_type; BEGIN -- Initializing a record emp_info.emp_id := 101; emp_info.emp_name := 'John Doe'; emp_info.emp_salary := 50000; END;
  4. Accessing Fields:
    • You can access the fields of a record using dot notation, specifying the record name followed by the field name.
    DECLARE emp_info employee_record_type; emp_salary NUMBER; BEGIN -- Accessing a field of the record emp_info.emp_salary := 55000; -- Assigning the value to another variable emp_salary := emp_info.emp_salary; END;
  5. Use Cases:
    • Records are often used to represent rows from database tables when working with cursors, and they allow you to manipulate and pass data easily between different parts of a PL/SQL program.
    DECLARE emp_info employee_record_type; BEGIN -- Fetching data into a record from a cursor OPEN cursor_name; FETCH cursor_name INTO emp_info; -- Manipulate data in emp_info CLOSE cursor_name; END;
  6. Record Types:
    • Besides PL/SQL record types, Oracle supports record types associated with tables and cursors. These record types are automatically generated based on the structure of the table or cursor.
    • DECLARE emp_data employees%ROWTYPE; BEGIN — Fetching a row from the employees table into the record SELECT * INTO emp_data FROM employees WHERE emp_id = 101; — Manipulate data in emp_data END;

Records in Oracle are a powerful tool for managing and manipulating complex data structures. They simplify the organization of related data elements, improve code readability, and facilitate data transfer between different parts of a PL/SQL program, especially when working with cursors and database tables.