0
1

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

More than 3 years have passed since last update.

配列から値を取得して何番目に含まれているかを調べる

Last updated at Posted at 2021-01-02

配列に、

input = [1, 3, 5, 6, 10, 14, 17, 21, 27, 33, 39, 41, 48]

が含まれていています。serchメソッドを使用することでその値が何番目に含まれているか結果を返すことができます。
例)

search(17, input)
# 処理の結果
# => 6番目にあります

search(1, input)
# 処理の結果
# => その数は含まれていません

使用例はこのような感じです。

このsearchメソッドをeach_with_indexメソッドを使って作成してみたいと思います。
each_with_indexメソッドはRubyに標準で組み込まれているメソッドで、要素の繰り返しと同時に、その要素が何番目に処理されたのかも表すことができます。
参考:
Ruby 3.0.0リファレンスマニュアル, each_with_index

例)

fruits = ["イチゴ","みかん"."ぶどう"]

fruits.each_with_index do |item, i|
  puts "#{i}番目のフルーツは、#{item}です。"
end

# 出力結果

# 0番目のフルーツは、メロンです。
# 1番目のフルーツは、バナナです。
# 2番目のフルーツは、アップルです。

このように使うことができます。

それでは、本題に入っていきたいと思います。
まず、searchメソッドを呼び出す方法を考えたいきたいと思います。
配列を定義して、呼び出す時に何か数字を実引数としてセットしてみます。今回は17という値をセットしたいと思います。

def search(target_num, input)

end

input = [1, 3, 5, 6, 10, 14, 17, 21, 27, 33, 39, 41, 48]
search(17, input)

search(17, input)で呼び出されたsearchメソッドでは、実引数でセットした値を仮引数(target_num, input)で受け取ります。
今回はtarget_numが17を受け取り, inputがinput(中身は配列が代入されています)を受け取っています。

次にsearchメソッド内の処理を考えていきたいと思います。
each_with_indexメソッドを使用して、配列の中身を一つ一つ取り出し、要素ごとに割り当てられている添字を同時に取得します。

def search(target_num, input)

  input.each_with_index do|num, index|
  end
end

最後に条件分岐処理を利用して配列の中にある値とそうでないときの処理を記述していきます。
合わせると以下のような記述になります。

def search(target_num, input)
  input.each_with_index do |num, index|
    if num == target_num
      puts "#{index +1}番目にあります"
      return
    end
  end
  puts "その数は含まれていません" 
end

input = [1, 3, 5, 6, 10, 14, 17, 21, 27, 33, 39, 41, 48]
search(17, input)

num と target_numが等しい時にputs "#{index +1}番目にあります"と出力してあげるようにします。なぜindex +1としているかというと、プログラムは0から数えていくためです。

人間のは基本的に1から数えていくため、プログラムの数え方の誤差を埋めるためにindex +1としています。

0
1
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
0
1

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?