n的因子数小于n的平方根

时间:2016-08-06 17:30:06

标签: java numbers factors

我想找到一些数字的数量,比如说900的平方根。 例如:有27个因子为900,我想找到小于900的因子数,即30,即1,2,3,4,5,6,9,10,12,15,18,20, 25。

我目前有这个程序,通过计算素因子的数量来找出因子的数量。例如:140的素因子是:2 ^ 2 * 5 * 7。所以因子的数量是:(2 + 1)(1 + 1)(1 + 1)[素数因子的乘法]

import java.io.*;
import java.util.*;
class Solution
{
// Program to print all prime factors
static void primeFactors(int n)
{

    TreeMap tm=new TreeMap();
    int times=0;
    // Print the number of 2s that divide n
    while (n%2 == 0)
    {
        System.out.println("2");
        if(!tm.containsKey(2))
        {
            tm.put(2,1);
        }
        else
        {
            times=(int)tm.get(2);
            tm.put(2,times+1);
        }
        n = n/2;
    }

    // n must be odd at this point.  So we can skip one element (Note i = i +2)
    for (int i = 3; i <= Math.sqrt(n); i = i+2)
    {
        // While i divides n, print i and divide n
        while (n%i == 0)
        {
            System.out.println(i);
            if(!tm.containsKey(i))
            {
                tm.put(i,1);
            }
            else
            {
            times=(int)tm.get(i);
            tm.put(i,times+1);
            }
            n = n/i;
        }
    }

    // This condition is to handle the case whien n is a prime number
    // greater than 2
    if (n > 2)
    {
        System.out.println(n);
        if(!tm.containsKey(n))
        {
            tm.put(n,1);
        }
        else
        {
        times=(int)tm.get(n);
        tm.put(n,times+1);
        }
    }

    /////////////////////////////////////////////////////////////////////////////
    Set set = tm.entrySet();
    System.out.println(tm);
    Iterator num = set.iterator();
    int key=0;
    int sum=1;
    while (num.hasNext())
    {
        Map.Entry number =(Map.Entry)num.next();
        sum=sum*((int)number.getValue()+1);
    }
    System.out.println(sum);
}

public static void main(String args[])
{
    Scanner sc=new Scanner(System.in);
    int n=sc.nextInt();
    primeFactors(n);
}
}

这里我得到了很多因素,例如:900个因素,但我希望找到少于30个因素。感谢您的帮助。

1 个答案:

答案 0 :(得分:3)

如果你有n个因子的数量,只需将整数除以2得到小于平方根的因子数。这是因为n小于sqrt(n)的每个因子d对应于大于sqrt(n)的因子(即n / d),因此这些因子的数量将是总数的一半(除非n是完美的正方形,在这种情况下,sqrt(n)是一个额外的因素)。但是,除以2的整数除以处理该角点情况。实际上,根据需要,27/2 = 13。