一つの単語:
String
のsplit()
メソッドを使用してそれを実現できます。この解はO(n)です。
public static void main(String[] args) {
String str = "Hello my name is John and I like to go fishing and "+
"hiking I have two sisters and one brother.";
String find = "I";
String[] sp = str.split(" +"); // "+" for multiple spaces
for (int i = 2; i < sp.length; i++) {
if (sp[i].equals(find)) {
// have to check for ArrayIndexOutOfBoundsException
String surr = (i-2 > 0 ? sp[i-2]+" " : "") +
(i-1 > 0 ? sp[i-1]+" " : "") +
sp[i] +
(i+1 < sp.length ? " "+sp[i+1] : "") +
(i+2 < sp.length ? " "+sp[i+2] : "");
System.out.println(surr);
}
}
}
出力:
John and I like to
and hiking I have two
複数単語:
find
正規表現は、が複数の単語である場合の優れたクリーンなソリューションです。ただし、その性質上、周囲の単語も一致find
する場合を見逃します(以下の例を参照)。
以下のアルゴリズムは、すべてのケース (すべてのソリューションのスペース) を処理します。問題の性質上、最悪の場合、この解はO(n*m) ( n
beingstr
の長さとm
beingfind
の長さ)になることに注意してください。
public static void main(String[] args) {
String str = "Hello my name is John and John and I like to go...";
String find = "John and";
String[] sp = str.split(" +"); // "+" for multiple spaces
String[] spMulti = find.split(" +"); // "+" for multiple spaces
for (int i = 2; i < sp.length; i++) {
int j = 0;
while (j < spMulti.length && i+j < sp.length
&& sp[i+j].equals(spMulti[j])) {
j++;
}
if (j == spMulti.length) { // found spMulti entirely
StringBuilder surr = new StringBuilder();
if (i-2 > 0){ surr.append(sp[i-2]); surr.append(" "); }
if (i-1 > 0){ surr.append(sp[i-1]); surr.append(" "); }
for (int k = 0; k < spMulti.length; k++) {
if (k > 0){ surr.append(" "); }
surr.append(sp[i+k]);
}
if (i+spMulti.length < sp.length) {
surr.append(" ");
surr.append(sp[i+spMulti.length]);
}
if (i+spMulti.length+1 < sp.length) {
surr.append(" ");
surr.append(sp[i+spMulti.length+1]);
}
System.out.println(surr.toString());
}
}
}
出力:
name is John and John and
John and John and I like