Come aggiungere un nuovo elemento all'hash


177

Sono nuovo di Ruby e non so come aggiungere nuovo elemento all'hash già esistente. Ad esempio, prima costruisco l'hash:

hash = {item1: 1}

dopodiché voglio aggiungere item2, quindi dopo ho l'hash in questo modo:

{item1: 1, item2: 2}

Non so quale metodo fare con l'hash, qualcuno potrebbe aiutarmi?

Risposte:


305

Crea l'hash:

hash = {:item1 => 1}

Aggiungi un nuovo elemento ad esso:

hash[:item2] = 2

7
Usa unisci! metodo hash.merge!(item2: 2)per unire e salvare il valore !
maguri,

3
@maguri si hash.merge!(item2: 2)comporta più lentamente rispetto a hash[:item2] = 2quando c'è un solo argomento
Rahul Dess,

72

Se vuoi aggiungere nuovi elementi da un altro hash, usa il mergemetodo:

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

Nel tuo caso specifico potrebbe essere:

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

ma non è saggio usarlo quando dovresti aggiungere solo un elemento in più.

Prestare attenzione che mergesostituirà i valori con le chiavi esistenti:

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

esattamente come hash[:item1] = 2

Inoltre, dovresti prestare attenzione al fatto che il mergemetodo (ovviamente) non influenza il valore originale della variabile hash: restituisce un nuovo hash unito. Se si desidera sostituire il valore della variabile hash, utilizzare merge!invece:

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

35

hash.store (chiave, valore) - Memorizza una coppia chiave-valore in hash.

Esempio:

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

Documentation


27

È semplice come:

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}


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. 

0

Crea hash come:

h = Hash.new
=> {}

Ora inserisci nell'hash come:

h = Hash["one" => 1]

2
Se provi a inserire più chiavi in ​​questo modo, vedrai che stai effettivamente creando un nuovo hash ogni volta. Probabilmente non quello che vuoi. E se è quello che vuoi, non hai bisogno della Hash.newparte indipendentemente, perché Hash[]sta già creando un nuovo hash.
Philomory,
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.