2

I want to convert ECPublicKey to PEM format as below

"-----BEGIN PUBLIC KEY-----MFkwEwYHKoZIzj0CAQYIKoZIzj0DAQcDQgAEo0WcFrFClvBE8iZ1Gdlj+mTgZoJWMNE3kDKTfRny2iaguwuSYxo+jCnXqzkR+kyFK9CR3D+pypD1sGb1BnfWAA==-----END PUBLIC KEY-----"

  1. Generated ECPublicKey with key Type "ECC/ECDSA/spec256r1". Below is the print

<SecKeyRef curve type: kSecECCurveSecp256r1, algorithm id: 3, key type: ECPublicKey, version: 4, block size: 256 bits, y: B6EEBB3791933312E10BD7C3D65C950AB7E1C325BCDB57A8663EB7B1E29BFA77, x: 1D41FDAD2137316D415B117227BCC465566E56A54E7B2B9B3A4B66C15A067611, addr: 0x7f818850f6d0>

  1. To my knowledge PEM format is nothing but base64 encoded string along with header and footer. Tried below code, but no success
var error:Unmanaged<CFError>?

guard let cfdata = SecKeyCopyExternalRepresentation(publicKey, &error)
else { return }

let data:Data = cfdata as Data

let b64String = data.base64EncodedString()

Appreciate any help here

Sulthan
  • 128,090
  • 22
  • 218
  • 270
UdayM
  • 1,725
  • 16
  • 34
  • `SecKeyCopyExternalRepresentation` gives you the raw key (numbers). You have to convert it to ASN.1 format (that is, prepend prefix with info about the format). Then just base64-encode and add PEM header/footer – Sulthan Sep 20 '21 at 18:30

1 Answers1

5

Start by converting to ASN.1 format: (see your decoded example in ASN.1 Decoder)

let publicKeyData: CFData = ...
let ecHeader: [UInt8] = [
    /* sequence          */ 0x30, 0x59,
    /* |-> sequence      */ 0x30, 0x13,
    /* |---> ecPublicKey */ 0x06, 0x07, 0x2A, 0x86, 0x48, 0xCE, 0x3D, 0x02, 0x01, // (ANSI X9.62 public key type)
    /* |---> prime256v1  */ 0x06, 0x08, 0x2A, 0x86, 0x48, 0xCE, 0x3D, 0x03, 0x01, // (ANSI X9.62 named elliptic curve)
    /* |-> bit headers   */ 0x07, 0x03, 0x42, 0x00
]

var asn1 = Data()
asn1.append(Data(ecHeader))
asn1.append(publicKeyData as Data)

Then Base64-encode and add PEM header & footer:

let encoded = asn1.base64EncodedString(options: .lineLength64Characters)
let pemString = "-----BEGIN PUBLIC KEY-----\r\n\(encoded)\r\n-----END PUBLIC KEY-----\r\n"
Sulthan
  • 128,090
  • 22
  • 218
  • 270