Ruby Loops
Table of Contents
- forloops
- whileloops
- untilloops
- looploops
- .timesiterator loop
A 'for' loop:
for i in 1..50
    puts "#{i}"
end- For every number between 1 - 50 
- Using the inclusive - ..operator tells the computer to include the last number in the loop
- Will - putsnumbers 1 - 50
- Using the exclusive - ...operator tells the computer to exclude the last number from the loop
- Will - putsthe numbers 1-49
- Display the number on the console 
- Ends instructions for the loop 
A 'while' loop:
i = 1
while i <= 50
    puts "#{i}"
    i += 1
end- Sets variable - iequal to one
- While - iis less than or equal to 50, do the block of code (will print numbers 1 -50)
- Display the number on the console 
- Increment - iby one every time, that way the loop will end at some point
- Ends instructions for the loop 
An 'until' loop:
i = 1
until i > 50
    puts "#{i}"
    i += 1
end- Sets variable - iequal to one
- Until - iis greater than 50, run the block of code (will print numbers 1-50)
- Display - ion the console
- Increment - iby one every time, that way the loop will end at some point
- End the instructions for the loop 
A 'loop' loop:
i = 1
loop do
    puts "#{i}"
    i += 1
    break if i > 50
end- Sets variable - iequal to one
- Create a - loop, and run the block of code
- Display - ion the console
- Increment - iby one every time, that way the loop will end at some point
- Break the loop if - ibecomes greater than 50
- End the instructions for the loop 
A '.times' iterator loop:
5.times do
    puts "Hello world!"
end- Run this loop five times, and do the block of code 
- Display the string on the console 
- End the instructions for this loop 
Last updated
Was this helpful?