WHILE (Snowflake Scripting)¶
A WHILE loop iterates while a specified condition is true.
For more information on loops, see Working with loops.
Note
This Snowflake Scripting construct is valid only within a Snowflake Scripting block.
Syntax¶
WHILE ( <condition> ) { DO | LOOP }
    <statement>;
    [ <statement>; ... ]
END { WHILE | LOOP } [ <label> ] ;
Where:
condition
An expression that evaluates to a BOOLEAN.
statement
A statement can be any of the following:
label
An optional label. Such a label can be a jump target for a BREAK or CONTINUE statement. A label must follow the naming rules for Object identifiers.
Usage notes¶
- Put parentheses around the condition in the - WHILE. For example:- WHILE ( <condition> ).
- If the - conditionnever evaluates to FALSE, and the loop doesn’t contain a BREAK (Snowflake Scripting) command (or equivalent), then the loop will run and consume credits indefinitely.
- If the - conditionis NULL, then it is treated as FALSE.
- A loop can contain multiple statements. You can use, but are not required to use, a BEGIN … END block to contain those statements. 
- Pair the keyword - DOwith- END WHILE, and pair the keyword- LOOPwith- END LOOP. For example:- WHILE (...) DO ... END WHILE; WHILE (...) LOOP ... END LOOP; 
Examples¶
This example uses a loop to calculate a power of 2. The counter variable is the loop counter. The
power_of_2 variable stores the most recent power of 2 that was calculated. (This is an inefficient
solution, but it demonstrates looping.)
CREATE PROCEDURE power_of_2()
RETURNS NUMBER(8, 0)
LANGUAGE SQL
AS
$$
DECLARE
  counter NUMBER(8, 0);      -- Loop counter.
  power_of_2 NUMBER(8, 0);   -- Stores the most recent power of 2 that we calculated.
BEGIN
  counter := 1;
  power_of_2 := 1;
  WHILE (counter <= 8) DO
    power_of_2 := power_of_2 * 2;
    counter := counter + 1;
  END WHILE;
  RETURN power_of_2;
END;
$$
;
Call the stored procedure:
CALL power_of_2();
+------------+
| POWER_OF_2 |
|------------|
|        256 |
+------------+
This example uses a loop and the DATEADD function to add a day to a date until the condition is met.
EXECUTE IMMEDIATE $$
BEGIN
  LET mydate := '2024-05-08';
  WHILE (mydate < '2024-05-20') DO
    mydate := DATEADD(day, 1, mydate);
  END WHILE;
  RETURN mydate;
END;
$$
;
+-------------------------+
| anonymous block         |
|-------------------------|
| 2024-05-20 00:00:00.000 |
+-------------------------+
For more examples, see WHILE loop.