Asked 8 months ago
0Comments
0 Views
string largestNumber(vector<int> &nums) {
vector<string> snums;
for (auto n : nums) {
snums.push_back(to_string(n));
}
sort(snums.begin(), snums.end());
string ans = "";
for (int i = snums.size() - 1; i >= 0; i--) {
ans = ans + snums[i];
}
return ans;
}
But the correct answer should be "330"!
The issue is that regular string sorting (lexicographical order) doesn't always give us the largest number. In this case, "30" should come before "3" to form the largest number, but alphabetically, "3" comes first.
Custom Comparator To fix this, we need to change how we compare these strings. Instead of using the default alphabetical order, we create a special way to compare them:
static bool mycomp(string a, string b) {
return a + b > b + a;
}
Now, let's see how this works for {3, 30}:
Convert to strings: ["3", "30"]
When sorting, it compares:
"3" + "30" = "330"
"30" + "3" = "303"
"330" is bigger, so "3" comes first
After sorting: ["3", "30"]
Concatenate: "330"
This gives us the correct answer!
#include <iostream>
#include <vector>
#include <string>
#include <algorithm>
using namespace std;
// USING COMPARATOR !
// This function compares two strings to determine their order
static bool mycomp(string a, string b)
{
// Return true if a+b is greater than b+a
// This ensures the correct order for forming the largest number
return a+b > b+a;
}
// Function to form the largest number from a vector of integers
string largestNumber(vector<int> &nums)
{
// Convert integers to strings
vector<string> snums;
for (auto n : nums)
{
snums.push_back(to_string(n));
}
// Sort the strings using our custom comparator
sort(snums.begin(), snums.end(), mycomp);
// Concatenate the sorted strings
string ans = "";
for (auto str : snums)
{
ans += str;
}
// Handle the case where the result is all zeros
if (ans[0] == '0')
return "0";
return ans;
}
int main()
{
// Test case
vector<int> nums = {3, 30};
string result = largestNumber(nums);
// Print the result
cout << result << " ";
return 0;
}
Give it a try in LEETCODE
Share