- 题目描述
输入一个非负整数数组,把数组里所有数字拼接起来排成一个数,打印能拼接出的所有数字中最小的一个。
示例 1:
输入: [10,2]
输出: "102"
示例 2:
输入: [3,30,34,5,9]
输出: "3033459"
提示:
0 < nums.length <= 100
说明:
输出结果可能非常大,所以你需要返回一个字符串而不是整数
拼接起来的数字可能会有前导 0,最后结果不需要去掉前导 0
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/ba-shu-zu-pai-cheng-zui-xiao-de-shu-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
-
思想
1、排序的变形,不同于两数的比大小,这里要将数以一种特殊方式的“大小”进行排序,然后拼成字符串返回即可,这里使用堆排序的思想
2、大小判断规则:若拼接字符串x+y>y+x ,则 x “大于” y ;反之,若x+y<y+x ,则 x “小于” y ; -
代码
package main
import (
"fmt"
"strconv"
)
//排序的变形,不同于两数的比大小,这里要将数以一种特殊方式的“大小”进行排序,然后拼成字符串返回即可,这里使用堆排序的思想
//大小判断规则:若拼接字符串x+y>y+x ,则 x “大于” y ;反之,若x+y<y+x ,则 x “小于” y ;
func minNumber(nums []int) string {
var len = len(nums)
for i:=len; i>0; i-- {
heap(nums[:i])
nums[0],nums[i-1] = nums[i-1],nums[0]
}
var res string
for _,v := range nums {
res += strconv.Itoa(v)
}
return res
}
//若拼接字符串x+y>y+x ,则 x “大于” y ;
//反之,若x+y<y+x ,则 x “小于” y ;
func heap(nums []int) {
var len = len(nums)
for i:=len/2-1; i>=0; i-- {
if 2*i+1<len {
xy,_ := strconv.Atoi(strconv.Itoa(nums[i]) + strconv.Itoa(nums[2*i+1]))
yx,_ := strconv.Atoi(strconv.Itoa(nums[2*i+1]) + strconv.Itoa(nums[i]))
if xy < yx {
nums[2*i+1],nums[i] = nums[i], nums[2*i+1]
}
}
if 2*i+2<len {
xy,_ := strconv.Atoi(strconv.Itoa(nums[i]) + strconv.Itoa(nums[2*i+2]))
yx,_ := strconv.Atoi(strconv.Itoa(nums[2*i+2]) + strconv.Itoa(nums[i]))
if xy < yx {
nums[2*i+2],nums[i] = nums[i], nums[2*i+2]
}
}
}
}
func main() {
var nums = []int{3,30,34,5,9}
res := minNumber(nums)
fmt.Println(res)
}