将 PEM 公钥读取到 iOS 中

2022-09-02 22:40:40

我有一个base64公钥,它是由java使用以下代码生成的:

RSAPublicKeySpec rsaKS = new RSAPublicKeySpec(modulus, pubExponent);
RSAPublicKey rsaPubKey = (RSAPublicKey) kf.generatePublic(rsaKS);
byte[] encoded = rsaPubKey.getEncoded();
String base64 = Base64.encodeToString(encoded, Base64.DEFAULT);
Log.e(null, "base64: " + base64);

这将生成 Base64 字符串。

在OSX中,我可以使用以下代码获得SecKeyRef:

// Create the SecKeyRef using the key data
CFErrorRef error = NULL;
CFMutableDictionaryRef parameters = CFDictionaryCreateMutable(kCFAllocatorDefault, 0, NULL, NULL);
CFDictionarySetValue(parameters, kSecAttrKeyType, kSecAttrKeyTypeRSA);
CFDictionarySetValue(parameters, kSecAttrKeyClass, kSecAttrKeyClassPublic);
SecKeyRef keyRef = SecKeyCreateFromData(parameters, (__bridge CFDataRef)[pubKey base64DecodedData], &error);

但是,在iOS中没有方法。SecKeyCreateFromData

我可以在iOS中使用Base64字符串,使用此代码将其添加到钥匙串中,然后再次将其作为一个检索,但是我宁愿不必将证书添加到钥匙串中,只是为了能够检索它以使用它一次。SecKeyRef

做一些研究,似乎我应该能够使用从我拥有的Base64字符串创建一个在iOS中使用的证书,但是使用此代码时,我总是会得到一个NULL证书:SecCertificateCreateWithData

NSString* pespublicKey = @"MIGfMA0GCSqGSIb3....DCUdz/y4B2sf+q5n+QIDAQAB";
NSData* certData = [pespublicKey dataUsingEncoding:NSUTF8StringEncoding];
SecCertificateRef cert;
if ([certData length]) {
    cert = SecCertificateCreateWithData(kCFAllocatorDefault, (__bridge CFDataRef)certData);
    if (cert != NULL) {
        CFStringRef certSummary = SecCertificateCopySubjectSummary(cert);
        NSString* summaryString = [[NSString alloc] initWithString:(__bridge NSString*)certSummary];
        NSLog(@"CERT SUMMARY: %@", summaryString);
        CFRelease(certSummary);
    } else {
        NSLog(@" *** ERROR *** trying to create the SSL certificate from data located at %@, but failed", pespublicKey);
    }
}

答案 1

您不是先对关键数据进行 base64 解码。您正在将 base64 编码的数据传递给 ,并且该函数需要原始的解码数据。请尝试类似如下的方法:SecCertificateCreateWithData()

NSData *certData = [[NSData alloc] initWithBase64EncodedString:pespublicKey options:0];
cert = SecCertificateCreateWithData(kCFAllocatorDefault, (__bridge CFDataRef)certData);

更新:

您发送到 iOS 代码的是 base64 DER 编码的密钥,而不是 DER 或 PEM 编码的证书。因此,你看到的结果是预期的 - 你为它提供了一个不包含证书的 DER 编码数据 blob,并返回一个表示不存在的证书数据的空证书引用。

您有两种选择:

  1. 使用您已经找到的代码将密钥添加到钥匙串,然后将其取出。这似乎是导入密钥以在iOS上使用的“iOS方式”。

  2. 使用公钥及其关联的私钥对证书进行签名并将其导入到应用中,创建与该证书的临时信任关系,然后从证书的信息中提取公钥(例如:来自 NSString 的 iOS SecKeyRef)

对于第二个选项,您的Java代码不仅必须具有公钥,还需要关联的私钥来生成签名证书。

根据您计划对 执行的操作,您可能会遇到问题。 值可以直接转换为值,以便在钥匙串服务功能中使用。如果该值不是来自钥匙串,则代码将出现错误。阅读文档以获取更多信息SecKeyRefSecKeyRefSecKeychainItemRefSecKeyRef


答案 2

推荐