OpenSsl 无法读取 DER 格式的证书

OpenSsl cannot read DER formatted certificate

更新

我的解决方案基于 this and this 个答案。

背景

我正在尝试读取 DER 格式的证书文件并尝试对其进行验证。

我的证书是 DER 格式。我已通过以下方式确认:

使用openssl命令行:

我正在使用以下代码阅读:

static std::vector<char> ReadAllBytes(char const* filename)
{
    std::cout << "in ReadAllBytes(" << filename << ")" << std::endl;
    std::ifstream stream(filename, std::ios::in | std::ios::binary);
    std::vector<char> contents((std::istreambuf_iterator<char>(stream)), std::istreambuf_iterator<char>());

    std::cout << "out ReadAllBytes" << std::endl;

    return contents;
}

int main(int argc, char **argv)
{
    OpenSSL_add_all_algorithms();

    auto readBytes = ReadAllBytes("Cert.cer");
    std::cout << "after ReadAllBytes, read size:" << readBytes.size() << std::endl;
    BIO *bio_mem = BIO_new(BIO_s_mem());
    BIO_puts(bio_mem, readBytes.data());
    X509 * x509 = d2i_X509_bio(bio_mem, NULL);

    // PEM format
    //X509 *x509 = PEM_read_bio_X509(bio_mem, NULL, NULL, NULL);

    if(x509 == NULL){
        unsigned int errCode = ERR_get_error();

        printf("\nError: %s\n", ERR_error_string(errCode, NULL));
        printf("\nLib: %s\n", ERR_lib_error_string(errCode));
        printf("\nFunc: %s\n", ERR_func_error_string(errCode));
        printf("\nReason: %s\n", ERR_reason_error_string(errCode));
    }

    BIO_free(bio_mem);
    X509_free(x509);
}

输出:

in ReadAllBytes(Cert.cer)
out ReadAllBytes
after ReadAllBytes, read size:1033

Error: error:0D06B08E:lib(13):func(107):reason(142)

Lib: (null)

Func: (null)

Reason: (null)

调用 ERR_load_crypto_strings(); 后的更新输出:

Error: error:0D06B08E:asn1 encoding routines:ASN1_D2I_READ_BIO:not enough data

Lib: asn1 encoding routines

Func: ASN1_D2I_READ_BIO

Reason: not enough data

问题

d2i_X509_bio(bio_mem, NULL)returnsNULL

我在转换后成功读取了 PEM 格式的证书:X509 *x509 = PEM_read_bio_X509(bio_mem, NULL, NULL, NULL);

问题

您的问题似乎是您将数据 blob 作为字符串传递。

BIO_puts(输入字符串)复制到第一个零值字节。奇怪的是这是在你的证书中间的某个地方,这就是你得到 "not enough data" 的原因(DER 长度值最终大于 BIO 数据的长度)。 (如果你的证书没有零,那么它会读得太远并且复制太多;真的小心调用接受指针但不接受长度的函数。

BIO_write,另一方面,写入指定数量的数据。

所以你想要 BIO_write(bio_mem, readBytes.data(), readBytes.size()).

而不是 BIO_puts(bio_mem, readBytes.data())

从技术上讲,您应该在循环中写入 BIO_write,检查 return 值(它接受写入的字节数),但是 BIO_MEM 总是严重失败或一次调用成功。

(原来BIO_MEM不是流(有位置的数据段)而是管道(有读位置和写位置的数据段),所以不写入后需要倒带。)