文章目录
定义
还是先看下定义吧,如下:
贪心算法是一种在每一步选择中都采取在当前状态下最好或最优(即最有利)的选择,从而希望导致结果是全局最好或最优的算法。
适用场景
由于定义如此,适用场景有限,毕竟不是所有的最优选择都能导致结果最好。而且全局不一定最优。这个应该在现实中很容易就能理解。下边给个leetcode上的例子吧。柠檬水找零。
柠檬水找零
下边看看代码吧
3.代码
先看看c++吧,很久之前用c++写过,代码如下:
cpp
class Solution {
public:
bool lemonadeChange(vector<int>& bills) {
int five = 0, ten = 0;
for (const auto& bill : bills)
if (bill == 5) five++;
else if (bill == 10 && 0 < five) --five, ++ten;
else if (0 < ten && 0 < five) --five, --ten;
else if (2 < five) five-=3;
else return false;
return true;
}
};
再来看看python吧,如下:
python
class Solution:
def lemonadeChange(self, bills: List[int]) -> bool:
five = ten = 0
for v in bills:
if v == 5:
five += 1
elif v == 10:
ten += 1
five -= 1
else:
if ten:
ten -= 1
five -= 1
else:
five -= 3
if five < 0:
return False
return True
小结
贪心,一种很经典的算法,适用场景有限,而且当下的选择不能影响后边的,一旦影响,就不一定是最优。每一步都是最好的,结果未必最优,想象我们自己,生活中是不是这样呢?学习算法,可以更好的适应生活,也是为了更好的生活。OK,翻篇。