1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251
|
#!/usr/bin/env python3
import inspect
from datetime import datetime
from pyasn1.codec.der import decoder
from pyasn1.type import univ, char
from pyasn1_modules import rfc2315, rfc5280, rfc5480, rfc5652, rfc5751
def build_oid_map(modules):
oid_map = {}
for module in modules:
for name, obj in inspect.getmembers(module):
if isinstance(obj, univ.ObjectIdentifier):
oid_str = str(obj)
name = name.removeprefix("id_")
oid_map[oid_str] = name
return oid_map
OID_MAP = build_oid_map([rfc2315, rfc5280, rfc5480, rfc5652, rfc5751])
def resolve_oid(oid):
return OID_MAP.get(str(oid), oid)
def decode_as_string(value_any):
for asn1_type in [char.PrintableString, char.UTF8String]:
try:
decoded, _ = decoder.decode(value_any.asOctets(), asn1Spec=asn1_type())
return str(decoded)
except Exception:
continue
# fallback: return hex
return value_any.prettyPrint()
def name_to_string(name):
parts = []
seq = name.getComponentByName("rdnSequence")
for rdn in seq: # each rdn is a SET OF AttributeTypeAndValue
if isinstance(rdn, str):
continue
for attr in rdn:
type_oid = attr.getComponentByName("type")
value = attr.getComponentByName("value")
value_str = decode_as_string(value)
oid_map = {
"2.5.4.3": "CN",
"2.5.4.10": "O",
}
oid_str = str(type_oid)
name = oid_map.get(oid_str, oid_str)
parts.append(f"{name}={value_str}")
return ", ".join(parts)
def utctime_to_datetime(utctime):
"""
Decode an ASN.1 UTCTime string in YYMMDDHHMMSSZ format to a datetime object.
Assumes:
- YY in [00,49] => 2000..2049
- YY in [50,99] => 1950..1999 (ASN.1 UTCTime rule)
"""
assert isinstance(utctime, str)
assert len(utctime) == 13
assert utctime[-1] == "Z"
year = int(utctime[0:2])
if year < 50:
year += 2000
else:
year += 1900
month = int(utctime[2:4])
day = int(utctime[4:6])
hour = int(utctime[6:8])
minute = int(utctime[8:10])
second = int(utctime[10:12])
return datetime(year, month, day, hour, minute, second)
def attribute_to_string(typ, attr):
if typ == rfc5652.id_contentType:
contentType, _ = decoder.decode(attr, asn1Spec=rfc5652.ContentType())
return resolve_oid(str(contentType))
elif typ == rfc5652.id_signingTime:
signingTime, _ = decoder.decode(attr, asn1Spec=rfc5652.SigningTime())
if signingTime.getName() == "utcTime":
utcTime = str(signingTime.getComponent())
return ("utcTime", utctime_to_datetime(utcTime))
elif signingTime.getName() == "generalTime":
return ("generalTime", str(signingTime.getComponent()))
else:
raise ValueError(f"unknown signingTime type {signingTime.getName()}")
elif typ == rfc5652.id_messageDigest:
messageDigest, _ = decoder.decode(attr, asn1Spec=rfc5652.MessageDigest())
return bytes(messageDigest).hex()
elif typ == rfc5751.smimeCapabilities:
return ("smimeCapabilities", "(not decoded)")
else:
raise ValueError(f"unknown attribute type {resolve_oid(typ)}")
def decode_cms_signed_data(content_info):
result = {}
signed_data, _ = decoder.decode(content_info.getComponentByName("content"), asn1Spec=rfc5652.SignedData())
result["digestAlgorithms"] = []
for algo in signed_data.getComponentByName("digestAlgorithms"):
result["digestAlgorithms"].append(resolve_oid(algo.getComponentByName("algorithm")))
eci = signed_data.getComponentByName("encapContentInfo")
content_type = eci.getComponentByName("eContentType")
content = eci.getComponentByName("eContent")
result["eContentType"] = resolve_oid(content_type)
if content is not None and content.isValue:
result["eContent"] = bytes(content)
else:
result["eContent"] = None
certs = signed_data.getComponentByName("certificates")
result["certs"] = []
if certs is not None:
for cert_choice in certs:
if cert_choice.getName() == "certificate":
cert = cert_choice.getComponent()
tbs_cert = cert.getComponentByName("tbsCertificate")
serial = tbs_cert.getComponentByName("serialNumber")
issuer = tbs_cert.getComponentByName("issuer")
subject = tbs_cert.getComponentByName("subject")
result["certs"].append(
{
# all our certificates have serial numbers, so we can just convert here
"serial": int(serial),
"issuer": name_to_string(issuer),
"subject": name_to_string(subject),
}
)
signer_infos = signed_data.getComponentByName("signerInfos")
result["signerInfos"] = []
for signer_info in signer_infos:
sid = signer_info.getComponentByName("sid")
if sid.getName() == "issuerAndSerialNumber":
iasn = sid.getComponent() # get SEQUENCE inside the CHOICE
issuer = iasn.getComponentByName("issuer")
serial = iasn.getComponentByName("serialNumber")
else:
issuer = None
serial = None
result_attrs = {}
attrs = signer_info.getComponentByName("signedAttrs")
for attr in attrs:
attr_type = attr.getComponentByName("attrType")
attr_values = attr.getComponentByName("attrValues")
assert len(attr_values) == 1
result_attrs[resolve_oid(attr_type)] = attribute_to_string(attr_type, attr_values[0])
digest_algorithm = signer_info.getComponentByName("digestAlgorithm")
sig_algorithm = signer_info.getComponentByName("signatureAlgorithm")
signature = signer_info.getComponentByName("signature")
result["signerInfos"].append(
{
"issuer": name_to_string(issuer),
"serial": int(serial),
"digestAlgorithm": resolve_oid(digest_algorithm.getComponentByName("algorithm")),
"signatureAlgorithm": resolve_oid(sig_algorithm.getComponentByName("algorithm")),
"signedAttrs": result_attrs,
"signature": bytes(signature),
}
)
return result
def decode_cms_enveloped_data(content_info):
result = {}
enveloped_data, _ = decoder.decode(content_info.getComponentByName("content"), asn1Spec=rfc5652.EnvelopedData())
eci = enveloped_data.getComponentByName("encryptedContentInfo")
content_type = eci.getComponentByName("contentType")
content = eci.getComponentByName("encryptedContent")
result["contentType"] = resolve_oid(content_type)
if content is not None and content.isValue:
result["encryptedContent"] = bytes(content)
else:
result["encryptedContent"] = None
return result
def decode_cms(der_data):
content_info, _ = decoder.decode(der_data, asn1Spec=rfc5652.ContentInfo())
content_type = content_info.getComponentByName("contentType")
if content_type == rfc5652.id_signedData:
result = decode_cms_signed_data(content_info)
elif content_type == rfc5652.id_envelopedData:
result = decode_cms_enveloped_data(content_info)
else:
raise ValueError("Not a supported CMS message.")
return {
"contentType": resolve_oid(content_type),
**result,
}
def main():
import argparse
import sys
from pprint import pprint
parser = argparse.ArgumentParser(
description="Decode a CMS (Cryptographic Message Syntax) DER file and pretty-print its contents."
)
parser.add_argument("input_file", help="Path to the DER-encoded CMS file to decode.")
args = parser.parse_args()
try:
with open(args.input_file, "rb") as f:
der_data = f.read()
except FileNotFoundError:
print(f"Error: File not found: {args.input_file}", file=sys.stderr)
sys.exit(1)
except Exception as e:
print(f"Error reading file {args.input_file}: {e}", file=sys.stderr)
sys.exit(1)
try:
result = decode_cms(der_data)
pprint(result, sort_dicts=False)
except Exception as e:
print(f"Error decoding CMS data: {e}", file=sys.stderr)
sys.exit(1)
if __name__ == "__main__":
main()
|