1

我在使用eratosthenes 的筛子时遇到了一些麻烦。所以我从一本名为“Schaum's outlines”的书中得到了筛子的数学计算,但我认为这本书的编程代码错误...... 这是书中的代码:

public class Sieve
{
    final static int P = 800;
    static boolean[] isPrime = new boolean[count];

Sieve();
{
    for (int i = 2; i<P; i++)
    {
        isPrime[i] = true;
    }
    for (int i = 2; i<P/2; i++)
    {
        if (isPrime[i])
        {
            for (int j = 2*i; j<P; j += i)
            {
                isPrime[j] = false;
            }
        }   
    }
}
public static void main(String[] args)
{
    new Sieve();
    print();
}

static void print()  {
    for (int i=0; i<count; i++)
        if (isPrime[i]) System.out.println(i + " ");
        else if (i%90==0) System.out.println();
        System.out.println();
}}

所以是的,由于无法识别“Sieve()”这一事实,我使用了代码并进行了一些细微的更改。下面是我的代码:

public class Primenumbers
{
    final static int count = 1000;
    static boolean[] isPrime = new boolean[count];

    public static sieve(int count, boolean isPrime);
    {
        for (int i = 2; i<count; i++)
        {
            isPrime[i] = true;
        }
        for (int i = 2; i<count/2; i++)
        {
            if (isPrime[i])
            {
                for (int j = 2*i; j<count; j += i)
                {
                    isPrime[j] = false;
                }
            }   
        }
    }
    public static void main(String[] args)
    {
        for (int i=0; i<count; i++)
        {
            if (isPrime[i])
            {
                System.out.println(i + " ");
            }
        }
    }
}

所以......我做错了什么?谢谢您的帮助!

4

1 回答 1

0

我究竟做错了什么?

你已经定义sieve()但你从未调用它。您需要在打印之前调用它:

public static void main(String[] args)
{
    sieve(); // <<== Here
    for (int i=0; i<count; i++)
    {
        if (isPrime[i])
        {
            System.out.println(i + " ");
        }
    }
}

它在书中起作用的原因是初始化已经在构造函数中完成。您修改后的代码将初始化移动到静态函数中,但它无法调用该初始化。

您还需要从 的声明中删除参数sieve,因为它已经可以访问isPrimeand count

另一种方法是完全删除该sieve方法,将其替换为静态初始化程序。代替

public static sieve() 
{
    // Code to initialize isPrime
}

static
{
    // Code to initialize isPrime
}

此更改使sieve()方法成为静态初始化程序,始终在您的类中的其他任何内容执行之前调用它。

于 2013-10-11T10:23:23.167 回答