适用于PHP的AWS开发工具包 - 解密密码

时间:2015-03-25 16:54:05

标签: php encryption amazon-web-services amazon-ec2 aws-sdk

对于我正在开发的项目,我正在使用Amazon AWS SDK for PHP,我需要以纯文本格式检索服务器环境的密码。但是,ec2方法的documentation确认了我们发现的内容:该方法只返回加密字符串。从表面上看,这很好,因为AWS SDK for PHP使用未加密的HTTP POST请求通过cURL发送和接收数据,对用户来说是无形的。因此,我们的密码数据不仅仅是在网络上传播。

问题在于没有解释如何解密字符串。我将我的私钥作为PEM文件,但是没有方法或文档来说明如何处理该字符串以使其可用。几次尝试都没有产生任何结果,我开始认为我需要重新考虑我正在进行的项目的策略,但后来我发现了最新版本的AWS SDK for PHP的代码,它揭示了如何去做解密字符串以生成密码的纯文本形式。

1 个答案:

答案 0 :(得分:1)

我找到的答案是getPasswordData方法返回一个BOTH base64编码和加密的字符串。您需要使用base64_decode()对其进行解码,然后才能使用PHP的OpenSSL库成功解密它。以下功能同时处理两者:

/**
 * @param obj $ec2_client The EC2 PHP client, from the AWS SDK for PHP
 * @param string $client_id The ID of the client whose password we're trying to get.
 * @return mixed The unencrypted password for the client, or false on failure.
 */
function aws_get_ec2_password($ec2_client, $client_id){
    //  First, run getPasswordData to get the Password Data Object.
    $pw_obj = $ec2_client->getPasswordData($client_id);

    //  Next, use the local get() method to isolate the password
    $pw_b64 = $pw_obj->get("PasswordData");

    //  Decode the password string.
    $pw_encrypted = base64_decode($pw_b64);

    //  Now, get your PEM key.
    //
    //  You can also use a raw string of the PEM key instead of get_file_contents(),
    //  or adjust the function so that you can pass it as an argument.
    //
    //  Technically, this step might not be necessary, as the documentation for
    //  openssl_private_decrypt() suggests that $key can just be the path, and it will
    //  create the key object internally.
    $key = openssl_get_privatekey(file_get_contents("path/to/key.pem"));

    //  Create an empty string to hold the password.
    $pw = "";

    //  Finally, decrypt the string and return (will return false if decryption fails).
    if(openssl_private_decrypt($pw_encrypted, $pw, $key)){
        return $pw;
    }else{
        return false;
    }
}

我希望这可以帮助别人避免它给我带来的麻烦!