力扣刷题【94,100,101,104】

binary tree

🎄树的数据结构

// Definition for a binary tree node.
public static 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;}
}
  1. 94 二叉树的中序遍历

    package top.lel.lc.easy.binary_tree_inorder_traversal;import java.util.ArrayList;
    import java.util.List;/*** @author echo lovely* @date 2022/5/6 15:03* @description https://leetcode-cn.com/problems/binary-tree-inorder-traversal/*/public class BitreeInorderTraversal {public static void main(String[] args) {// 中序遍历顺序:左子树 根节点 右子树// [1, 0, 3, 2, 4]TreeNode treeNode = new TreeNode(0, new TreeNode(1), new TreeNode(2, new TreeNode(3), new TreeNode(4)));List<Integer> res = inorderTraversal(treeNode);System.out.println(res);}public static List<Integer> inorderTraversal(TreeNode root) {List<Integer> list = new ArrayList<>();forEach(list, root);return list;}private static void forEach(List<Integer> list, TreeNode treeNode) {if (treeNode == null) {return;}if (treeNode.left != null) {forEach(list, treeNode.left);}list.add(treeNode.val);if (treeNode.right != null) {forEach(list, treeNode.right);}}}
  2. 100 相同的树
    深度搜索(递归),广度搜索(队列先进先去)

    package top.lel.lc.easy.same_tree;import java.util.LinkedList;
    import java.util.Queue;/*** @author echo lovely* @date 2022/5/6 17:20* @description 相同的树* https://leetcode-cn.com/problems/same-tree/* 1. 深度优先:递归* 2. 广度优先:使用队列*/public class SameTree {public static void main(String[] args) {/*boolean sameTree = isSameTree(new TreeNode(0, new TreeNode(), new TreeNode()), new TreeNode());System.out.println(sameTree);*/System.out.println(1 ^ 2);System.out.println(3 ^ 8 ^ 12);// 相同取0,相异取1/*System.out.println(true ^ false);System.out.println(false ^ true);System.out.println(true ^ true);System.out.println(false ^ false);*/boolean b = deepWay(new TreeNode(9, new TreeNode(0), new TreeNode(1)), new TreeNode(9, new TreeNode(0), new TreeNode(1)));System.out.println(b);}private static boolean deepWay(TreeNode p, TreeNode q) {if (p == null && q == null) {return true;}if (p == null || q == null) {return false;}Queue<TreeNode> queue1 = new LinkedList<>();queue1.offer(p);Queue<TreeNode> queue2 = new LinkedList<>();queue2.offer(q);while (!queue1.isEmpty() && !queue2.isEmpty()) {TreeNode treeNode1 = queue1.poll();TreeNode treeNode2 = queue2.poll();if (treeNode2 == null || (treeNode1.val != treeNode2.val)) {return false;}TreeNode left1 = treeNode1.left, left2 = treeNode2.left, right1 = treeNode1.right, right2 = treeNode2.right;// 异或:如果全部是空,判断是false, 全部不是空, 判断也是false. 则跳过if语句// 如果一个空,一个非空,return falseif (left1 == null ^ left2 == null) {return false;}if (right1 == null ^ right2 == null) {return false;}if (left1 != null) {queue1.offer(left1);}if (left2 != null) {queue2.offer(left2);}if (right1 != null) {queue1.offer(right1);}if (right2 != null) {queue2.offer(right2);}}return queue1.isEmpty() && queue2.isEmpty();}private static boolean isSameTree(TreeNode p, TreeNode q) {if (p == null && q == null) {return true;}if (p != null && q != null && p.val == q.val) {return isSameTree(p.left, q.left) && isSameTree(p.right, q.right);}return false;}}
    }
  3. 101 对称二叉树

    package top.lel.lc.easy.symmetric_tree;import java.util.LinkedList;
    import java.util.Queue;/*** @author echo lovely* @date 2022/5/7 13:46* @description 对称二叉树* https://leetcode-cn.com/problems/symmetric-tree/*/public class SymmetricTree {public static void main(String[] args) {boolean symmetric = isSymmetric(new TreeNode(99,new TreeNode(1, new TreeNode(2), new TreeNode(3)),new TreeNode(1, new TreeNode(3), new TreeNode(2))));System.out.println(symmetric);}public static boolean isSymmetric(TreeNode root) {if (root == null) {return false;}return forEach(root, root);}public static boolean forEach(TreeNode node0, TreeNode node1) {if (node0 == null && node1 == null) {return true;}if (node0 == null || node1 == null) {return false;}return node0.val == node1.val && forEach(node0.left, node1.right) && forEach(node0.right, node1.left);}public static boolean useQueue(TreeNode node0, TreeNode node1) {Queue<TreeNode> queue = new LinkedList<>();queue.offer(node0);queue.offer(node1);while (!queue.isEmpty()) {TreeNode n1 = queue.poll();TreeNode n2 = queue.poll();// 左子树搜索完 再搜索右子树if (n1 == null && n2 == null) {continue;}if (n1 == null || n2 == null) {return false;}if (n1.val != n2.val) {return false;}queue.offer(n1.left);queue.offer(n2.right);queue.offer(n1.right);queue.offer(n2.left);}return true;}// Definition for a binary tree node.public static 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;}}}
    
  4. 104 二叉树的高度
    Max(leftH, rightH) + 1

    package top.lel.lc.easy.binary_tree_max_depth;import top.lel.lc.easy.tree.TreeNode;/*** @author echo lovely* @date 2022/5/7 14:58* @description 二叉树的最大深度* https://leetcode-cn.com/problems/maximum-depth-of-binary-tree/*/public class MaxDepthOfBinaryTree {public static void main(String[] args) {}public int maxDepth(TreeNode root) {if (root == null) {return 0;}return getMaxDepth( root);}public int getMaxDepth(TreeNode node0) {if (node0 == null) {return 0;} else {int leftDepth = getMaxDepth(node0.left);int rightDepth = getMaxDepth(node0.right);System.out.println(leftDepth + "\t" + rightDepth);return Math.max(leftDepth, rightDepth) + 1;}}}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/420254.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Java, C#, Swift语法对比速查表

Java 8C# 6Swift变量类型 变量名;类型 变量名;var 变量名 : 类型;变量&#xff08;类型推断&#xff09;N/Avar 变量名初值;var 变量名初值;常量final 类型 常量名初值;readonly 类型 常量名初值;let 常量名 : 类型初值;基本类型 int short long byte double float boolean cha…

0网卡开启_中标麒麟Linux v7系统下设置双网卡bond或team绑定详细过程

中标麒麟Linux v7系统下设置双网卡bond或team绑定详细过程。所谓bond&#xff0c;就是把多个物理网卡绑定成一个逻辑网卡&#xff0c;使用同一个IP工作&#xff0c;在增加带宽的同时也可以提高冗余性&#xff0c;一般使用较多的就是来提高冗余&#xff0c;分别和不同交换机相连…

前端学习(1350):用户的增删改查操作7增删改查

demo25.js //创建http连接 const http require(http); //创建服务器 const app http.createServer(); //第三方模块导入 /* const mongoose require(mongoose); */ //获取连接 const url require(url); // const querystring require(querystring);require(./demo26.js);…

基于aop的日志记录

aop实现日志记录记录工具切面logback配置测试记录工具 目标&#xff1a; 统计rest接口请求参数&#xff0c;请求地址&#xff0c;请求IP&#xff0c;响应数据&#xff0c;响应时间。方便后续问题排查&#xff0c;以及性能的总体分析。 基于springboot会使用面向切面编程基于l…

xss防御补丁_Discuz论坛最新dom xss漏洞的解决方法

无忧主机小编在日常处理客户网站问题时&#xff0c;经常遇到网站因为程序漏洞出现的问题。网站安全的发展&#xff0c;才能使得管理者放心营运。但是比较无奈的是&#xff0c;漏洞问题貌似屡见不鲜&#xff0c;就算再强大、再常用的程序&#xff0c;都会有诸如漏洞的问题&#…

前端学习(1351)模板引擎

const template require(art-template); //绝对路径 模板中显示的数据 const path require(path); const views path.join(__dirname, index.art); const html template(views, {name: 张三,age: 20 }); console.log(html); index.art <!DOCTYPE html> <html la…

内存数据库和关系数据库之间的数据同步原理

关系数据库到内存数据库同步这部分数据同步采用增量表的方式&#xff0c;系统新增或更新的数据将生成到关系数据库的增量表中&#xff0c;程序先到这些增量表中查询数据。如果能在这些增量表中查到数据就把这些数据更新到内存数据库对应表中&#xff0c;如果查不到&#xff0c;…

java 图片压缩100k_java实现图片压缩

简介我们在项目中经常会遇到图片上传的需求&#xff0c;如商品图片&#xff0c;但图片太大的话&#xff0c;在客户端加载太慢影响用户体验&#xff0c;所有一般会将图片进行压缩。实现原图添加依赖net.coobirdthumbnailator0.4.8按质量压缩import java.io.File;import java.io.…

前端学习(1352)模板语法

demo27.js const template require(art-template); //绝对路径 模板中显示的数据 const path require(path); const views path.join(__dirname, 01.art); const html template(views, {name: 张三,age: 20,content: <h1>我是歌谣</h1> }); console.log(html)…

marker 头像 高德地图_高德地图头像怎么更换 高德地图更换头像图文教程

相信绝大部分人都知道微信头像以及QQ头像怎么更换&#xff0c;而设置头像也是很多人喜欢做的一件事情。而对于经常使用高德地图的用户来说&#xff0c;头像该怎么设置呢&#xff1f;对于这群用户&#xff0c;下面百事网小编为大家带来详细的高德地图更换头像图文教程&#xff0…

UVA10763:Foreign ExchangeUVA10340: All in All(水题)

10763:水题不解释直接贴代码。 #include <iostream> #include <string.h> #include <stdio.h> #include <algorithm> #include <math.h> #include <queue> #define eps 1e-9 typedef long long ll; using namespace std; int n; int d[500…

项目经验BigDecimal

BigDeciaml1. BigDecimal1. BigDecimal 我们知道&#xff0c;关于金钱相关的计算&#xff0c;都用BigDeciaml数据类型, 来表示金额。所有关于金额的项目中不能缺少它的使用。 而我今天说说用这个类型&#xff0c;踩到的坑。 金额比较问题 带精度不适用equals比较。使用compar…

前端学习(1353)模板语法条件判断

const template require(art-template); //绝对路径 模板中显示的数据 const path require(path); const views path.join(__dirname, 02.art); const html template(views, {name: 张三,age: 20,/* content: <h1>我是歌谣</h1> */ }); console.log(html); 0…

MySql 缓存查询原理与缓存监控 和 索引监控

MySql缓存查询原理与缓存监控 And 索引监控 by:授客 QQ&#xff1a;1033553122 查询缓存 1.查询缓存操作原理 mysql执行查询语句之前&#xff0c;把查询语句同查询缓存中的语句进行比较&#xff0c;且是按字节比较&#xff0c;仅完全一致才被认为相同。如下&#xff0c;这两…

python pandas 数据分析 DataFrame

二维组转表 import pandas as pdarr [[google, 100], [amazon, 99], [github, 233], [microsoft, 88]]df pd.DataFrame(dataarr, columns[Site, Age]) # 二元组转成表&#xff0c; 列为 Site 和 Age. print(df)col df[Age]# 获取Age列 print(col)# 获取Age > 100的所有行…

前端学习(1354):集合关联

const mongoose require(mongoose); mongoose.connect(mongodb://localhost/playground, { useUnifiedTopology: true }).then(() > console.log(数据库连接成功)).catch(err > console.log(err, 数据库连接失败)) const userSchema new mongoose.Schema({name: {type:…

ati jti jwt 和_一文搞懂JWT

Django REST framework JWT一、JWT简介二、JWT 组成headersignature三.使用手动生成jwt前端保存jwt一、JWT简介JWT(Json Web Token) 是一个开放标准(RFC 7519)&#xff0c;它定义了一种用于简洁&#xff0c;自包含的用于通信双方之间以 JSON 对象的形式安全传递信息的方法。JWT…

[禅悟人生]心平气和, 慢慢修行

有一个人问投子大同禅师&#xff1a;“一个没有眼晴的人&#xff0c;走路时应该怎样选择方向呢&#xff1f;” 禅师回答说&#xff1a;“他可以朝着四面八方行走&#xff0c;周围都会留下他的脚印。” 那人又问&#xff1a;“既然他都没有眼睛&#xff0c;那么他的脚印怎么会遍…

前端学习(1355)模板语法循环

const template require(art-template); //绝对路径 模板中显示的数据 const path require(path); const views path.join(__dirname, 03.art); const html template(views, {users: [{name: geyao,age: 20,sex: 男}, {name: xiao,age: 20,sex: 男}, {name: hau,age: 20,se…

c++检测ip是否匹配子网掩码_网络工程师从入门到精通通俗易懂系列 | ARP和IP这篇文章讲的相当详细了,这么基础的知识往往也是最容易遗忘的!...

网络层负责将报文从源送到目的包括TCP建立连接&#xff0c;也需要依靠网络层&#xff0c;来将这个连接请求&#xff0c;传递到对方。为设备提供逻辑地址&#xff0c;也就是IP地址主流是IPV4地址IPV4地址&#xff0c;为32位二进制数&#xff0c;长度4个字节&#xff0c;1字节等于…