在Ruby中,最有效的方法之一去重数组是通过使用uniq
方法。这将返回一个新的数组,其中删除了重复的元素,同时保持了元素的原始顺序。以下是一个例子:
array = [1, 2, 3, 1, 2, 4, 5, 6, 4, 7]
unique_array = array.uniq
puts unique_array.inspect
# 输出: [1, 2, 3, 4, 5, 6, 7]
如果你需要根据对象的属性去重,可以使用uniq
方法结合块。例如,假设你有一个Person
类,并且你想要根据name
属性去重:
class Person
attr_accessor :name, :age
def initialize(name, age)
@name = name
@age = age
end
end
people = [
Person.new("Alice", 30),
Person.new("Bob", 25),
Person.new("Alice", 30),
Person.new("Eve", 28)
]
unique_people = people.uniq { |person| person.name }
puts unique_people.inspect
# 输出: [
# #<Person:0x00007f981d7c90 @name="Alice", @age=30>,
# #<Person:0x00007f981d7b80 @name="Bob", @age=25>,
# #<Person:0x00007f981d7a70 @name="Eve", @age=28>
# ]
在这个例子中,uniq
方法通过传递一个块来根据name
属性去重,同时保持了Person
对象的原始顺序。