【Ruby入門】ifの使い方完全ガイド:10個の実践的テクニックとベストプラクティス

目次

目次へ

Rubyのif文とは:基礎から応用まで

プログラミングにおける条件分岐の重要性

プログラミングにおいて条件分岐は、ソフトウェアの「判断力」を実現する重要な要素です。私たちの日常生活では「もし雨が降っていたら傘を持って行く」「もし財布を忘れたら取りに帰る」というように、状況に応じて行動を変えています。プログラミングでも同様に、特定の条件に基づいて異なる処理を実行する必要があり、これを実現するのが条件分岐です。

条件分岐を使用することで、以下のような処理が可能になります:

  • ユーザーの入力に応じて適切な応答を返す
  • エラーが発生した場合の例外処理を行う
  • ビジネスロジックに基づいて異なる計算を実行する
  • システムの状態に応じて適切な処理を選択する

Rubyのif文の基本構文と特徴

Rubyのif文は、他のプログラミング言語と比べて非常に柔軟で表現力豊かな構文を持っています。基本的な構文は以下の通りです:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
if 条件式
# 条件が真の場合に実行される処理
end
# 基本的な使用例
age = 18
if age >= 18
puts "成人です"
end
if 条件式 # 条件が真の場合に実行される処理 end # 基本的な使用例 age = 18 if age >= 18 puts "成人です" end
if 条件式
  # 条件が真の場合に実行される処理
end

# 基本的な使用例
age = 18
if age >= 18
  puts "成人です"
end

Rubyのif文には、以下のような特徴があります:

  1. 省略可能なthen
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# thenを使用した書き方
if age >= 18 then puts "成人です" end
# thenを省略した書き方(推奨)
if age >= 18; puts "成人です" end
# thenを使用した書き方 if age >= 18 then puts "成人です" end # thenを省略した書き方(推奨) if age >= 18; puts "成人です" end
# thenを使用した書き方
if age >= 18 then puts "成人です" end

# thenを省略した書き方(推奨)
if age >= 18; puts "成人です" end
  1. 修飾子として後置できる
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
puts "成人です" if age >= 18
puts "成人です" if age >= 18
puts "成人です" if age >= 18
  1. 式としての評価
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# if文の結果を変数に代入できる
status = if age >= 18
"成人"
else
"未成年"
end
# if文の結果を変数に代入できる status = if age >= 18 "成人" else "未成年" end
# if文の結果を変数に代入できる
status = if age >= 18
          "成人"
        else
          "未成年"
        end
  1. 豊富な比較演算子
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 等値比較
if name == "Ruby" # 値の比較
if name.eql? "Ruby" # 値とクラスの比較
if name.equal? other_name # オブジェクトIDの比較
# 大小比較
if age >= 18
if score <= 100
# 等値比較 if name == "Ruby" # 値の比較 if name.eql? "Ruby" # 値とクラスの比較 if name.equal? other_name # オブジェクトIDの比較 # 大小比較 if age >= 18 if score <= 100
# 等値比較
if name == "Ruby"  # 値の比較
if name.eql? "Ruby"  # 値とクラスの比較
if name.equal? other_name  # オブジェクトIDの比較

# 大小比較
if age >= 18
if score <= 100
  1. 真偽値の扱い
    Rubyではfalsenil以外のすべての値が真として扱われます:
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
if 1 # 真として扱われる
if "false" # 文字列なので真
if 0 # 数値なので真
if nil # 偽
if false # 偽
if 1 # 真として扱われる if "false" # 文字列なので真 if 0 # 数値なので真 if nil # 偽 if false # 偽
if 1        # 真として扱われる
if "false"  # 文字列なので真
if 0        # 数値なので真
if nil      # 偽
if false    # 偽

Rubyのif文は、このように柔軟な構文と直感的な真偽値の扱いにより、読みやすく保守性の高いコードを書くことができます。これらの基本を理解することで、より複雑な条件分岐も効果的に実装できるようになります。

実際のプロジェクトでは、これらの基本的な機能を組み合わせることで、複雑なビジネスロジックや制御フローを実装していきます。次のセクションでは、より具体的な使用方法とテクニックについて説明していきます。

if文の基本的な書き方

一行で書くif文の正しい使い方

Rubyでは、if文を1行で書くことができる便利な構文があります。これは特に簡単な条件分岐を記述する際に有用です。ただし、適切に使用しないとコードの可読性を損なう可能性があるため、正しい使い方を理解することが重要です。

後置if文の基本形式

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 基本的な形式
実行したい処理 if 条件
# 具体例
puts "おはようございます" if time < 12
return nil if user.nil?
raise ArgumentError if amount.negative?
# 基本的な形式 実行したい処理 if 条件 # 具体例 puts "おはようございます" if time < 12 return nil if user.nil? raise ArgumentError if amount.negative?
# 基本的な形式
実行したい処理 if 条件

# 具体例
puts "おはようございます" if time < 12
return nil if user.nil?
raise ArgumentError if amount.negative?

後置if文を使用する際の推奨パターン:

  1. 早期リターン
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Good: 早期リターンでの使用
def process_user(user)
return nil if user.nil?
# メインの処理
end
# Bad: 複雑な処理での使用
total = price * quantity if price && quantity # 避けるべき
# Good: 早期リターンでの使用 def process_user(user) return nil if user.nil? # メインの処理 end # Bad: 複雑な処理での使用 total = price * quantity if price && quantity # 避けるべき
# Good: 早期リターンでの使用
def process_user(user)
  return nil if user.nil?
  # メインの処理
end

# Bad: 複雑な処理での使用
total = price * quantity if price && quantity # 避けるべき
  1. 単純な出力や代入
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Good: シンプルな出力
puts "管理者です" if user.admin?
# Bad: 複数の処理
if user.admin? # この場合は通常のif文を使用すべき
puts "管理者です"
grant_admin_privileges
end
# Good: シンプルな出力 puts "管理者です" if user.admin? # Bad: 複数の処理 if user.admin? # この場合は通常のif文を使用すべき puts "管理者です" grant_admin_privileges end
# Good: シンプルな出力
puts "管理者です" if user.admin?

# Bad: 複数の処理
if user.admin? # この場合は通常のif文を使用すべき
  puts "管理者です"
  grant_admin_privileges
end

複数の条件を扱うelse・elsifの活用法

複数の条件分岐を扱う場合、elseelsifを使用します。これらを適切に活用することで、明確で管理しやすいコードを書くことができます。

基本的な使用パターン

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def check_temperature(temp)
if temp >= 30
"暑いです"
elsif temp >= 20
"快適です"
elsif temp >= 10
"涼しいです"
else
"寒いです"
end
end
def check_temperature(temp) if temp >= 30 "暑いです" elsif temp >= 20 "快適です" elsif temp >= 10 "涼しいです" else "寒いです" end end
def check_temperature(temp)
  if temp >= 30
    "暑いです"
  elsif temp >= 20
    "快適です"
  elsif temp >= 10
    "涼しいです"
  else
    "寒いです"
  end
