• 丑数
    • 解题思路

    丑数

    牛客网

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

    解题思路

    1. 通过保存已有丑数的方式,用空间换时间
    2. 对于已有丑数 $$M$$ ,那么下一个丑数 $$M=\min(M{2}\times2,M{3}\times3,M_{5}\times5)$$
    3. $$M{max}$$ 是目前最大的丑数,那么 $$M{2}$$ 是已有丑数中 $$M{2}\times2$$ 第一个大于 $$M{max}$$ 的丑数
    1. public int GetUglyNumber_Solution(int index) {
    2. if (index == 0) {
    3. return 0;
    4. }
    5. if (index == 1) {
    6. return 1;
    7. }
    8. ArrayList<Integer> list = new ArrayList<>(index);
    9. list.add(1);
    10. int preIndex2 = 0;
    11. int preIndex3 = 0;
    12. int preIndex5 = 0;
    13. for (int i = 0; i < index; i++) {
    14. int next2 = list.get(preIndex2) * 2;
    15. int next3 = list.get(preIndex3) * 3;
    16. int next5 = list.get(preIndex5) * 5;
    17. int nextV = Math.min(Math.min(next2, next3), next5);
    18. list.add(nextV);
    19. while (preIndex2 < list.size() - 1 && list.get(preIndex2) * 2 <= nextV) preIndex2++;
    20. while (preIndex3 < list.size() - 1 && list.get(preIndex3) * 3 <= nextV) preIndex3++;
    21. while (preIndex5 < list.size() - 1 && list.get(preIndex5) * 5 <= nextV) preIndex5++;
    22. }
    23. return list.get(index - 1);
    24. }