Cómo agregar un nuevo elemento al hash

177

Soy nuevo en Ruby y no sé cómo agregar un nuevo elemento al hash ya existente. Por ejemplo, primero construyo hash:

hash = {item1: 1}

después de eso quiero agregar item2 así que después de esto tengo hash como este:

{item1: 1, item2: 2}

No sé qué método hacer en hash, ¿alguien podría ayudarme?

Иван Бишевац
fuente

Respuestas:

305

Crea el hash:

hash = {:item1 => 1}

Agregue un nuevo elemento:

hash[:item2] = 2
pjumble
fuente
77
Use merge! método hash.merge!(item2: 2)para fusionar y guardar el valor !
maguri
3
@maguri hash.merge!(item2: 2)funciona más lento en comparación con hash[:item2] = 2cuando solo hay un argumento
Rahul Dess,
72

Si desea agregar nuevos elementos desde otro hash, use el mergemétodo:

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

En su caso específico podría ser:

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

pero no es aconsejable usarlo cuando debería agregar solo un elemento más.

Presta atención que mergereemplazará los valores con las claves existentes:

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

Exactamente como hash[:item1] = 2

También debe prestar atención a que el mergemétodo (por supuesto) no afecta el valor original de la variable hash: devuelve un nuevo hash combinado. Si desea reemplazar el valor de la variable hash, use merge!en su lugar:

hash = {:item1 => 1}
hash.merge!({:item2 => 2})
# now hash == {:item1=>1, :item2=>2}
Alejandro
fuente
35

hash.store (clave, valor) : almacena un par clave-valor en hash.

Ejemplo:

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

Documentation

shilovk
fuente
27

Es tan simple como:

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}
Niklas B.
fuente
4
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. 
KrisT
fuente
0

Crear hash como:

h = Hash.new
=> {}

Ahora inserte en hash como:

h = Hash["one" => 1]
Ravi Kashyap
fuente
2
Si intenta insertar varias claves de esta manera, verá que en realidad está creando un nuevo hash cada vez. Probablemente no sea lo que quieres. Y si eso es lo que desea, no necesita la Hash.newpieza independientemente, porque Hash[]ya está creando un nuevo hash.
philomory