我如何检查重复的数组?

我有一个数组A.我想检查它是否包含重复的值。 我会怎么做?

只要调用uniq (返回一个没有重复的新数组),并查看uniq数组是否比原来的元素less:

 if a.uniq.length == a.length puts "a does not contain duplicates" else puts "a does contain duplicates" end 

请注意,数组中的对象需要响应hasheql? 在一个有意义的uniq正常工作。

为了find重复的元素,我使用这种方法(与Ruby 1.9.3):

 array = [1, 2, 1, 3, 5, 4, 5, 5] => [1, 2, 1, 3, 5, 4, 5, 5] dup = array.select{|element| array.count(element) > 1 } => [1, 1, 5, 5, 5] dup.uniq => [1, 5] 

如果你想返回重复,你可以这样做:

 dups = [1,1,1,2,2,3].group_by{|e| e}.keep_if{|_, e| e.length > 1} # => {1=>[1, 1, 1], 2=>[2, 2]} 

如果你只想要的值:

 dups.keys # => [1, 2] 

如果你想要重复的次数:

 dups.map{|k, v| {k => v.length}} # => [{1=>3}, {2=>2}] 

如果不止一次使用,可能需要monkeypatch数组:

 class Array def uniq? self.length == self.uniq.length end end 

然后:

 irb(main):018:0> [1,2].uniq? => true irb(main):019:0> [2,2].uniq? => false