Conditional statements in Ruby allow you to execute code based on certain conditions. They enable your programs to make decisions, improving their functionality and responsiveness. In this article, we will explore three diverse and practical examples of Ruby conditional statements that illustrate their usage in real-world scenarios.
In many applications, you may need to check a user’s age to grant access to certain content or features. This example demonstrates how to implement a simple age verification system.
age = 20
if age < 18
puts "You are a minor."
elsif age >= 18 && age < 65
puts "You are an adult."
else
puts "You are a senior citizen."
end
if
, elsif
, and else
to categorize the user’s age.This example shows how to provide clothing recommendations based on the current weather conditions. It helps users decide what to wear based on temperature and weather type.
temperature = 15 # in degrees Celsius
weather = "rainy"
if temperature < 10
puts "Wear a heavy coat and boots."
elif temperature < 20 && weather == "rainy"
puts "A light jacket and an umbrella will do."
elif temperature >= 20 && weather == "sunny"
puts "It's warm, wear a t-shirt and shorts!"
else
puts "Dress comfortably for the weather!"
end
In web applications, it is common to restrict access to certain features based on user roles. This example illustrates how to implement role-based access control using conditional statements.
user_role = "editor"
case user_role
when "admin"
puts "Access granted: You have full permissions."
when "editor"
puts "Access granted: You can edit content."
when "viewer"
puts "Access granted: You can view content."
else
puts "Access denied: You do not have permission."
end
case
statement for cleaner syntax when dealing with multiple conditions.These examples of Ruby conditional statements illustrate how you can implement decision-making capabilities in your code. By understanding and utilizing these concepts, you can enhance the interactivity and user experience of your applications.