我尝试使用iOS上的安全框架使用RSA加密某些数据。我想加密一个简单的base64编码字符串,如下所示:
NSData *data = [[NSData alloc] initWithBase64EncodedString:@"aGFsbG8=" options:0x0];
NSData *encrypted = [pair encrypt:data];
pair
变量保存对在使用SecKeyGeneratePair
之前成功生成的私钥和公钥的引用。
加密功能如下所示:
- (NSData *)encrypt:(NSData *)data {
void *buffer = malloc([self blockSize] * sizeof(uint8_t));
memset(buffer, 0x0, [self blockSize]);
size_t ciphertextBufferLength = [data length];
OSStatus res = SecKeyEncrypt([self keyRef], 0x1, [data bytes], [data length], &buffer[0], &ciphertextBufferLength);
NSLog(@"Result of encryption: %d", res);
return [NSData dataWithBytesNoCopy:buffer length:[self blockSize] freeWhenDone:YES];
}
[self blockSize]
的实施非常简单:
- (unsigned long)blockSize {
return SecKeyGetBlockSize(keyRef);
}
我使用以下函数生成我的键:
- (BOOL)generateNewKeyPairOfSize:(unsigned int)keySize
{
SecKeyRef privKey = [[self publicKey] keyRef];
SecKeyRef pubKey = [[self publicKey] keyRef];
NSDictionary *privateKeyDict = @{ (__bridge id)kSecAttrIsPermanent : @(YES), (__bridge id)kSecAttrApplicationTag : [[self privateKey] tag] };
NSDictionary *publicKeyDict = @{ (__bridge id)kSecAttrIsPermanent : @(YES), (__bridge id)kSecAttrApplicationTag : [[self publicKey] tag] };
NSDictionary *keyDict = @{ (__bridge id)kSecAttrKeyType : (__bridge id)kSecAttrKeyTypeRSA, (__bridge id)kSecAttrKeySizeInBits : @(keySize), (__bridge id)kSecPublicKeyAttrs : publicKeyDict, (__bridge id)kSecPrivateKeyAttrs : privateKeyDict };
OSStatus res = SecKeyGeneratePair((__bridge CFDictionaryRef)keyDict, &privKey, &pubKey);
NSLog(@"Result of generating keys: %d", res);
[[self publicKey] setKeyRef:pubKey];
[[self privateKey] setKeyRef:privKey];
return YES;
}
根据文档,问题是res
的值为-4
,意为errSecUnimplemented
。因为我需要所有参数,所以我不确定我在这里做错了什么。我不确定参数是否有错误以及在哪里。致电[self blockSize]
返回128。
任何人都可以帮我吗?
答案 0 :(得分:5)
来自文档:
cipherTextLen - 输入时,提供的缓冲区大小 cipherText参数。返回时,实际放入的数据量 缓冲区。
您没有为ciphertextBufferLength
设置任何值。
更新#1
在SecKeyGeneratePair()
中你有错误的参数:公钥参数必须是第一个,私钥是第二个。我认为这就是为什么你有错误代码-4。
更新#2
当您从Update#1修复问题时,您会看到错误代码-50(errSecParam),因为您的密文长度错误。以下是正确的加密/解密方式:
[self generateNewKeyPairOfSize:1024];
NSData *data = [[NSData alloc] initWithBase64EncodedString:@"aGFsbG8=" options:0x0];
size_t cipherTextSize = [self blockSize];
uint8_t *cipherText = malloc(cipherTextSize);
memset(cipherText, 0, cipherTextSize);
OSStatus res = SecKeyEncrypt(_publicKey, kSecPaddingPKCS1, [data bytes], data.length, cipherText, &cipherTextSize);
NSLog(@"Result of encryption: %d", res);
size_t plainTextSize = cipherTextSize;
uint8_t *plainText = malloc(plainTextSize);
res = SecKeyDecrypt(_privateKey, kSecPaddingPKCS1, cipherText, cipherTextSize, plainText, &plainTextSize);
NSLog(@"Result of decryption: %d", res);
答案 1 :(得分:1)
除了上面的正确答案之外,为我解决的是以下知识:
如果您尝试使用引用私钥的SecKeyRef加密任何内容,您将获得-4。
想一想。使用私钥加密的任何内容都不安全,因为公钥是 public 。 /捂脸
所以是的,Apple的框架负责任,只是阻止你用私钥加密某些东西。因为如果它允许你做一些愚蠢的事情,那么它会给你一种虚假的安全感,这是不负责任的。