题目描述

网站域名 "discuss.leetcode.com" 由多个子域名组成。顶级域名为 "com" ,二级域名为 "leetcode.com" ,最低一级为 "discuss.leetcode.com" 。当访问域名 "discuss.leetcode.com" 时,同时也会隐式访问其父域名 "leetcode.com" 以及 "com"

计数配对域名 是遵循 "rep d1.d2.d3""rep d1.d2" 格式的一个域名表示,其中 rep 表示访问域名的次数,d1.d2.d3 为域名本身。

  • 例如,"9001 discuss.leetcode.com" 就是一个 计数配对域名 ,表示 discuss.leetcode.com 被访问了 9001 次。

给你一个 计数配对域名 组成的数组 cpdomains ,解析得到输入中每个子域名对应的 计数配对域名 ,并以数组形式返回。可以按 任意顺序 返回答案。

示例 1:

1
2
3
4
输入:cpdomains = ["9001 discuss.leetcode.com"]
输出:["9001 leetcode.com","9001 discuss.leetcode.com","9001 com"]
解释:例子中仅包含一个网站域名:"discuss.leetcode.com"。
按照前文描述,子域名 "leetcode.com" 和 "com" 都会被访问,所以它们都被访问了 9001 次。

示例 2:

1
2
3
4
输入:cpdomains = ["900 google.mail.com", "50 yahoo.com", "1 intel.mail.com", "5 wiki.org"]
输出:["901 mail.com","50 yahoo.com","900 google.mail.com","5 wiki.org","5 org","1 intel.mail.com","951 com"]
解释:按照前文描述,会访问 "google.mail.com" 900 次,"yahoo.com" 50 次,"intel.mail.com" 1 次,"wiki.org" 5 次。
而对于父域名,会访问 "mail.com" 900 + 1 = 901 次,"com" 900 + 50 + 1 = 951 次,和 "org" 5 次。

提示:

  • 1 <= cpdomain.length <= 100
  • 1 <= cpdomain[i].length <= 100
  • cpdomain[i] 会遵循 "repi d1i.d2i.d3i""repi d1i.d2i" 格式
  • repi 是范围 [1, 10^4] 内的一个整数
  • d1id2id3i 由小写英文字母组成

来源:力扣(LeetCode)

题解

哈希表

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
public List<String> subdomainVisits(String[] cpdomains) {
Map<String, Integer> countMap = new HashMap<>();
for (String cpdomain : cpdomains) {
// 可以循环寻找 " " 的位置
String[] arr = cpdomain.split(" ");
int fromIndex = -1;
// 其实可以通过 "." 将字符串分割成若干个字符数组, 然后从后往前循环
do {
String str = arr[1].substring(++fromIndex);
countMap.put(str, countMap.getOrDefault(str, 0) + Integer.parseInt(arr[0]));
fromIndex = arr[1].indexOf(".", fromIndex);
} while (fromIndex != -1);
}

List<String> ans = new ArrayList<>(countMap.size());
for (String s : countMap.keySet()) {
// 字符串拼接的效率低
ans.add(new StringBuilder().append(countMap.get(s)).append(" ").append(s).toString());
}

return ans;
}
  • 时间复杂度: O(L)*,其中 *L 是数组 cpdomains 中的所有字符串长度之和。遍历数组中所有的计数配对域名计算每个子域名的计数需要 O(L) 的时间,遍历哈希表也需要 O(L) 的时间。

  • 空间复杂度: O(L)*,其中 *L 是数组 cpdomains 中的所有字符串长度之和。哈希表需要 O(L) 的空间。

submissions-2022100501

参考资料

__END__