Skip to content

Latest commit

 

History

History
28 lines (21 loc) · 1.09 KB

面45-拼接字符串找最小.md

File metadata and controls

28 lines (21 loc) · 1.09 KB

输入一个正整数数组,把数组里所有数字拼接起来排成一个数,打印能拼接出的所有数字中最小的一个。

  • 根据题目的要求,两个数字m和n能拼接成数字mn和nm,如果mn < nm那么现在他们的相对位置是正确的,如果mn > nm,那么就需要将n移到m的前面,根据这样的特性我们能将整个数组进行排列,得到最终的结果.

  • 我们在比较的时候先将数据转换成str格式的,利用str格式的字符串直接比较就可以

  • 这个题目要求我们转换成字符串的形式,是隐含了一个大数的问题

class Solution(object):
    def minNumber(self, nums):
        """
        :type nums: List[int]
        :rtype: str
        """
        if not nums:
            return None
        for i in range(len(nums)):
            nums[i] = str(nums[i])
        for i in range(len(nums)):
            for j in range(i+1,len(nums)):
                if (nums[i] + nums[j]) > (nums[j] + nums[i]):
                    nums[i], nums[j] = nums[j], nums[i]
        
        return ''.join(nums)