end

elsifを使用する際のベストプラクティス

  1. 条件の順序を適切に設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Good: 具体的な条件から順に評価
def determine_user_level(points)
if points >= 1000
"プラチナ"
elsif points >= 500
"ゴールド"
elsif points >= 100
"シルバー"
else
"ブロンズ"
end
end
# Good: 具体的な条件から順に評価 def determine_user_level(points) if points >= 1000 "プラチナ" elsif points >= 500 "ゴールド" elsif points >= 100 "シルバー" else "ブロンズ" end end
# Good: 具体的な条件から順に評価
def determine_user_level(points)
  if points >= 1000
    "プラチナ"
  elsif points >= 500
    "ゴールド"
  elsif points >= 100
    "シルバー"
  else
    "ブロンズ"
  end
end
  1. 条件の重複を避ける
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 条件が重複している
if age >= 20
"成人"
elsif age >= 18 && age < 20
"新成人"
elsif age < 18
"未成年"
end
# Good: 重複を排除
if age >= 20
"成人"
elsif age >= 18
"新成人"
else
"未成年"
end
# Bad: 条件が重複している if age >= 20 "成人" elsif age >= 18 && age < 20 "新成人" elsif age < 18 "未成年" end # Good: 重複を排除 if age >= 20 "成人" elsif age >= 18 "新成人" else "未成年" end
# Bad: 条件が重複している
if age >= 20
  "成人"
elsif age >= 18 && age < 20
  "新成人"
elsif age < 18
  "未成年"
end

# Good: 重複を排除
if age >= 20
  "成人"
elsif age >= 18
  "新成人"
else
  "未成年"
end

unless文との使い分け

unless文はif !条件の代替として使用できる Ruby の特徴的な構文です。適切に使用することで、より読みやすいコードを書くことができます。

unlessの基本的な使い方

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# if文での否定条件
if !user.active?
notify_inactive_user
end
# unless文を使用した場合
unless user.active?
notify_inactive_user
end
# if文での否定条件 if !user.active? notify_inactive_user end # unless文を使用した場合 unless user.active? notify_inactive_user end
# if文での否定条件
if !user.active?
  notify_inactive_user
end

# unless文を使用した場合
unless user.active?
  notify_inactive_user
end

unlessを使用すべき場合と避けるべき場合

使用推奨パターン:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Good: シンプルな否定条件
return unless valid?
puts "準備完了" unless loading?
skip_process unless user.admin?
# Good: シンプルな否定条件 return unless valid? puts "準備完了" unless loading? skip_process unless user.admin?
# Good: シンプルな否定条件
return unless valid?
puts "準備完了" unless loading?
skip_process unless user.admin?

避けるべきパターン:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 複雑な条件
unless user.nil? || !user.active? || user.admin?
process_regular_user
end
# Good: 上記を if で書き直した場合
if user.present? && user.active? && !user.admin?
process_regular_user
end
# Bad: else句の使用
unless user.admin?
puts "一般ユーザーです"
else
puts "管理者です"
end
# Good: 上記を if で書き直した場合
if user.admin?
puts "管理者です"
else
puts "一般ユーザーです"
end
# Bad: 複雑な条件 unless user.nil? || !user.active? || user.admin? process_regular_user end # Good: 上記を if で書き直した場合 if user.present? && user.active? && !user.admin? process_regular_user end # Bad: else句の使用 unless user.admin? puts "一般ユーザーです" else puts "管理者です" end # Good: 上記を if で書き直した場合 if user.admin? puts "管理者です" else puts "一般ユーザーです" end
# Bad: 複雑な条件
unless user.nil? || !user.active? || user.admin?
  process_regular_user
end

# Good: 上記を if で書き直した場合
if user.present? && user.active? && !user.admin?
  process_regular_user
end

# Bad: else句の使用
unless user.admin?
  puts "一般ユーザーです"
else
  puts "管理者です"
end

# Good: 上記を if で書き直した場合
if user.admin?
  puts "管理者です"
else
  puts "一般ユーザーです"
end

この基本的な書き方を理解することで、状況に応じて適切な条件分岐を選択できるようになります。次のセクションでは、これらの基本を活かした実践的なテクニックについて説明していきます。

実践的なif文の活用テクニック

三項演算子で簡潔に書く方法

三項演算子はif文をより簡潔に書くための構文で、特に単純な条件分岐での値の代入に適しています。

基本構文

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
結果 = 条件 ? 真の場合の値 : 偽の場合の値
# 具体例
age = 20
status = age >= 18 ? "成人" : "未成年"
結果 = 条件 ? 真の場合の値 : 偽の場合の値 # 具体例 age = 20 status = age >= 18 ? "成人" : "未成年"
結果 = 条件 ? 真の場合の値 : 偽の場合の値

# 具体例
age = 20
status = age >= 18 ? "成人" : "未成年"

効果的な使用パターン

  1. デフォルト値の設定
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Good: シンプルなデフォルト値の設定
name = user.name.nil? ? "ゲスト" : user.name
# Better: ぼっち演算子を使用するとさらに簡潔
name = user.name || "ゲスト"
# Good: シンプルなデフォルト値の設定 name = user.name.nil? ? "ゲスト" : user.name # Better: ぼっち演算子を使用するとさらに簡潔 name = user.name || "ゲスト"
# Good: シンプルなデフォルト値の設定
name = user.name.nil? ? "ゲスト" : user.name

# Better: ぼっち演算子を使用するとさらに簡潔
name = user.name || "ゲスト"
  1. 条件付きの値の代入
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Good: 単純な条件での値の決定
message = count > 0 ? "データあり" : "データなし"
# Bad: 複雑な条件や処理(通常のif文を使うべき)
result = value > 100 ?
complex_calculation(value) :
another_complex_calculation(value)
# Good: 単純な条件での値の決定 message = count > 0 ? "データあり" : "データなし" # Bad: 複雑な条件や処理(通常のif文を使うべき) result = value > 100 ? complex_calculation(value) : another_complex_calculation(value)
# Good: 単純な条件での値の決定
message = count > 0 ? "データあり" : "データなし"

# Bad: 複雑な条件や処理(通常のif文を使うべき)
result = value > 100 ? 
  complex_calculation(value) : 
  another_complex_calculation(value)

case文との使い分けとベストプラクティス

if文とcase文は状況に応じて使い分けることで、より読みやすく保守性の高いコードを書くことができます。

if文が適している場合

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 条件が独立している場合
def validate_user(user)
if user.nil?
"ユーザーが存在しません"
elsif !user.active?
"アカウントが無効です"
elsif user.suspended?
"アカウントが停止中です"
else
"有効なユーザーです"
end
end
# 条件が独立している場合 def validate_user(user) if user.nil? "ユーザーが存在しません" elsif !user.active? "アカウントが無効です" elsif user.suspended? "アカウントが停止中です" else "有効なユーザーです" end end
# 条件が独立している場合
def validate_user(user)
  if user.nil?
    "ユーザーが存在しません"
  elsif !user.active?
    "アカウントが無効です"
  elsif user.suspended?
    "アカウントが停止中です"
  else
    "有効なユーザーです"
  end
