1

我正在尝试使用零填充和 CBC 模式来实现 AES 256。我尝试了 cypto 的所有方法,但结果与服务器的不同

我正在使用此代码

我传递简单字符串以检查 databstring , key 和 iv 作为“iphone”传递。

/**************
- (NSData *)AES256Encrypt:(NSString *)dataString WithKey:(NSString *)key iv:(NSString *)iv {

    // 'key' should be 32 bytes for AES256, will be null-padded otherwise
   char keyPtr[kCCKeySizeAES256+1]; // room for terminator (unused)
    bzero(keyPtr, sizeof(keyPtr)); // fill with zeroes (for padding)

    // fetch key data
    [key getCString:keyPtr maxLength:sizeof(keyPtr) encoding:NSUTF8StringEncoding];

    NSLog(@"keyPtr: '%s'", keyPtr);

   NSData *keyData = [key dataUsingEncoding:NSUTF8StringEncoding];

    NSLog(@"keyPtr: '%s'", keyData.bytes);
    NSData *dataToEncrypt = [dataString dataUsingEncoding:NSUTF8StringEncoding];
    NSData *ivData = [iv dataUsingEncoding:NSUTF8StringEncoding];

    NSUInteger dataLength = [dataToEncrypt length];

    //See the doc: For block ciphers, the output size will always be less than or
    //equal to the input size plus the size of one block.
    //That's why we need to add the size of one block here
    size_t bufferSize = dataLength + kCCBlockSizeAES128;
    void *buffer = malloc(bufferSize);

    size_t numBytesEncrypted = 0;
    CCCryptorRef cryptorRef;

    CCCryptorStatus rc;




    CCCryptorStatus cryptStatus = CCCrypt(kCCEncrypt, kCCAlgorithmAES128, 0,
                                          keyData.bytes, kCCKeySizeAES256,
                                          ivData.bytes, // initialisation vector
                                          dataToEncrypt.bytes,
                                          dataToEncrypt.length, /* input */
                                          buffer, bufferSize, /* output */
                                          &numBytesEncrypted);
    if (cryptStatus == kCCSuccess) {


      //  NSString *someDataHexadecimalString = [[NSData dataWithBytesNoCopy:buffer length:numBytesEncrypted] hexadecimalString];

        NSLog(@"%@",[NSData dataWithBytesNoCopy:buffer length:numBytesEncrypted]);



        //the returned NSData takes ownership of the buffer and will free it on deallocation
        return [NSData dataWithBytesNoCopy:buffer length:numBytesEncrypted];


    }

    free(buffer); //free the buffer;
    return nil;
}

**********/

但它每次打印不同的结果。

请帮忙。

4

1 回答 1

2

您的 IV(“iphone”)太短。CBC 模式要求 IV 等于密码算法的块大小(AES 为 16 字节)。CCCrypt从您提供的 iv 缓冲区中读取 16 个字节,并且由于您的缓冲区太短,因此缓冲区结束后内存中发生的任何垃圾都将用作 IV 的其余部分。

因此,基本上您每次都使用不同的 IV,这就是为什么您的密文每次都不同的原因。

通常,不要将字符串用于 IV。为了安全起见,对于每条不同的消息,IV 应该是不同的,如果您使用的是硬编码字符串,这很难做到。只需为 IV 生成 16 个随机字节,并将它们放在密文的开头。

于 2013-09-12T15:48:06.937 回答