我正在尝试将file_get_contents
和stream_context_create
一起用来发出POST请求。到目前为止我的代码:
$options = array('http' => array(
'method' => 'POST',
'content' => $data,
'header' =>
"Content-Type: text/plain\r\n" .
"Content-Length: " . strlen($data) . "\r\n"
));
$context = stream_context_create($options);
$response = file_get_contents($url, false, $context);
它工作正常,但是,当发生HTTP错误时,它会发出警告:
file_get_contents(...): failed to open stream: HTTP request failed! HTTP/1.0 400 Bad Request
并返回false。有办法:
答案 0 :(得分:126)
http://php.net/manual/en/reserved.variables.httpresponseheader.php
file_get_contents("http://example.com");
var_dump($http_response_header);
答案 1 :(得分:4)
没有一个答案(包括OP接受的答案)实际上满足以下两个要求:
- 禁止显示警告(如果发生故障,我打算抛出自己的异常)
- 从流中获取错误信息(至少是响应代码)
这是我的看法:
function fetch(string $method, string $url, string $body, array $headers = []) {
$context = stream_context_create([
"http" => [
// http://docs.php.net/manual/en/context.http.php
"method" => $method,
"header" => implode("\r\n", $headers),
"content" => $body,
"ignore_errors" => true,
],
]);
$response = file_get_contents($url, false, $context);
/**
* @var array $http_response_header materializes out of thin air
*/
$status_line = $http_response_header[0];
preg_match('{HTTP\/\S*\s(\d{3})}', $status_line, $match);
$status = $match[1];
if ($status !== "200") {
throw new RuntimeException("unexpected response status: {$status_line}\n" . $response);
}
return $response;
}
这将引发非200
的响应,但是您可以从那里轻松进行操作,例如添加一个简单的Response
类和return new Response((int) $status, $response);
(如果更适合您的用例)。
例如,对API端点执行JSON POST
:
$response = fetch(
"POST",
"http://example.com/",
json_encode([
"foo" => "bar",
]),
[
"Content-Type: application/json",
"X-API-Key: 123456789",
]
);
请注意在"ignore_errors" => true
上下文映射中使用http
-这将防止该函数为非2xx状态代码引发错误。
在大多数情况下,这很可能是“正确的”错误抑制量-我不建议使用@
错误抑制运算符,因为这也会抑制错误,例如仅传递错误的参数,这可能会在无意中隐藏调用代码的错误。
答案 2 :(得分:3)
在接受的响应中添加更多行以获取http代码
function getHttpCode($http_response_header)
{
if(is_array($http_response_header))
{
$parts=explode(' ',$http_response_header[0]);
if(count($parts)>1) //HTTP/1.0 <code> <text>
return intval($parts[1]); //Get code
}
return 0;
}
@file_get_contents("http://example.com");
$code=getHttpCode($http_response_header);
隐藏错误输出两个注释都可以,ignore_errors = true或@(我更喜欢@)
答案 3 :(得分:0)
我转到此页面时遇到了其他问题,因此请发布我的答案。我的问题是我只是想隐藏警告通知并为用户显示自定义警告消息,因此此简单而明显的修复方法对我有所帮助:
// Suppress the warning messages
error_reporting(0);
$contents = file_get_contents($url);
if ($contents === false) {
print 'My warning message';
}
如果需要,此后返回错误报告:
// Enable warning messages again
error_reporting(-1);
答案 4 :(得分:-1)
@file_get_contents
和ignore_errors = true
不同:
第一个不返回任何东西;
第二个抑制错误消息,但返回服务器响应(例如400错误的请求)。
我使用这样的函数:
$result = file_get_contents(
$url_of_API,
false,
stream_context_create([
'http' => [
'content' => json_encode(['value1' => $value1, 'value2' => $value2]),
'header' => 'Authorization: Basic XXXXXXXXXXXXXXX',
'ignore_errors' => 1,
'method' => 'POST',
'timeout' => 10
]
])
);
return json_decode($result)->status;
返回200(确定)或400(错误请求)。
它运行完美,并且比cURL更容易。