我有一个包含一个句子的字符串,我希望根据一个单词将其分成两半。
我有正则表达式(\\w+) word
,我认为它会在“单词”+“单词”本身之前得到所有单词,然后我可以删除最后四个字符。
然而,这似乎不起作用..任何想法我做错了什么?
感谢。
答案 0 :(得分:9)
这似乎有效:
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class Test {
public static void main(String[] args) {
Pattern p = Pattern.compile("([\\w\\s]+) word");
Matcher m = p.matcher("Could you test a phrase with some word");
while (m.find()) {
System.err.println(m.group(1));
System.err.println(m.group());
}
}
}
答案 1 :(得分:5)
使用字符串操作:
int idx = sentence.indexOf(word);
if (idx < 0)
throw new IllegalArgumentException("Word not found.");
String before = sentence.substring(0, idx);
使用正则表达式:
Pattern p = Pattern.compile(Pattern.quote(word));
Matcher m = p.matcher(sentence);
if (!m.find())
throw new IllegalArgumentException("Word not found.");
String before = sentence.substring(0, m.start());
可替换地:
Pattern p = Pattern.compile("(.*?)" + Pattern.quote(word) + ".*");
Matcher m = p.matcher(sentence);
if (!m.matches())
throw new IllegalArgumentException("Word not found.");
String before = m.group(1);
答案 2 :(得分:3)
您需要在单词前后对句子的每个部分进行标记。
http://docs.oracle.com/javase/1.5.0/docs/api/
String[] result = "this is a test".split("\\s"); //replace \\s with your word
for (int x=0; x<result.length; x++)
System.out.println(result[x]);
答案 3 :(得分:1)
试试这个:
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class Test {
public static void main(String[] args) {
Pattern p = Pattern.compile("^.*?(?= word)");
Matcher m = p.matcher("Everything before the word");
while (m.find()) {
System.out.println(m.group());
}
}
}
分解如下:
。*?一切
(?=之前
字
)结束
答案 4 :(得分:0)
原因是+
是一个贪婪的量词,并且会匹配整个字符串,包括您指定的字词,而不会回馈。
如果将其更改为(\\w+?) word
,它应该有效(不情愿的量词)。有关量词及其确切函数的更多信息here。