代码随想录算法训练营|day15二叉树相关推荐

二叉树相关推荐

  • 107.二叉树的层次遍历II
  • 199.二叉树的右视图
  • 637.二叉树的层平均值
  • 429.N叉树的层序遍历
  • 515.在每个树行中找最大值
  • 116.填充每个节点的下一个右侧节点指针
  • 117.填充每个节点的下一个右侧节点指针II
  • 总结

107.二叉树的层次遍历II

切片本质是一个结构体,包含一个指向底层数组的指针(prt),长度(len),容量(cap)。如果通过函数对切片进行赋值,修改会传递到函数外;但如果在函数内对切片进行扩容,会产生新的底层数组,但数组外的切片仍指向原来的旧切片,进而导致对切片的修改无法传递到函数外
(1)递归

func levelOrderBottom(root *TreeNode) [][]int {res := [][]int{}var help func(root *TreeNode, depth int) help = func(root *TreeNode, depth int) {if root == nil {return}if depth == len(res) {res = append(res, []int{})}res[depth] = append(res[depth], root.Val)depth++help(root.Left, depth)help(root.Right, depth)} help(root, 0)for i, j := 0, len(res) - 1; i < j; i, j = i + 1, j - 1 {res[i], res[j] = res[j], res[i]}return res
}

(2)层序

