从消息中提取用户名模式

时间:2019-03-08 20:56:01

标签: python regex discord.py

我构建了一个Discord py机器人,该机器人允许用户在服务器之间进行通信(即,两个用户不必都在同一服务器上)。它适用于具有简单用户名(例如littlefox#1234little_fox#1234)的用户。

但是,当用户名更复杂且带有诸如little fox#1234之类的空格时,该用户名将被卡住。该机器人接受!hello!greet!bye等命令。我尝试使用正则表达式,但这也不起作用:

import re
match = re.match(r"!\w( [a-z]*#[0-9]*)", '!hello little fox#1234')
print(match)
other_match = re.match(r"!\w( [a-z]*#[0-9]*)", '!hello little_fox#1234')
print(other_match)

但是它不匹配任何东西。两者都返回None。我该怎么办?

1 个答案:

答案 0 :(得分:1)

您可以使用

(?:!\w+\s+)?([\w\s]*#[0-9]*)

请参见regex demo

详细信息

  • (?:!\w+\s+)?-一个与1个或0个重复匹配的可选组
    • !-一个!字符
    • \w+-1个以上的字符字符
    • \s+-超过1个空格
  • ([\w\s]*#[0-9]*)-第1组:零个或多个单词或空格字符,#和0+个数字。

请注意,如果必须至少包含1个字母和数字,请将*替换为+(?:!\w+\s+)?([\w\s]+#[0-9]+)

请参见Python demo

import re
rx = r"(?:!\w+\s+)?([\w\s]*#[0-9]*)"
ss = ["!hello little fox#1234", "little fox#1234"]
for s in ss:
    m = re.match(rx, s)
    if m:
        print(m.group(1))  # The username is in Group 1

对于两个输入,输出均为little fox#1234