题目描述:http://ac.jobdu.com/problem.php?pid=1504
输入一个正整数数组,把数组里所有数字拼接起来排成一个数,打印能拼接出的所有数字中最小的一个。例如输入数组{3,32,321},则打印出这三个数字能排成的最小数字为321323。
容易观察到:
对于3, 32 : 323 < 332 ,因此 32应该在3之前
对于3,321 : 3213 < 3321,因此 321 应该在 3 之前
对于32,321 : 32132 < 32321 ,因此 321 应该在32之前
所以上述数组中的排序为:321 < 32 < 3
那么我们应该根据以上规律重新定义一个比较大小的规则,将原始数组进行排序,最后将数组中的数字按顺序连接起来就是最小数。
因为涉及较多的数字组合操作,所以比较适合用字符串处理。并且,字符串能够解决数字组合之后的大数问题。
#include <iostream>
#include <algorithm>
#include <vector>
#include <string>
using namespace std;
// 对 "<" 重载
bool cmp(const string &str1, const string &str2) {
if (str1 + str2 < str2 + str1)
return true;
return false;
}
void PrintMinNumber(int nums[], int length) {
if (nums == NULL || length <= 0)
return;
vector<string> nums_str(length);
for (int i = 0; i < length; i++)
nums_str[i] = (to_string(nums[i])); // to_string, c++11支持;可以用sprintf替代
sort(nums_str.begin(), nums_str.end(), cmp);
string result = "";
for (int i = 0; i < length; i++) {
if (nums_str[i] != "0")
result += nums_str[i];
}
cout << result << endl;
}
int main() {
int nums[] = { 3, 32, 321 };
int nums1[] = { 3, 32 };
int nums2[] = { 3 };
PrintMinNumber(nums, sizeof(nums) / sizeof(nums[0]));
PrintMinNumber(nums1, sizeof(nums1) / sizeof(nums1[0]));
PrintMinNumber(nums2, sizeof(nums2) / sizeof(nums2[0]));
}
版权声明:本文为博主原创文章,未经博主允许不得转载。
时间: 2024-10-10 07:11:40