Ruby循環(huán)結(jié)構(gòu)有哪些替代方案

小樊
81
2024-11-06 04:22:39

在Ruby中,有多種循環(huán)結(jié)構(gòu)可以替代傳統(tǒng)的each循環(huán)。以下是一些常見(jiàn)的替代方案:

  1. while循環(huán)

    i = 0
    while i < 10
      puts i
      i += 1
    end
    
  2. for循環(huán)

    for i in 0..9
      puts i
    end
    
  3. times方法

    10.times do |i|
      puts i
    end
    
  4. select方法(用于集合):

    array = [1, 2, 3, 4, 5]
    array.select { |num| num % 2 == 0 }.each do |even_num|
      puts even_num
    end
    
  5. find_all方法(用于集合):

    array = [1, 2, 3, 4, 5]
    array.find_all { |num| num % 2 == 0 }.each do |even_num|
      puts even_num
    end
    
  6. select!方法(用于集合,會(huì)修改原集合):

    array = [1, 2, 3, 4, 5]
    array.select! { |num| num % 2 == 0 }
    
  7. find_all!方法(用于集合,會(huì)修改原集合):

    array = [1, 2, 3, 4, 5]
    array.find_all! { |num| num % 2 == 0 }
    
  8. each_with_index方法(用于迭代器或數(shù)組):

    array = [1, 2, 3, 4, 5]
    array.each_with_index do |num, index|
      puts "#{index}: #{num}"
    end
    
  9. each_cons方法(用于迭代器,生成連續(xù)的元素對(duì)):

    array = [1, 2, 3, 4, 5]
    array.each_cons(2) do |a, b|
      puts "#{a} -> #"
    end
    
  10. inject方法(用于迭代器,累積結(jié)果):

    array = [1, 2, 3, 4, 5]
    sum = array.inject(0) { |total, num| total + num }
    puts sum
    

這些替代方案可以根據(jù)具體需求選擇使用,以實(shí)現(xiàn)更靈活和高效的代碼邏輯。

0