PHP 입력 스트림 php://input 예제 explain_php 기술

WBOY
풀어 주다: 2016-05-16 20:02:22
원래의
933명이 탐색했습니다.

php://input에 대한 소개와 관련하여 PHP 공식 매뉴얼 문서에는 이를 명확하게 설명하는 단락이 있습니다.
“php://input을 사용하면 원시 POST 데이터를 읽을 수 있습니다. $HTTP_RAW_POST_DATA에 비해 메모리 사용량이 적고 특별한 php.ini 지시문이 필요하지 않습니다. enctype="다중 부분/양식 데이터".

번역하면 이렇습니다.
"php://input은 처리되지 않은 POST 데이터를 읽을 수 있습니다. $HTTP_RAW_POST_DATA와 비교할 때 메모리에 대한 부담이 적고 특별한 php.ini 설정이 필요하지 않습니다. php:/ /input은 enctype=multipart/form과 함께 사용할 수 없습니다. -데이터”
요약하면 다음과 같습니다.

  • 1) PHP는 Coentent-Type 값이 application/x-www-data-urlencoded 및 multipart/form-data인 경우에만 http 요청 패킷의 해당 데이터를 전역 변수에 채웁니다. 🎜>
  • 2) PHP가 Content-Type 유형을 인식할 수 없는 경우 http 요청 패키지의 해당 데이터가 $HTTP_RAW_POST_DATA 변수에 채워집니다
  • 3) Coentent-Type이 multipart/form-data인 경우에만 PHP는 http 요청 패킷의 해당 데이터를 php://input에 채우지 않습니다. 그렇지 않으면 다른 상황에서도 동일합니다. Coentent-Length로 지정된 패딩 길이입니다.
  • 4) Content-Type이 application/x-www-data-urlencoded인 경우에만 php://input 데이터가 $_POST 데이터와 일치합니다.
  • 5) php://input 데이터는 항상 $HTTP_RAW_POST_DATA와 동일하지만 php://input은 $HTTP_RAW_POST_DATA보다 효율적이며 php.ini에 대한 특별한 설정이 필요하지 않습니다.
  • 6), PHP는 PATH 필드의 query_path 부분을 전역 변수 $_GET에 채웁니다. 일반적으로 GET 메소드로 제출된 http 요청의 본문은 비어 있습니다.
결론적으로 $_POST를 사용하여 APP나 일부 인터페이스에서 콜백 데이터를 가져올 수 없는 경우 php://input을 사용해 보세요

1. xml 데이터 허용

//发送xml数据
$xml = '<xml>xmldata</xml>';//要发送的xml 
$url = 'http://localhost/test/getXML.php';//接收XML地址 
$header = 'Content-type: text/xml';//定义content-type为xml 
$ch = curl_init(); //初始化curl 
curl_setopt($ch, CURLOPT_URL, $url);//设置链接 
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);//设置是否返回信息 
curl_setopt($ch, CURLOPT_HTTPHEADER, $header);//设置HTTP头 
curl_setopt($ch, CURLOPT_POST, 1);//设置为POST方式 
curl_setopt($ch, CURLOPT_POSTFIELDS, $xml);//POST数据 
$response = curl_exec($ch);//接收返回信息 
if(curl_errno($ch)){//出错则显示错误信息 
print curl_error($ch); 
} 
curl_close($ch); //关闭curl链接 
echo $response;//显示返回信息 


// php用file_get_contents("php://input")或者$HTTP_RAW_POST_DATA可以接收xml数据
$xmldata = file_get_contents("php://input"); 
$data = (array)simplexml_load_string($xmldata);

로그인 후 복사

2. 휴대폰에서 서버로 사진을 업로드하는 작은 프로그램
보내기

//@file phpinput_post.php 
$data=file_get_contents('btn.png'); 
$http_entity_body = $data; 
$http_entity_type = 'application/x-www-form-urlencoded'; 
$http_entity_length = strlen($http_entity_body); 
$host = '127.0.0.1'; 
$port = 80; 
$path = '/image.php'; 
$fp = fsockopen($host, $port, $error_no, $error_desc, 30); 
if ($fp){ 
fputs($fp, "POST {$path} HTTP/1.1\r\n"); 
fputs($fp, "Host: {$host}\r\n"); 
fputs($fp, "Content-Type: {$http_entity_type}\r\n"); 
fputs($fp, "Content-Length: {$http_entity_length}\r\n"); 
fputs($fp, "Connection: close\r\n\r\n"); 
fputs($fp, $http_entity_body . "\r\n\r\n"); 

while (!feof($fp)) { 
 $d .= fgets($fp, 4096); 
} 
fclose($fp); 
echo $d; 
}

로그인 후 복사

받기

/**
 *Recieve image data
 **/
error_reporting(E_ALL);

function get_contents() {
 $xmlstr= file_get_contents("php://input");
 $filename=file_put_contentsxmltime().'.png';
 if(($filename,$str)){
 echo 'success';
 }else{
 echo 'failed';
 } 
  }
get_contents();

로그인 후 복사

3: HTTP 요청의 원본 텍스트 가져오기

/**
 * 获取HTTP请求原文
 * @return string
 */
function get_http_raw(){
 $raw = '';
 // (1) 请求行 
 $raw .= $_SERVER['REQUEST_METHOD'] . ' ' . $_SERVER['REQUEST_URI'] . ' ' . $_SERVER['SERVER_PROTOCOL'] . "\r\n";
 // (2) 请求Headers 
 foreach ($_SERVER as $key => $value) {
 if (substr($key , 0 , 5) === 'HTTP_') {
  $key = substr($key , 5);
  $key = str_replace('_' , '-' , $key);
  $raw .= $key . ': ' . $value . "\r\n";
 }
 }
 // (3) 空行 
 $raw .= "\r\n";
 // (4) 请求Body 
 $raw .= file_get_contents('php://input');
 return $raw;
}
로그인 후 복사
위 내용은 PHP 입력 흐름에 대한 세 가지 작은 내용입니다. 모든 사람이 PHP 입력 흐름을 더 정확하게 이해할 수 있도록 돕는 것이 목적입니다.

관련 라벨:
php
원천:php.cn
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