我应该如何阅读任何头在PHP?
例如自定义报头:X-Requested-With。
我应该如何阅读任何头在PHP?
例如自定义报头:X-Requested-With。
当前回答
RFC2616 (HTTP/1.1)将报头字段定义为不区分大小写的实体。整个事情,而不仅仅是价值部分。
所以像只解析HTTP_条目这样的建议是错误的。
更好的是这样的:
if (!function_exists('getallheaders')) {
foreach ($_SERVER as $name => $value) {
/* RFC2616 (HTTP/1.1) defines header fields as case-insensitive entities. */
if (strtolower(substr($name, 0, 5)) == 'http_') {
$headers[str_replace(' ', '-', ucwords(strtolower(str_replace('_', ' ', substr($name, 5)))))] = $value;
}
}
$this->request_headers = $headers;
} else {
$this->request_headers = getallheaders();
}
注意与前面建议的细微差别。这里的函数也适用于php-fpm (+nginx)。
其他回答
function getCustomHeaders()
{
$headers = array();
foreach($_SERVER as $key => $value)
{
if(preg_match("/^HTTP_X_/", $key))
$headers[$key] = $value;
}
return $headers;
}
我使用这个函数来获得自定义头,如果头从“HTTP_X_”开始,我们在数组中推送:)
下面的代码为我工作,以获得任何特定的数据提交在头部
foreach (getallheaders() as $name => $value) {
if($name=='Authorization') //here you can search by name
$Authorization= $value ;
}
如果只需要检索一个密钥,例如“主机”地址,那么我们可以使用
apache_request_headers()['Host']
这样我们就可以避免循环并把它内联到echo输出中
从PHP 5.4.0开始,你可以使用getallheaders函数返回所有请求头作为关联数组:
var_dump(getallheaders());
// array(8) {
// ["Accept"]=>
// string(63) "text/html[...]"
// ["Accept-Charset"]=>
// string(31) "ISSO-8859-1[...]"
// ["Accept-Encoding"]=>
// string(17) "gzip,deflate,sdch"
// ["Accept-Language"]=>
// string(14) "en-US,en;q=0.8"
// ["Cache-Control"]=>
// string(9) "max-age=0"
// ["Connection"]=>
// string(10) "keep-alive"
// ["Host"]=>
// string(9) "localhost"
// ["User-Agent"]=>
// string(108) "Mozilla/5.0 (Windows NT 6.1; WOW64) [...]"
// }
在此之前,此函数仅在PHP作为Apache/NSAPI模块运行时有效。
将头名称传递给该函数以获取其值,而不使用for循环。如果头未找到则返回null。
/**
* @var string $headerName case insensitive header name
*
* @return string|null header value or null if not found
*/
function get_header($headerName)
{
$headers = getallheaders();
return isset($headerName) ? $headers[$headerName] : null;
}
注意:这只适用于Apache服务器,参见:http://php.net/manual/en/function.getallheaders.php
注意:这个函数将处理并将所有的头文件加载到内存中,它的性能不如for循环。