web-dev-qa-db-ja.com

ハッシュに新しい項目を追加する方法

私はRubyが初めてなので、既存のハッシュに新しい項目を追加する方法を知りません。たとえば、最初にハッシュを構築します。

hash = {item1: 1}

その後、item2を追加したいので、この後に次のようなハッシュがあります。

{item1: 1, item2: 2}

ハッシュに対してどのような方法をとるべきかわからない、誰かが私を助けてもらえますか?

ハッシュを作成します。

hash = {:item1 => 1}

それに新しいアイテムを追加します。

hash[:item2] = 2
273
pjumble

別のハッシュから新しいアイテムを追加したい場合は、mergeメソッドを使用してください。

hash = {:item1 => 1}
another_hash = {:item2 => 2, :item3 => 3}
hash.merge(another_hash) # {:item1=>1, :item2=>2, :item3=>3}

あなたの特定のケースではそれはそうかもしれません:

hash = {:item1 => 1}
hash.merge({:item2 => 2}) # {:item1=>1, :item2=>2}

ただし、要素を1つだけ追加する必要があるときに使用するのは賢明ではありません。

mergeが値を既存のキーに置き換えることに注意してください。

hash = {:item1 => 1}
hash.merge({:item1 => 2}) # {:item1=>2}

hash[:item1] = 2とまったく同じ

mergeメソッドは(もちろん)ハッシュ変数の元の値には影響しないことにも注意してください - 新しいマージされたハッシュを返します。ハッシュ変数の値を置き換えたい場合は、代わりにmerge!を使用してください。

hash = {:item1 => 1}
hash.merge!({:item2 => 2})
# now hash == {:item1=>1, :item2=>2}
61
Alexander

それはとても簡単です:

irb(main):001:0> hash = {:item1 => 1}
=> {:item1=>1}
irb(main):002:0> hash[:item2] = 2
=> 2
irb(main):003:0> hash
=> {:item1=>1, :item2=>2}
25
Niklas B.

hash.store(key、value) - キーと値のペアをハッシュに格納します。

例:

hash   #=> {"a"=>9, "b"=>200, "c"=>4}
hash.store("d", 42) #=> 42
hash   #=> {"a"=>9, "b"=>200, "c"=>4, "d"=>42}

Documentation

24
shilovk

hash [key] = value valueによって与えられた値をkeyによって与えられたキーに関連付けます。

hash[:newKey] = "newValue"

Rubyのドキュメントから: http://www.tutorialspoint.com/Ruby/ruby_hashes.htm

14
Connor Leech
hash_items = {:item => 1}
puts hash_items 
#hash_items will give you {:item => 1}

hash_items.merge!({:item => 2})
puts hash_items 
#hash_items will give you {:item => 1, :item => 2}

hash_items.merge({:item => 2})
puts hash_items 
#hash_items will give you {:item => 1, :item => 2}, but the original variable will be the same old one. 
3
KrisT

次のようにハッシュを作成します。

h = Hash.new
=> {}

今ハッシュとして挿入する:

h = Hash["one" => 1]
1
Ravi Kashyap