十六进制的PHP SSL证书序列号

回答 4 浏览 6522 2011-06-21

我需要显示关于序列号的SSL证书信息。 当我使用

$cert = file_get_contents('mycert.crt');
$data=openssl_x509_parse($cert,true);
$data['serialNumber']

我收到像-5573199485241205751,但当我运行命令openssl x509 -in 'mycert.crt' -noout -serial时,我收到serial=B2A80498A3CEDC09,这可能是在PHP中收到的吗? 谢谢。

Lorenzo Manucci 提问于2011-06-21
4 个回答
#1楼
得票数 3

您可能是以字节数组的形式接收序列号的。将这些字节转换成十六进制,你应该得到你使用openssl看到的序列号。

Petey B 提问于2011-06-21
#2楼 已采纳
得票数 2

感谢Petey B,这个想法很有趣,帮助我找到了搜索的方向。 解决方案是:。

$serial_number= strtoupper(dechex($serial_number));
user710818 提问于2011-06-21
#3楼
得票数 1
php > $value = hexdec('B2A80498A3CEDC09');
php > echo dechex($value);
b2a80498a3cee000

这似乎不起作用。可能是由于浮动的转换。

我看到了一个用bcmath解决的方法。

这里是来自confusa(http://www.assembla.com/code/confusa/git/nodes/lib/ca/Certificate.php?rev=a80a040c97fde2c170bb290d756c6729883fe80a)的。

                    /*
                     * PHP will return the serial as an integer, whereas
                     * everybody else use the hex-represenatation of the
                     * number.
                     *
                     * Due to the fact that Comodo uses *insanely* large
                     * serial-numbers, we need to be a bit creative when we
                     * get the serial as PHP won't cope with numbers larger
                     * than MAX_INT (2**32 on 32 bits arch)
                     */
                    $serial = $this->x509_parsed['serialNumber'] . "";
                    $base = bcpow("2", "32");
                    $counter = 100;
                    $res = "";
                    $val = $serial;

                    while($counter > 0 && $val > 0) {
                            $counter = $counter - 1;
                            $tmpres = dechex(bcmod($val, $base)) . "";
                            /* adjust for 0's */
                            for ($i = 8-strlen($tmpres); $i > 0; $i = $i-1) {
                                    $tmpres = "0$tmpres";
                            }
                            $res = $tmpres .$res;
                            $val = bcdiv($val, $base);
                    }
                    if ($counter <= 0) {
                            return false;
                    }
                    return strtoupper($res);

我没有启用bcmath,所以我现在无法测试它。

loconut 提问于2011-10-10
#4楼
得票数 0

您可以使用phpseclib来实现这一目的。

<?php
include('Math/BigInteger.php');

$cert_body = file_get_contents('mycert.crt');
$cert_decoded = openssl_x509_parse($cert_body, true);
echo $cert_decoded['serialNumber'] // outputs 5573199485241205751

$cert_serial = new Math_BigInteger($cert_decoded['serialNumber']);
$cert_serial = strtoupper($cert_serial->toHex());

echo $cert_serial // outputs B2A80498A3CEDC09
?>
Mikel Vysotsky 提问于2016-02-09