《剑指 offer》 学习33之丑数

题目描述

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

解题思路


public class Main {
	public static void main(String[] args) {
		System.out.println(getUglyNumber_Solution(1500));
	}
	
    public static int getUglyNumber_Solution(int index) {
        if (index <= 6) {
            return index;
        } 
        
        int i2 = 0;
        int i3 = 0;
        int i5 = 0;
        int[] dp = new int[index];
        dp[0] = 1;
        for (int i = 1;i < index;i++) {
            int next2 = dp[i2] * 2;
            int next3 = dp[i3] * 3;
            int next5 = dp[i5] * 5;
            dp[i] = Math.min(next2,Math.min(next3,next5));
            if (dp[i] == next2) {
                i2++;
            } 
            
            if (dp[i] == next3) {
                i3++;
            } 
            
            if (dp[i] == next5) {
                i5++;
            } 
        } 
		return dp[index - 1];
    }
	
    
}

测试结果

《剑指 offer》 学习33之丑数_第1张图片

你可能感兴趣的:(数据结构&算法)