我正在使用BIGNUM
C++ 中的 openssl 库。
我遇到的问题是我需要按位计算and
两个BIGNUM
值 a 和 b,但我不知道如何做到这一点。我现在在网上搜索了一段时间,但找不到任何有用的东西。
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);
}
r
打印在标准输出上的结果是
1214120880214121
希望这可以帮助。
看起来没有直接执行此操作的功能,因此您必须根据现有功能提出一些建议。就像是:
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
请注意,如果位长度大于,则可能需要手动将高位位设置为 0,b
反之亦然。但是,这应该足以让您入门。