PHP curl을 사용한HTTP 기본 인증을 사용하여 어떻게 요청합니까?
저는 PHP에서 REST 웹 서비스 클라이언트를 구축하고 있으며, 현재 서비스에 요청을 하기 위해 컬을 사용하고 있습니다.
인증된(http 기본) 요청을 작성하려면 어떻게 컬을 사용해야 합니까?헤더를 직접 추가해야 합니까?
원하는 것은 다음과 같습니다.
curl_setopt($ch, CURLOPT_USERPWD, $username . ":" . $password);
Zend에는 REST 클라이언트와 zend_http_client가 있으며 PEAR에는 래퍼 같은 것이 있을 것입니다.하지만 혼자서도 충분히 쉽게 할 수 있어요.
따라서 전체 요구는 다음과 같습니다.
$ch = curl_init($host);
curl_setopt($ch, CURLOPT_HTTPHEADER, array('Content-Type: application/xml', $additionalHeaders));
curl_setopt($ch, CURLOPT_HEADER, 1);
curl_setopt($ch, CURLOPT_USERPWD, $username . ":" . $password);
curl_setopt($ch, CURLOPT_TIMEOUT, 30);
curl_setopt($ch, CURLOPT_POST, 1);
curl_setopt($ch, CURLOPT_POSTFIELDS, $payloadName);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, TRUE);
$return = curl_exec($ch);
curl_close($ch);
CURLOPT_USERPWD
기본적으로는 Base64 를 송신합니다.user:password
다음과 같이 http 헤더를 가진 문자열:
Authorization: Basic dXNlcjpwYXNzd29yZA==
그 외에는CURLOPT_USERPWD
를 사용할 수도 있습니다.HTTP-Request
header 옵션 및 기타 헤더와 마찬가지로 다음과 같습니다.
$headers = array(
'Content-Type:application/json',
'Authorization: Basic '. base64_encode("user:password") // <---
);
curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
CURL을 직접 사용하는 가장 심플하고 네이티브한 방법입니다.
이것으로 충분합니다.
<?php
$login = 'login';
$password = 'password';
$url = 'http://your.url';
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL,$url);
curl_setopt($ch, CURLOPT_RETURNTRANSFER,1);
curl_setopt($ch, CURLOPT_HTTPAUTH, CURLAUTH_BASIC);
curl_setopt($ch, CURLOPT_USERPWD, "$login:$password");
$result = curl_exec($ch);
curl_close($ch);
echo($result);
CURLOPT_를 지정하기만 하면 됩니다.HTTPAUTH 및 CURLOPT_USERPWD 옵션:
$curlHandler = curl_init();
$userName = 'postman';
$password = 'password';
curl_setopt_array($curlHandler, [
CURLOPT_URL => 'https://postman-echo.com/basic-auth',
CURLOPT_RETURNTRANSFER => true,
CURLOPT_HTTPAUTH => CURLAUTH_BASIC,
CURLOPT_USERPWD => $userName . ':' . $password,
]);
$response = curl_exec($curlHandler);
curl_close($curlHandler);
또는 헤더를 지정합니다.
$curlSecondHandler = curl_init();
curl_setopt_array($curlSecondHandler, [
CURLOPT_URL => 'https://postman-echo.com/basic-auth',
CURLOPT_RETURNTRANSFER => true,
CURLOPT_HTTPHEADER => [
'Authorization: Basic ' . base64_encode($userName . ':' . $password)
],
]);
$response = curl_exec($curlSecondHandler);
curl_close($curlSecondHandler);
Guzzle 예:
use GuzzleHttp\Client;
use GuzzleHttp\RequestOptions;
$userName = 'postman';
$password = 'password';
$httpClient = new Client();
$response = $httpClient->get(
'https://postman-echo.com/basic-auth',
[
RequestOptions::AUTH => [$userName, $password]
]
);
print_r($response->getBody()->getContents());
https://github.com/andriichuk/php-curl-cookbook#basic-auth 를 참조해 주세요.
Basic 메서드의 다른 방법은 다음과 같습니다.
$curl = curl_init();
$public_key = "public_key";
$private_key = "private_key";
curl_setopt_array($curl, array(
CURLOPT_URL => "https://url.endpoint.co/login",
CURLOPT_RETURNTRANSFER => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 0,
CURLOPT_FOLLOWLOCATION => true,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "POST",
CURLOPT_HTTPHEADER => array(
"Content-Type: application/json",
"Authorization: Basic ".base64_encode($public_key.":".$private_key)
),
));
$response = curl_exec($curl);
curl_close($curl);
echo $response;
SOAP와 달리 REST는 표준화된 프로토콜이 아니기 때문에 "REST 클라이언트"를 사용하는 것은 조금 어렵습니다.그러나 대부분의 RESTful 서비스는 HTTP를 기본 프로토콜로 사용하기 때문에 모든 HTTP 라이브러리를 사용할 수 있습니다.cURL 외에 PHP에는 PEAR 경유로 다음과 같은 기능이 있습니다.
그 대신
HTTP Basic Auth를 실행하는 방법의 예시
// This will set credentials for basic auth
$request = new HTTP_Request2('http://user:password@www.example.com/secret/');
는 다이제스트 인증도 지원합니다.
// This will set credentials for Digest auth
$request->setAuth('user', 'password', HTTP_Request2::AUTH_DIGEST);
인증 유형이 Basic auth이고 게시된 데이터가 json인 경우 다음과 같이 하십시오.
<?php
$data = array("username" => "test"); // data u want to post
$data_string = json_encode($data);
$api_key = "your_api_key";
$password = "xxxxxx";
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, "https://xxxxxxxxxxxxxxxxxxxxxxx");
curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, 20);
curl_setopt($ch, CURLOPT_CUSTOMREQUEST, "POST");
curl_setopt($ch, CURLOPT_POST, true);
curl_setopt($ch, CURLOPT_POSTFIELDS, $data_string);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
curl_setopt($ch, CURLOPT_USERPWD, $api_key.':'.$password);
curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false);
curl_setopt($ch, CURLOPT_HTTPAUTH, CURLAUTH_BASIC);
curl_setopt($ch, CURLOPT_HTTPHEADER, array(
'Accept: application/json',
'Content-Type: application/json')
);
if(curl_exec($ch) === false)
{
echo 'Curl error: ' . curl_error($ch);
}
$errors = curl_error($ch);
$result = curl_exec($ch);
$returnCode = (int)curl_getinfo($ch, CURLINFO_HTTP_CODE);
curl_close($ch);
echo $returnCode;
var_dump($errors);
print_r(json_decode($result, true));
컬을 사용하고 싶지 않은 분:
//url
$url = 'some_url';
//Credentials
$client_id = "";
$client_pass= "";
//HTTP options
$opts = array('http' =>
array(
'method' => 'POST',
'header' => array ('Content-type: application/json', 'Authorization: Basic '.base64_encode("$client_id:$client_pass")),
'content' => "some_content"
)
);
//Do request
$context = stream_context_create($opts);
$json = file_get_contents($url, false, $context);
$result = json_decode($json, true);
if(json_last_error() != JSON_ERROR_NONE){
return null;
}
print_r($result);
Yahoo는 PHP를 사용하여 REST 서비스를 호출하는 방법에 대한 튜토리얼을 제공하고 있습니다.
야후를 만들어라!PHP를 사용한 웹 서비스 REST 호출
저도 사용한 적은 없지만, 야후는 야후이기 때문에 적어도 어느 정도의 품질은 보증해야 합니다.하지만 PUT과 DELETE 요청은 다루지 않는 것 같습니다.
또한 curl_exec() 등에 대한 사용자 기여 노트에는 많은 유용한 정보가 포함되어 있습니다.
마이클 다울링의 매우 적극적으로 유지된 거즐이 좋은 방법이다.우아한 인터페이스, 비동기 호출 및 PSR 준거 외에 REST 콜 인증 헤더를 간단하게 할 수 있습니다.
// Create a client with a base URL
$client = new GuzzleHttp\Client(['base_url' => 'http://myservices.io']);
// Send a request to http://myservices.io/status with basic authentication
$response = $client->get('/status', ['auth' => ['username', 'password']]);
문서를 참조해 주세요.
REST 프레임워크는 여러 가지가 있습니다.PHP용 Slim mini Framework에 대해 알아볼 것을 강력히 권장합니다.
여기 다른 사람들의 목록이 있습니다.
언급URL : https://stackoverflow.com/questions/2140419/how-do-i-make-a-request-using-http-basic-authentication-with-php-curl
'programing' 카테고리의 다른 글
목록에 있는 각 항목을 결합하기 위해 문자열로 변환하려면 어떻게 해야 합니다. (0) | 2022.09.15 |
---|---|
Java에는 버퍼 오버플로우가 있습니까? (0) | 2022.09.15 |
MySQL을 "최적 일치"별로 주문 (0) | 2022.09.15 |
문자열이 Unix 타임스탬프인지 확인합니다. (0) | 2022.09.15 |
Vue CLI 3: 정의된 출력 경로 (0) | 2022.09.15 |