Incapaz de replicar un formato de cifrado de Java a PHP

ajes:

Tengo el siguiente código Java que fue compartida por uno de un socio de integración para su cifrado API

    import java.nio.ByteBuffer;
    import java.security.AlgorithmParameters;
    import java.security.SecureRandom;
    import java.security.spec.KeySpec;
    import javax.crypto.BadPaddingException;
    import javax.crypto.Cipher;
    import javax.crypto.IllegalBlockSizeException;
    import javax.crypto.SecretKey;
    import javax.crypto.SecretKeyFactory;
    import javax.crypto.spec.IvParameterSpec;
    import javax.crypto.spec.PBEKeySpec;
    import javax.crypto.spec.SecretKeySpec;
    import org.apache.commons.codec.binary.Base64;

public class AES256 {

    /**
     *
     * @param word
     * @param keyString
     * @return
     * @throws Exception
     */
    public static String encrypt(String word, String keyString) throws Exception {
        byte[] ivBytes;
        //String password = "zohokeyoct2017";
        /*you can give whatever you want for password. This is for testing purpose*/
        SecureRandom random = new SecureRandom();
        byte bytes[] = new byte[20];
        random.nextBytes(bytes);
        byte[] saltBytes = bytes;
        System.out.println("salt enc:"+saltBytes.toString());
        // Derive the key
        SecretKeyFactory factory = SecretKeyFactory.getInstance("PBKDF2WithHmacSHA1");
        PBEKeySpec spec = new PBEKeySpec(keyString.toCharArray(), saltBytes, 65556, 256);
        SecretKey secretKey = factory.generateSecret(spec);
        SecretKeySpec secret = new SecretKeySpec(secretKey.getEncoded(), "AES");
        //encrypting the word
        Cipher cipher = Cipher.getInstance("AES/CBC/PKCS5Padding");
        cipher.init(Cipher.ENCRYPT_MODE, secret);
        AlgorithmParameters params = cipher.getParameters();
        ivBytes = params.getParameterSpec(IvParameterSpec.class).getIV();
        byte[] encryptedTextBytes = cipher.doFinal(word.getBytes("UTF-8"));
        //prepend salt and vi
        byte[] buffer = new byte[saltBytes.length + ivBytes.length + encryptedTextBytes.length];
        System.arraycopy(saltBytes, 0, buffer, 0, saltBytes.length);
        System.arraycopy(ivBytes, 0, buffer, saltBytes.length, ivBytes.length);
        System.arraycopy(encryptedTextBytes, 0, buffer, saltBytes.length + ivBytes.length, encryptedTextBytes.length);
        return new Base64().encodeToString(buffer);
    }

    /**
     *
     * @param encryptedText
     * @param keyString
     * @return
     * @throws Exception
     */
    public static String decrypt(String encryptedText, String keyString) throws Exception {
        //String password = "zohokeyoct2017";
        Cipher cipher = Cipher.getInstance("AES/CBC/PKCS5Padding");
        //strip off the salt and iv
        ByteBuffer buffer = ByteBuffer.wrap(new Base64().decode(encryptedText));
        byte[] saltBytes = new byte[20];
        buffer.get(saltBytes, 0, saltBytes.length);
        byte[] ivBytes1 = new byte[16];

        buffer.get(ivBytes1, 0, ivBytes1.length);
        byte[] encryptedTextBytes = new byte[buffer.capacity() - saltBytes.length - ivBytes1.length];

        buffer.get(encryptedTextBytes);
        // Deriving the key
        SecretKeyFactory factory = SecretKeyFactory.getInstance("PBKDF2WithHmacSHA1");
        KeySpec spec = new PBEKeySpec(keyString.toCharArray(), saltBytes, 65556, 256);
        SecretKey secretKey = factory.generateSecret(spec);
        SecretKeySpec secret = new SecretKeySpec(secretKey.getEncoded(), "AES");
        cipher.init(Cipher.DECRYPT_MODE, secret, new IvParameterSpec(ivBytes1));
        byte[] decryptedTextBytes = null;
        try {
            decryptedTextBytes = cipher.doFinal(encryptedTextBytes);
        } catch (IllegalBlockSizeException | BadPaddingException e) {
            System.out.println("Exception"+e);
        }

        return new String(decryptedTextBytes);
    }

    public static void main (String []args) throws Exception{
        String encryptedText;
        encryptedText = AES256.encrypt("106_2002005_9000000106","3264324");
        System.out.println("Encrypted Text:"+encryptedText);
        System.out.println("Decrypted Text:"+AES256.decrypt(encryptedText,"3264324"));

    }
}