end

case文が適している場合

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 単一の値や式に対する複数の条件分岐
def determine_grade(score)
case score
when 90..100
"A"
when 80..89
"B"
when 70..79
"C"
when 60..69
"D"
else
"F"
end
end
# 単一の値や式に対する複数の条件分岐 def determine_grade(score) case score when 90..100 "A" when 80..89 "B" when 70..79 "C" when 60..69 "D" else "F" end end
# 単一の値や式に対する複数の条件分岐
def determine_grade(score)
  case score
  when 90..100
    "A"
  when 80..89
    "B"
  when 70..79
    "C"
  when 60..69
    "D"
  else
    "F"
  end
end

使い分けのガイドライン

  1. if文を使用する場合:
  • 複数の異なる条件を評価する
  • 真偽値での評価
  • 複雑な条件式が必要な場合
  1. case文を使用する場合:
  • 単一の値や式を複数のパターンと比較
  • 値の範囲での評価
  • パターンマッチング

メソッドの戻り値としてのif文活用法

Rubyではif文が式として評価され、最後に評価された式の値を返すという特徴があります。これを活用することで、より簡潔で表現力豊かなコードを書くことができます。

基本的な使用方法

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def user_status(user)
if user.admin?
"管理者"
elsif user.moderator?
"モデレーター"
else
"一般ユーザー"
end
end
# 上記は以下のreturn文を省略できる
def user_status(user)
return "管理者" if user.admin?
return "モデレーター" if user.moderator?
"一般ユーザー"
end
def user_status(user) if user.admin? "管理者" elsif user.moderator? "モデレーター" else "一般ユーザー" end end # 上記は以下のreturn文を省略できる def user_status(user) return "管理者" if user.admin? return "モデレーター" if user.moderator? "一般ユーザー" end
def user_status(user)
  if user.admin?
    "管理者"
  elsif user.moderator?
    "モデレーター"
  else
    "一般ユーザー"
  end
end

# 上記は以下のreturn文を省略できる
def user_status(user)
  return "管理者" if user.admin?
  return "モデレーター" if user.moderator?
  "一般ユーザー"
end

実践的な活用パターン

  1. 条件付きの値の生成
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def calculate_discount(price, user)
if user.premium?
price * 0.8 # 20%割引
elsif user.regular?
price * 0.9 # 10%割引
else
price # 割引なし
end
end
def calculate_discount(price, user) if user.premium? price * 0.8 # 20%割引 elsif user.regular? price * 0.9 # 10%割引 else price # 割引なし end end
def calculate_discount(price, user)
  if user.premium?
    price * 0.8  # 20%割引
  elsif user.regular?
    price * 0.9  # 10%割引
  else
    price  # 割引なし
  end
end
  1. オブジェクトの条件付き生成
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def create_notification(event)
if event.urgent?
EmailNotification.new(event)
elsif event.regular?
SlackNotification.new(event)
else
NullNotification.new
end
end
def create_notification(event) if event.urgent? EmailNotification.new(event) elsif event.regular? SlackNotification.new(event) else NullNotification.new end end
def create_notification(event)
  if event.urgent?
    EmailNotification.new(event)
  elsif event.regular?
    SlackNotification.new(event)
  else
    NullNotification.new
  end
end
  1. メソッドチェーンでの活用
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def process_data(data)
if data.valid?
data
.transform_keys(&:to_sym)
.reject { |_, v| v.nil? }
.transform_values(&:to_s)
else
{}
end
end
def process_data(data) if data.valid? data .transform_keys(&:to_sym) .reject { |_, v| v.nil? } .transform_values(&:to_s) else {} end end
def process_data(data)
  if data.valid?
    data
      .transform_keys(&:to_sym)
      .reject { |_, v| v.nil? }
      .transform_values(&:to_s)
  else
    {}
  end
end

これらのテクニックを適切に組み合わせることで、より表現力豊かで保守性の高いRubyコードを書くことができます。次のセクションでは、if文を使用する際の注意点と落とし穴について説明していきます。

if文における注意点と落とし穴

nil・false以外が真となる仕様を理解する

Rubyの真偽値評価は他の言語と比べてユニークな特徴があります。falsenil以外のすべての値が真として評価される仕様は、便利である一方で思わぬバグの原因になることがあります。

真として評価される値の例

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 以下はすべて真として評価される
if 0 # 0も真
puts "0は真です"
end
if "" # 空文字列も真
puts "空文字列は真です"
end
if [] # 空配列も真
puts "空配列は真です"
end
if {} # 空ハッシュも真
puts "空ハッシュは真です"
end
# 以下はすべて真として評価される if 0 # 0も真 puts "0は真です" end if "" # 空文字列も真 puts "空文字列は真です" end if [] # 空配列も真 puts "空配列は真です" end if {} # 空ハッシュも真 puts "空ハッシュは真です" end
# 以下はすべて真として評価される
if 0        # 0も真
  puts "0は真です"
end

if ""       # 空文字列も真
  puts "空文字列は真です"
end

if []       # 空配列も真
  puts "空配列は真です"
end

if {}       # 空ハッシュも真
  puts "空ハッシュは真です"
end

よくある落とし穴と対策

  1. 意図しない真の評価
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 変数の存在確認として使用
if user_name
process_user(user_name)
end
# Good: 明示的な nil チェック
if !user_name.nil?
process_user(user_name)
end
# Better: 空文字列も考慮
if user_name&.strip.present?
process_user(user_name)
end
# Bad: 変数の存在確認として使用 if user_name process_user(user_name) end # Good: 明示的な nil チェック if !user_name.nil? process_user(user_name) end # Better: 空文字列も考慮 if user_name&.strip.present? process_user(user_name) end
# Bad: 変数の存在確認として使用
if user_name
  process_user(user_name)
end

# Good: 明示的な nil チェック
if !user_name.nil?
  process_user(user_name)
end

# Better: 空文字列も考慮
if user_name&.strip.present?
  process_user(user_name)
end
  1. 数値の評価
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 0の判定を誤る可能性
def process_count(count)
if count # 0も真となるため、意図した動作にならない
perform_operation
end
end
# Good: 明示的な比較
def process_count(count)
if count > 0
perform_operation
end
end
# Bad: 0の判定を誤る可能性 def process_count(count) if count # 0も真となるため、意図した動作にならない perform_operation end end # Good: 明示的な比較 def process_count(count) if count > 0 perform_operation end end
# Bad: 0の判定を誤る可能性
def process_count(count)
  if count  # 0も真となるため、意図した動作にならない
    perform_operation
  end
end

# Good: 明示的な比較
def process_count(count)
  if count > 0
    perform_operation
  end
end

条件式における==と===の違い

Rubyには=====eql?equal?という複数の等値比較演算子があり、それぞれ異なる比較を行います。これらを適切に使い分けることが重要です。

