Cursors - Oracle to Aurora MySQL Migration Playbook
Services or capabilities described in Amazon Web Services documentation might vary by Region. To see the differences applicable to the China Regions, see Getting Started with Amazon Web Services in China (PDF).

Cursors

Feature compatibility Amazon SCT / Amazon DMS automation level Amazon SCT action code index Key differences

Four star feature compatibility

Three star automation level

Cursors

Minor differences in syntax may require some code rewrite. MySQL doesn’t support %ISOPEN, %ROWTYPE, and %BULK_ROWCOUNT.

Oracle Usage

PL/SQL cursors are pointers to data sets on which application logic can iterate. The data sets hold rows returned by SQL statements. You can refer to the active data set in named cursors from within a program.

There are two types of PL/SQL cursors:

  • Implicit cursors are session cursors constructed and managed by PL/SQL automatically without being created or defined by a user. PL/SQL opens an implicit cursor each time you run a SELECT or DML statement. Implicit cursors are also called SQL cursors.

  • Explicit cursors are session cursors created, constructed, and managed by a user. Cursors are declared and defined by naming it and associating it with a query. Unlike an implicit cursor, you can reference an explicit cursor using its name. An explicit cursor is called a named cursor.

Examples

The following examples demonstrate cursor usage:

  1. Define an explicit PL/SQL cursor named c1.

  2. The cursor runs an SQL statement to return rows from the database.

  3. The PL/SQL loop reads data from the cursor, row by row, and stores the values into two variables: v_lastname and v_jobid.

  4. The loop uses the %NOTFOUND attribute to terminate when the last row is read from the database.

DECLARE
  CURSOR c1 IS
    SELECT last_name, job_id FROM employees
    WHERE REGEXP_LIKE (job_id, 'S[HT]_CLERK')
    ORDER BY last_name;
    v_lastname employees.last_name%TYPE; -- variable to store last_name
    v_jobid employees.job_id%TYPE; -- variable to store job_id
  BEGIN
    OPEN c1;
    LOOP -- Fetches 2 columns into variables
      FETCH c1 INTO v_lastname, v_jobid;
      EXIT WHEN c1%NOTFOUND;
    END LOOP;
  CLOSE c1;
END;
  1. Define an implicit PL/SQL cursor using a FOR Loop.

  2. The cursor runs a query and stores values returned into a record.

  3. A loop iterates over the cursor data set and prints the result.

BEGIN
FOR item IN
  (SELECT last_name, job_id FROM employees WHERE job_id LIKE '%MANAGER%'
    AND manager_id > 400 ORDER BY last_name) LOOP
    DBMS_OUTPUT.PUT_LINE('Name = ' || item.last_name || ', Job = ' || item.job_id);
  END LOOP;
END;
/

For more information, see Explicit Cursor Declaration and Definition and Implicit Cursor Attribute in the Oracle documentation.

MySQL Usage

Aurora MySQL supports cursors only within stored routines, functions and stored procedures.

Unlike Oracle, which offers an array of cursor types, Aurora MySQL Cursors have the following characteristics:

  • Not sensitive — The server can choose to either make a copy of its result table or to access the source data as the cursor progresses.

  • Read-only — Cursors can’t be updated.

  • Not scrollable — Cursors can only be traversed in one direction and cannot skip rows. The only supported cursor advance operation is FETCH NEXT.

Cursor declarations must appear before handler declarations and after variable and condition declarations.

Similar to Oracle, cursors are declared with the DECLARE CURSOR, opened with OPEN, fetched with FETCH, and closed with CLOSE.

Declare Cursor

DECLARE <Cursor Name> CURSOR FOR <Cursor SELECT Statement>

The DECLARE CURSOR statement instantiates a cursor object and associates it with a SELECT statement. This SELECT is then used to retrieve the cursor rows.

To fetch the rows, use the FETCH statement. As mentioned before, only FETCH NEXT is supported. The number of output variables specified in the FETCH statement must match the number of columns retrieved by the cursor.

Aurora MySQL cursors have additional characteristics:

  • SELECT INTO is not allowed in a cursor.

  • Stored routines can have multiple cursor declarations, but all cursors declared in a given code block must have a unique name.

  • Cursors can be nested.

Open Cursor

OPEN <Cursor Name>;

The OPEN command populates the cursor with the data, either dynamically or in a temporary table, and readies the first row for consumption by the FETCH statement.

Fetch Cursor

FETCH [[NEXT] FROM] <Cursor Name> INTO <Variable 1> [,<Variable n>]

The FETCH statement retrieves the current pointer row, assigns the column values to the variables listed in the FETCH statement, and advances the cursor pointer by one row. If the row is not available, meaning the cursor has been exhausted, a No Data condition is raised with an SQLSTATE value of '0200000'. To catch this condition, or the alternative NOT FOUND condition, you must create a condition handler.

