逆向函数

时间:2013-01-26 18:42:27

标签: c++ c algorithm

鉴于n,我希望找到phi(i) = nn <= 100,000,000。 最大值i = 202918035 for n = 99683840。我想解决this problem

我的方法是预先计算所有数字的最大函数,直到最大i。 为此,我首先使用时代的筛子找到所有素数达到最大值i。在筛子时记录素数的总数。 然后使用

enter image description here

然后我在phi数组中搜索输入数字并将结果打印到输出。 但它超出了时间限制。 什么可以在预先计算中进一步优化,或者有更好的方法来做到这一点?

我的代码是:

#include <stdio.h>
#include <stdlib.h>
#include <math.h>

using namespace std;

int* Prime = (int*)malloc(sizeof(int) * (202918036 >> 5 + 1));
int* pos = (int*)malloc(sizeof(int) * (11231540));
int* phi = (int*)malloc(sizeof(int) * 202918036);

#define prime(i) ((Prime[i >> 5]) & (1 << (i & (31))))
#define set(j) (Prime[j >> 5] |= (1 << (j & (31))))
#define LIM 202918035
#define SLIM 14245

int sieve() {
    int i, j, m, n, t, x, k, l, h;
    set(1);
    phi[0] = 0;
    phi[1] = 0;
    pos[1] = 2;
    phi[2] = 1;
    pos[2] = 3;
    phi[3] = 2;
    for (k = 2, l = 3, i = 5; i <= SLIM; k++, i = 3 * k - (k & 1) - 1)
    if (prime(k) == 0) {
        pos[l++] = i;
        phi[i] = i - 1;
        for (j = i * i, h = ((j + 2) / 3); j <= LIM; h += (k & 1) ? (h & 1 ? ((k << 2) - 3) : ((k << 1) - 1)) : (h & 1 ? ((k << 1) - 1) : ((k << 2) - 1)), j = 3 * h - (h & 1) - 1)
        set(h);
    }

    i = 3 * k - (k & 1) - 1;
    for (; i <= LIM; k++, i = 3 * k - (k & 1) - 1)
    if (prime(k) == 0) {
        pos[l++] = i;
        phi[i] = i - 1;
    }
    return l;
}

int ETF() {
    int i;
    for (i = 4; i < LIM; i++) {
        if (phi[i] == 0) {
            for (int j = 1; j < i; j++) {
                if (i % pos[j] == 0) {
                    int x = pos[j];
                    int y = i / x;
                    if (y % x == 0) {
                        phi[i] = x * phi[y];
                    } else {
                        phi[i] = phi[x] * phi[y];
                    }
                    break;
                }
            }
        }
    }
}

int search(int value) {
    for (int z = 1; z < LIM; z++) {
        if (phi[z] == value) return z;
    }
    return -1;
}


int main() {

    int m = sieve();

    int t;
    ETF();

    scanf("\n%d", &t);
    while (t--) {
        int n;
        scanf("%d", &n);
        if (n % 2 == 1) {
            printf("-1\n");
        } else {
            int i;
            i = search(n);
            if (i == -1) printf("-1\n");
            else printf("%d\n", i);
        }

    }
    return 0;
}

1 个答案:

答案 0 :(得分:2)

     for(int j=1;j<i;j++)
     {            
        if(i%pos[j]==0)
        {

意味着您通过试验部门找到i的最小素数因子。这使您的算法成为O(n^2/log^2 n),因为大约n/log n素数不超过n,而对于素数i,您测试的所有素数不超过i

如果您使用筛子找到最小的[或任何]素数因子,您可以获得更快的算法(我怀疑它会足够快)。这是对Eratosthenes筛选的简单修改,而不是仅仅将数字标记为复合,您将素数存储为该数字的因子。在填充了每个数字的素数因子的筛子后,您可以像计算

那样计算总数
phi[i] = p*phi[i/p]

如果除以i

phi[i] = (p-1)*phi[i/p]

如果没有。

使用该方法计算总数是O(n*log n) [甚至O(n*log log n),我还没有详细分析过]算法。

此外,您的搜索

int search(int value) {
    for (int z = 1; z < LIM; z++) {
        if (phi[z] == value) return z;
    }
    return -1;
}

很慢。你可以创建一个查找表来进行O(1)查找。