各演算子の特徴と使用例

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# == : 値の比較
1 == 1.0 # => true
"1" == 1 # => false
# === : パターンマッチング(case文で使用)
(1..10) === 5 # => true
String === "test" # => true
/\d+/ === "123" # => true
# eql? : 値とクラスの比較
1.eql?(1.0) # => false(1はIntegerで1.0はFloat)
# equal? : オブジェクトIDの比較
str1 = "hello"
str2 = "hello"
str1.equal?(str2) # => false(異なるオブジェクト)
# == : 値の比較 1 == 1.0 # => true "1" == 1 # => false # === : パターンマッチング(case文で使用) (1..10) === 5 # => true String === "test" # => true /\d+/ === "123" # => true # eql? : 値とクラスの比較 1.eql?(1.0) # => false(1はIntegerで1.0はFloat) # equal? : オブジェクトIDの比較 str1 = "hello" str2 = "hello" str1.equal?(str2) # => false(異なるオブジェクト)
# == : 値の比較
1 == 1.0          # => true
"1" == 1          # => false

# === : パターンマッチング(case文で使用)
(1..10) === 5     # => true
String === "test" # => true
/\d+/ === "123"   # => true

# eql? : 値とクラスの比較
1.eql?(1.0)       # => false(1はIntegerで1.0はFloat)

# equal? : オブジェクトIDの比較
str1 = "hello"
str2 = "hello"
str1.equal?(str2) # => false(異なるオブジェクト)

適切な演算子の選択

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 一般的な値の比較には == を使用
def check_status(status)
if status == :active
process_active_user
end
end
# クラスの判定には === を使用
def process_value(value)
case value
when String
process_string(value)
when Integer
process_number(value)
end
end
# 一般的な値の比較には == を使用 def check_status(status) if status == :active process_active_user end end # クラスの判定には === を使用 def process_value(value) case value when String process_string(value) when Integer process_number(value) end end
# 一般的な値の比較には == を使用
def check_status(status)
  if status == :active
    process_active_user
  end
end

# クラスの判定には === を使用
def process_value(value)
  case value
  when String
    process_string(value)
  when Integer
    process_number(value)
  end
end

条件分岐のネストを避けるテクニック

条件分岐のネストは可読性を低下させ、バグの温床となりやすいため、できるだけ避けるべきです。以下のテクニックを使用することで、ネストを減らすことができます。

ネストを避けるパターン

  1. 早期リターン
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: ネストが深い
def process_user(user)
if user
if user.active?
if user.admin?
perform_admin_task
else
perform_user_task
end
else
handle_inactive_user
end
else
handle_nil_user
end
end
# Good: 早期リターンで整理
def process_user(user)
return handle_nil_user unless user
return handle_inactive_user unless user.active?
if user.admin?
perform_admin_task
else
perform_user_task
end
end
# Bad: ネストが深い def process_user(user) if user if user.active? if user.admin? perform_admin_task else perform_user_task end else handle_inactive_user end else handle_nil_user end end # Good: 早期リターンで整理 def process_user(user) return handle_nil_user unless user return handle_inactive_user unless user.active? if user.admin? perform_admin_task else perform_user_task end end
# Bad: ネストが深い
def process_user(user)
  if user
    if user.active?
      if user.admin?
        perform_admin_task
      else
        perform_user_task
      end
    else
      handle_inactive_user
    end
  else
    handle_nil_user
  end
end

# Good: 早期リターンで整理
def process_user(user)
  return handle_nil_user unless user
  return handle_inactive_user unless user.active?

  if user.admin?
    perform_admin_task
  else
    perform_user_task
  end
end
  1. 条件の結合
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 複数のネスト
def validate_input(value)
if value.is_a?(String)
if value.length >= 3
if value.match?(/^[A-Za-z]+$/)
process_valid_input(value)
end
end
end
end
# Good: 条件を結合
def validate_input(value)
if value.is_a?(String) &&
value.length >= 3 &&
value.match?(/^[A-Za-z]+$/)
process_valid_input(value)
end
end
# Bad: 複数のネスト def validate_input(value) if value.is_a?(String) if value.length >= 3 if value.match?(/^[A-Za-z]+$/) process_valid_input(value) end end end end # Good: 条件を結合 def validate_input(value) if value.is_a?(String) && value.length >= 3 && value.match?(/^[A-Za-z]+$/) process_valid_input(value) end end
# Bad: 複数のネスト
def validate_input(value)
  if value.is_a?(String)
    if value.length >= 3
      if value.match?(/^[A-Za-z]+$/)
        process_valid_input(value)
      end
    end
  end
end

# Good: 条件を結合
def validate_input(value)
  if value.is_a?(String) && 
     value.length >= 3 && 
     value.match?(/^[A-Za-z]+$/)
    process_valid_input(value)
  end
end
  1. ガード節の活用
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 条件のネスト
def calculate_price(product, quantity)
if product
if quantity > 0
if product.in_stock?(quantity)
product.price * quantity
end
end
end
end
# Good: ガード節で整理
def calculate_price(product, quantity)
return 0 unless product
return 0 unless quantity > 0
return 0 unless product.in_stock?(quantity)
product.price * quantity
end
# Bad: 条件のネスト def calculate_price(product, quantity) if product if quantity > 0 if product.in_stock?(quantity) product.price * quantity end end end end # Good: ガード節で整理 def calculate_price(product, quantity) return 0 unless product return 0 unless quantity > 0 return 0 unless product.in_stock?(quantity) product.price * quantity end
# Bad: 条件のネスト
def calculate_price(product, quantity)
  if product
    if quantity > 0
      if product.in_stock?(quantity)
        product.price * quantity
      end
    end
  end
end

# Good: ガード節で整理
def calculate_price(product, quantity)
  return 0 unless product
  return 0 unless quantity > 0
  return 0 unless product.in_stock?(quantity)

  product.price * quantity
end

これらの注意点を意識することで、より堅牢で保守性の高いコードを書くことができます。次のセクションでは、より良いif文を書くためのベストプラクティスについて説明していきます。

if文における注意点と落とし穴

nil・false以外が真となる仕様を理解する

Rubyの真偽値評価は他の言語と比べてユニークな特徴があります。falsenil以外のすべての値が真として評価される仕様は、便利である一方で思わぬバグの原因になることがあります。

真として評価される値の例

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 以下はすべて真として評価される
if 0 # 0も真
puts "0は真です"
end
if "" # 空文字列も真
puts "空文字列は真です"
end
if [] # 空配列も真
puts "空配列は真です"
end
if {} # 空ハッシュも真
puts "空ハッシュは真です"
end
# 以下はすべて真として評価される if 0 # 0も真 puts "0は真です" end if "" # 空文字列も真 puts "空文字列は真です" end if [] # 空配列も真 puts "空配列は真です" end if {} # 空ハッシュも真 puts "空ハッシュは真です" end
# 以下はすべて真として評価される
if 0        # 0も真
  puts "0は真です"
end

if ""       # 空文字列も真
  puts "空文字列は真です"
