Given a sequence of inclusive string indexes,
str_indices = [[1,2],[7,8]],
what's the best way to exclude these from a string?
For example, given the above indices marked for exclusion and the string happydays, I'd like hpyda to be returned.
Using Ranges:
str_indices=[[1,2],[7,8]]
str="happydays"
str_indices.reverse.each{|a| str[Range.new(*a)]=''}
str
=> "hpyda"
If you don't want to modifty the original:
str_indices.reverse.inject(str){|s,a|(c=s.dup)[Range.new(*a)]='';c}
Guess this is the best way of doing it.
str_indices = str_indices.flatten.reverse
string = "happydays"
str_indices.each{|i| string[i]=""}
If you use a functional programming approach, you don't have to worry about the order of indexes
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
It also works with ranges:
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
The following does not require the ranges identified by str_indices to be non-overlapping or ordered in any way.
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"
[(1..2), (7..8), (10..20)]