0

例如,我有一组字符串:

"Abc zcf",
"Abcd zcf",
"Zcf Abc",
"Zcf Abcd",
"Test ez",
"Rabc Jabc"

如何在这个集合中找到任何单词以“abc”字符开头的字符串?在我的示例中,它将是字符串

"Abc zcf",
"Zcf Abc",
"Abcd zcf",
"Zcf Abcd"
4

4 回答 4

6

您必须使用Pattern

final Pattern p = Pattern.compile("\\bAbc");

// ...

if (p.matcher(input).find())
    // match

仅供参考,\b是单词锚。Java 对单词字符的定义是下划线、数字或字母。

于 2013-06-14T12:01:00.683 回答
3

您需要匹配任何内容,然后是单词边界,然后是abc. 您还希望以不区分大小写的方式执行此操作。图案

(?i).*\\babc.*

将工作。一个简单的例子

public static void main(String[] args) throws Exception {
    final Pattern pattern = Pattern.compile("(?i).*\\babc.*");

    final String[] in = {
        "Abc zcf",
        "Abcd zcf",
        "Zcf Abc",
        "Zcf Abcd",
        "Test ez",
        "Rabc Jabc"};

    for (final String s : in) {
        final Matcher m = pattern.matcher(s);
        if (m.matches()) {
            System.out.println(s);
        }
    }
}

输出:

Abc zcf
Abcd zcf
Zcf Abc
Zcf Abcd

编辑

除了@fge 关于匹配整个模式的评论之外,还有一种在String.

public static void main(String[] args) throws Exception {
    final Pattern pattern = Pattern.compile("(?i)(?<=\\b)abc");

    final String[] in = {
        "Abc zcf",
        "Abcd zcf",
        "Zcf Abc",
        "Zcf Abcd",
        "Test ez",
        "Rabc Jabc"};

    for (final String s : in) {
        final Matcher m = pattern.matcher(s);
        if (m.find()) {
            System.out.println(s);
        }
    }
}

这表示 find前面是abc-即单词边界。输出是一样的。 \b

于 2013-06-14T12:06:50.307 回答
1

您可以使用:

if( maChaine.startWith("Abc") ) 
{ 

    list.add( maChaine ) ; 
}
于 2013-06-14T12:03:07.547 回答
0

试试这个正则表达式来解决你的问题:

(^Abc| Abc)
于 2013-06-14T12:02:51.933 回答