You can't do that with pyOpenSSL, but this information from CRLs can actually be extracted using PyCrypto's asn1 parser without much problems. See example below:
import types
from Crypto.Util import asn1
import datetime as dt
from pytz import UTC
def decode_time(obj, format):
return dt.datetime.strptime(obj.payload, format).replace(tzinfo=UTC)
time_formats = {
23: lambda(obj): decode_time(obj, "%y%m%d%H%M%SZ"),
24: lambda(obj): decode_time(obj, "%Y%m%d%H%M%SZ"),
}
def crl_dates(crl_der):
crl_seq = asn1.DerSequence()
crl_seq.decode(crl_der)
if len(crl_seq) != 3: raise ValueError("unknown crl format")
tbsCertList = asn1.DerSequence()
tbsCertList.decode(crl_seq[0])
thisUpdate = asn1.DerObject()
nextUpdate = asn1.DerObject()
if isinstance(tbsCertList[0], types.StringTypes): # CRL v1
thisUpdate.decode(tbsCertList[2])
nextUpdate.decode(tbsCertList[3])
else:
if tbsCertList[0] > 1: raise ValueError("unsupported CRL profile version: %d" % tbsCertList[0])
thisUpdate.decode(tbsCertList[3])
nextUpdate.decode(tbsCertList[4])
if thisUpdate.typeTag not in time_formats or \
nextUpdate.typeTag not in time_formats:
raise ValueError("invalid CRL date/time fields")
return time_formats[thisUpdate.typeTag](thisUpdate), \
time_formats[nextUpdate.typeTag](nextUpdate)
if __name__ == '__main__':
from urllib2 import urlopen
print "CRL v1", crl_dates(urlopen("http://crl.verisign.com/pca1.1.1.crl").read())
print "CRL v2", crl_dates(urlopen("http://www.gstatic.com/GoogleInternetAuthority/GoogleInternetAuthority.crl").read())
Note: this code does not check any signatures or anything like that, just extracts the CRL dates.