end

if []       # 空配列も真
  puts "空配列は真です"
end

if {}       # 空ハッシュも真
  puts "空ハッシュは真です"
end

よくある落とし穴と対策

  1. 意図しない真の評価
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 変数の存在確認として使用
if user_name
process_user(user_name)
end
# Good: 明示的な nil チェック
if !user_name.nil?
process_user(user_name)
end
# Better: 空文字列も考慮
if user_name&.strip.present?
process_user(user_name)
end
# Bad: 変数の存在確認として使用 if user_name process_user(user_name) end # Good: 明示的な nil チェック if !user_name.nil? process_user(user_name) end # Better: 空文字列も考慮 if user_name&.strip.present? process_user(user_name) end
# Bad: 変数の存在確認として使用
if user_name
  process_user(user_name)
end

# Good: 明示的な nil チェック
if !user_name.nil?
  process_user(user_name)
end

# Better: 空文字列も考慮
if user_name&.strip.present?
  process_user(user_name)
end
  1. 数値の評価
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 0の判定を誤る可能性
def process_count(count)
if count # 0も真となるため、意図した動作にならない
perform_operation
end
end
# Good: 明示的な比較
def process_count(count)
if count > 0
perform_operation
end
end
# Bad: 0の判定を誤る可能性 def process_count(count) if count # 0も真となるため、意図した動作にならない perform_operation end end # Good: 明示的な比較 def process_count(count) if count > 0 perform_operation end end
# Bad: 0の判定を誤る可能性
def process_count(count)
  if count  # 0も真となるため、意図した動作にならない
    perform_operation
  end
end

# Good: 明示的な比較
def process_count(count)
  if count > 0
    perform_operation
  end
end

条件式における==と===の違い

Rubyには=====eql?equal?という複数の等値比較演算子があり、それぞれ異なる比較を行います。これらを適切に使い分けることが重要です。

各演算子の特徴と使用例

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# == : 値の比較
1 == 1.0 # => true
"1" == 1 # => false
# === : パターンマッチング(case文で使用)
(1..10) === 5 # => true
String === "test" # => true
/\d+/ === "123" # => true
# eql? : 値とクラスの比較
1.eql?(1.0) # => false(1はIntegerで1.0はFloat)
# equal? : オブジェクトIDの比較
str1 = "hello"
str2 = "hello"
str1.equal?(str2) # => false(異なるオブジェクト)
# == : 値の比較 1 == 1.0 # => true "1" == 1 # => false # === : パターンマッチング(case文で使用) (1..10) === 5 # => true String === "test" # => true /\d+/ === "123" # => true # eql? : 値とクラスの比較 1.eql?(1.0) # => false(1はIntegerで1.0はFloat) # equal? : オブジェクトIDの比較 str1 = "hello" str2 = "hello" str1.equal?(str2) # => false(異なるオブジェクト)
# == : 値の比較
1 == 1.0          # => true
"1" == 1          # => false

# === : パターンマッチング(case文で使用)
(1..10) === 5     # => true
String === "test" # => true
/\d+/ === "123"   # => true

# eql? : 値とクラスの比較
1.eql?(1.0)       # => false(1はIntegerで1.0はFloat)

# equal? : オブジェクトIDの比較
str1 = "hello"
str2 = "hello"
str1.equal?(str2) # => false(異なるオブジェクト)

適切な演算子の選択

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# 一般的な値の比較には == を使用
def check_status(status)
if status == :active
process_active_user
end
end
# クラスの判定には === を使用
def process_value(value)
case value
when String
process_string(value)
when Integer
process_number(value)
end
end
# 一般的な値の比較には == を使用 def check_status(status) if status == :active process_active_user end end # クラスの判定には === を使用 def process_value(value) case value when String process_string(value) when Integer process_number(value) end end
# 一般的な値の比較には == を使用
def check_status(status)
  if status == :active
    process_active_user
  end
end

# クラスの判定には === を使用
def process_value(value)
  case value
  when String
    process_string(value)
  when Integer
    process_number(value)
  end
end

条件分岐のネストを避けるテクニック

条件分岐のネストは可読性を低下させ、バグの温床となりやすいため、できるだけ避けるべきです。以下のテクニックを使用することで、ネストを減らすことができます。

ネストを避けるパターン

  1. 早期リターン
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: ネストが深い
def process_user(user)
if user
if user.active?
if user.admin?
perform_admin_task
else
perform_user_task
end
else
handle_inactive_user
end
else
handle_nil_user
end
end
# Good: 早期リターンで整理
def process_user(user)
return handle_nil_user unless user
return handle_inactive_user unless user.active?
if user.admin?
perform_admin_task
else
perform_user_task
end
end
# Bad: ネストが深い def process_user(user) if user if user.active? if user.admin? perform_admin_task else perform_user_task end else handle_inactive_user end else handle_nil_user end end # Good: 早期リターンで整理 def process_user(user) return handle_nil_user unless user return handle_inactive_user unless user.active? if user.admin? perform_admin_task else perform_user_task end end
# Bad: ネストが深い
def process_user(user)
  if user
    if user.active?
      if user.admin?
        perform_admin_task
      else
        perform_user_task
      end
    else
      handle_inactive_user
    end
  else
    handle_nil_user
  end
end

# Good: 早期リターンで整理
def process_user(user)
  return handle_nil_user unless user
  return handle_inactive_user unless user.active?

  if user.admin?
    perform_admin_task
  else
    perform_user_task
  end
end
  1. 条件の結合
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 複数のネスト
def validate_input(value)
if value.is_a?(String)
if value.length >= 3
if value.match?(/^[A-Za-z]+$/)
process_valid_input(value)
end
end
end
end
# Good: 条件を結合
def validate_input(value)
if value.is_a?(String) &&
value.length >= 3 &&
value.match?(/^[A-Za-z]+$/)
process_valid_input(value)
end
end
# Bad: 複数のネスト def validate_input(value) if value.is_a?(String) if value.length >= 3 if value.match?(/^[A-Za-z]+$/) process_valid_input(value) end end end end # Good: 条件を結合 def validate_input(value) if value.is_a?(String) && value.length >= 3 && value.match?(/^[A-Za-z]+$/) process_valid_input(value) end end
# Bad: 複数のネスト
def validate_input(value)
  if value.is_a?(String)
    if value.length >= 3
      if value.match?(/^[A-Za-z]+$/)
        process_valid_input(value)
      end
    end
  end
end

# Good: 条件を結合
def validate_input(value)
  if value.is_a?(String) && 
     value.length >= 3 && 
     value.match?(/^[A-Za-z]+$/)
    process_valid_input(value)
  end
