用于Twitch-Bot的Java中的字符串正则表达式

时间:2016-08-15 10:58:42

标签: java regex bots twitch

目前我正在用Java编写带有pIRC的Twitch-Bot。

我想整理像!<command> [<tagged-user>]

这样的命令

现在我使用该代码:

private boolean checkForCommand(String message) {
    Pattern pattern = Pattern.compile("^(!)\\w+");
    Matcher m = pattern.matcher(message);
    return m.find();
}

public void onMessage(String channel, String sender, String login,String hostname, String message){
    String user = sender;
    if(checkForCommand(message)){
        String[] arguments;
        if(message.split("\\s+").length > 1){
            arguments = message.split("\\s+");
        }else {
            arguments = new String[1];
            arguments[0] = message;
        }
        String command = arguments[0].substring(1, arguments[0].length());
        if(arguments.length > 1){
            user = arguments[1];
        }
        respondForCommand(command,user); // User gets respond for his command.
    }
}

我得到例如!info testuser

testuser [here is the command response]

我想通过只进行正则表达式来改进代码。

基本上我想要一个正则表达式读取命令名称,如果有人标记它也应该读取标记的用户名。

有点像Pattern pattern = Pattern.compile("!COMMANDNAME [TAGGEDUSER]");

谢谢你帮助我,最近我用正则表达式做了很多,但我想理解它。在线regexing不会帮助我。

1 个答案:

答案 0 :(得分:0)

使用捕获组。你当前的正则表达式是'!'由于某种原因在捕获组中,但它不使用它。相反,将括号括在要捕获的模式的重要部分。

Pattern pattern = Pattern.compile("^!(\\w+)(?:\\s+(\\S+))?");

我们在这里有:

  • A“!”
  • 预期为命令的一个或多个单词字符。它们被括号括起来,因此它们是第一个捕获组。
  • 然后是可选参数的非捕获组。由于它是可选的,我们添加'?'在这个小组之后。在这组中:
    • 一个或多个空格
    • 一个或多个非空格的捕获组

所以基本上,我们有两个捕获组,但如果没有参数,其中一个将无法匹配。

现在,如果您致电matcher.find(),则可以使用matcher.group(1)matcher.group(2)来访问所捕获的群组。 group(2)可能会返回null,因为如果没有参数,它将不匹配。

演示代码:

public class SimpleTest {
    public static void main(String[] args) {
        Pattern pattern = Pattern.compile("^!(\\w+)(?:\\s+(\\S+))?");
        Matcher matcher;
        String[] testStrings = { "!command john", "!command john something", "!commandWithoutArguments",
                "!commandNoArgsButSpaces   ", "Not A command." };

        for (String testString : testStrings) {
            System.out.print("String <<" + testString + ">> ");
            matcher = pattern.matcher(testString);
            if (matcher.find()) {
                String command = matcher.group(1);
                String user = matcher.group(2);
                if (user == null) {
                    user = "default";
                }
                System.out.println("is a command: " + command + " user: " + user + ".");
            } else {
                System.out.println("is not a command.");
            }
        }
    }
}

输出:

String <<!command john>> is a command: command user: john.
String <<!command john something>> is a command: command user: john.
String <<!commandWithoutArguments>> is a command: commandWithoutArguments user: default.
String <<!commandNoArgsButSpaces   >> is a command: commandNoArgsButSpaces user: default.
String <<Not A command.>> is not a command.