盡管求素數在程序設計裡面是基礎的基礎,但是對於一些初學者來說還是很難,而這類問題不管是面向對象語言還是面向過程語言的實現方法大至都是相同的,我這裡寫了Java語言的實現,供參考。
一般的求素數算法:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
public class Prime {
/**
* 一般求素數方法
*
* @param args
*/
public static void main(String[] args) {
for (int i = 2; i < 100; i++) {
int j;
for (j = 2; j < (int) (Math.sqrt(i) + 1); j++)
{
if (i % j == 0) {
break;
}
}
if (j > (int) Math.sqrt(i)) {
System.out.print(i + " ");
}
}
}
}
篩法求素數:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
public class Prime2 {
/**
* 篩法求素數
*
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
int n = 100;
int[] array = new int[n];
for (int i = 2; i < n; i++)
array[i] = i;
for (int i = 2; i < n; i++) {
if (array[i] != 0) {
int j, temp;
temp = array[i];
for (j = 2 * temp; j < n; j = j + temp) {
array[j] = 0;
}
}
}
for (int i = 0; i < n; i++) {
if (array[i] != 0) {
System.out.print(i + " ");
}
}
}
}