1

有没有办法让正则表达式尽可能多地匹配特定单词?例如,如果我要查找以下单词:昨天、今天、明天

我希望提取以下完整单词:

  • 是的
  • 昨天
  • 托德
  • 户田
  • 今天
  • 汤姆
  • 明天
  • 明天

    以下整个单词应该不匹配(基本上是拼写错误):

  • 昨天
  • 明天
  • 明天
  • 今日头条

    到目前为止,我能想到的最好的是:

    \b((tod(a(y)?)?)|(tom(o(r(r(o(w)?)?)?)?)?)|(yest(e(r(d(a(y)?)?)?)?)?))\b (例子)

    注意:我可以使用有限状态机来实现这一点,但我认为让 regexp 来做这件事会很有趣。不幸的是,我想出的任何东西都非常复杂,我希望我只是错过了一些东西。

  • 4

    2 回答 2

    1

    您正在寻找的正则表达式应该包括可选组与交替

    \b(yest(?:e(?:r(?:d(?:ay?)?)?)?)?|tod(?:ay?)?|tom(?:o(?:r(?:r(?:ow?)?)?)?)?)\b
    

    演示

    请注意\b单词边界非常重要,因为您只想匹配整个单词。

    正则表达式解释

    • \b- 引导词边界
    • (yest(?:e(?:r(?:d(?:ay?)?)?)?)?|tod(?:ay?)?|tom(?:o(?:r(?:r(?:o(?:w)?)?)?)?)?)- 捕获组匹配
      • yest(?:e(?:r(?:d(?:ay?)?)?)?)?- yest, yeste, yester, yesterd,yesterdayesterday
      • tod(?:ay?)?-todtodatoday
      • tom(?:o(?:r(?:r(?:o(?:w)?)?)?)?)?- tom, tomo, tomor, tomorr, tomorro, 或tomorrow
    • \b- 尾随词边界

    请参阅 Python 演示

    import re
    p = re.compile(ur'\b(yest(?:e(?:r(?:d(?:ay?)?)?)?)?|tod(?:ay?)?|tom(?:o(?:r(?:r(?:ow?)?)?)?)?)\b', re.IGNORECASE)
    test_str = u"yest\nyeste\nyester\nyesterd\nyesterda\nyesterday\ntod\ntoda\ntoday\ntom\ntomo\ntomor\ntomorr\ntomorro\ntomorrow\n\nyesteray\ntomorow\ntommorrow\ntody\nyesteday"
    print(p.findall(test_str))
    # => [u'yest', u'yeste', u'yester', u'yesterd', u'yesterda', u'yesterday', u'tod', u'toda', u'today', u'tom', u'tomo', u'tomor', u'tomorr', u'tomorro', u'tomorrow']
    
    于 2015-12-31T09:49:07.743 回答
    0

    管道分隔所有有效单词或单词子字符串,如下所示。这只会根据需要匹配有效的拼写

    ^(?|yest|yesterday|tod|today)\b
    

    已经在https://regex101.com/进行了测试

    于 2015-12-31T05:04:11.620 回答