data:image/s3,"s3://crabby-images/9d135/9d135325600f9972709e22bbcbcee32fdfa692b4" alt=""
1.题目解析
题目来源
|-----------------------------------------------------------------------------------|
| 179.最大数------力扣 |
data:image/s3,"s3://crabby-images/8a255/8a255f454f504e4797d5c4b2ba21896f67bc28c3" alt=""
测试用例
data:image/s3,"s3://crabby-images/3bb00/3bb00e980bd2fe2da94da5b984fb3e4fc9e2b4eb" alt=""
2.算法原理
I.由题目我们知道需要返回将数组的所以数字组合形成的一个最大的数字,所以我们可以将整数类型转化为字符串,这样便于运算
II.这里如果使用暴力解法就是从前到后将每个数字高位值更大的排到前面然后不断遍历组合字符串即可,但是这样时间复杂度会很大,不妨使用贪心的思路,这里"贪心"的思路是:
data:image/s3,"s3://crabby-images/e02d9/e02d92eb9c1e45408cd2d6b62019d34b816d8581" alt=""
III.需要注意的是当数组中全部是0的情况,此时我们理想的返回值就是一个字符"0",但是如果不特殊处理上述逻辑就返回的是类似"00000"这样的情况,显然不行。所以我们在最后要判断字符串的首位元素是否为"0",是的话就直接返回一个字符"0"即可
小tips:为什么上面只需要判断第一个位置是否为字符"0"?因为由排序的底层逻辑可以知道当第一位都是字符"0"时就代表此时整个字符串必定全部为"0",所以只需要判断第一个即可
3.实战代码
cpp
class Solution {
public:
string largestNumber(vector<int>& nums)
{
vector<string> str;
for(auto e : nums)
{
str.push_back(to_string(e));
}
//lamda表达式
//[](参数列表)
//{函数体}
sort(str.begin(),str.end(),[](const string s1,const string s2)
{
return s1 + s2 > s2 + s1;
});
string ret;
for(auto& e : str)
{
ret += e;
}
return ret[0] == '0' ? "0" : ret;
}
};
代码解析
data:image/s3,"s3://crabby-images/18c72/18c724e7a511bb73146c66f0b46926a68fbb0ea4" alt=""
*4.贪心策略的合理性证明(离散数学------全序关系)
完全性
data:image/s3,"s3://crabby-images/95548/95548f61b270f127d03a625d6bc2e4530a8b7e6d" alt=""
反对称性
data:image/s3,"s3://crabby-images/9c9ee/9c9eea3993f8692af6e213fbb52d7f65f632a4f5" alt=""
传递性
data:image/s3,"s3://crabby-images/22745/227453170e6f0328cf1519a0adcb3277c6b7c39d" alt=""