end
  1. ガード節の活用
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 条件のネスト
def calculate_price(product, quantity)
if product
if quantity > 0
if product.in_stock?(quantity)
product.price * quantity
end
end
end
end
# Good: ガード節で整理
def calculate_price(product, quantity)
return 0 unless product
return 0 unless quantity > 0
return 0 unless product.in_stock?(quantity)
product.price * quantity
end
# Bad: 条件のネスト def calculate_price(product, quantity) if product if quantity > 0 if product.in_stock?(quantity) product.price * quantity end end end end # Good: ガード節で整理 def calculate_price(product, quantity) return 0 unless product return 0 unless quantity > 0 return 0 unless product.in_stock?(quantity) product.price * quantity end
# Bad: 条件のネスト
def calculate_price(product, quantity)
  if product
    if quantity > 0
      if product.in_stock?(quantity)
        product.price * quantity
      end
    end
  end
end

# Good: ガード節で整理
def calculate_price(product, quantity)
  return 0 unless product
  return 0 unless quantity > 0
  return 0 unless product.in_stock?(quantity)

  product.price * quantity
end

これらの注意点を意識することで、より堅牢で保守性の高いコードを書くことができます。次のセクションでは、より良いif文を書くためのベストプラクティスについて説明していきます。

より良いif文を書くためのベストプラクティス

早期リターンパターンの活用

早期リターンパターンは、異常系や特殊なケースを先に処理することで、メインロジックの可読性を向上させる手法です。このパターンを活用することで、コードの見通しが良くなり、保守性が向上します。

基本的な早期リターンパターン

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: ネストが深く、メインロジックが分かりにくい
def process_order(order)
if order.valid?
if order.items.any?
if order.user.can_purchase?
# メインの処理(ネストが深い)
calculate_total(order)
else
raise NotAuthorizedError
end
else
raise EmptyOrderError
end
else
raise InvalidOrderError
end
end
# Good: 早期リターンで整理
def process_order(order)
raise InvalidOrderError unless order.valid?
raise EmptyOrderError if order.items.empty?
raise NotAuthorizedError unless order.user.can_purchase?
# メインロジックが見やすい
calculate_total(order)
end
# Bad: ネストが深く、メインロジックが分かりにくい def process_order(order) if order.valid? if order.items.any? if order.user.can_purchase? # メインの処理(ネストが深い) calculate_total(order) else raise NotAuthorizedError end else raise EmptyOrderError end else raise InvalidOrderError end end # Good: 早期リターンで整理 def process_order(order) raise InvalidOrderError unless order.valid? raise EmptyOrderError if order.items.empty? raise NotAuthorizedError unless order.user.can_purchase? # メインロジックが見やすい calculate_total(order) end
# Bad: ネストが深く、メインロジックが分かりにくい
def process_order(order)
  if order.valid?
    if order.items.any?
      if order.user.can_purchase?
        # メインの処理(ネストが深い)
        calculate_total(order)
      else
        raise NotAuthorizedError
      end
    else
      raise EmptyOrderError
    end
  else
    raise InvalidOrderError
  end
end

# Good: 早期リターンで整理
def process_order(order)
  raise InvalidOrderError unless order.valid?
  raise EmptyOrderError if order.items.empty?
  raise NotAuthorizedError unless order.user.can_purchase?

  # メインロジックが見やすい
  calculate_total(order)
end

早期リターンの応用パターン

  1. バリデーションチェック
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def update_user_profile(user, params)
return false unless user
return false unless params[:name].present?
return false if params[:email]&.empty?
user.update(params)
end
def update_user_profile(user, params) return false unless user return false unless params[:name].present? return false if params[:email]&.empty? user.update(params) end
def update_user_profile(user, params)
  return false unless user
  return false unless params[:name].present?
  return false if params[:email]&.empty?

  user.update(params)
end
  1. 権限チェック
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def perform_admin_action(user, action)
return unauthorized_response unless user.admin?
return invalid_action_response unless valid_admin_action?(action)
execute_admin_action(user, action)
end
def perform_admin_action(user, action) return unauthorized_response unless user.admin? return invalid_action_response unless valid_admin_action?(action) execute_admin_action(user, action) end
def perform_admin_action(user, action)
  return unauthorized_response unless user.admin?
  return invalid_action_response unless valid_admin_action?(action)

  execute_admin_action(user, action)
end

ガード節による可読性の向上

ガード節は条件を否定形で書き、早期にreturnすることで、メインロジックを見やすくするテクニックです。

ガード節の基本パターン

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 肯定形の条件でネストが深くなる
def send_notification(user)
if user.active?
if user.email.present?
if user.notification_enabled?
NotificationService.deliver(user)
end
end
end
end
# Good: ガード節で整理
def send_notification(user)
return unless user.active?
return unless user.email.present?
return unless user.notification_enabled?
NotificationService.deliver(user)
end
# Bad: 肯定形の条件でネストが深くなる def send_notification(user) if user.active? if user.email.present? if user.notification_enabled? NotificationService.deliver(user) end end end end # Good: ガード節で整理 def send_notification(user) return unless user.active? return unless user.email.present? return unless user.notification_enabled? NotificationService.deliver(user) end
# Bad: 肯定形の条件でネストが深くなる
def send_notification(user)
  if user.active?
    if user.email.present?
      if user.notification_enabled?
        NotificationService.deliver(user)
      end
    end
  end
end

# Good: ガード節で整理
def send_notification(user)
  return unless user.active?
  return unless user.email.present?
  return unless user.notification_enabled?

  NotificationService.deliver(user)
end

ガード節の活用例

  1. パラメータのバリデーション
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def create_article(title:, content:, author:)
return Error.new('タイトルは必須です') if title.blank?
return Error.new('内容は必須です') if content.blank?
return Error.new('著者は必須です') if author.nil?
Article.create(
title: title,
content: content,
author: author
)
end
def create_article(title:, content:, author:) return Error.new('タイトルは必須です') if title.blank? return Error.new('内容は必須です') if content.blank? return Error.new('著者は必須です') if author.nil? Article.create( title: title, content: content, author: author ) end
def create_article(title:, content:, author:)
  return Error.new('タイトルは必須です') if title.blank?
  return Error.new('内容は必須です') if content.blank?
  return Error.new('著者は必須です') if author.nil?

  Article.create(
    title: title,
    content: content,
    author: author
  )
end
  1. 条件付き処理
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
def apply_discount(order)
return order.total unless order.eligible_for_discount?
return order.total unless Time.current.weekend?
order.total * 0.9 # 10%割引
end
def apply_discount(order) return order.total unless order.eligible_for_discount? return order.total unless Time.current.weekend? order.total * 0.9 # 10%割引 end
def apply_discount(order)
  return order.total unless order.eligible_for_discount?
  return order.total unless Time.current.weekend?

  order.total * 0.9  # 10%割引
end

Rubyらしい条件分岐の書き方

Rubyには言語特有の慣用句や表現方法があり、これらを活用することで、より簡潔で読みやすいコードを書くことができます。

Rubyらしい条件分岐の例

  1. ぼっち演算子の活用
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 通常のnil チェック
if user && user.profile && user.profile.avatar
process_avatar(user.profile.avatar)
end
# Good: ぼっち演算子を使用
if user&.profile&.avatar
process_avatar(user.profile.avatar)
end
# Bad: 通常のnil チェック if user && user.profile && user.profile.avatar process_avatar(user.profile.avatar) end # Good: ぼっち演算子を使用 if user&.profile&.avatar process_avatar(user.profile.avatar) end
# Bad: 通常のnil チェック
if user && user.profile && user.profile.avatar
  process_avatar(user.profile.avatar)
