3

我目前正在开发一个应用程序,它使用 openssl 库(libcrypto)来生成证书。现在我必须得到一个已经存在的证书的哈希值。

当我使用终端时,我可以通过使用生成哈希值

openssl x509 -hash -in cert.pem -noout

输出:01da0e2b

这是我的代码,我尝试使用 C 中的库生成我的哈希值。

X509 *cert = NULL;
FILE *fp = fopen(currentCert.UTF8String, "r");
PEM_read_X509(fp, &cert, NULL, NULL);

long hash = X509_subject_name_hash(cert);
char *mdString = malloc(sizeof(long));
sprintf(mdString, "%lx",hash);
printf(mdString);

输出:1817886a

但实际上我的输出是不同的。有人知道我在做什么错吗?

4

2 回答 2

5

但实际上我的输出是不同的。有人知道我在做什么错吗?

以下是 OpenSSL 如何使用它...

$ cd openssl-1.0.2-src
$ grep -R X509_subject_name_hash *
apps/x509.c:                BIO_printf(STDout, "%08lx\n", X509_subject_name_hash(x));
apps/x509.c:                BIO_printf(STDout, "%08lx\n", X509_subject_name_hash_old(x));
crypto/x509/x509.h:unsigned long X509_subject_name_hash(X509 *x);
crypto/x509/x509.h:unsigned long X509_subject_name_hash_old(X509 *x);
crypto/x509/x509_cmp.c:unsigned long X509_subject_name_hash(X509 *x)
crypto/x509/x509_cmp.c:unsigned long X509_subject_name_hash_old(X509 *x)
...

然后,看着apps/x509.c

...
} else if (subject_hash == i) {
    BIO_printf(STDout, "%08lx\n", X509_subject_name_hash(x));
}
...

你的声明应该是:

unsigned long hash = X509_subject_name_hash(cert);

然后:

fprintf(stdout, "%08lx\n", hash);

此外,OpenSSL 在 OpenSSL 1.0.1 附近的某个时候改变了计算主题哈希的方式。这就是为什么有一个X509_subject_name_hashand X509_subject_name_hash_old

如果您使用 OpenSSL 0.9.8 或与之比较(例如 Mac OS X 10),请参阅Generate Subject Hash of X509Certificate in Java。尽管它是 Java,但它详细介绍了主题哈希的 OpenSSL 处理。

于 2015-05-06T03:31:56.147 回答
3

您没有为字符串分配足够的内存,尽管我不能确定这是您的问题的原因。

char *mdString = malloc(sizeof(long));

将为字符串分配 4 个字节,但它显然需要保存 8 个字节加上一个终止符,所以我建议

char *mdString = malloc(sizeof(long)*2 + 1);
于 2015-05-05T17:51:28.870 回答