1. 程式人生 > >PAT 1007 素數對猜想 --思路比較重要,想清楚再動手

PAT 1007 素數對猜想 --思路比較重要,想清楚再動手

素數對猜想

讓我們定義dn為:dn=pn+1pn,其中pi是第i個素數。顯然有d1=1,且對於n>1dn是偶數。“素數對猜想”認為“存在無窮多對相鄰且差為2的素數”。

現給定任意正整數N(<105),請計算不超過N的滿足猜想的素數對的個數。

輸入格式:

輸入在一行給出正整數N

輸出格式:

在一行中輸出不超過N的滿足猜想的素數對的個數。

輸入樣例:

20

輸出樣例:

4 鄙人思路:從輸入的N以內的最大的素數開始往下找,並且從第二個素數出現開始,依次與上一個進行比較,從而確定素數對的個數。 依舊是c程式碼,正在學習OC,c++不太熟悉。
#include <stdio.h>
#include <math.h>
#define MAX 100000

int main()
{
    int n, count;
    n = 0;
    count = 0;
    while (n <=0 || n >= MAX)
        scanf("%d", &n);
    
    int prePrime = 0; // 存放上一個素數
    
    for (int i = n; i>1; i--)
    {
        int flag = 1;
        for (int j=2; j<=(int)sqrt(i); j++)
        {
            if (i%j == 0)
            {
                flag = 0; // 標記位為0表示當前i不為素數
                break;
            }
        }
        if (flag == 1) // 標記位為1表示當前i為素數
        {
            if (prePrime>1 && prePrime - i == 2) // 判斷相鄰兩素數之差
                 count++;
            prePrime = i;
        }
    }
    printf("%d\n",count);
    return 0;
}