end

# Good: ぼっち演算子を使用
if user&.profile&.avatar
  process_avatar(user.profile.avatar)
end
  1. メソッド名の工夫
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 真偽値を確認する冗長な条件
if user.admin == true
perform_admin_task
end
# Good: 述語メソッドを使用
if user.admin?
perform_admin_task
end
# Bad: 真偽値を確認する冗長な条件 if user.admin == true perform_admin_task end # Good: 述語メソッドを使用 if user.admin? perform_admin_task end
# Bad: 真偽値を確認する冗長な条件
if user.admin == true
  perform_admin_task
end

# Good: 述語メソッドを使用
if user.admin?
  perform_admin_task
end
  1. コレクションメソッドの活用
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# Bad: 長さをチェックする条件
if users.length > 0
process_users(users)
end
# Good: コレクションメソッドを使用
if users.any?
process_users(users)
end
# Better: 必要に応じてブロックも使用
if users.any? { |user| user.active? }
process_active_users(users)
end
# Bad: 長さをチェックする条件 if users.length > 0 process_users(users) end # Good: コレクションメソッドを使用 if users.any? process_users(users) end # Better: 必要に応じてブロックも使用 if users.any? { |user| user.active? } process_active_users(users) end
# Bad: 長さをチェックする条件
if users.length > 0
  process_users(users)
end

# Good: コレクションメソッドを使用
if users.any?
  process_users(users)
end

# Better: 必要に応じてブロックも使用
if users.any? { |user| user.active? }
  process_active_users(users)
end
  1. 条件付きメソッドチェーン
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
# メソッドチェーンを活用した条件分岐
result = users
.select(&:active?)
.reject(&:admin?)
.map(&:email)
.compact
# メソッドチェーンを活用した条件分岐 result = users .select(&:active?) .reject(&:admin?) .map(&:email) .compact
# メソッドチェーンを活用した条件分岐
result = users
  .select(&:active?)
  .reject(&:admin?)
  .map(&:email)
  .compact

これらのベストプラクティスを適切に組み合わせることで、保守性が高く、読みやすいRubyコードを書くことができます。次のセクションでは、これらの知識を活かした実践的なコード例を見ていきます。

実践的なコード例で学ぶif文

ユーザー認証システムでの活用例

ユーザー認証システムでは、様々な条件チェックと認可処理が必要です。以下に、実践的な認証システムの実装例を示します。

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
class AuthenticationService
def authenticate(email:, password:)
# ガード節でエラーケースを早期リターン
return failure_response('メールアドレスを入力してください') if email.blank?
return failure_response('パスワードを入力してください') if password.blank?
user = User.find_by(email: email.downcase)
return failure_response('ユーザーが見つかりません') unless user
if user.authenticate(password)
if user.two_factor_enabled?
handle_two_factor_auth(user)
else
success_response(user)
end
else
failure_response('パスワードが正しくありません')
end
end
private
def handle_two_factor_auth(user)
if user.active_two_factor_token?
# 既存のトークンがある場合は再利用
send_two_factor_token(user)
else
# 新しいトークンを生成
token = user.generate_two_factor_token
send_two_factor_token(user, token)
end
two_factor_response(user)
end
def success_response(user)
{
success: true,
user: user,
token: generate_session_token(user)
}
end
def failure_response(message)
{
success: false,
error: message
}
end
def two_factor_response(user)
{
success: true,
requires_2fa: true,
user_id: user.id
}
end
end
class AuthenticationService def authenticate(email:, password:) # ガード節でエラーケースを早期リターン return failure_response('メールアドレスを入力してください') if email.blank? return failure_response('パスワードを入力してください') if password.blank? user = User.find_by(email: email.downcase) return failure_response('ユーザーが見つかりません') unless user if user.authenticate(password) if user.two_factor_enabled? handle_two_factor_auth(user) else success_response(user) end else failure_response('パスワードが正しくありません') end end private def handle_two_factor_auth(user) if user.active_two_factor_token? # 既存のトークンがある場合は再利用 send_two_factor_token(user) else # 新しいトークンを生成 token = user.generate_two_factor_token send_two_factor_token(user, token) end two_factor_response(user) end def success_response(user) { success: true, user: user, token: generate_session_token(user) } end def failure_response(message) { success: false, error: message } end def two_factor_response(user) { success: true, requires_2fa: true, user_id: user.id } end end
class AuthenticationService
  def authenticate(email:, password:)
    # ガード節でエラーケースを早期リターン
    return failure_response('メールアドレスを入力してください') if email.blank?
    return failure_response('パスワードを入力してください') if password.blank?

    user = User.find_by(email: email.downcase)
    return failure_response('ユーザーが見つかりません') unless user

    if user.authenticate(password)
      if user.two_factor_enabled?
        handle_two_factor_auth(user)
      else
        success_response(user)
      end
    else
      failure_response('パスワードが正しくありません')
    end
  end

  private

  def handle_two_factor_auth(user)
    if user.active_two_factor_token?
      # 既存のトークンがある場合は再利用
      send_two_factor_token(user)
    else
      # 新しいトークンを生成
      token = user.generate_two_factor_token
      send_two_factor_token(user, token)
    end
    two_factor_response(user)
  end

  def success_response(user)
    {
      success: true,
      user: user,
      token: generate_session_token(user)
    }
  end

  def failure_response(message)
    {
      success: false,
      error: message
    }
  end

  def two_factor_response(user)
    {
      success: true,
      requires_2fa: true,
      user_id: user.id
    }
  end
end

在庫管理システムでの条件分岐

