問題:統計一段句子中各單詞出現的次數。 思路: 1、使用split方法將文章進行分割,我們這裡以空格、逗號和句點為分隔符,然後存到一個字元串數組中。 2、創建一個hashMap集合,key是字元串類型,保存單詞;value是數字類型,保存該單詞出現的次數。 3、遍歷思路1中的字元串數組,如果key( ...
- 問題:統計一段句子中各單詞出現的次數。
- 思路:
- 1、使用split方法將文章進行分割,我們這裡以空格、逗號和句點為分隔符,然後存到一個字元串數組中。
- 2、創建一個hashMap集合,key是字元串類型,保存單詞;value是數字類型,保存該單詞出現的次數。
- 3、遍歷思路1中的字元串數組,如果key(單詞)沒有出現過,map中增加一個元素,key為該單詞,定義value為1;如果key(單詞)出現過,那麼value的值加1。
- 4.遍歷輸入key及其對應的value值。
- 具體代碼如下:
- StrList類,實現統計單詞出現次數的方法。
- package wordCounts;
- import java.util.HashMap;
- import java.util.Map.Entry;
- public class StrList {
- public String StatList(String s) {
- StringBuffer sb = new StringBuffer();
- HashMap<String, Integer> has = new HashMap<String,Integer>();//打開哈希表,字元類型儲存key(單詞),整型儲存value(單詞出現的次數)
- String[] sList = s.split(" |,|\\.");//使用split方法將字元串s按空格、逗號和句點分割開,並存在字元數組sList中
- for(int i=0; i<sList.length; i++){//遍歷sList數組
- if(!has.containsKey(sList[i])){//如果沒有這個單詞,就將單詞存入key里,value值為1;containsKey方法 判斷集合中是否包含指定的key
- has.put(sList[i], 1);
- }else{//如果已經存在,就將value值加1;用get方法獲取key對應的value值
- has.put(sList[i], has.get(sList[i])+1);
- }
- }
- //使用增強for迴圈遍歷,通過Entry集合訪問,可以訪問key及其對應的Value值
- for(Entry<String, Integer> entry:has.entrySet()){
- System.out.println(entry.getKey()+":"+entry.getValue());
- }
- return sb.toString();
- }
- }
- main方法(創建另一個類):
- 方式一:已經指定好了句子
- package wordCounts;
- import java.util.Scanner;
- public class WordCounts{
- public static void main(String[] args) {
- String sentence = "The most distant way in the world,"
- + "is not the way from birth to the end. "
- + "It is when I stand in front of you,"
- + "but you don't understand I love you.";
- System.out.println(StatList(sentence));
- }
- }
- 方式二:從鍵盤輸入
- package wordCounts;
- import java.util.Scanner;
- public class WordCounts{
- public static void main(String[] args) {
- @SuppressWarnings("resource")
- Scanner scanner = new Scanner(System.in);
- String ab = scanner.nextLine();
- StrList sl = new StrList();
- System.out.println(sl.StatList(ab));
- }
- }
- ————————————————