0

現在、iOS で暗号化し、PHP で復号化しています。暗号化/復号化する文字列の長さが 16 文字未満であれば問題なく動作します。

暗号化する iOS コード:

    - (NSData *)AES128Encrypt:(NSData *)this
{
    // ‘key’ should be 16 bytes for AES128
    char keyPtr[kCCKeySizeAES128 + 1]; // room for terminator (unused)
    bzero( keyPtr, sizeof( keyPtr ) ); // fill with zeroes (for padding)
    NSString *key = @"1234567890123456";
    // fetch key data
    [key getCString:keyPtr maxLength:sizeof( keyPtr ) encoding:NSUTF8StringEncoding];

    NSUInteger dataLength = [this 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;
    CCCryptorStatus cryptStatus = CCCrypt( kCCEncrypt, kCCAlgorithmAES128, kCCOptionECBMode | kCCOptionPKCS7Padding,
                                          keyPtr, kCCKeySizeAES128,
                                          NULL /* initialization vector (optional) */,
                                          [this bytes], dataLength, /* input */
                                          buffer, bufferSize, /* output */
                                          &numBytesEncrypted );
    if( cryptStatus == kCCSuccess )
    {
        //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;
}

復号化する PHP コード:

function decryptThis($key, $pass)
{

    $base64encoded_ciphertext = $pass;

    $res_non = mcrypt_decrypt(MCRYPT_RIJNDAEL_128, $key, $base64encoded_ciphertext, MCRYPT_MODE_CBC);

    $decrypted = $res_non;
    $dec_s2 = strlen($decrypted);

    $padding = ord($decrypted[$dec_s2-1]);
    $decrypted = substr($decrypted, 0, -$padding);

    return  $decrypted;
}

復号化された文字列が 16 文字を超える場合、PHP は@"\n\n"のみを返します。ただし、' what ' のような短い文字列は正しく復号化され、PHP は@"what\n\n"を返します。何が起きてる?500 文字以上の文字列を復号化できるようにしたいと考えています。

4

1 に答える 1

0

iOS で ECB モードを使用し、PHP で CBC を使用しています。さらに、PHP は不正なパディングを検出しないため、(不正な) パディングされたプレーンテキストの最後のバイトの値が大きい場合、おそらく空の文字列が生成されます。

于 2013-03-19T17:32:22.463 に答える