从Ruby String中通过索引删除字符

时间:2011-04-20 18:29:29

标签: ruby string

给定一系列包含字符串索引,

str_indices = [[1,2],[7,8]],

从字符串中排除这些内容的最佳方法是什么?

例如,鉴于以上标记为排除的索引和字符串happydays,我希望返回hpyda

7 个答案:

答案 0 :(得分:6)

使用范围:

str_indices=[[1,2],[7,8]]
str="happydays"
str_indices.reverse.each{|a| str[Range.new(*a)]=''}
str
=> "hpyda"

如果您不想修改原文:

str_indices.reverse.inject(str){|s,a|(c=s.dup)[Range.new(*a)]='';c}

答案 1 :(得分:2)

猜猜这是最好的方法。

str_indices = str_indices.flatten.reverse
string = "happydays"
str_indices.each{|i| string[i]=""}

答案 2 :(得分:1)

对于ruby 1.9,

string = 'happydays'
[-1, *str_indices.flatten(1), 0].each_slice(2).map{|i, j| string[i+1..j-1]}.join

对于ruby 1.8,请在此之前写下require 'enumerator'

答案 3 :(得分:1)

[[1,2],[7,8]].reverse.inject('happydays') { |m, (f,l)| m[f..l] = ''; m }

答案 4 :(得分:0)

只是为了好玩:)

str_indices = [[1,2],[7,8]]
str = "happydays"
str_indices.flatten.reverse.inject(str.split("")){|a,i| a.delete_at i; a}.join
#=> hpyda

答案 5 :(得分:0)

如果使用函数式编程方法,则不必担心索引的顺序

str = "happydays"
indexes_to_reject = [[1,7],[2,8]] # Not in "correct" order, but still works
all_indexes = indexes_to_reject.flatten(1)
str.each_char.reject.with_index{|char, index| all_indexes.include?(index)}.join

它也适用于范围:

str = "happydays"
ranges_to_reject = [1..2, 7..8]
str.chars.reject.with_index {|char, index| 
  ranges_to_reject.any?{|range| range.include?(index)}
}.join

答案 6 :(得分:0)

以下内容不要求str_indices标识的范围不重叠或以任何方式排序。

str_indices = [[4,6], [1,2], [11,12], [9,11]]
str = "whatchamacallit"

keeper_indices = str.size.times.to_a -
                 str_indices.reduce([]) { |a,(from,to)| a | (from..to).to_a }
  # => [0, 3, 7, 8, 13, 14]

str.chars.values_at(*keeper_indices).join
  #=> "wtmait"