丑数
丑数
http://www.nowcoder.com/questionTerminal/6aa9e04fc3794f68acf8778237ba065b
题目描述
把只包含质因子2、3和5的数称作丑数(Ugly Number)。例如6、8都是丑数,但14不是,因为它包含质因子7。 习惯上我们把1当做是第一个丑数。求按从小到大的顺序的第N个丑数。
分析思路:
代码实现:
public class UglyNumber { public int GetUglyNumber_Solution(int index) { if (index == 0) { return 0; } //因子为2 int x = 0; //因子为3 int y = 0; //因子为5 int z = 0; //结果 int[] res = new int[index]; res[0] = 1; for (int i = 1; i < index; i++) { res[i] = Math.min(res[x] * 2, Math.min(res[y] * 3, res[z] * 5)); if (res[i] == res[x] * 2) { x++; } if (res[i] == res[y] * 3) { y++; } if (res[i] == res[z] * 5) { z++; } } return res[index - 1]; } }