1

在 Python 中,我可以从字符串中去除空格、换行符或随机字符,例如

>>> '/asdf/asdf'.strip('/')
'asdf/asdf' # Removes / from start
>>> '/asdf/asdf'.strip('/f')
'asdf/asd' # Removes / from start and f from end
>>> ' /asdf/asdf '.strip()
'/asdf/asdf' # Removes white space from start and end
>>> '/asdf/asdf'.strip('/as')
'df/asdf' # Removes /as from start
>>> '/asdf/asdf'.strip('/af')
'sdf/asd' # Removes /a from start and f from end

但是 Ruby 的String#strip方法不接受任何参数。我总是可以回退到使用正则表达式,但是有没有一种方法/方法可以在不使用正则表达式的情况下从 Ruby 中的字符串(前后)中去除随机字符?

4

2 回答 2

6

您可以使用正则表达式:

"atestabctestcb".gsub(/(^[abc]*)|([abc]*$)/, '')
# => "testabctest"

当然,您也可以将其设为一种方法:

def strip_arbitrary(s, chars)
    r = chars.chars.map { |c| Regexp.quote(c) }.join
    s.gsub(/(^[#{r}]*)|([#{r}]*$)/, '')
end

strip_arbitrary("foobar", "fra") # => "oob"
于 2012-09-04T11:46:19.187 回答
3

Python 的条带有点不寻常。它从任一端删除与参数中的任何字符匹配的任何字符。

我认为你需要 2 .subs。一个从头剥离,一个从尾剥离

irb(main):001:0> 'asdf/asdf'.sub(/^[\/]*/, '').sub(/[\/]*$/, '')
=> "asdf/asdf"
irb(main):002:0> 'asdf/asdf'.sub(/^[\/f]*/, '').sub(/[\/f]*$/, '')
=> "asdf/asd"
irb(main):003:0> ' asdf/asdf'.sub(/^[ ]*/, '').sub(/[ ]*$/, '')
=> "asdf/asdf"
于 2012-09-04T11:45:45.343 回答