Y he intentado par de códigos PHP que obtuve de stackoverflow o Google. No podía hacer cualquiera de ellos trabajando.

El código que he intentado últimamente en PHP está por debajo

class AtomAES {

    public function encrypt($data = '', $key = NULL, $salt = "") {
        if($key != NULL && $data != "" && $salt != ""){

            $method = "AES-256-CBC";

            //Converting Array to bytes
            $iv = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15];
            $chars = array_map("chr", $iv);
            $IVbytes = join($chars);


            $salt1 = mb_convert_encoding($salt, "UTF-8"); //Encoding to UTF-8
            $key1 = mb_convert_encoding($key, "UTF-8"); //Encoding to UTF-8

            //SecretKeyFactory Instance of PBKDF2WithHmacSHA1 Java Equivalent
            $hash = openssl_pbkdf2($key1,$salt1,'256','65536', 'sha1'); 

            $encrypted = openssl_encrypt($data, $method, $hash, OPENSSL_RAW_DATA, $IVbytes);

            return bin2hex($encrypted);
        }else{
            return "String to encrypt, Salt and Key is required.";
        }
    }

    public function decrypt($data="", $key = NULL, $salt = "") {
        if($key != NULL && $data != "" && $salt != ""){
            $dataEncypted = hex2bin($data);
            $method = "AES-256-CBC";

            //Converting Array to bytes
            $iv = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15];
            $chars = array_map("chr", $iv);
            $IVbytes = join($chars);

            $salt1 = mb_convert_encoding($salt, "UTF-8");//Encoding to UTF-8
            $key1 = mb_convert_encoding($key, "UTF-8");//Encoding to UTF-8

            //SecretKeyFactory Instance of PBKDF2WithHmacSHA1 Java Equivalent
            $hash = openssl_pbkdf2($key1,$salt1,'256','65536', 'sha1'); 

            $decrypted = openssl_decrypt($dataEncypted, $method, $hash, OPENSSL_RAW_DATA, $IVbytes);
            return $decrypted;
        }else{

            return "Encrypted String to decrypt, Salt and Key is required.";

        }
    }

}

El código PHP que quería probar pero no funciona como se esperaba de acuerdo con el código Java.

Encrypted Text:1HO8iuSZf41RzP/gUleEJY3zhtLJVwFMnhZiphnoG0m9ss+g93Sj5SqQg0D7OsgSvUZCeX2Ck5QPpFrPxM0FE/yFE5s=
Decrypted Text:This is a sample text
KEY: NEWENCTEST

Intenta descifrar el texto cifrado por encima de Java utilizando el código PHP y la clave, si funciona, entonces genial.

Si alguien me puede ayudar con esto será de un gran ayuda!

TIA!

Topaco:

En el Java encrypt-method la (generado de forma aleatoria) salada y IV-bytes se copian junto con el cifrado de bytes en un solo byte-array que se convierte en codificado en base 64 y que se devuelve a continuación. En contraste, el PHP encrypt-method devuelve un hex-representación de la encriptación bytes solamente. Por lo tanto, la información relativa a la sal y IV se pierden y descifrado ya no es posible (a menos sal y IV se reconstruyen en otras formas). Con el fin de evitar esto, usted tiene que cambiar el PHP encrypt-Método de la siguiente manera:

public function encrypt($data = '', $key = NULL) {
    if($key != NULL && $data != ""){
        $method = "AES-256-CBC";
        $key1 = mb_convert_encoding($key, "UTF-8"); //Encoding to UTF-8
        //Randomly generate IV and salt
        $salt1 = random_bytes (20); 
        $IVbytes = random_bytes (16); 
        //SecretKeyFactory Instance of PBKDF2WithHmacSHA1 Java Equivalent
        $hash = openssl_pbkdf2($key1,$salt1,'256','65556', 'sha1'); 
        // Encrypt
        $encrypted = openssl_encrypt($data, $method, $hash, OPENSSL_RAW_DATA, $IVbytes);
        // Concatenate salt, IV and encrypted text and base64-encode the result
        $result = base64_encode($salt1.$IVbytes.$encrypted);            
        return $result;
    }else{
        return "String to encrypt, Key is required.";
    }
}

Ahora, el parámetro $resultes una cadena codificado en base 64 que contiene la sal, IV y el cifrado. Por cierto, los parámetros $salt1y $IVbytestambién se generan aleatoriamente ahora (análoga a la Java encrypt-method). Cabe agregar que el número de iteraciones se utiliza para la generación de claves se ha cambiado de 65536 a 65556 (análoga a la de Java encrypt-method). Nota: En general, el texto cifrado no es reproducible (incluso en el caso del mismo texto plano, y la misma clave / contraseña) debido a la naturaleza aleatoria de la sal y IV.