Note

Carefully plan your error handling flow. The same condition might be raised by SELECT statements or cursors other than the one you intended. Place operations within BEGIN …​ END blocks to associate each cursor with its own handler.

Close Cursor

CLOSE <Cursor Name>;

The CLOSE statement closes an open cursor. If the cursor with the specified name does not exist, an error is raised. If a cursor is not explicitly closed, Aurora MySQL closes it automatically at the end of the BEGIN …​ END block in which it was declared.

Examples

The following example uses a cursor to iterate over source rows and merges into an OrderItems table.

Create an OrderItems table.

CREATE TABLE OrderItems(OrderID INT NOT NULL,
  Item VARCHAR(20) NOT NULL,
  Quantity SMALLINT NOT NULL,
  PRIMARY KEY(OrderID, Item));

Create and populate the SourceTable.

CREATE TABLE SourceTable (
  OrderID INT,
  Item VARCHAR(20),
  Quantity SMALLINT,
  PRIMARY KEY (OrderID, Item));

INSERT INTO SourceTable (
  OrderID, Item, Quantity)
VALUES (1, 'M8 Bolt', 100),
  (2, 'M8 Nut', 100),
  (3, 'M8 Washer', 200);

Create a procedure to loop through SourceTable and insert rows.

CREATE PROCEDURE LoopItems()
BEGIN
  DECLARE done INT DEFAULT FALSE;
  DECLARE var_OrderID INT;
  DECLARE var_Item VARCHAR(20);
  DECLARE var_Quantity SMALLINT;
  DECLARE ItemCursor CURSOR FOR SELECT OrderID, Item, Quantity FROM SourceTable;
  DECLARE CONTINUE HANDLER FOR NOT FOUND SET done = TRUE;
  OPEN ItemCursor;
  CursorStart: LOOP
  FETCH NEXT FROM ItemCursor INTO var_OrderID, var_Item, var_Quantity;
  IF Done THEN LEAVE CursorStart;
  END IF;
    INSERT INTO OrderItems (OrderID, Item, Quantity)
      VALUES (var_OrderID, var_Item, var_Quantity);
  END LOOP;
  CLOSE ItemCursor;
END;

Run the stored procedure.

CALL LoopItems();

Select all rows from the OrderItems table.

SELECT * FROM OrderItems;

OrderID  Item       Quantity
1        M8 Bolt    100
2        M8 Nut     100
3        M8 Washer  200

Summary

Action Oracle Aurora MySQL

Declare a bound explicit cursor

CURSOR c1 IS
SELECT * FROM employees;
DECLARE c1 CURSOR
FOR SELECT *
  FROM employees;

Open a cursor

OPEN c1;
OPEN c1;

Move the cursor to the next row and fetch into a record variable (rowvar was declared in the DECLARE section)

FETCH c1 INTO rowvar;
FETCH NEXT FROM c1 INTO rowvar;

Move the cursor to the next row and fetch into multiple scalar data types (emp_id, emp_name, and salary were declared in the DECLARE section)

FETCH c1
INTO emp_id, emp_name, salary;
FETCH NEXT FROM c1 INTO emp_id,
emp_name, salary;

Iterate through an implicit cursor using a loop

FOR item IN (
  SELECT last_name, job_id FROM employees
  WHERE job_id LIKE '%CLERK%'
  AND manager_id > 120 ORDER BY last_name )
  LOOP
    << do something
    >>
  END LOOP;

N/A

Declare a cursor with variables

CURSOR c1 (key NUMBER)
IS SELECT * FROM employees
WHERE id = key;
SET @sqltext1 := CONCAT
('DECLARE c1 CURSOR FOR
SELECT * FROM employees WHERE
id =',key);
PREPARE stmt1 FROM @sqltext1;
EXECUTE stmt1;

Open a cursor with variables

OPEN c1(2);

Use regular OPEN after declaring the CURSOR using EXECUTE and PREPARE with variables

Exit a loop after no data found

EXIT WHEN c1%NOTFOUND;
DECLARE CONTINUE HANDLER
FOR NOT FOUND SET done = TRUE;
And in the fetching loop insert:
IF done THEN LEAVE;

Detect if a cursor has rows remaining in its dataset

%FOUND

N/A

Determine how many rows were affected from any DML statement

%BULK_ROWCOUNT

Use counters

Determine which DML run failed with the relevant error code

%BULK_EXCEPTIONS

N/A

Detect if the cursor is open

%ISOPEN

N/A

Detect if the cursor has no rows remaining in its dataset

%NOTFOUND

N/A

Return the number of rows affected by a cursor

%ROWCOUNT

N/A

For more information, see Cursors in the MySQL documentation.