3

我正在我的 android 应用程序中开发 IAB v3。每次成功购买后,我希望我的应用程序将签名数据和签名发送回我的 php 服务器,以通过谷歌开发者控制台生成的公钥进行验证。我找到了以下代码。

<?php
// $data and $signature are assumed to contain the data and the signature

// fetch public key from certificate and ready it
$fp = fopen("/src/openssl-0.9.6/demos/sign/cert.pem", "r");
$cert = fread($fp, 8192);
fclose($fp);
$pubkeyid = openssl_get_publickey($cert);

// state whether signature is okay or not
$ok = openssl_verify($data, $signature, $pubkeyid);
if ($ok == 1) {
    echo "good";
} elseif ($ok == 0) {
    echo "bad";
} else {
    echo "ugly, error checking signature";
}
// free the key from memory
openssl_free_key($pubkeyid);
?>

现在我有一个问题。google 给出的公钥是 String Base64 Encoded。我不知道如何将该字符串键转换为“.pem”格式。

如果我在上面的代码中将 Base64 Encoded 密钥设置为“$pubkeyid”。将发出警告。

Warning: openssl_verify() [function.openssl-verify]: supplied key param cannot be coerced into a public key in myxxx.php.

如何将我的字符串 Base64 编码公钥转换为 php 接受格式?

有没有人有以上经验或解决方法?请帮忙。非常感谢。

4

3 回答 3

9

要将您从 Google 获得的长 base64 编码的公钥转换为可以在 PHP 中使用的公钥,请尝试以下操作:

$base64EncodedPublicKeyFromGoogle = "..."; // This is the public key for your app you get from Google.

$openSslFriendlyKey = "-----BEGIN PUBLIC KEY-----\n" . chunk_split($base64EncodedPublicKeyFromGoogle, 64, "\n") .  "-----END PUBLIC KEY-----";

然后你可以将它传递给openssl_get_publickey().

$publicKeyId = openssl_get_publickey($openSslFriendlyKey);

如您所见,Google 提供的格式几乎是正确的。它只需要分成 64 个字符的行,并在前面/附加正确的页眉/页脚。

您还可以使用 OpenSSL 命令来转换公钥,如下所示:

openssl enc -base64 -d -in publickey.base64 -A | openssl rsa -inform DER -pubin > publickey.pem

然后您可以使用 PHP 读取生成的publickey.pem文件并将其内容传递给openssl_get_publickey()函数。

于 2013-06-18T21:57:58.413 回答
1

这个 API 解决了我的问题。

https://github.com/mgoldsborough/google-play-in-app-billing-verification

于 2013-01-21T11:11:19.073 回答
1

海报问题的完整解决方案:

<?php
// $data and $signature are assumed to contain the data and the signature

// Paste your google public key below:
$base64EncodedPublicKeyFromGoogle  = "###############################"

//Convert the key to the right format for open SSL
$openSslFriendlyKey = "-----BEGIN PUBLIC KEY-----\n" . chunk_split($base64EncodedPublicKeyFromGoogle, 64, "\n") .  "-----END PUBLIC KEY-----";
$publicKeyId = openssl_get_publickey($openSslFriendlyKey);

// free the key from memory
openssl_free_key($publicKeyId);

//Perform signature verification. Don't forget to decode the signature!
$ok = openssl_verify($data, base64_decode($signature), $publicKeyId, OPENSSL_ALGO_SHA1);
if ($ok == 1) {
    echo "good";
} elseif ($ok == 0) {
    echo "bad";
} else {
    echo openssl_error_string();
}

?>
于 2016-09-05T15:06:11.010 回答