查找字符串中唯一元素数量的最快方法

时间:2011-08-08 10:41:23

标签: ruby string

如何以最佳方式在字符串中找到唯一元素?

示例字符串格式为

myString = "34345667543"

O / P

  ['3','4','3','5'.....]

6 个答案:

答案 0 :(得分:13)

这是一个有趣的问题,因为它返回了许多几乎相似的结果,我做了一个简单的基准来决定哪个实际上是最好的解决方案:

require 'rubygems'
require 'benchmark'
require 'set'

puts "Do the test"

Benchmark.bm(40) do |x|

  STRING_TEST = "26263636362626218118181111232112233"

  x.report("do split and uniq") do
    (1..1000000).each { STRING_TEST.split(//).uniq }
  end

  x.report("do chars to_a uniq") do
    (1..1000000).each { STRING_TEST.chars.to_a.uniq }
  end

  x.report("using Set") do
    (1..1000000).each { Set.new(STRING_TEST.split('')).to_a }
  end

end

并且该测试的结果并不完全令人惊讶(0n 1.8.7p352):

                                              user     system      total        real
do split and uniq                        27.060000   0.000000  27.060000 ( 27.084629)
do chars to_a uniq                       14.440000   0.000000  14.440000 ( 14.452377)
using Set                                41.740000   0.000000  41.740000 ( 41.760313)

和1.9.2p180:

                                              user     system      total        real
do split and uniq                        19.260000   0.000000  19.260000 ( 19.242727)
do chars to_a uniq                        8.980000   0.010000   8.990000 (  8.983891)
using Set                                28.220000   0.000000  28.220000 ( 28.186787)

REE(1.8.7)的结果接近1.9.2:

                                              user     system      total        real
do split and uniq                        19.120000   0.000000  19.120000 ( 19.126034)
do chars to_a uniq                       14.740000   0.010000  14.750000 ( 14.766540)
using Set                                32.770000   0.120000  32.890000 ( 32.921878)

为了好玩,我也尝试过rubinius:

                                              user     system      total        real
do split and uniq                        26.100000   0.000000  26.100000 ( 26.651468)
do chars to_a uniq                       25.680000   0.000000  25.680000 ( 25.780944)
using Set                                22.500000   0.000000  22.500000 ( 22.649291)

因此,虽然split('\\').uniq获得了可读性的分数,但chars.to_a.uniq几乎是原来的两倍。

奇怪的是,在rubinius上Set解决方案是最快的,但没有接近1.9.2上chars.to_a.uniq的速度。

答案 1 :(得分:8)

使用这个简短的内容:

myString.split(//).uniq

答案 2 :(得分:6)

>> "34345667543".chars.uniq
=> ["3", "4", "5", "6", "7"]

答案 3 :(得分:1)

只需使用拆分方法:

"12345".split("")

答案 4 :(得分:1)

Set.new("34345667543".chars)

我发现这很好:从字符串中的字符创建一个Set(暗示唯一条目)。

上面的基准测试中缺少这个,并且在我的测试中以1.9.3-p274(最快的是chars.to_a.uniq)是第二快的。虽然我们仍然在这里讨论微基准测试,但在应用程序中却不太重要:)

答案 5 :(得分:0)

从字符串中取出字符并制作一个Set:

irb(main):001:0> require 'set'
irb(main):002:0> Set.new("123444454321".split(''))
=> #<Set: {"1", "2", "3", "4", "5"}>

.split('')调用只是按字符顺序将字符串分解为数组。我最初使用String#each_char,但这是1.8.7中的新功能,你没有提到你正在使用的Ruby版本。