url이 존재하지 않는 경우 file_get_module
file_get_contents()를 사용하여 URL에 액세스하고 있습니다.
file_get_contents('http://somenotrealurl.com/notrealpage');
URL이 실제가 아닌 경우 이 오류 메시지가 반환됩니다.이 에러 메시지를 표시하지 않고 페이지가 존재하지 않는다는 것을 알 수 있도록, 어떻게 하면 정상적으로 에러를 발생시킬 수 있을까요?
file_get_contents('http://somenotrealurl.com/notrealpage')
[function.file-get-contents]:
failed to open stream: HTTP request failed! HTTP/1.0 404 Not Found
in myphppage.php on line 3
예를 들어 zend에서는 다음과 같이 말할 수 있습니다.if ($request->isSuccessful())
$client = New Zend_Http_Client();
$client->setUri('http://someurl.com/somepage');
$request = $client->request();
if ($request->isSuccessful()) {
//do stuff with the result
}
HTTP 응답 코드를 확인해야 합니다.
function get_http_response_code($url) {
$headers = get_headers($url);
return substr($headers[0], 9, 3);
}
if(get_http_response_code('http://somenotrealurl.com/notrealpage') != "200"){
echo "error";
}else{
file_get_contents('http://somenotrealurl.com/notrealpage');
}
PHP에서 이러한 명령어를 사용하면 prefix에 perfix를 붙일 수 있습니다.@
그런 경고를 억제하기 위해서요.
@file_get_contents('http://somenotrealurl.com/notrealpage');
file_get_module()이 반환FALSE
실패가 발생하면 반환된 결과를 그에 대해 체크하면 실패에 대처할 수 있습니다.
$pageDocument = @file_get_contents('http://somenotrealurl.com/notrealpage');
if ($pageDocument === false) {
// Handle error
}
전화할 때마다file_get_contents
http 래퍼에서는 로컬스코프 변수 $syslog_response_syslog가 생성됩니다.
이 변수에는 모든 HTTP 헤더가 포함됩니다.이 방법은 보다 낫다get_headers()
하나의 요청만 실행되므로 기능을 수행합니다.
주의: 2개의 다른 요청은 서로 다르게 끝날 수 있습니다.예를들면,get_headers()
는 503을 반환하고 file_get_backet()은 200을 반환합니다.또한 get_headers() 호출에서 503 오류가 발생하여 적절한 출력을 얻을 수 있지만 사용하지 않습니다.
function getUrl($url) {
$content = file_get_contents($url);
// you can add some code to extract/parse response number from first header.
// For example from "HTTP/1.1 200 OK" string.
return array(
'headers' => $http_response_header,
'content' => $content
);
}
// Handle 40x and 50x errors
$response = getUrl("http://example.com/secret-message");
if ($response['content'] === FALSE)
echo $response['headers'][0]; // HTTP/1.1 401 Unauthorized
else
echo $response['content'];
또한 file_get_contents() $http_response_header를 사용하면 로컬스코프에서 덮어쓰게 되므로 이 aproach에서는 다른 변수에 저장된 소수의 요청 헤더를 추적할 수 있습니다.
하는 동안에file_get_contents
매우 간결하고 편리합니다.컨트롤을 향상시키기 위해 Curl 라이브러리를 선호하는 경향이 있습니다.여기 예가 있어요.
function fetchUrl($uri) {
$handle = curl_init();
curl_setopt($handle, CURLOPT_URL, $uri);
curl_setopt($handle, CURLOPT_POST, false);
curl_setopt($handle, CURLOPT_BINARYTRANSFER, false);
curl_setopt($handle, CURLOPT_HEADER, true);
curl_setopt($handle, CURLOPT_RETURNTRANSFER, true);
curl_setopt($handle, CURLOPT_CONNECTTIMEOUT, 10);
$response = curl_exec($handle);
$hlength = curl_getinfo($handle, CURLINFO_HEADER_SIZE);
$httpCode = curl_getinfo($handle, CURLINFO_HTTP_CODE);
$body = substr($response, $hlength);
// If HTTP response is not 200, throw exception
if ($httpCode != 200) {
throw new Exception($httpCode);
}
return $body;
}
$url = 'http://some.host.com/path/to/doc';
try {
$response = fetchUrl($url);
} catch (Exception $e) {
error_log('Fetch URL failed: ' . $e->getMessage() . ' for ' . $url);
}
심플하고 기능적인 (어디서나 사용하기 쉬운) :
function file_contents_exist($url, $response_code = 200)
{
$headers = get_headers($url);
if (substr($headers[0], 9, 3) == $response_code)
{
return TRUE;
}
else
{
return FALSE;
}
}
예:
$file_path = 'http://www.google.com';
if(file_contents_exist($file_path))
{
$file = file_get_contents($file_path);
}
ynh의 답변에 대해 Orbling이 코멘트한 것처럼 이중 요청을 피하기 위해 답변을 조합할 수 있습니다.애초에 유효한 응답이 있으면 그것을 사용해 주세요.문제가 무엇이었는지 알아내지 못할 경우(필요한 경우.
$urlToGet = 'http://somenotrealurl.com/notrealpage';
$pageDocument = @file_get_contents($urlToGet);
if ($pageDocument === false) {
$headers = get_headers($urlToGet);
$responseCode = substr($headers[0], 9, 3);
// Handle errors based on response code
if ($responseCode == '404') {
//do something, page is missing
}
// Etc.
} else {
// Use $pageDocument, echo or whatever you are doing
}
다음 옵션에 'true_true' => 를 추가할 수 있습니다.
$options = array(
'http' => array(
'ignore_errors' => true,
'header' => "Content-Type: application/json\r\n"
)
);
$context = stream_context_create($options);
$result = file_get_contents('http://example.com', false, $context);
이 경우 서버의 응답을 읽을 수 있습니다.
$url = 'https://www.yourdomain.com';
보통의
function checkOnline($url) {
$headers = get_headers($url);
$code = substr($headers[0], 9, 3);
if ($code == 200) {
return true;
}
return false;
}
if (checkOnline($url)) {
// URL is online, do something..
$getURL = file_get_contents($url);
} else {
// URL is offline, throw an error..
}
프로
if (substr(get_headers($url)[0], 9, 3) == 200) {
// URL is online, do something..
}
Wtf 레벨
(substr(get_headers($url)[0], 9, 3) == 200) ? echo 'Online' : echo 'Offline';
언급URL : https://stackoverflow.com/questions/4358130/file-get-contents-when-url-doesnt-exist
'programing' 카테고리의 다른 글
내용에 따라 iframe 크기 조정 (0) | 2022.09.16 |
---|---|
Tomcat - Catalina_BASE 및 Catalina_HOME 변수 (0) | 2022.09.16 |
Django ORM을 사용하여 두 줄의 테이블을 한 줄로 조합할 수 있는 방법이 있습니까? (0) | 2022.09.16 |
SQL - 대규모 데이터 집합에서 여러 레코드의 최신 정보를 반환합니다. (0) | 2022.09.16 |
구성 요소에서 Vue 더티 상태 트리거 (0) | 2022.09.16 |