C++實現LeetCode(179.最大組合數)

[LeetCode] 179. Largest Number 最大組合數

Given a list of non negative integers, arrange them such that they form the largest number.

Example 1:

Input: [10,2]
Output: “210”

Example 2:

Input: [3,30,34,5,9]
Output: “9534330”

Note: The result may be very large, so you need to return a string instead of an integer.

Credits:
Special thanks to @ts for adding this problem and creating all test cases.

這道題給瞭我們一個數組,讓將其拼接成最大的數,那麼根據題目中給的例子來看,主要就是要給數組進行排序,但是排序方法不是普通的升序或者降序,因為9要排在最前面,而9既不是數組中最大的也不是最小的,所以要自定義排序方法。如果不參考網友的解法,博主估計是無法想出來的。這種解法對於兩個數字a和b來說,如果將其都轉為字符串,如果 ab > ba,則a排在前面,比如9和34,由於 934>349,所以9排在前面,再比如說 30 和3,由於 303<330,所以3排在 30 的前面。按照這種規則對原數組進行排序後,將每個數字轉化為字符串再連接起來就是最終結果。代碼如下:

class Solution {
public:
    string largestNumber(vector<int>& nums) {
        string res;
        sort(nums.begin(), nums.end(), [](int a, int b) {
           return to_string(a) + to_string(b) > to_string(b) + to_string(a); 
        });
        for (int i = 0; i < nums.size(); ++i) {
            res += to_string(nums[i]);
        }
        return res[0] == '0' ? "0" : res;
    }
};

Github 同步地址:

https://github.com/grandyang/leetcode/issues/179

參考資料:

https://leetcode.com/problems/largest-number/

https://leetcode.com/problems/largest-number/discuss/53158/My-Java-Solution-to-share

https://leetcode.com/problems/largest-number/discuss/53157/A-simple-C%2B%2B-solution

到此這篇關於C++實現LeetCode(179.最大組合數)的文章就介紹到這瞭,更多相關C++實現最大組合數內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: