如何执行两个BIGNUM的按位AND?

时间:2013-06-06 00:56:37

标签: c++ openssl bignum

我正在使用C ++中的openssl BIGNUM库。

我遇到的问题是我需要计算两个and值a和b的按位BIGNUM,但我无法弄清楚如何执行此操作。我在网上搜索了一段时间,但我找不到任何有用的东西。

2 个答案:

答案 0 :(得分:4)

OpenSSL中没有BIGNUM的按位和功能。这是我按位的方式 - 你可以使用它直到找到合适的解决方案。

BN_ULONG bn_and_words(BN_ULONG *r, const BN_ULONG *a, const BN_ULONG *b, int n)
{
    BN_ULONG l,t;

    if (n <= 0) return((BN_ULONG)0);

    while(n)
    {
        t=a[0];
        l=(t&b[0]);
        l=(t&b[0])&BN_MASK2;
        r[0]=l;
        a++; b++; r++; n--;
    }
    return((BN_ULONG)*r);
}

上述内部函数bn_and_words用于此函数:

int BN_bitwise_and(BIGNUM *r, const BIGNUM *a, const BIGNUM *b)
{
    int max,min,dif;
    BN_ULONG *ap,*bp,*rp;
    const BIGNUM *tmp;

    bn_check_top(a);
    bn_check_top(b);

    if (a->used< b->used)
        { tmp=a; a=b; b=tmp; }
    max = a->used;
    min = b->used;
    dif = max - min;

    if (bn_wexpand(r,max+1) == NULL)
        return 0;

    r->used=max;

    ap=a->d;
    bp=b->d;
    rp=r->d;

    bn_and_words(rp,ap,bp,min);
    rp+=min;
    ap+=min;
    bp+=min;

    while (dif)
    {
        *(rp++) = *(ap++);
        dif--;
    }
    r->neg = 0;
    bn_check_top(r);
    return 1;
}

r的结果a AND b是函数BN_bitwise_and的第一个参数和返回值。

这是一个测试:

int test_and()
{
    BIGNUM *a,*b,*r;
    a=BN_new();
    b=BN_new();
    r=BN_new();

    if (!BN_hex2bn(&a, "1234567890ABCDEF")) return -1;
    if (!BN_hex2bn(&b, "FEDCBA0987654321")) return -1;

    BN_bitwise_and(r,a,b);
    BN_print_fp(stdout, r);

    BN_free(a);
    BN_free(b);
    BN_free(r);
}

stdout上打印的结果r

1214120880214121

希望这有帮助。

答案 1 :(得分:0)

看起来没有直接执行此操作的功能,因此您必须根据其中的功能提出一些内容。类似的东西:

BIGNUM *a, *b, *result;
unsigned current = 0;

//Creation of a, b, result

while(!BN_zero(a) && !BN_zero(b)) {
    if(BN_is_bit_set(a, current) && BN_is_bit_set(b, current)) {
        BN_set_bit(result, current);
    } else {
        BN_clear_bit(result, current);
    }
    ++current;
    BN_rshift1(a, a);
    BN_rshift1(b, b);
}

请注意,如果a的位长大于b,则可能需要手动将高阶位设置为0,反之亦然。但是,这应该足以让你开始了。