[leetcode] 264. Ugly Number II

Write a program to find the n-th ugly number.

Ugly numbers are positive numbers whose prime factors only include 2, 3, 5. For example, 1, 2, 3, 4, 5, 6, 8, 9, 10, 12 is the sequence of the first 10 ugly numbers.

Note that 1 is typically treated as an ugly number.

Hint:

  1. The naive approach is to call isUgly for every number until you reach the nth one. Most numbers are not ugly. Try to focus your effort on generating only the ugly ones.
  2. An ugly number must be multiplied by either 2, 3, or 5 from a smaller ugly number.
  3. The key is how to maintain the order of the ugly numbers. Try a similar approach of merging from three sorted lists: L1, L2, and L3.
  4. Assume you have Uk, the kth ugly number. Then Uk+1 must be Min(L1 * 2, L2 * 3, L3 * 5).
解法一:

class Solution {
public:
    int nthUglyNumber(int n) {
        if(n==1) return 1;
        vector<int> nums;
        nums.push_back(1);
        int cnt = 2;
        int res = 1;
        int l2 = 0, l3 = 0, l5 = 0;
        
        while(cnt<=n){
            res = min(nums[l2]*2,nums[l3]*3);
            res = min(res,nums[l5]*5);
            if(res==nums[l2]*2) l2++;
            if(res==nums[l3]*3) l3++;
            if(res==nums[l5]*5) l5++;
            nums.push_back(res);
            cnt++;
        }
        return res;
        
    }
};


發佈了31 篇原創文章 · 獲贊 0 · 訪問量 2萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章