20240410 Finished

This commit is contained in:
jackfiled 2024-04-10 10:55:06 +08:00
parent 38eeba1ce7
commit 6c18bfa502
2 changed files with 46 additions and 1 deletions

View File

@ -97,4 +97,5 @@ mod p27_remove_element;
mod p80_remove_duplicates_from_sorted_array_ii;
mod p169_majority_element;
mod p189_rotate_array;
mod p121_best_time_to_buy_and_sell_stock;
mod p121_best_time_to_buy_and_sell_stock;
mod p122_best_time_to_buy_and_sell_stock_ii;

View File

@ -0,0 +1,44 @@
/**
* [122] Best Time to Buy and Sell Stock II
*/
pub struct Solution {}
// submission codes start here
impl Solution {
pub fn max_profit(prices: Vec<i32>) -> i32 {
let mut result = 0;
let mut once_buy = 0;
let mut min_buy = prices[0];
for i in 1..prices.len() {
if prices[i] > prices[i - 1] {
once_buy = once_buy.max(prices[i] - min_buy);
} else if prices[i] < prices[i - 1] {
result += once_buy;
once_buy = 0;
min_buy = prices[i];
}
}
if once_buy != 0 {
result += once_buy;
}
result
}
}
// submission codes end
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_122() {
assert_eq!(7, Solution::max_profit(vec![7, 1, 5, 3, 6, 4]));
assert_eq!(4, Solution::max_profit(vec![1, 2, 3, 4, 5]));
assert_eq!(0, Solution::max_profit(vec![7, 6, 4, 3, 2, 1]));
}
}