在庫管理システムでは、複数の条件に基づいて在庫状態を管理し、適切な処理を行う必要があります。

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
class InventoryManager
def process_order(product, quantity, user)
# 在庫チェックと注文処理を行うサービス
inventory = product.inventory
begin
# 在庫状態に基づく条件分岐
if inventory.out_of_stock?
notify_out_of_stock(product)
return :out_of_stock
end
if quantity > inventory.available_quantity
if user.premium_member?
# プレミアム会員の場合は予約を受け付ける
create_backorder(product, quantity, user)
return :backorder_created
else
return :insufficient_stock
end
end
# 在庫の種類による条件分岐
case inventory.storage_type
when 'regular'
process_regular_stock(product, quantity)
when 'refrigerated'
process_refrigerated_stock(product, quantity)
when 'frozen'
process_frozen_stock(product, quantity)
else
raise InvalidStorageType
end
update_inventory(product, quantity)
:order_processed
rescue StandardError => e
notify_error(e)
:processing_error
end
end
private
def update_inventory(product, quantity)
inventory = product.inventory
return unless inventory
if inventory.quantity <= inventory.reorder_point
NotificationService.notify_low_stock(product)
end
inventory.decrease(quantity)
end
end
class InventoryManager def process_order(product, quantity, user) # 在庫チェックと注文処理を行うサービス inventory = product.inventory begin # 在庫状態に基づく条件分岐 if inventory.out_of_stock? notify_out_of_stock(product) return :out_of_stock end if quantity > inventory.available_quantity if user.premium_member? # プレミアム会員の場合は予約を受け付ける create_backorder(product, quantity, user) return :backorder_created else return :insufficient_stock end end # 在庫の種類による条件分岐 case inventory.storage_type when 'regular' process_regular_stock(product, quantity) when 'refrigerated' process_refrigerated_stock(product, quantity) when 'frozen' process_frozen_stock(product, quantity) else raise InvalidStorageType end update_inventory(product, quantity) :order_processed rescue StandardError => e notify_error(e) :processing_error end end private def update_inventory(product, quantity) inventory = product.inventory return unless inventory if inventory.quantity <= inventory.reorder_point NotificationService.notify_low_stock(product) end inventory.decrease(quantity) end end
class InventoryManager
  def process_order(product, quantity, user)
    # 在庫チェックと注文処理を行うサービス
    inventory = product.inventory

    begin
      # 在庫状態に基づく条件分岐
      if inventory.out_of_stock?
        notify_out_of_stock(product)
        return :out_of_stock
      end

      if quantity > inventory.available_quantity
        if user.premium_member?
          # プレミアム会員の場合は予約を受け付ける
          create_backorder(product, quantity, user)
          return :backorder_created
        else
          return :insufficient_stock
        end
      end

      # 在庫の種類による条件分岐
      case inventory.storage_type
      when 'regular'
        process_regular_stock(product, quantity)
      when 'refrigerated'
        process_refrigerated_stock(product, quantity)
      when 'frozen'
        process_frozen_stock(product, quantity)
      else
        raise InvalidStorageType
      end

      update_inventory(product, quantity)
      :order_processed
    rescue StandardError => e
      notify_error(e)
      :processing_error
    end
  end

  private

  def update_inventory(product, quantity)
    inventory = product.inventory
    return unless inventory

    if inventory.quantity <= inventory.reorder_point
      NotificationService.notify_low_stock(product)
    end

    inventory.decrease(quantity)
  end
end

APIレスポンス処理での使用例

APIレスポンスの処理では、様々なステータスコードやエラー状態に応じて適切なレスポンスを返す必要があります。

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
class ApiResponseHandler
def self.handle_response(response)
return handle_error(response) unless response.success?
case response.status
when 200, 201
process_successful_response(response)
when 204
{ success: true, data: nil }
else
handle_unexpected_success(response)
end
rescue JSON::ParserError => e
handle_parse_error(e)
end
private
def self.process_successful_response(response)
data = JSON.parse(response.body)
# レスポンスの種類に応じた処理
if data.key?('pagination')
handle_paginated_response(data)
elsif data.key?('batch_results')
handle_batch_response(data)
else
handle_single_response(data)
end
end
def self.handle_error(response)
error_response = {
success: false,
status: response.status,
error: parse_error_message(response)
}
# エラー種別による追加処理
if response.status == 401
handle_unauthorized_error(error_response)
elsif response.status == 429
handle_rate_limit_error(error_response)
elsif response.status >= 500
handle_server_error(error_response)
else
error_response
end
end
def self.handle_unauthorized_error(error_response)
if TokenRefresher.refresh_needed?
if TokenRefresher.refresh_token
error_response[:retry] = true
else
error_response[:logout] = true
end
end
error_response
end
def self.parse_error_message(response)
return 'No response body' if response.body.blank?
begin
error_data = JSON.parse(response.body)
error_data['message'] || error_data['error'] || '不明なエラーが発生しました'
rescue JSON::ParserError
'レスポンスの解析に失敗しました'
end
end
end
class ApiResponseHandler def self.handle_response(response) return handle_error(response) unless response.success? case response.status when 200, 201 process_successful_response(response) when 204 { success: true, data: nil } else handle_unexpected_success(response) end rescue JSON::ParserError => e handle_parse_error(e) end private def self.process_successful_response(response) data = JSON.parse(response.body) # レスポンスの種類に応じた処理 if data.key?('pagination') handle_paginated_response(data) elsif data.key?('batch_results') handle_batch_response(data) else handle_single_response(data) end end def self.handle_error(response) error_response = { success: false, status: response.status, error: parse_error_message(response) } # エラー種別による追加処理 if response.status == 401 handle_unauthorized_error(error_response) elsif response.status == 429 handle_rate_limit_error(error_response) elsif response.status >= 500 handle_server_error(error_response) else error_response end end def self.handle_unauthorized_error(error_response) if TokenRefresher.refresh_needed? if TokenRefresher.refresh_token error_response[:retry] = true else error_response[:logout] = true end end error_response end def self.parse_error_message(response) return 'No response body' if response.body.blank? begin error_data = JSON.parse(response.body) error_data['message'] || error_data['error'] || '不明なエラーが発生しました' rescue JSON::ParserError 'レスポンスの解析に失敗しました' end end end
class ApiResponseHandler
  def self.handle_response(response)
    return handle_error(response) unless response.success?

    case response.status
    when 200, 201
      process_successful_response(response)
    when 204
      { success: true, data: nil }
    else
      handle_unexpected_success(response)
    end
  rescue JSON::ParserError => e
    handle_parse_error(e)
  end

  private

  def self.process_successful_response(response)
    data = JSON.parse(response.body)

    # レスポンスの種類に応じた処理
    if data.key?('pagination')
      handle_paginated_response(data)
    elsif data.key?('batch_results')
      handle_batch_response(data)
    else
      handle_single_response(data)
    end
  end

  def self.handle_error(response)
    error_response = {
      success: false,
      status: response.status,
      error: parse_error_message(response)
    }

    # エラー種別による追加処理
    if response.status == 401
      handle_unauthorized_error(error_response)
    elsif response.status == 429
      handle_rate_limit_error(error_response)
    elsif response.status >= 500
      handle_server_error(error_response)
    else
      error_response
    end
  end

  def self.handle_unauthorized_error(error_response)
    if TokenRefresher.refresh_needed?
      if TokenRefresher.refresh_token
        error_response[:retry] = true
      else
        error_response[:logout] = true
      end
    end
    error_response
  end

  def self.parse_error_message(response)
    return 'No response body' if response.body.blank?

    begin
      error_data = JSON.parse(response.body)
      error_data['message'] || error_data['error'] || '不明なエラーが発生しました'
    rescue JSON::ParserError
      'レスポンスの解析に失敗しました'
    end
  end
end

これらの実践的な例は、実際の業務でよく遭遇する状況を想定しています。各例で示したように、適切な条件分岐を使用することで、複雑なビジネスロジックを明確かつ保守性の高いコードとして実装することができます。また、エラーハンドリングや特殊なケースの処理なども、if文を効果的に使用することで適切に実装できます。