<?php
$curl = curl_init();
curl_setopt_array($curl, array(
CURLOPT_URL => "",
//return the transfer as a string
CURLOPT_RETURNTRANSFER => true,
//enable headers
CURLOPT_HEADER => true,
//get only headers
CURLOPT_NOBODY => true,
CURLOPT_ENCODING => "",
CURLOPT_MAXREDIRS => 10,
CURLOPT_TIMEOUT => 30,
CURLOPT_HTTP_VERSION => CURL_HTTP_VERSION_1_1,
CURLOPT_CUSTOMREQUEST => "GET",
CURLOPT_HTTPHEADER => array(
"Accept: application/json",
"password: ",
"username: "
),
));
// $response contains the output string
$response = curl_exec($curl);
$err = curl_error($curl);
curl_close($curl);
print_r($response);
?>
我正在尝试获取$ response并截断其中的数据。我的$ response输出为
HTTP/1.1 200 OK Server: Apache-Coyote/1.1 access-token: a3581f021476e4fb406c6b7c79e4095cece5d0c6 token-expiration-hours: 24 Content-Type: application/json Content-Length: 0 Date: Tue, 21 Aug 2018 14:12:27 GMT
我希望$ response只是访问令牌的值 a3581f021476e4fb406c6b7c79e4095cece5d0c6
答案 0 :(得分:1)
一种选择是使用正则表达式查找访问令牌:
preg_match('/access-token: ([^\s]+) /', $response, $matches);
vaR_dump($matches[1]); //a3581f021476e4fb406c6b7c79e4095cece5d0c6
这将匹配字符串access-token
之后的任何字符串,直至任何空格。只需确保访问令牌不是标题中的最后一项,因为可能不会有任何空格...
假设:访问令牌永远不会包含任何空格。
答案 1 :(得分:1)
使用此正则表达式
(?<=access-token: )[a-z0-9]*
可以在'access_token:'之后到下一个空格之间获取所有内容:
<?php
$header = "HTTP/1.1 200 OK Server: Apache-Coyote/1.1 access-token: a3581f021476e4fb406c6b7c79e4095cece5d0c6 token-expiration-hours: 24 Content-Type: application/json Content-Length: 0 Date: Tue, 21 Aug 2018 14:12:27 GMT";
preg_match('/(?<=access-token: )[a-z0-9]*/', $header, $matches);
$access_token = $matches[0];
echo $access_token;
答案 2 :(得分:1)
另一种选择是通过空格爆炸,找到“访问令牌”的键,该值将是数组中的下一个:
$data = explode(' ', $response);
$key = array_search('access-token:', $data); //5
var_dump($data[$key + 1]); //a3581f021476e4fb406c6b7c79e4095cece5d0c6
答案 3 :(得分:0)
使用像Inazo一样的正则表达式,因为它是更好的解决方案,但是您可以:
stdin