Cree un segundo procedimiento que use dos cursores anidados.
Los cursores en los procedimientos almacenados le permiten hacer cosas muy distintas a las de SQL: iterar a través de un conjunto de resultados una fila a la vez, poner los valores de columna seleccionados en variables y hacer cosas con ellos.
Se usan mal fácilmente, ya que SQL, al ser declarativo en lugar de procesal, generalmente no debería necesitar operaciones de tipo "para cada", pero en este caso, parece una aplicación válida.
Una vez que los domine, los cursores son fáciles, pero requieren un enfoque estructurado en su código de soporte que no siempre es intuitivo.
Recientemente proporcioné un código "estándar" bastante estándar para trabajar con un cursor para llamar a un procedimiento almacenado en una respuesta en Desbordamiento de pila , y me prestaré mucho de esa respuesta, a continuación.
El uso de un cursor requiere un código estándar estándar para rodearlo.
Usted SELECT
los valores que desea pasar, desde donde los obtenga (que podría ser una tabla temporal, una tabla base o una vista, y puede incluir llamadas a funciones almacenadas) y luego llame a su procedimiento existente con esos valores.
Aquí hay un ejemplo sintácticamente válido del código necesario, con comentarios para explicar lo que está haciendo cada componente.
Este ejemplo usa 2 columnas para pasar 2 valores al procedimiento llamado.
Tenga en cuenta que hay eventos que suceden aquí están en un orden específico por una razón. Las variables deben declararse primero, los cursores deben declararse antes que sus manejadores continuos, y los bucles deben seguir todas esas cosas.
No puede hacer las cosas fuera de orden, por lo que cuando anida un cursor dentro de otro, debe restablecer el alcance del procedimiento anidando código adicional dentro de BEGIN
... END
bloques dentro del cuerpo del procedimiento; por ejemplo, si necesitaras un segundo cursor dentro del ciclo, lo declararías dentro del ciclo, dentro de otro BEGIN
... END
bloque.
DELIMITER $$
DROP PROCEDURE IF EXISTS `my_proc` $$
CREATE PROCEDURE `my_proc`(arg1 INT) -- 1 input argument; you might need more or fewer
BEGIN
-- declare the program variables where we'll hold the values we're sending into the procedure;
-- declare as many of them as there are input arguments to the second procedure,
-- with appropriate data types.
DECLARE val1 INT DEFAULT NULL;
DECLARE val2 INT DEFAULT NULL;
-- we need a boolean variable to tell us when the cursor is out of data
DECLARE done TINYINT DEFAULT FALSE;
-- declare a cursor to select the desired columns from the desired source table1
-- the input argument (which you might or might not need) is used in this example for row selection
DECLARE cursor1 -- cursor1 is an arbitrary label, an identifier for the cursor
CURSOR FOR
SELECT t1.c1,
t1.c2
FROM table1 t1
WHERE c3 = arg1;
-- this fancy spacing is of course not required; all of this could go on the same line.
-- a cursor that runs out of data throws an exception; we need to catch this.
-- when the NOT FOUND condition fires, "done" -- which defaults to FALSE -- will be set to true,
-- and since this is a CONTINUE handler, execution continues with the next statement.
DECLARE CONTINUE HANDLER FOR NOT FOUND SET done = TRUE;
-- open the cursor
OPEN cursor1;
my_loop: -- loops have to have an arbitrary label; it's used to leave the loop
LOOP
-- read the values from the next row that is available in the cursor
FETCH NEXT FROM cursor1 INTO val1, val2;
IF done THEN -- this will be true when we are out of rows to read, so we go to the statement after END LOOP.
LEAVE my_loop;
ELSE -- val1 and val2 will be the next values from c1 and c2 in table t1,
-- so now we call the procedure with them for this "row"
CALL the_other_procedure(val1,val2);
-- maybe do more stuff here
END IF;
END LOOP;
-- execution continues here when LEAVE my_loop is encountered;
-- you might have more things you want to do here
-- the cursor is implicitly closed when it goes out of scope, or can be explicitly closed if desired
CLOSE cursor1;
END $$
DELIMITER ;