82 lines
2.4 KiB
PHP
82 lines
2.4 KiB
PHP
|
<?php
|
||
|
|
||
|
namespace RetailCrm\Http;
|
||
|
|
||
|
use RetailCrm\Exception\CurlException;
|
||
|
use RetailCrm\Response\ApiResponse;
|
||
|
|
||
|
/**
|
||
|
* HTTP client
|
||
|
*/
|
||
|
class Client
|
||
|
{
|
||
|
const METHOD_GET = 'GET';
|
||
|
const METHOD_POST = 'POST';
|
||
|
|
||
|
protected $url;
|
||
|
protected $defaultParameters;
|
||
|
|
||
|
public function __construct($url, array $defaultParameters = array())
|
||
|
{
|
||
|
if (false === stripos($url, 'https://')) {
|
||
|
throw new \InvalidArgumentException('API schema requires HTTPS protocol');
|
||
|
}
|
||
|
|
||
|
$this->url = $url;
|
||
|
$this->defaultParameters = $defaultParameters;
|
||
|
}
|
||
|
|
||
|
/**
|
||
|
* Make HTTP request
|
||
|
*
|
||
|
* @param string $path
|
||
|
* @param string $method (default: 'GET')
|
||
|
* @param array $parameters (default: array())
|
||
|
* @return ApiResponse
|
||
|
*/
|
||
|
public function makeRequest($path, $method, array $parameters = array(), $timeout = 30)
|
||
|
{
|
||
|
$allowedMethods = array(self::METHOD_GET, self::METHOD_POST);
|
||
|
if (!in_array($method, $allowedMethods)) {
|
||
|
throw new \InvalidArgumentException(sprintf(
|
||
|
'Method "%s" is not valid. Allowed methods are %s',
|
||
|
$method,
|
||
|
implode(', ', $allowedMethods)
|
||
|
));
|
||
|
}
|
||
|
|
||
|
$parameters = array_merge($this->defaultParameters, $parameters);
|
||
|
|
||
|
$path = $this->url . $path;
|
||
|
if (self::METHOD_GET === $method && sizeof($parameters)) {
|
||
|
$path .= '?' . http_build_query($parameters);
|
||
|
}
|
||
|
|
||
|
$ch = curl_init();
|
||
|
curl_setopt($ch, CURLOPT_URL, $path);
|
||
|
curl_setopt($ch, CURLOPT_FAILONERROR, FALSE);
|
||
|
// curl_setopt($ch, CURLOPT_FOLLOWLOCATION, 1); // allow redirects
|
||
|
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1); // return into a variable
|
||
|
curl_setopt($ch, CURLOPT_TIMEOUT, (int) $timeout); // times out after 30s
|
||
|
// curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false);
|
||
|
|
||
|
if (self::METHOD_POST === $method) {
|
||
|
curl_setopt($ch, CURLOPT_POST, true);
|
||
|
curl_setopt($ch, CURLOPT_POSTFIELDS, $parameters);
|
||
|
}
|
||
|
|
||
|
$responseBody = curl_exec($ch);
|
||
|
$statusCode = curl_getinfo($ch, CURLINFO_HTTP_CODE);
|
||
|
|
||
|
$errno = curl_errno($ch);
|
||
|
$error = curl_error($ch);
|
||
|
curl_close($ch);
|
||
|
|
||
|
if ($errno) {
|
||
|
throw new CurlException($error, $errno);
|
||
|
}
|
||
|
|
||
|
return new ApiResponse($statusCode, $responseBody);
|
||
|
}
|
||
|
}
|