1. 程式人生 > >一個重構的簡單例子

一個重構的簡單例子


import java.util.*;
//重構前:根據所給出的數字n,返回1-n之間的所有質數.
class GeneratorPrimes
{
public static void main(String[] args)
{
long start = System.currentTimeMillis();
int[] a = PrimeGenerator.generate(10000000);
long end = System.currentTimeMillis();
//System.out.println(Arrays.toString(a));
System.out.println(end - start);
}
public static int[] generate(int maxValue) {
if (maxValue >= 2)
{
int s = maxValue + 1;
boolean[] f = new boolean[s];
int i;
for (i =0; i < s; i++)
{
f[i] = true;
}
f[0] = false;
f[1] = false;
int j;
for (i = 2; i < Math.sqrt(s) + 1; i++)
{
//此處對標識為true的元素不再進行標記.
if (f[i])
{
for (j = 2 * i; j < s; j += i)
{
f[j] = false;
}
}

}
int count = 0;
for (i = 0; i < s; i++)
{
if (f[i])
{
count++;
}
}
int[] primes = new int[count];
for (i = 0, j = 0; i < s; i++)
{
if (f[i])
{
primes[j++] = i;
}
}

return primes;
} else {
return new int[0];
}
}
}


/*
*重構後:根據所給出的數字n,返回1-n之間的所有質數.
*
*步驟:通過一個長度為這個數的boolean陣列標識出這個數字之間的所有數字.
* 1-n之間的數字進行過濾,凡是能夠分解質因數n*(2..n)都標記為true,表示已被過濾掉.
* 重複執行此步驟,至到上限值.
*/
class PrimeGenerator
{

private static boolean[] isCrossed;
private static int[] result;
public static int[] generate(int maxValue) {
if (maxValue < 2)
{
return new int[0];
} else {
initializeSieve(maxValue);
sieve();
loadPrimes();
return result;
}
}
private static void sieve() {


int limit = determineIterationLimit();
for (int i = 2; i <= limit; i++)
{
//如果已標識為過濾掉的數字則不再進行標記.
//因為對於n*(2..n),如果有n=x*y,則n*(2..n)=x*y*(2..n),已被完整標記過,n序列是x序列的一個子集.
if (notCrossed(i))
{
crossOutMultiplesOf(i);
}
}
}
//過濾掉的所有數字,標記為true.
private static void crossOutMultiplesOf(int i) {
for (int multiple = 2 * i; multiple < isCrossed.length; multiple += i)
{
isCrossed[multiple] = true;
}
}
//判斷當前位置(i)數字是否被過濾掉.
//已過濾掉返回true
//未過濾掉返回false
private static boolean notCrossed(int i) {
return isCrossed[i] == false;
}
//上限值.上限值是小於或等於一個數的開方根的最大素數,e.x : 100 上限值為 7.
private static int determineIterationLimit() {
double iterationLimit = Math.sqrt(isCrossed.length);

return (int)iterationLimit;
}
//根據boolean陣列中的標記,填充結果質數陣列.
private static void loadPrimes() {
result = new int[numberOfUncrossedIntegers()];
for (int j = 0, i = 2; i < isCrossed.length; i++)
{
if (notCrossed(i))
{
result[j++] = i;
}
}
}
//返回所有質數的個數
private static int numberOfUncrossedIntegers() {
int count = 0;
for (int i = 2; i < isCrossed.length; i++)
{
if (notCrossed(i))
{
count++;
}
}
return count;
}
private static void initializeSieve(int maxValue) {
//初始化boolean陣列,預設值為false,表數字沒有被過濾掉.
//0,1不會被訪問到.
isCrossed = new boolean[maxValue + 1];
for (int i = 2; i < isCrossed.length; i++)
{
isCrossed[i] = false;
}

}

}