1
def get_hashtags(post)
    tags = []
    post.scan(/(?<![0-9a-zA-Z])(#+)([a-zA-Z]+)/){|x,y| tags << y}
    tags
end

Test.assert_equals(get_hashtags("two hashs##in middle of word#"), [])
#Expected: [], instead got: ["in"]

它不应该向后看,看看匹配不是以单词或数字开头的吗?为什么它仍然接受 'in' 作为有效匹配?

4

1 回答 1

2

你应该使用\K而不是消极的lookbehind。这使您可以大大简化您的正则表达式:不需要预定义的数组、捕获组或块。

\K意思是“丢弃到目前为止匹配的所有东西”。这里的关键是可变长度匹配可以在 之前\K,而(在 Ruby 和大多数其他语言中)可变长度匹配在(负或正)lookbehinds 中是不允许的。

r = /
    [^0-9a-zA-Z#] # do not match any character in the character class
    \#+           # match one or more pound signs
    \K            # discard everything matched so far
    [a-zA-Z]+     # match one or more letters
    /x            # extended mode

如果我没有在扩展模式下编写正则表达式,则不需要转义注释#\#+

"two hashs##in middle of word#".scan r
  #=> []

"two hashs&#in middle of word#".scan r
  #=> ["in"]

"two hashs#in middle of word&#abc of another word.###def ".scan r
   #=> ["abc", "def"] 
于 2015-10-19T05:49:22.637 回答