J'ai un tableau avec des éléments. Comment puis-je obtenir l'occurrence de chaque élément du tableau?
Exemple:
Donné:
a = ['cat', 'dog', 'fish', 'fish']
Résultat:
a2 #=> {'cat' => 1, 'dog' => 1, 'fish' => 2}
Comment puis je faire ça?
Vous pouvez utiliser Enumerable#group_by
pour le faire
res = Hash[a.group_by {|x| x}.map {|k,v| [k,v.count]}]
#=> {"cat"=>1, "dog"=>1, "fish"=>2}
a2 = a.reduce(Hash.new(0)) { |a, b| a[b] += 1; a }
#=> {"cat"=>1, "fish"=>2, "dog"=>1}
a2 = {}
a.uniq.each{|e| a2[e]= a.count(e)}
En 1.9.2, vous pouvez le faire comme ceci. De mon expérience, beaucoup de gens trouvent each_with_object
plus lisible que reduce/inject
(ceux qui le connaissent au moins):
a = ['cat','dog','fish','fish']
#=> ["cat", "dog", "fish", "fish"]
a2 = a.each_with_object(Hash.new(0)) { |animal, hash| hash[animal] += 1 }
#=> {"cat"=>1, "dog"=>1, "fish"=>2}
Utilisez la méthode de comptage de array pour obtenir le décompte.
a.count('cat')
m = {}
a.each do |e|
m[e] = 0 if m[e].nil?
m[e] = m[e] + 1
end
puts m
a.inject({}){|h, e| h[e] = h[e].to_i+1; h }
#=> {"cat"=>1, "fish"=>2, "dog"=>1}
ou solution n2
a.uniq.inject({}){|h, e| h[e] = a.count(e); h }
#=> {"cat"=>1, "fish"=>2, "dog"=>1}
a = ['cat','dog','fish','fish']
a2 = Hash[a.uniq.map {|i| [i, a.count(i)]}]
a = ['cat','dog','fish','fish']
a2 = Hash.new(0)
a.each do |e|
a2[e] += 1
end
a2
Ruby Fu!
count = Hash[Hash[rows.group_by{|x| x}.map {|k,v| [k, v.count]}].sort_by{|k,v| v}.reverse]