webman/tests/HttpBase.php

101 lines
3.3 KiB
PHP
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

<?php
namespace Tests;
use GuzzleHttp\Client;
use GuzzleHttp\Exception\RequestException;
class HttpBase
{
// 单例复用 HTTP 客户端
protected static $client = null;
/**
* 获取 Guzzle 客户端(支持动态设置 base_uri
*
* @param string|null $baseUri
* @return Client
*/
protected static function get_client($baseUri = null)
{
if (self::$client === null) {
self::$client = new Client([
'timeout' => 60, // 设置请求超时时间为60秒
'connect_timeout' => 30, // 设置连接超时时间为30秒
'curl' => [
CURLOPT_FRESH_CONNECT => false,
CURLOPT_FORBID_REUSE => false,
],
'headers' => [
'Connection' => 'keep-alive',
'Accept' => 'application/json',
],
'base_uri' => $baseUri ?? 'http://127.0.0.1:8787',
]);
}
return self::$client;
}
/**
* 发送 HTTP 请求 (支持 JSON 和 FORM)
*
* @param array $data 请求数据
* @param string $url 请求地址(不包括 base_uri
* @param string $method 请求方法GET/POST
* @param string|null $baseUri 动态设置 baseUri可选
* @param string $contentType 数据格式json/form
* @param string|null $token 认证 token可选
* @return array|false 响应的 JSON 数据或 false
*/
public static function httpclient($data, $url, $method = 'POST', $baseUri = null, $contentType = 'json', $token = null)
{
$client = self::get_client($baseUri);
try {
$options = [];
// 设置请求头,支持动态传入 token
$headers = [
'Accept' => 'application/json',
];
if ($token) {
// 如果提供了 token则将其加入到 Authorization 头
$headers['Authorization'] = 'Bearer ' . $token;
}
// 添加请求头
$options['headers'] = $headers;
if (strtoupper($method) === 'GET') {
// GET 请求将数据作为查询参数
$options['query'] = $data;
} else {
if ($contentType === 'json') {
// 发送 JSON 格式的数据
$options['json'] = $data;
} elseif ($contentType === 'form') {
// 发送 form-data 格式的数据
$options['form_params'] = $data;
}
}
// 发送请求
$response = $client->request(strtoupper($method), $url, $options);
// 解析 JSON 响应
$body = $response->getBody()->getContents();
return json_decode($body, true);
} catch (RequestException $e) {
// 捕获请求异常
if ($e->hasResponse()) {
$response = $e->getResponse();
$statusCode = $response->getStatusCode(); // 获取 HTTP 状态码
$body = $response->getBody()->getContents(); // 获取响应体
// 这里可以根据需要打印响应信息
}
return $statusCode; // 返回状态码
}
}
}