Mysql
 sql >> Database >  >> RDS >> Mysql

Crittografia AES in mysql e php

Ci sono tre problemi con il codice che stai usando:

  1. Come altri hanno già detto, il tuo codice PHP sta attualmente utilizzando MCRYPT_RIJNDAEL_256 mentre, come documentato in AES_ENCRYPT() :

  2. Come altri hanno già detto, stai applicando base64_encode() per convertire il risultato binario di PHP in testo, mentre il risultato di MySQL sembra essere semplicemente una rappresentazione esadecimale del suo risultato binario. Puoi utilizzare TO_BASE64() in MySQL dalla v5.6.1 oppure bin2hex() in PHP.

  3. Come documentato in mcrypt_encrypt() :

    Considerando che MySQL utilizza padding PKCS7 .

Pertanto, per ottenere in PHP gli stessi risultati che mostri attualmente per MySQL:

<?php

class MySQL_Function {
  const PKCS7 = 1;

  private static function pad($string, $mode, $blocksize = 16) {
    $len = $blocksize - (strlen($string) % $blocksize);
    switch ($mode) {
      case self::PKCS7:
        $padding = str_repeat(chr($len), $len); break;

      default:
        throw new Exception();
    }
    return $string.$padding;
  }

  public static function AES_ENCRYPT($str, $key_str) {
    return mcrypt_encrypt(
      MCRYPT_RIJNDAEL_128,
      $key_str, self::pad($str, self::PKCS7),
      MCRYPT_MODE_ECB
    );
  }
}

echo bin2hex(MySQL_Function::AES_encrypt( "Hello World", "password" ));

?>