sumber :
http://adammaus.com/wp/2012/11/rijndael-encryption-and-decryption-vb-net-php-python/
VB.NET
' Keys required for Symmetric encryption / decryption Dim rijnKey As Byte() = {&H1, &H2, &H3, &H4, &H5, &H6, &H7, &H8, &H9, &H10, &H11, &H12, &H13, &H14, &H15, &H16} Dim rijnIV As Byte() = {&H1, &H2, &H3, &H4, &H5, &H6, &H7, &H8, &H9, &H10, &H11, &H12, &H13, &H14, &H15, &H16} Function Decrypt(S As String) If S = "" Then Return S End If ' Turn the cipherText into a ByteArray from Base64 Dim cipherText As Byte() Try ' Replace any + that will lead to the error cipherText = Convert.FromBase64String(S.Replace("BIN00101011BIN", "+")) Catch ex As Exception ' There is a problem with the string, perhaps it has bad base64 padding Return S End Try 'Creates the default implementation, which is RijndaelManaged. Dim rijn As SymmetricAlgorithm = SymmetricAlgorithm.Create() Try ' Create the streams used for decryption. Using msDecrypt As New MemoryStream(cipherText) Using csDecrypt As New CryptoStream(msDecrypt, rijn.CreateDecryptor(rijnKey, rijnIV), CryptoStreamMode.Read) Using srDecrypt As New StreamReader(csDecrypt) ' Read the decrypted bytes from the decrypting stream and place them in a string. S = srDecrypt.ReadToEnd() End Using End Using End Using Catch E As CryptographicException Return S End Try Return S End Function Function Encrypt(S As String) 'Creates the default implementation, which is RijndaelManaged. Dim rijn As SymmetricAlgorithm = SymmetricAlgorithm.Create() Dim encrypted() As Byte Using msEncrypt As New MemoryStream() Dim csEncrypt As New CryptoStream(msEncrypt, rijn.CreateEncryptor(rijnKey, rijnIV), CryptoStreamMode.Write) Using swEncrypt As New StreamWriter(csEncrypt) 'Write all data to the stream. swEncrypt.Write(S) End Using encrypted = msEncrypt.toArray() End Using ' You cannot convert the byte to a string or you will get strange characters so base64 encode the string ' Replace any + that will lead to the error Return Convert.ToBase64String(encrypted).Replace("+", "BIN00101011BIN") End Function
PHP
$rijnKey = "\x1\x2\x3\x4\x5\x6\x7\x8\x9\x10\x11\x12\x13\x14\x15\x16"; $rijnIV = "\x1\x2\x3\x4\x5\x6\x7\x8\x9\x10\x11\x12\x13\x14\x15\x16"; function Decrypt($s){ global $rijnKey, $rijnIV; if ($s == "") { return $s; } // Turn the cipherText into a ByteArray from Base64 try { $s = str_replace("BIN00101011BIN", "+", $s); $s = base64_decode($s); $s = mcrypt_decrypt(MCRYPT_RIJNDAEL_128, $rijnKey, $s, MCRYPT_MODE_CBC, $rijnIV); } catch(Exception $e) { // There is a problem with the string, perhaps it has bad base64 padding // Do Nothing } return $s; } function Encrypt($s){ global $rijnKey, $rijnIV; // Have to pad if it is too small $block = mcrypt_get_block_size(MCRYPT_RIJNDAEL_128, 'cbc'); $pad = $block - (strlen($s) % $block); $s .= str_repeat(chr($pad), $pad); $s = mcrypt_encrypt(MCRYPT_RIJNDAEL_128, $rijnKey, $s, MCRYPT_MODE_CBC, $rijnIV); $s = base64_encode($s); $s = str_replace("+", "BIN00101011BIN", $s); return $s; }