剑指Offer 33. 丑数 (其他)

Posted on 2018-10-16 11:01  _hqc  阅读(106)  评论(0编辑  收藏  举报

题目描述

把只包含质因子2、3和5的数称作丑数(Ugly Number)。例如6、8都是丑数,但14不是,因为它包含质因子7。 习惯上我们把1当做是第一个丑数。求按从小到大的顺序的第N个丑数。

题目地址

https://www.nowcoder.com/practice/6aa9e04fc3794f68acf8778237ba065b?tpId=13&tqId=11186&rp=2&ru=/ta/coding-interviews&qru=/ta/coding-interviews/question-ranking

思路

用空间换时间

创建一个数组,里面的数字是排好序的丑数,每个丑数都是前面的丑数乘以2,3,或5得到的。

Python

# -*- coding:utf-8 -*-
class Solution:
    def GetUglyNumber_Solution(self, index):
        # write code here
        if index <= 0:
            return False
        t2,t3,t5 = 0,0,0
        ans = [1]
        for i in range(1,index):
            ans.append(min(ans[t2]*2,ans[t3]*3,ans[t5]*5))
            if ans[i] == ans[t2]*2:
                t2 += 1
            if ans[i] == ans[t3] * 3:
                t3 += 1
            if ans[i] == ans[t5] * 5:
                t5 += 1
        return ans[index-1]


if __name__ == '__main__':
    result = Solution().GetUglyNumber_Solution(5)

    print(result)