Appearance
每天一道Rust-LeetCode(2019-09-17)
坚持每天一道题,刷题学习Rust.
题目描述
给定一个非空二叉树,返回其最大路径和。
本题中,路径被定义为一条从树中任意节点出发,达到任意节点的序列。该路径至少包含一个节点,且不一定经过根节点。
示例 1:
输入: [1,2,3]
1
/ \
2 3
输出: 6
示例 2:
输入: [-10,9,20,null,null,15,7]
-10
/ \
9 20
/ \
15 7
输出: 42
来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/binary-tree-maximum-path-sum 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
解题思路
只管求经过每个节点的最大路径和即可,但是每求一次都要判断这个是否最终的最大路径 此解法是leetcode上的
解题过程
rust
use crate::share::ListNode;
use crate::share::TreeNode;
use std::cell::RefCell;
use std::cmp::max;
use std::rc::Rc;
struct Solution {}
impl Solution {
pub fn max_path_sum(root: Option<Rc<RefCell<TreeNode>>>) -> i32 {
let mut max = -9999999;
//这里使用闭包来处理最终结果的传递,很巧妙,值得借鉴
Self::traverse(root, &mut |x: i32| {
max = max.max(x);
});
println!("{:?}", max);
max
}
//f:&mut impl FnMut(i32)这种写法也值得学习
fn traverse(root: Option<Rc<RefCell<TreeNode>>>, f: &mut impl FnMut(i32)) -> i32 {
if root.is_none() {
return 0;
}
let mut r_b = root.as_ref().unwrap().borrow_mut();
let (l, r) = (r_b.left.take(), r_b.right.take());
//这里有点巧妙,因为我求的是经过我这个节点的最大路径和,那么子树如果是负值,忽略即可.
//因此通过max(0)这种方式,极大的简化了代码复杂度.
//相比我之前的代码,优雅了不知道多少倍
let (lval, rval) = (Self::traverse(l, f).max(0), Self::traverse(r, f).max(0));
let cur_path_max = lval + rval + r_b.val;
f(cur_path_max);
(lval + r_b.val).max(rval + r_b.val)
}
}
#[cfg(test)]
mod test {
use super::*;
use crate::share::build_tree;
use crate::share::NULL;
#[test]
fn test_has_path_sum() {
/*
[
[5,4,11,2],
[5,8,4,5]
]
*/
let t = build_tree(&vec![1, 2, 3]);
println!("t={:?}", t);
assert_eq!(6, Solution::max_path_sum(t));
let t = build_tree(&vec![-10, 9, 20, NULL, NULL, 15, 7]);
println!("t={:?}", t);
assert_eq!(42, Solution::max_path_sum(t));
let t = build_tree(&vec![5, 4, 8, 11, NULL, 13, 4, 7, 2, NULL, NULL, NULL, 1]);
println!("t={:?}", t);
assert_eq!(49, Solution::max_path_sum(t));
let t = build_tree(&vec![
5, 4, 8, 11, NULL, 13, 4, 7, 2, NULL, NULL, NULL, NULL, NULL, 1,
]);
println!("t={:?}", t);
assert_eq!(48, Solution::max_path_sum(t));
let t = TreeNode {
val: -1,
left: Some(Rc::new(RefCell::new(TreeNode {
val: 8,
left: None,
right: Some(Rc::new(RefCell::new(TreeNode {
val: -9,
left: None,
right: None,
}))),
}))),
right: Some(Rc::new(RefCell::new(TreeNode {
val: 2,
right: None,
left: Some(Rc::new(RefCell::new(TreeNode {
val: 0,
right: None,
left: Some(Rc::new(RefCell::new(TreeNode {
val: -3,
left: None,
right: Some(Rc::new(RefCell::new(TreeNode {
val: -9,
left: None,
right: Some(Rc::new(RefCell::new(TreeNode {
val: -2,
left: None,
right: None,
}))),
}))),
}))),
}))),
}))),
};
let t = Some(Rc::new(RefCell::new(t)));
println!("t={:?}", t);
assert_eq!(9, Solution::max_path_sum(t));
}
}
一点感悟
这里区分了好几种情况,看了别人的解答,恍然大悟,没必要如此区分,
其他
欢迎关注我的github,本项目文章所有代码都可以找到.