我想编写一个正则表达式以从输入行中获取名称和城市。

例如:

嗨,大卫!你好吗?你现在在钦奈吗?

我需要从这段经文中获取大卫和金奈

我写了下面的代码,它工作正常,但是每当该行中有换行符时,它就无法正常工作

package com.test;

import java.util.regex.Matcher;
import java.util.regex.Pattern;

public class Testing {

    public static void main(String[] args) {

        String input = "Passage : Hi David! how are you? are you in chennai now? "
                + "\n Hi Ram! how are you?\n are you in chennai now?";
        String regex1="\\QHi \\E(.*?)\\Q! how are you? are you in \\E(.*?)\\Q now?\\E";
        Pattern p = Pattern.compile(regex1,Pattern.DOTALL);
        Matcher m = p.matcher(input);

        StringBuffer result = new StringBuffer();
        while (m.find()) {
            m.appendReplacement(result,m.group(1)+" is fine and yes I am in "+m.group(2));
        }
         m.appendTail(result);
        System.out.println(result);
    }

}


输出:

段落:大卫很好,是的,我在钦奈
 嗨,拉姆!你好吗?
 你现在在钦奈吗?

预期产量

段落:David很好,是我在钦奈Ram很好,是我在钦奈

注意:我也使用了Pattern.DOTALL。

提前致谢!!!

最佳答案

如果您的输入可以包含双精度空格,或者换行符/回车符代替常规空格,则应使用\s空格速记字符类,这也意味着您*在模式中不能太依赖\Q...\E

我建议使用以下方式更改正则表达式:

String regex1="Hi\\s+(.*?)\\s+how\\s+are\\s+you\\?\\s+are\\s+you\\s+in\\s+(.*?)\\s+now\\?";


请参见regex demo

输出:

Passage : David! is fine and yes I am in chennai
 Ram! is fine and yes I am in chennai

08-18 21:15