func levelOrderBottom(root *TreeNode) [][]int {res := [][]int{}if root == nil {return res}node := rootqueue := []*TreeNode{root}for len(queue) > 0 {size := len(queue)vals := []int{}for i := 0; i < size; i++ {node = queue[0]queue = queue[1:]vals = append(vals, node.Val)if node.Left != nil {queue = append(queue, node.Left)}if node.Right != nil {queue = append(queue, node.Right)}}// 反向插入结果res = append(res, []int{})copy(res[1:], res[0:])res[0] = vals}return res
}

199.二叉树的右视图

(1)递归
中—>右—>左顺序访问,保证了每层最先访问的是最右边节点
如果当前节点的高度等于len(res),将其值加入res。当前节点类似于为res扩张探路。

func rightSideView(root *TreeNode) []int {res := []int{}var help func(root *TreeNode, depth int)help = func(root *TreeNode, depth int) {if root == nil {return}if depth == len(res) {res = append(res, root.Val)}depth++help(root.Right, depth)help(root.Left, depth)}help(root, 0)return res
}

(2)层序

func rightSideView(root *TreeNode) []int {res := []int{}if root == nil {return res}curQueue := []*TreeNode{root}for len(curQueue) > 0 {nextQueue := []*TreeNode{}size := len(curQueue)for i := 0; i < size; i++ {node := curQueue[i]if node.Left != nil {nextQueue = append(nextQueue, node.Left)}if node.Right != nil {nextQueue = append(nextQueue, node.Right)}if i == size - 1 {res = append(res, node.Val)}}curQueue = nextQueue}return res
}

637.二叉树的层平均值

(1)递归
创建结构体nodeGroup,存储当前层node个数sum
类似上题解法:若当前节点高度小于len(nodeGroup),对当前层nodeGroup的count和sum进行更新【count+=1,sum+=root.val】;若当前节点高度等于len(nodeGroup),创建新的层,并对count和sum赋值【count=1,sum=root.val】。

type nodeGroup struct {Count intsum   int
}func averageOfLevels(root *TreeNode) []float64 {res := []float64{}resGroup := []nodeGroup{{0, 0}}var help func(root *TreeNode, depth int)help = func(root *TreeNode, depth int) {if root == nil {return}if depth < len(resGroup) {resGroup[depth].Count++resGroup[depth].sum += root.Val} else {resGroup = append(resGroup, nodeGroup{1, root.Val})}depth++help(root.Left, depth)help(root.Right, depth)}help(root, 0)for _, countSum := range resGroup {avg := float64(countSum.sum) / float64(countSum.Count)res = append(res, avg)}return res
}

(2)层序

func averageOfLevels(root *TreeNode) []float64 {res := []float64{}curQueue := []*TreeNode{root}for len(curQueue) > 0 {size := len(curQueue)sum := 0nextQueue := []*TreeNode{}for _, node := range curQueue {sum += node.Valif node.Left != nil {nextQueue = append(nextQueue, node.Left)}if node.Right != nil {nextQueue = append(nextQueue, node.Right)}}res = append(res, float64(sum)/float64(size))curQueue = nextQueue}return res
}

429.N叉树的层序遍历

(1)递归:追加当前层数据,如果当前节点高度等于len(res),创建新层。

func levelOrder(root *Node) [][]int {res := [][]int{}var help func(root *Node, depth int)help = func(root *Node, depth int) {if root == nil {return }if depth == len(res) {res = append(res, []int{})}res[depth] = append(res[depth], root.Val)depth++for _, child := range root.Children {help(child, depth)}}help(root, 0)return res
}

(2)迭代:创建新层,追加数据。

func levelOrder(root *Node) [][]int {res := [][]int{}if root == nil {return res}curQueue := []*Node{root}depth := 0for len(curQueue) > 0 {nextQueue := []*Node{}res = append(res, []int{})for _, node := range curQueue {res[depth] = append(res[depth], node.Val)for _, child := range node.Children {nextQueue = append(nextQueue, child)}}depth++curQueue = nextQueue}return res
}

515.在每个树行中找最大值

(1)递归

func largestValues(root *TreeNode) []int {res := []int{}var help func(root *TreeNode, depth int) help = func(root *TreeNode, depth int) {if root == nil {return}if depth == len(res) {res = append(res, root.Val)}if root.Val > res[depth] {res[depth] = root.Val}depth++help(root.Left, depth)help(root.Right,depth)return}help(root, 0)return res
}

(2)迭代

func largestValues(root *TreeNode) []int {res := []int{}if root == nil {return res}depth := 0curQueue := []*TreeNode{root}for len(curQueue) > 0 {nextQueue := []*TreeNode{}for _, node := range curQueue {if depth == len(res) {res = append(res, node.Val)}if node.Val > res[depth] {res[depth] = node.Val}if node.Left != nil {nextQueue = append(nextQueue, node.Left)}if node.Right != nil {nextQueue = append(nextQueue, node.Right)}}depth++curQueue = nextQueue}return res
}

116.填充每个节点的下一个右侧节点指针

(1)递归:如果当前节点高度等于len(res),证明该节点是最新一层最左侧节点,将其追加到res中;否则将res[depth]节点指向当前节点,并更新res[depth]当前节点

func connect(root *Node) *Node {res := []*Node{}var help func(root *Node, depth int) help = func (root *Node, depth int) {if root == nil {return}if depth == len(res) {res = append(res, root)} else {res[depth].Next = rootres[depth] = root}depth++help(root.Left, depth)help(root.Right, depth)}help(root, 0)return root
}

(2)迭代

func connect(root *Node) *Node {if root == nil {return root}curQueue := []*Node{root}for len(curQueue) > 0 {nextQueue := []*Node{}size := len(curQueue)for i := 0; i < size; i++ {node := curQueue[i]if node.Left != nil {nextQueue = append(nextQueue, node.Left)}if node.Right != nil {nextQueue = append(nextQueue, node.Right)}if i == size - 1 {break}node.Next = curQueue[i + 1]}curQueue = nextQueue}return root
}

117.填充每个节点的下一个右侧节点指针II

题解:只能说与上题一模一样

总结

树,递归,层序迭代一个套路走完所有题
大佬递归方法太秀了!必须码住

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

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

相关文章

如何使用Everything随时随地远程访问本地电脑搜索文件

文章目录 前言1.软件安装完成后&#xff0c;打开Everything2.登录cpolar官网 设置空白数据隧道3.将空白数据隧道与本地Everything软件结合起来总结 前言 要搭建一个在线资料库&#xff0c;我们需要两个软件的支持&#xff0c;分别是cpolar&#xff08;用于搭建内网穿透数据隧道…

【前沿技术杂谈:解释性人工智能】透视未来:解释性人工智能(XAI)在构建透明、可信AI世界中的角色

【前沿技术杂谈&#xff1a;解释性人工智能】透视未来&#xff1a;解释性人工智能&#xff08;XAI&#xff09;在构建透明、可信AI世界中的角色 引言揭开可解释性人工智能的面纱&#xff1a;定义、重要性与应用什么是可解释性AI&#xff1f;定义XAIXAI的目标 为什么需要可解释性…

蓝桥杯---三国游戏

问题描述 小蓝正在玩一款游戏。游戏中魏蜀吴三个国家各自拥有一定数量的士兵 X, Y, Z (一开始可以认为都为 0 )。游戏有 n 个可能会发生的事件&#xff0c;每个事件之 间相互独立且最多只会发生一次&#xff0c;当第 i 个事件发生时会分别让 X, Y, Z 增加 Ai , Bi ,Ci 。…

智能水龙头行业研究:预计2028年将达到4.8亿美元

智能水龙头(智能水龙头)一般指智能感应水龙头。智能感应水龙头&#xff0c;智能节水&#xff1a;自动感应控制开、关&#xff0c;将手或盛水容器、洗涤物品伸入感应范围内&#xff0c;龙头即自动出水&#xff0c;离开后即停止出水。这种智能水龙头&#xff0c;伸手就来水&#…

Kotlin快速入门5

Kotlin的继承与重写 kotlin的继承 Kotlin中所有类都继承自Any类&#xff0c;Any类是所有类的超类&#xff0c;对于没有超类型声明的类是默认超类&#xff08;Any 不是 java.lang.Object&#xff09;&#xff1a; class LearnKotlin // 默认继承自Any Any类默认提供三个函数…

字符串排序。

#include<stdio.h> #include<stdlib.h> #include <string.h> void swap(char*str1,char*str2); int main() { char str1[20],str2[20],str3[20]; printf("请输入3个字符串,每个字符串以回车结束!:\n"); fgets(str1, (sizeof str1 / …

PyInstaller 将 Python 程序生成可直接运行的程序

图标转换地址&#xff1a;https://convert.app/#google_vignette 官方文档&#xff1a;https://readthedocs.org/projects/pyinstaller/downloads/pdf/stable/#page20 安装pyinstaller pip install pyinstaller执行打包 pyinstaller -i ./resource/w.icns -w -F whv.py --a…

开始学习第二十五天(番外)

今天分享一下写的小游戏啦 头文件game.h #include<stdio.h> #include<time.h> #include<stdlib.h> #define H 3 #define L 3 void InitBoard(char Board[H][L], int h, int l); void DisplayBoard(char Board[H][L], int h, int l); void playermove(cha…

JavaScript的dom基础知识

一、dom概念 概念:DOM全称Document Object Model(文档对象模型),是一种用于HTML和XML文档的编辑接口,给文档提供可一种结构化的表示方法,可以修改文档的内容和结构&#xff0c;DOM开发中主要用于操作元素 二、获取元素 1.根据id获取 getElementById 返回元素对象(获取到匹配…

幻兽帕鲁越玩越卡,内存溢出问题如何解决?

近期幻兽帕鲁游戏大火&#xff0c;在联机组队快乐游玩的同时&#xff0c;玩家们也发现了一些小问题。由于游戏有随机掉落材料的设定&#xff0c;服务器在加载掉落物的过程中很容易会出现掉帧、卡顿的情况。某些玩家甚至在游戏1&#xff5e;2时后就出现服务器崩溃的情况&#xf…

代码随想录算法刷题训练营day18

代码随想录算法刷题训练营day18&#xff1a;LeetCode(257)二叉树的所有路径、LeetCode(404)左叶子之和 LeetCode(257)二叉树的所有路径 题目 代码 import java.util.ArrayList; import java.util.List;/*** Definition for a binary tree node.* public class TreeNode {* …

代码小技巧

1、秒换算小时&分钟 int Time; int Hour,Minutes; HourTime/3600;//小时 Minutes(Time/60)%60;//分钟 Minutes(Time%3600)/60;//分钟 2、C当中比较大小 法一&#xff1a;利用库函数 int main() {int array[] { 5, 2, 9, 1, 7 }; cout << "最大值: "…

STP生成树协议实验

实验大纲 一、什么是生成树协议 二、生成树原理 1.STP工作原理 2.STP主要参数 3.STP根网桥 4.STP协议版本 三、实验 1.构建网络拓扑结构图 2.配置IP地址&#xff08;8台PC机&#xff09;&#xff1a;192.168.7.1~192.168.7.8 3.配置SW1 4.配置SW2 5.配置SW3 6.配置…

C++ 数论相关题目 求组合数IV

输入 a,b &#xff0c;求 Cba 的值。 注意结果可能很大&#xff0c;需要使用高精度计算。 输入格式 共一行&#xff0c;包含两个整数 a 和 b 。 输出格式 共一行&#xff0c;输出 Cba 的值。 数据范围 1≤b≤a≤5000 输入样例&#xff1a; 5 3 输出样例&#xff1a; 10 #…

蓝桥杯省赛无忧 课件51 第6次学长直播带练配套课件

01 最小的或运算 02 简单的异或难题 03 出列 04 异或森林 05 位移 06 笨笨的机器人 07 迷失的数 08 最大通过数

vue常用指令(v-mode)

一、v-mode 指令 作用: 获取和设置表单元素的值(实现双向数据绑定) 双向数据绑定 单向绑定: 就是把Model绑定到View&#xff0c;当我们用JavaScript代码更新Model时&#xff0c;View就会自动更新。双向绑定: 用户更新了View&#xff0c;Model的数据也自动被更新了&#xff0c;…

python中for循环的几个现象

1. 运行如下代码 l [{}, {}, {}] for k in l:k[1] 1 print(l) 输出为 [{1: 1}, {1: 1}, {1: 1}]2. 运行如下代码 l [{}, {}, {}] for k in l:k {1:1} print(l) 输出为 [{}, {}, {}] 3. 运行如下代码 l [1,2,3] for k in l:k k * 2 print(l)输出为 [1, 2, 3…

蓝牙----蓝牙消息传输_GATT服务发现

蓝牙消息传输_GATT服务发现 1.主机和从机GATT服务的发现2.通知的使用 1.主机和从机GATT服务的发现 GATT服务的发现由主机执行&#xff0c;一共三个阶段  1.处理交换 MTU 请求和响应&#xff0c;启动对 Simple Service 服务的发现。 if (discState BLE_DISC_STATE_MTU){// MT…

​ PaddleHub 首页图像 - 文字识别chinese_ocr_db_crnn_server​

PaddleHub 便捷地获取PaddlePaddle生态下的预训练模型&#xff0c;完成模型的管理和一键预测。配合使用Fine-tune API&#xff0c;可以基于大规模预训练模型快速完成迁移学习&#xff0c;让预训练模型能更好地服务于用户特定场景的应用 零基础快速开始WindowsLinuxMac Paddle…

【更新】ESG-71个工具变量汇总(2024)

一、引言 收集了CSSCI期刊文本数据&#xff0c;并对“ESG”相关期刊进行文本分析&#xff0c;统计了71个“ESG”相关的工具变量&#xff0c;希望对大家提升研究效率有所帮助 工具变量是一种在统计学和计量经济学中常用的技术&#xff0c;用于处理因果关系研究中的内生性问题。…