543. 二叉树的直径
描述
给定一棵二叉树,你需要计算它的直径长度。一棵二叉树的直径长度是任意两个结点路径长度中的最大值。这条路径可能穿过也可能不穿过根结点。
思路
这道题主要是要捋清楚树的直径长度和左右子树最大深度之间的关系
- 取max_num为经过最多节点的个数
- 取左子树的最大深度为L,右子树的最大深度为R
- 此时max_num即为L+R+1,并且取max_num = max(max_num, L+R+1)更新max_num
- 返回当前节点的最大深度为max(L + R)+1;
- 最后返回结果max_num-1(边长比节点数少1)
题解
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode() {}
* TreeNode(int val) { this.val = val; }
* TreeNode(int val, TreeNode left, TreeNode right) {
* this.val = val;
* this.left = left;
* this.right = right;
* }
* }
*/
class Solution {
int max_num = 0;
public int diameterOfBinaryTree(TreeNode root) {
if(root == null){
return 0;
}
xzt(root);
return max_num - 1; //因为是边的数目,所以要-1
}
int xzt(TreeNode root){
if(root == null){
return 0;
}
int L = xzt(root.left);
int R = xzt(root.right);
int num = L + R + 1;
max_num = Math.max(num, max_num);
return Math.max(L, R) + 1;
}
}
811. 子域名访问计数
描述
网站域名 “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 ,解析得到输入中每个子域名对应的 计数配对域名 ,并以数组形式返回。可以按 任意顺序 返回答案。
思路
读懂题目意思后其实不难,主要就是字符串的分割,遍历字符串数组,把里面的每一个字符串按“.”分割拼接成子域名,然后将域名为键值,访问次数num为值存在map中,当有同样的键值时,则将num相加更新num,最后将map依次组装返回得到结果
题解
class Solution {
public List<String> subdomainVisits(String[] cpdomains) {
HashMap<String, Integer> map = new HashMap<String, Integer>();
for(String cpdomain : cpdomains){
String[] rep = cpdomain.split("\\s+");
String[] cp = rep[1].split("\\.");
int num = Integer.parseInt(rep[0]);
for(int i = cp.length - 1; i >= 0; i--){
map.put(cp[i], map.getOrDefault(cp[i], 0) + num);
if(i != 0){
cp[i - 1] = cp[i - 1] + "." + cp[i];
}
}
}
List<String> result = new ArrayList();
for(String key_val : map.keySet()){
result.add("" + map.get(key_val) + " " + key_val);
}
return result;
}
}