更新:抱歉,我修复了我的程序:
a = [ 'str1' , 'str2', 'str2', 'str3' ]
name = ''
a.each_with_index do |x, i |
if x == name
puts "#{x} found duplicate."
else
puts x
name = x if i!= 0
end
end
output:
str1
str2
str2 found duplicate.
str3
用ruby
语言还有另一种美妙的方式来做同样的事情吗?
a
。
感谢。
答案 0 :(得分:18)
each_cons
可能遇到的问题是它会遍历n-1
对(如果Enumerable的长度为n
)。在某些情况下,这意味着您必须单独处理第一个(或最后一个)元素的边缘情况。
在这种情况下,实现类似于each_cons
的{{3}}非常容易,但第一个元素会产生(nil, elem0)
(而不是each_cons
,收益率(elem0, elem1)
:
module Enumerable
def each_with_previous
self.inject(nil){|prev, curr| yield prev, curr; curr}
self
end
end
答案 1 :(得分:13)
您可以使用each_cons:
irb(main):014:0> [1,2,3,4,5].each_cons(2) {|a,b| p "#{a} = #{b}"}
"1 = 2"
"2 = 3"
"3 = 4"
"4 = 5"
答案 2 :(得分:5)
您可以使用each_cons
a.each_cons(2) do |first,last|
if last == name
puts 'got you!'
else
name = first
end
end
答案 3 :(得分:3)
您可以使用Enumerable#each_cons:
a = [ 'str1' , 'str2', 'str3' , ..... ]
name = ''
a.each_cons(2) do |x, y|
if y == name
puts 'got you! '
else
name = x
end
end
答案 4 :(得分:1)
由于您可能希望对重复项进行puts
以上的操作,我宁愿将重复项保留在结构中:
### question's example:
a = [ 'str1' , 'str2', 'str2', 'str3' ]
# => ["str1", "str2", "str2", "str3"]
a.each_cons(2).select{|a, b| a == b }.map{|m| m.first}
# => ["str2"]
### a more complex example:
d = [1, 2, 3, 3, 4, 5, 4, 6, 6]
# => [1, 2, 3, 3, 4, 5, 4, 6, 6]
d.each_cons(2).select{|a, b| a == b }.map{|m| m.first}
# => [3, 6]
更多关于:https://www.ruby-forum.com/topic/192355(David A. Black的酷答案)