Leetcode 第26场双周赛题解

唉,白wa了两发,最后一题还写慢了。。。

Leetcode 第26场双周赛题解_第1张图片

5396. 连续字符

题目链接:https://leetcode-cn.com/contest/biweekly-contest-26/problems/consecutive-characters/

思路:直接记录连续字符出现的最大值即可。

class Solution {
    public int maxPower(String s) {
        int num=1,ans=1;
        for(int i=1;i

5397. 最简分数

题目链接:https://leetcode-cn.com/contest/biweekly-contest-26/problems/simplified-fractions/

思路:暴力枚举分子和分母,因为要保留的是最简分数,因此我们只需要保存分子和分母最大公因数为1的分数即可。

class Solution {
    public List simplifiedFractions(int n) {
    	
        List ans=new ArrayList<>();
        for(int i=1;i

5398. 统计二叉树中好节点的数目

题目链接:https://leetcode-cn.com/contest/biweekly-contest-26/problems/count-good-nodes-in-binary-tree/

思路:从根节点开始遍历,记录路径上出现的最大值并和当前节点值比较,若当前节点值大,说明路径上没有比它大的值,则计入答案。

class Solution {
	
	private int ans;
	
    public int goodNodes(TreeNode root) {
        
    	ans=0;
    	
    	dfs(root,-100000);
    	
    	return ans;
    }
    
    private void dfs(TreeNode root,int mx) {
    	if(root==null) return;
    	if(root.val>=mx) ans++;
    	dfs(root.left,Math.max(mx, root.val));
    	dfs(root.right,Math.max(mx, root.val));
    }
}

5399. 数位成本和为目标值的最大数字

题目链接:https://leetcode-cn.com/contest/biweekly-contest-26/problems/form-largest-integer-with-digits-that-add-up-to-target/

思路:完全背包的变形题,多了一步记录最大数字而已,这里不再赘述了。

class Solution {
    public String largestNumber(int[] cost, int target) {
    	
    	int[] dp=new int[target+1];
    	Map map=new HashMap<>();
    	
    	dp[0]=1;
    	map.put(0, "");
    	
    	for(int i=1;i<=9;i++) {
    		for(int j=cost[i-1];j<=target;j++)
    			if(dp[j-cost[i-1]]!=0) {
    				StringBuilder str=new StringBuilder();
    				str.append(String.valueOf(i));
    				str.append(map.get(j-cost[i-1]));
    				if(!map.containsKey(j) || str.length()>map.get(j).length()
    						|| str.length()==map.get(j).length() 
    						&& str.toString().compareTo(map.get(j))>0)
    					map.put(j, str.toString());
    				dp[j]=1;
    			}
    	}
    	
    	if(!map.containsKey(target))
    		return "0";
    	
    	return map.get(target);
    	
    }
}

 

你可能感兴趣的:(Leetcode 第26场双周赛题解)