mirror of
https://github.com/halfrost/LeetCode-Go.git
synced 2025-07-25 12:14:26 +08:00
60 lines
1.2 KiB
Go
60 lines
1.2 KiB
Go
package leetcode
|
|
|
|
import (
|
|
"sort"
|
|
|
|
"github.com/halfrost/LeetCode-Go/structures"
|
|
)
|
|
|
|
// TreeNode define
|
|
type TreeNode = structures.TreeNode
|
|
|
|
/**
|
|
* Definition for a binary tree node.
|
|
* type TreeNode struct {
|
|
* Val int
|
|
* Left *TreeNode
|
|
* Right *TreeNode
|
|
* }
|
|
*/
|
|
|
|
type node struct {
|
|
x, y, val int
|
|
}
|
|
|
|
func verticalTraversal(root *TreeNode) [][]int {
|
|
nodes := []*node{}
|
|
inorder(root, 0, 0, &nodes)
|
|
sort.Slice(nodes, func(i, j int) bool {
|
|
if nodes[i].y == nodes[j].y {
|
|
if nodes[i].x < nodes[j].x {
|
|
return true
|
|
} else if nodes[i].x > nodes[j].x {
|
|
return false
|
|
}
|
|
return nodes[i].val < nodes[j].val
|
|
}
|
|
return nodes[i].y < nodes[j].y
|
|
})
|
|
res, currY, currColumn := [][]int{}, nodes[0].y, []int{nodes[0].val}
|
|
for i := 1; i < len(nodes); i++ {
|
|
if currY == nodes[i].y {
|
|
currColumn = append(currColumn, nodes[i].val)
|
|
} else {
|
|
res = append(res, currColumn)
|
|
currColumn = []int{nodes[i].val}
|
|
currY = nodes[i].y
|
|
}
|
|
}
|
|
res = append(res, currColumn)
|
|
return res
|
|
}
|
|
|
|
func inorder(root *TreeNode, x, y int, nodes *[]*node) {
|
|
if root != nil {
|
|
*nodes = append(*nodes, &node{x, y, root.Val})
|
|
inorder(root.Left, x+1, y-1, nodes)
|
|
inorder(root.Right, x+1, y+1, nodes)
|
|
}
|
|
}
|