web-dev-qa-db-ja.com

Rubyで文字列が他の文字列で始まるかどうかを確認するにはどうすればよいですか?

文字列がRuby(Railsなし)で別の文字列で始まるかどうかを見つける最良の方法は何ですか?

142
Guillaume Coté
puts 'abcdefg'.start_with?('abc')  #=> true

[編集]これは、この質問の前に私が知らなかったことです。start_withは複数の引数を取ります。

'abcdefg'.start_with?( 'xyz', 'opq', 'ab')
237
steenslag

ここにはいくつかの方法が提示されているため、どの方法が最も速いかを知りたいと思いました。 Ruby 1.9.3p362を使用:

irb(main):001:0> require 'benchmark'
=> true
irb(main):002:0> Benchmark.realtime { 1.upto(10000000) { "foobar"[/\Afoo/] }}
=> 12.477248
irb(main):003:0> Benchmark.realtime { 1.upto(10000000) { "foobar" =~ /\Afoo/ }}
=> 9.593959
irb(main):004:0> Benchmark.realtime { 1.upto(10000000) { "foobar"["foo"] }}
=> 9.086909
irb(main):005:0> Benchmark.realtime { 1.upto(10000000) { "foobar".start_with?("foo") }}
=> 6.973697

そのため、start_with?が最も速いように見えます。

Ruby 2.2.2p95以降のマシンで結果を更新しました:

require 'benchmark'
Benchmark.bm do |x|
  x.report('regex[]')    { 10000000.times { "foobar"[/\Afoo/] }}
  x.report('regex')      { 10000000.times { "foobar" =~ /\Afoo/ }}
  x.report('[]')         { 10000000.times { "foobar"["foo"] }}
  x.report('start_with') { 10000000.times { "foobar".start_with?("foo") }}
end

            user       system     total       real
regex[]     4.020000   0.000000   4.020000 (  4.024469)
regex       3.160000   0.000000   3.160000 (  3.159543)
[]          2.930000   0.000000   2.930000 (  2.931889)
start_with  2.010000   0.000000   2.010000 (  2.008162)
53
haslo

Steenslagで言及されている方法は簡潔であり、質問の範囲を考えると、正解と見なされる必要があります。ただし、これは正規表現を使用して実現できることも知っておく必要があります。これは、Rubyにまだ慣れていない場合は、学ぶべき重要なスキルです。

Rubularで遊ぶ: http://rubular.com/

ただし、この場合、左側の文字列が「abc」で始まる場合、次のRubyステートメントはtrueを返します。右側の正規表現リテラルの\ Aは、「文字列の先頭」を意味します。ルーブルで遊びましょう-物事がどのように機能するかが明らかになります。

'abcdefg' =~  /\Aabc/ 
4
pakeha

好き

if ('string'[/^str/]) ...
2
the Tin Man