You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.
/* *
* F i l e : b i n a r y _ t r e e _ d f s . s w i f t
* C r e a t e d T i m e : 2 0 2 3 - 0 1 - 1 8
* A u t h o r : n u o m i 1 ( n u o m i 1 @ q q . c o m )
*/
import utils
// 初 始 化 列 表 , 用 于 存 储 遍 历 序 列
var list : [ Int ] = [ ]
/* 前 序 遍 历 */
func preOrder ( root : TreeNode ? ) {
guard let root = root else {
return
}
// 访 问 优 先 级 : 根 节 点 - > 左 子 树 - > 右 子 树
list . append ( root . val )
preOrder ( root : root . left )
preOrder ( root : root . right )
}
/* 中 序 遍 历 */
func inOrder ( root : TreeNode ? ) {
guard let root = root else {
return
}
// 访 问 优 先 级 : 左 子 树 - > 根 节 点 - > 右 子 树
inOrder ( root : root . left )
list . append ( root . val )
inOrder ( root : root . right )
}
/* 后 序 遍 历 */
func postOrder ( root : TreeNode ? ) {
guard let root = root else {
return
}
// 访 问 优 先 级 : 左 子 树 - > 右 子 树 - > 根 节 点
postOrder ( root : root . left )
postOrder ( root : root . right )
list . append ( root . val )
}
@ main
enum BinaryTreeDFS {
/* D r i v e r C o d e */
static func main ( ) {
/* 初 始 化 二 叉 树 */
// 这 里 借 助 了 一 个 从 数 组 直 接 生 成 二 叉 树 的 函 数
let root = TreeNode . listToTree ( list : [ 1 , 2 , 3 , 4 , 5 , 6 , 7 ] ) !
print ( " \n 初始化二叉树 \n " )
PrintUtil . printTree ( root : root )
/* 前 序 遍 历 */
list . removeAll ( )
preOrder ( root : root )
print ( " \n 前序遍历的节点打印序列 = \( list ) " )
/* 中 序 遍 历 */
list . removeAll ( )
inOrder ( root : root )
print ( " \n 中序遍历的节点打印序列 = \( list ) " )
/* 后 序 遍 历 */
list . removeAll ( )
postOrder ( root : root )
print ( " \n 后序遍历的节点打印序列 = \( list ) " )
}
}