Leetcode # 179 (Python): Largest Number

정욱·2021년 4월 23일
0

Leetcode

목록 보기
22/38
post-custom-banner

Largest Number

  • Difficulty: Medium
  • Type: Sorting
  • link

Problem

Solution

  • Bubble Sort
  • Time Complexity: O(n^2)
class Solution:
    def largestNumber(self, nums: List[int]) -> str:
        nums = list(map(str,nums))
        # Bubble sort
        for _ in range(len(nums)):
            for i in range(len(nums)-1):
                if int(nums[i]+nums[i+1]) < int(nums[i+1]+nums[i]):
                    nums[i], nums[i+1] = nums[i+1], nums[i]

        return str(int("".join(nums)))
  • Insertion sort
  • Time Complexity: O(n^2) (worst), O(n) (best)
class Solution:
    def largestNumber(self, nums: List[int]) -> str:
        nums = list(map(str,nums))
        # Insertion sort
        i = 1
        while i < len(nums):
            j = i
            while j > 0 and int(nums[j-1]+nums[j]) < int(nums[j]+nums[j-1]):
                # swap
                nums[j], nums[j-1] = nums[j-1], nums[j]
                j -= 1
            i += 1

        return str(int("".join(nums)))
post-custom-banner

0개의 댓글