개발 꿀팁/PHP

php 헤더로 사용자 정의 데이터 보내기

Jammie 2022. 8. 23. 14:37
반응형

본고에서는 헤더(header)를 통해 커스텀 데이터를 전송하는 방법을 소개한다.요청 전송 시 $_GET/$_POST를 사용하여 데이터를 전송할 수 있을 뿐만 아니라 헤더에 데이터를 넣어 전송할 수도 있습니다.



헤더 보내기:
우리는 token, language, region 세 가지 파라미터를 정의하고 header에 넣어 보낸다

<?php
$url = 'http://www.example.com';
$header = array('token:JxRaZezavm3HXM3d9pWnYiqqQC1SJbsU','language:zh','region:GZ');
$content = array(
        'name' => 'fdipzone'
);

$response = tocurl($url, $header, $content);
$data = json_decode($response, true);

echo 'POST data:';
echo '<pre>';
print_r($data['post']);
echo '</pre>';
echo 'Header data:';
echo '<pre>';
print_r($data['header']);
echo '</pre>';

/**
 * 데이터를 전송하다
 * @param String $url     요청한 주소
 * @param Array  $header  사용자 정의 헤더 데이터
 * @param Array  $content POST 데이터
 * @return String
 */
function tocurl($url, $header, $content){
    $ch = curl_init();
    if(substr($url,0,5)=='https'){
        curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false); // 인증서 검사 건너뛰기
        curl_setopt($ch, CURLOPT_SSL_VERIFYHOST, true);  // 인증서에서 SSL 암호화 알고리즘 확인
    }
    curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
    curl_setopt($ch, CURLOPT_URL, $url);
    curl_setopt($ch, CURLOPT_HTTPHEADER, $header);
    curl_setopt($ch, CURLOPT_POST, true);
    curl_setopt($ch, CURLOPT_POSTFIELDS, http_build_query($content));
    $response = curl_exec($ch);
    if($error=curl_error($ch)){
        die($error);
    }
    curl_close($ch);
    return $response;
}
?>

헤더 받
저희는 $_SE에서RVER에서 header 데이터를 얻고, 커스텀 데이터는 모두 HTTP_를 접두사로 사용하기 때문에 HTTP_프리픽스의 데이터를 읽어낼 수 있다

<?php
$post_data = $_POST;
$header = get_all_headers();

$ret = array();
$ret['post'] = $post_data;
$ret['header'] = $header;

header('content-type:application/json;charset=utf8');
echo json_encode($ret, JSON_UNESCAPED_UNICODE|JSON_PRETTY_PRINT);

/**
 * 사용자 정의 헤더 데이터 가져오기
 */
function get_all_headers(){

    // 가져온 헤더 데이터 무시
    $ignore = array('host','accept','content-length','content-type');

    $headers = array();

    foreach($_SERVER as $key=>$value){
        if(substr($key, 0, 5)==='HTTP_'){
            $key = substr($key, 5);
            $key = str_replace('_', ' ', $key);
            $key = str_replace(' ', '-', $key);
            $key = strtolower($key);

            if(!in_array($key, $ignore)){
                $headers[$key] = $value;
            }
        }
    }

    return $headers;

}
?>

출력:

POST data:
Array
(
    [name] => fdipzone
)
Header data:
Array
(
    [token] => JxRaZezavm3HXM3d9pWnYiqqQC1SJbsU
    [language] => zh
    [region] => GZ
)
반응형