我正在改编一个将图像上传到 imgur 的示例。该示例使用 curl,我使用的是 guzzle ^6.1。 curl 的例子是:
<html>
<h3>Form</h3>
<form method="post" enctype="multipart/form-data">
<input type="hidden" name="MAX_FILE_SIZE" value="50000" />
Image (< 50kb): <input type="file" name="upload" /><br/>
ClientID: <input type="text" name="clientid" /><br/>
<input type="submit" value="Upload to Imgur" />
</form>
</html>
<?php
if (empty($_POST['clientid']) || @$_FILES['upload']['error'] !== 0 || @$_FILES['upload']['size'] > 50000) {
exit;
}
$client_id = $_POST['clientid'];
$filetype = explode('/',mime_content_type($_FILES['upload']['tmp_name']));
if ($filetype[0] !== 'image') {
die('Invalid image type');
}
$image = file_get_contents($_FILES['upload']['tmp_name']);
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, 'https://api.imgur.com/3/image.json');
curl_setopt($ch, CURLOPT_POST, TRUE);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE);
curl_setopt($ch, CURLOPT_HTTPHEADER, array( 'Authorization: Client-ID ' . $client_id ));
curl_setopt($ch, CURLOPT_POSTFIELDS, array( 'image' => base64_encode($image) ));
$reply = curl_exec($ch);
curl_close($ch);
$reply = json_decode($reply);
echo "<h3>Image</h3>";
printf('<img height="180" src="%s" >', @$reply->data->link);
echo "<h3>API Debug</h3><pre>";
var_dump($reply);
我尝试使用下一个代码转换为 Guzzle:
use GuzzleHttp\Client;
use GuzzleHttp\Psr7\Request as gRequest;
//....Clases and functions ...
$url = "https://api.imgur.com/3/image.json";
$client_id = "miclientid";
$client = new Client([
// Base URI is used with relative requests
'base_uri' => $url,
// You can set any number of default request options.
'timeout' => 15.0,
]);
$gRequest = new gRequest('POST', 'https://api.imgur.com/3/image.json', [
'headers' => [
'Authorization: Client-ID' => $client_id
],
'image' => "data:image/png;base64,iVBORw0K..."
]);
$gResponse = $client->send($gRequest, ['timeout' => 2]);
但是我收到了一个 400 错误的请求;我的代码有什么问题?
最佳答案
乍一看,我看到两个问题:
Authorization
header 。在您的 Guzzle 版本中,您使用 Authorization: Client-ID
作为 header 名称 和 $client_id
作为 header 值。这将生成一个(错误的)HTTP header ,如下所示:Authorization: Client-ID: myclientid
解决方案: 像这样传递你的标题:
"headers" => [
"authorization" => "Client-ID " . $clientId
]
image
参数的 URL 查询编码主体。该参数包含图像文件的 base64 编码原始内容。在您的 Guzzle 版本中,您 实际上根本不发送正文 ,因为您使用的是不存在的 image
选项(查看 Guzzle documentation 以获取所有支持选项的列表)。此外,您的原始示例不包含 关于php - 将 cURL 转换为 Guzzle POST,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34295502/