可以使用String類的indexOf()方法和substring()方法來查詢字符串出現的次數。
下面是一個示例代碼:
public class CountOccurrences {
public static int countOccurrences(String str, String target) {
int count = 0;
int index = 0;
while ((index = str.indexOf(target, index)) != -1) {
count++;
index += target.length();
}
return count;
}
public static void main(String[] args) {
String str = "Hello Hello Hello World";
String target = "Hello";
int count = countOccurrences(str, target);
System.out.println("字符串 \"" + target + "\" 出現的次數為: " + count);
}
}
運行以上代碼,輸出結果為:
字符串 "Hello" 出現的次數為: 3
在上面的代碼中,我們定義了一個countOccurrences()方法,該方法接收兩個參數:待查詢的字符串str和目標字符串target。在方法內部,我們使用while循環來查找目標字符串在待查詢字符串中的出現次數。我們通過調用indexOf()方法來獲取目標字符串在待查詢字符串中的索引,如果返回值不為-1,說明找到了匹配的字符串,我們將計數器count加1,并將index更新為匹配字符串的下一個索引位置。最終,返回計數器的值作為結果。
請注意,上述代碼只能計算目標字符串在待查詢字符串中的非重疊出現次數。如果需要計算重疊出現次數,可以將index的更新改為index++
。