1. 程式人生 > >leetcode811:子域名計數

leetcode811:子域名計數

給定一個帶訪問次數和域名的組合,要求分別計算每個域名被訪問的次數。其格式為訪問次數+空格+地址,例如:“9001 discuss.leetcode.com”。

接下來會給出一組訪問次數和域名組合的列表cpdomains 。要求解析出所有域名的訪問次數,輸出格式和輸入格式相同,不限定先後順序。

注意事項:

 cpdomains 的長度小於 100。
每個域名的長度小於100。
每個域名地址包含一個或兩個"."符號。
輸入中任意一個域名的訪問次數都小於10000。

我的思路如下:

1.分割字串,空格前為次數,空格後為域名

2.用map存放各域名及次數,先存放原始域名與次數

2.若域名中有".",則繼續分割域名,存入map

我的解答如下:

class Solution {
	public List<String> subdomainVisits(String[] cpdomains) {
        		HashMap<String ,Integer> map = new HashMap<String,Integer>();
        		for(int i=0;i<cpdomains.length;i++){
        			String[] cur=cpdomains[i].split("\\ ");
            		map.put(cur[1],map.getOrDefault(cur[1], 0)+Integer.parseInt(cur[0]));
            		while(cur[1].indexOf('.')!=-1){
                		cur[1]=cur[1].substring(cur[1].indexOf('.')+1,cur[1].length());
                		map.put(cur[1],map.getOrDefault(cur[1], 0)+Integer.parseInt(cur[0]));
            		}
            	}
        		ArrayList<String> list = new ArrayList<String>();
        		for (String key : map.keySet()){
            	list.add (map.get(key).toString()+" "+key);
        }
        return list;
}}

看了下網上別人的解答,有些收穫 1.使用了map.put(domain, map.getOrDefault(domain, 0)+time)這一用法 2.int index = domain.indexOf(’ '); // 第一個空格出現的位置 int time = Integer.valueOf(domain.substring(0, index)); // 空格前的字元為出現次數 domain = domain.substring(index+1); 用下標擷取數字,用Int儲存次數 3.for (Map.Entry<String, Integer> entry : map.entrySet()) { String s = entry.getValue() + " " + entry.getKey(); // 出現次數和子域名拼接 res.add(s); }