El Java decrypt-method descodifica la cadena codificado en base 64 y luego determina las tres porciones es decir, a la salinidad, IV- y cifrado-bytes que son necesarias para el descifrado. El PHP decrypt-method tiene que ser complementado con estas funcionalidades:

public function decrypt($data="", $key = NULL) {
    if($key != NULL && $data != ""){
        $method = "AES-256-CBC";
        $key1 = mb_convert_encoding($key, "UTF-8");//Encoding to UTF-8
        // Base64-decode data
        $dataDecoded = base64_decode($data);
        // Derive salt, IV and encrypted text from decoded data
        $salt1 = substr($dataDecoded,0,20); 
        $IVbytes = substr($dataDecoded,20,16); 
        $dataEncrypted = substr($dataDecoded,36); 
        // SecretKeyFactory Instance of PBKDF2WithHmacSHA1 Java Equivalent
        $hash = openssl_pbkdf2($key1,$salt1,'256','65556', 'sha1'); 
        // Decrypt
        $decrypted = openssl_decrypt($dataEncrypted, $method, $hash, OPENSSL_RAW_DATA, $IVbytes);
        return $decrypted;
    }else{
        return "Encrypted String to decrypt, Key is required.";
    }
}

Ahora, el parámetro $dataDecodedcontiene la codificación base64 decodificado cadena de la que salada ( $salt1), IV- ( $IVbytes) y Cifrado ( $dataEncrypted) bytes se derivan. Cabe agregar que el número de iteraciones se utiliza para la generación de claves se ha cambiado de 65536 a 65556 (análoga a la de Java decrypt-method).

caso de prueba 1: cifrar y descifrar con PHP

$atomAES = new AtomAES();
$encrypt = $atomAES->encrypt("This is a text...This is a text...This is a text...", "This is the password");
echo $encrypt; 
$decrypt = $atomAES->decrypt($encrypt, "This is the password");
echo $decrypt; 

con el resultado de $encrypt(que está en diferente general para cada cifrado debido a la naturaleza aleatoria de la sal y IV):

6n4V9wqgsQq87HOYNRZmddnncSNyjFZZb8nSSAi681+hs+jwzDVQCugcg108iTMZLlmBB2KQ4iist+SuboFH0bnJxW6+rmZK07CiZ1Ip+8XOv6UuJPjVPxXTIny5p3QptpBGpw==

y para $decrypt:

This is a text...This is a text...This is a text...

caso de prueba 2: Cifrar con Java, Descifrar con PHP

encryptedText = AES256.encrypt("This is a text...This is a text...This is a text...","This is the password");
System.out.println(encryptedText);

con el resultado de encryptedText(que está en diferente general para cada cifrado debido a la naturaleza aleatoria de la sal y IV):

qfR76lc04eYAPjjqYiE1wXoraD9bI7ql41gSV/hsT/BLoJe0i0GgJnud7IXOHdcCljgtyFkXB95XibSyr/CazoMhwPeK6xsgPbQkr7ljSg8H1i17c8iWpEXBQPm0nij9qQNJ8A==

y

$decrypt = $atomAES->decrypt("qfR76lc04eYAPjjqYiE1wXoraD9bI7ql41gSV/hsT/BLoJe0i0GgJnud7IXOHdcCljgtyFkXB95XibSyr/CazoMhwPeK6xsgPbQkr7ljSg8H1i17c8iWpEXBQPm0nij9qQNJ8A==", "This is the password");
echo $decrypt; 

con el resultado de $decrypt:

This is a text...This is a text...This is a text...

caso de prueba 3: Cifrar con Java, Descifrar con PHP

encryptedText = AES256.encrypt("This is a sample text","NEWENCTEST");
System.out.println(encryptedText);

1HO8iuSZf41RzP/gUleEJY3zhtLJVwFMnhZiphnoG0m9ss+g93Sj5SqQg0D7OsgSvUZCeX2Ck5QPpFrPxM0FE/yFE5s=

y

$decrypt = $atomAES->decrypt("1HO8iuSZf41RzP/gUleEJY3zhtLJVwFMnhZiphnoG0m9ss+g93Sj5SqQg0D7OsgSvUZCeX2Ck5QPpFrPxM0FE/yFE5s=", "NEWENCTEST");
echo $decrypt; 

con el resultado de $decrypt:

 This is a sample text

Supongo que te gusta

Origin http://43.154.161.224:23101/article/api/json?id=205512&siteId=1
Recomendado
Clasificación