java怎么找出重復(fù)的字符串

小億
177
2023-11-14 13:38:24
欄目: 編程語言

要找出重復(fù)的字符串,可以使用HashMap來記錄每個(gè)字符串出現(xiàn)的次數(shù)。

具體步驟如下:

  1. 創(chuàng)建一個(gè)HashMap對(duì)象,鍵為字符串,值為該字符串在輸入中出現(xiàn)的次數(shù)。
  2. 遍歷輸入的字符串?dāng)?shù)組或列表。
  3. 對(duì)于每個(gè)字符串,檢查它是否已經(jīng)在HashMap中存在。
    • 如果存在,則將該字符串的次數(shù)加1。
    • 如果不存在,則將該字符串作為鍵加入HashMap,并將其次數(shù)設(shè)置為1。
  4. 最后,遍歷HashMap的所有鍵值對(duì),找到出現(xiàn)次數(shù)大于1的字符串,即為重復(fù)的字符串。

以下是一個(gè)示例代碼:

import java.util.HashMap;
import java.util.Map;

public class FindDuplicateStrings {
    public static void main(String[] args) {
        String[] strings = {"hello", "world", "hello", "java", "world"};

        Map<String, Integer> stringCountMap = new HashMap<>();

        for (String str : strings) {
            if (stringCountMap.containsKey(str)) {
                int count = stringCountMap.get(str);
                stringCountMap.put(str, count + 1);
            } else {
                stringCountMap.put(str, 1);
            }
        }

        for (Map.Entry<String, Integer> entry : stringCountMap.entrySet()) {
            if (entry.getValue() > 1) {
                System.out.println("重復(fù)字符串:" + entry.getKey());
            }
        }
    }
}

執(zhí)行以上代碼,輸出結(jié)果為:

重復(fù)字符串:hello
重復(fù)字符串:world

0