1
0
Fork 0
mirror of synced 2025-04-04 06:13:41 +03:00

Compare commits

...

28 commits

Author SHA1 Message Date
Uryvskiy Dima
3c316cfae9
Added support for POST /api/v5/store/products/api/v5/customers/{externalId}/subscriptions 2024-09-26 10:23:40 +03:00
Ivan Chaplygin
b7ce7fafd4 update validation parameter 2024-09-26 10:19:25 +03:00
Ivan Chaplygin
eb55d769b6 fix path 2024-09-25 16:33:46 +03:00
Ivan Chaplygin
21c0a3eac5 fix path 2024-09-25 16:33:21 +03:00
Ivan Chaplygin
aff95ec791 support /api/v5/customers/{externalId}/subscriptions method 2024-09-25 15:29:03 +03:00
Uryvskiy Dima
e72d179f35
Fix for method to create links between orders (#199) 2024-08-05 09:23:18 +03:00
Uryvskiy Dima
8ea13cbbcb
Add a method to create links between orders (#198) 2024-08-02 15:25:37 +03:00
GrishaginEvgeny
cbf5237689
PHP 8.3 support (#193) 2024-07-03 18:14:17 +03:00
curse89
dbf4c9267a
Add method to get of currencies list (#182) 2023-11-27 15:06:47 +03:00
azgalot
140e48e6e9
add ordersLoyaltyApply method (#169) 2023-06-21 12:57:37 +03:00
curse89
2efa527817
Add Loyalty methods (#165)
Loyalty API
2023-05-05 09:54:42 +03:00
Andrey
1901f1a81d
Merge pull request #163 from oxy-coach/v5
Add logger for request/response logging to http client
2023-04-06 12:38:51 +03:00
Vladimir Kolchin
27dab93cf5 small change for response logging 2023-04-06 11:43:05 +03:00
Vladimir Kolchin
b4ec498f32 add logger and request/response logging for http client 2023-04-06 11:21:04 +03:00
curse89
5b91648590
Add notifications section (#159) 2023-03-09 09:58:39 +03:00
e973d605f4
add update-scopes method 2023-01-20 12:53:14 +03:00
Vladimir Kolchin
069987b32d add test for update-scopes method 2023-01-20 10:37:23 +01:00
Vladimir Kolchin
a95ec22823 check code parameter in update-scopes method 2023-01-20 08:40:15 +01:00
Vladimir Kolchin
f3db3fdb63 add update-scopes method 2023-01-20 08:31:25 +01:00
00ec04ec6a
add api/system-info method 2023-01-13 11:13:28 +03:00
Vladimir Kolchin
649c1a38ff fixed comment 2023-01-13 08:36:14 +01:00
Vladimir Kolchin
6927b38336 add system-info method 2023-01-13 08:29:11 +01:00
Alex Lushpai
a2e1eb8dd6
fix #101 2021-06-02 17:05:08 +03:00
Alex Lushpai
9fc83d3b8f merge master 2021-06-02 16:58:22 +03:00
Alex Lushpai
f181c9d063 sync with master 2017-06-22 00:57:44 +03:00
Alex Lushpai
ec69557ea7 fix ordersPaymentEdit (#39) 2017-06-13 10:54:20 +03:00
Alex Lushpai
eb69ee503a update readme (#38) 2017-06-13 00:04:52 +03:00
Alex Lushpai
fdd7c3d4c8 V5 (#37)
* update tests
* update version to 5.0.0, combine methods for orders & customer, update status method for users, custom fields|dictionaries & task methods, segments & product groups list methods, orders payments
2017-06-12 23:58:56 +03:00
34 changed files with 3500 additions and 9 deletions

View file

@ -20,7 +20,7 @@ jobs:
runs-on: ubuntu-latest
strategy:
matrix:
php-version: ['7.0', '7.1', '7.2', '7.3', '7.4']
php-version: ['7.0', '7.1', '7.2', '7.3', '7.4', '8.0', '8.1', '8.2', '8.3']
steps:
- uses: actions/checkout@v2
- name: Setup PHP ${{ matrix.php-version }}

6
.gitignore vendored
View file

@ -12,3 +12,9 @@ phpunit.xml
.project
.swp
/nbproject
.docker
docker-compose*.yml
.php_cs*
.phpunit*
.env*
!*.dist

View file

@ -15,10 +15,11 @@
"php": ">=5.4.0",
"ext-curl": "*",
"ext-json": "*",
"ext-fileinfo": "*"
"ext-fileinfo": "*",
"symfony/dotenv": "3.4.*|6.4.*"
},
"require-dev": {
"phpunit/phpunit": "6.*",
"phpunit/phpunit": "6.*|8.*",
"squizlabs/php_codesniffer": "3.*"
},
"support": {

View file

@ -11,6 +11,7 @@
namespace RetailCrm;
use Psr\Log\LoggerInterface;
use RetailCrm\Client\ApiVersion3;
use RetailCrm\Client\ApiVersion4;
use RetailCrm\Client\ApiVersion5;
@ -67,4 +68,14 @@ class ApiClient
{
return $this->version;
}
/**
* Set logger
*
* @param LoggerInterface|null $logger
*/
public function setLogger($logger = null)
{
$this->request->setLogger($logger);
}
}

View file

@ -11,6 +11,7 @@
namespace RetailCrm\Client;
use Psr\Log\LoggerInterface;
use RetailCrm\Http\Client;
use RetailCrm\Http\RequestOptions;
@ -113,6 +114,82 @@ abstract class AbstractLoader
return true;
}
/**
* Check ID type
*
* @param int $id
*
* @throws \InvalidArgumentException
*
* @return void
*/
protected function checkId($id)
{
if (!is_int($id)) {
throw new \InvalidArgumentException(
'Parameter `id` must be integer'
);
}
}
/**
* Check pagination input parameters
*
* @param int $limit
* @param int $page
*
* @throws \InvalidArgumentException
*
* @return void
*/
protected function checkPaginationParameters($limit, $page)
{
$this->checkPaginationLimit($limit);
if (!is_int($page) || 1 > $page) {
throw new \InvalidArgumentException(
'Parameter `page` must be an integer and must be greater than 0'
);
}
}
/**
* Check pagination input parameter `limit`
*
* @param int $limit
*
* @throws \InvalidArgumentException
*
* @return void
*/
protected function checkPaginationLimit($limit)
{
$allowedLimits = [20, 50, 100];
if (!is_int($limit) || !in_array($limit, $allowedLimits, true)) {
throw new \InvalidArgumentException(
'Parameter `limit` must be an integer and contain one of the values [20, 50, 100]'
);
}
}
/**
* Check input parameter `site`
*
* @param string $site
*
* @throws \InvalidArgumentException
*
* @return void
*/
protected function checkSite($site)
{
if (!is_string($site) || '' === $site) {
throw new \InvalidArgumentException(
'Parameter `site` must contains a data'
);
}
}
/**
* Fill params by site value
*
@ -142,6 +219,16 @@ abstract class AbstractLoader
return $this->siteCode;
}
/**
* Set logger
*
* @param LoggerInterface|null $logger
*/
public function setLogger($logger)
{
$this->client->setLogger($logger);
}
/**
* Getting the list of available api versions
*
@ -171,4 +258,19 @@ abstract class AbstractLoader
true
);
}
/**
* Getting the system version, public and technical urls
*
* @return \RetailCrm\Response\ApiResponse
*/
public function systemInfo()
{
return $this->client->makeRequest(
$this->crmUrl . 'api/system-info',
"GET",
[],
true
);
}
}

View file

@ -44,6 +44,7 @@ class ApiVersion5 extends AbstractLoader
use V5\Delivery;
use V5\Files;
use V5\Module;
use V5\Notifications;
use V5\Orders;
use V5\Packs;
use V5\References;
@ -55,4 +56,5 @@ class ApiVersion5 extends AbstractLoader
use V5\Telephony;
use V5\Users;
use V5\IntegrationPayments;
use V5\Loyalty;
}

View file

@ -11,6 +11,7 @@
namespace RetailCrm\Http;
use Psr\Log\LoggerInterface;
use RetailCrm\Exception\CurlException;
use RetailCrm\Exception\InvalidJsonException;
use RetailCrm\Exception\LimitException;
@ -34,6 +35,11 @@ class Client
protected $defaultParameters;
protected $options;
/**
* @var LoggerInterface|null $logger
*/
protected $logger;
/**
* Client constructor.
*
@ -116,6 +122,8 @@ class Client
curl_setopt($curlHandler, CURLOPT_HTTPHEADER, $this->options->getHttpHeaders());
}
$this->logRequest($url, $method, $parameters);
if (self::METHOD_POST === $method) {
curl_setopt($curlHandler, CURLOPT_POST, true);
@ -128,6 +136,8 @@ class Client
list($statusCode, $responseBody) = $this->checkResponse($curlHandler, $method);
$this->logResponse($responseBody, $statusCode);
return new ApiResponse($statusCode, $responseBody);
}
@ -166,6 +176,16 @@ class Client
$this->options = $options;
}
/**
* Set logger
*
* @param LoggerInterface|null $logger
*/
public function setLogger($logger = null)
{
$this->logger = $logger;
}
/**
* @param $curlHandler
* @param $method
@ -200,4 +220,39 @@ class Client
return [$statusCode, $responseBody];
}
/**
* @param string $url
* @param string $method
* @param array $params
*/
private function logRequest($url, $method, $params)
{
if (null === $this->logger) {
return;
}
$message = 'Send request: ' . $method . ' ' . $url;
if (!empty($params)) {
$message .= ' with params: ' . json_encode($params);
}
$this->logger->info($message);
}
/**
* @param string $responseBody
* @param int $statusCode
*/
private function logResponse($responseBody, $statusCode)
{
if (null === $this->logger) {
return;
}
$message = 'Response with code ' . $statusCode . ' received with body: ' . $responseBody;
$this->logger->info($message);
}
}

View file

@ -201,7 +201,7 @@ trait Costs
*/
public function costsDeleteById($id)
{
if (!empty($id)) {
if (empty($id)) {
throw new \InvalidArgumentException(
'Parameter `id` must contains a data'
);

View file

@ -141,4 +141,45 @@ trait Customers
"POST"
);
}
/**
* Update subscriptions a customer
*
* @param array $subscriptions subscriptions data
* @param integer $customerId identifier customer
* @param string $by (default: 'externalId')
* @param string|null $site (default: null)
*
* @throws \InvalidArgumentException
* @throws \RetailCrm\Exception\InvalidJsonException
* @throws \RetailCrm\Exception\CurlException
*
* @return \RetailCrm\Response\ApiResponse
*/
public function customerSubscriptionsUpdate(array $subscriptions, $customerId, $by = 'externalId', $site = null)
{
if (!count($subscriptions)) {
throw new \InvalidArgumentException(
'Parameter `subscriptions` must contains a data'
);
}
if ($customerId === null || $customerId === '') {
throw new \InvalidArgumentException(
'Parameter `customerId` is empty'
);
}
$this->checkIdParameter($by);
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
sprintf('/customers/%s/subscriptions', $customerId),
'POST',
$this->fillSite(
$site,
['subscriptions' => json_encode($subscriptions), 'by' => $by]
)
);
}
}

View file

@ -0,0 +1,399 @@
<?php
namespace RetailCrm\Methods\V5;
use InvalidArgumentException;
use RetailCrm\Response\ApiResponse;
trait Loyalty
{
/**
* Create Account
*
* @param array $loyaltyAccount
* @param string $site
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountCreate(array $loyaltyAccount, $site)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkSite($site);
if (empty($loyaltyAccount['phoneNumber']) && empty($loyaltyAccount['cardNumber'])) {
throw new InvalidArgumentException(
'One of the parameters must be filled: `phoneNumber` or `cardNumber`'
);
}
if (empty($loyaltyAccount['customer'])) {
throw new InvalidArgumentException(
'Parameter `customer` must contains a data'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/loyalty/account/create',
'POST',
$this->fillSite(
$site,
['loyaltyAccount' => json_encode($loyaltyAccount)]
)
);
}
/**
* Get Account info
*
* @param int $id
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountGet($id)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id",
'GET'
);
}
/**
* Activate Account
*
* @param int $id
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountActivate($id)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id/activate",
'POST'
);
}
/**
* Write off Bonuses for participation in the loyalty program
*
* @param int $id
* @param array $bonus
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function bonusCharge($id, array $bonus)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
if (empty($bonus['amount'])) {
throw new InvalidArgumentException(
'Parameter `amount` must contains a data or must be greater than 0'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id/bonus/charge",
'POST',
$bonus
);
}
/**
* Accrue Bonuses for participation in the loyalty program
*
* @param int $id
* @param array $bonus
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function bonusCredit($id, array $bonus)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
if (empty($bonus['amount'])) {
throw new InvalidArgumentException(
'Parameter `amount` must contains a data or must be greater than 0'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id/bonus/credit",
'POST',
$bonus
);
}
/**
* Get a Bonus account history to participate in the loyalty program
*
* @param int $id
* @param array $filter
* @param int $limit
* @param int $page
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountBonusOperationsGet($id, array $filter = [], $limit = 20, $page = 1)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
/* @noinspection PhpUndefinedMethodInspection */
$this->checkPaginationParameters($limit, $page);
$parameters = [
'limit' => $limit,
'page' => $page,
];
if (!empty($filter)) {
$parameters['filter'] = $filter;
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id/bonus/operations",
'GET',
$parameters
);
}
/**
* Get detailed information about Bonuses
*
* @param int $id
* @param string $status
* @param array $filter
* @param int $limit
* @param int $page
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountBonusDetailsGet($id, $status, array $filter = [], $limit = 20, $page = 1)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
/* @noinspection PhpUndefinedMethodInspection */
$this->checkPaginationParameters($limit, $page);
$allowedStatuses = [
'waiting_activation',
'burn_soon',
];
if (!in_array($status, $allowedStatuses, true)) {
throw new InvalidArgumentException(
'Parameter `status` must take one of the values [`waiting_activation`,`burn_soon`]'
);
}
$parameters = [
'limit' => $limit,
'page' => $page,
];
if (!empty($filter)) {
$parameters['filter'] = $filter;
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id/bonus/$status/details",
'GET',
$parameters
);
}
/**
* Editing participation in the loyalty program
*
* @param int $id
* @param array $loyaltyAccount
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountEdit($id, array $loyaltyAccount)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
if (empty($loyaltyAccount)) {
throw new InvalidArgumentException(
'Parameter `loyaltyAccount` must contains a data'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/account/$id/edit",
'POST',
['loyaltyAccount' => \json_encode($loyaltyAccount)]
);
}
/**
* Get Accounts info
*
* @param array $filter
* @param int $limit
* @param int $page
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function accountsGet(array $filter = [], $limit = 20, $page = 1)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkPaginationParameters($limit, $page);
$parameters = [
'limit' => $limit,
'page' => $page,
];
if (!empty($filter)) {
$parameters['filter'] = $filter;
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/loyalty/accounts',
'GET',
$parameters
);
}
/**
* Get the Bonus account history for all participants in all loyalty programs
*
* @param array $filter
* @param int $limit
* @param string|null $cursor
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function bonusOperationsGet($cursor, array $filter = [], $limit = 20)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkPaginationLimit($limit);
$parameters = [
'limit' => $limit,
];
if (!empty($filter)) {
$parameters['filter'] = $filter;
}
if (!empty($cursor)) {
$parameters['cursor'] = $cursor;
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/loyalty/bonus/operations',
'GET',
$parameters
);
}
/**
* Calculate the maximum customer discount
*
* @param string $site
* @param array $order
* @param int|null $bonuses
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function calculate($site, array $order, $bonuses)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkSite($site);
if (empty($order)) {
throw new InvalidArgumentException(
'Parameter `order` must contains a data'
);
}
if (null !== $bonuses && !is_int($bonuses) && !is_float($bonuses)) {
throw new InvalidArgumentException(
'Parameter `bonuses` must be an integer or float'
);
}
$data = $this->fillSite($site, ['order' => \json_encode($order)]);
if (null !== $bonuses) {
$data['bonuses'] = $bonuses;
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/loyalty/calculate',
'POST',
$data
);
}
/**
* Get a list of loyalty programs
*
* @param array $filter
* @param int $limit
* @param int $page
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function loyaltiesGet(array $filter = [], $limit = 20, $page = 1)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkPaginationParameters($limit, $page);
$parameters = [
'limit' => $limit,
'page' => $page,
];
if (!empty($filter)) {
$parameters['filter'] = $filter;
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/loyalty/loyalties',
'GET',
$parameters
);
}
/**
* Get information about the loyalty program
*
* @param int $id
*
* @return ApiResponse
* @throws InvalidArgumentException
*/
public function loyaltyGet($id)
{
/* @noinspection PhpUndefinedMethodInspection */
$this->checkId($id);
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/loyalty/loyalties/$id",
'GET'
);
}
}

View file

@ -73,4 +73,38 @@ trait Module
['integrationModule' => json_encode($configuration)]
);
}
/**
* Update scopes
*
* @param string $code
* @param array $requires
*
* @throws \RetailCrm\Exception\InvalidJsonException
* @throws \RetailCrm\Exception\CurlException
* @throws \InvalidArgumentException
*
* @return \RetailCrm\Response\ApiResponse
*/
public function integrationModulesUpdateScopes($code, array $requires)
{
if (empty($code)) {
throw new \InvalidArgumentException(
'Parameter `code` must be set'
);
}
if (!count($requires) || empty($requires['scopes'])) {
throw new \InvalidArgumentException(
'Parameter `requires` must contains a data & configuration `scopes` must be set'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
sprintf('/integration-modules/%s/update-scopes', $code),
"POST",
['requires' => json_encode($requires)]
);
}
}

View file

@ -0,0 +1,47 @@
<?php
namespace RetailCrm\Methods\V5;
use RetailCrm\Response\ApiResponse;
trait Notifications
{
protected static $allowedTypes = ['api.info', 'api.error'];
/**
* @return ApiResponse
*/
public function sendNotification(array $notification)
{
if (empty($notification['type']) || !in_array($notification['type'], self::$allowedTypes, true)) {
throw new \InvalidArgumentException(
'Parameter `type` must be not empty & must be equal one of these values: api.info|api.error'
);
}
if (empty($notification['message'])) {
throw new \InvalidArgumentException(
'Parameter `message` should not be blank'
);
}
if (empty($notification['userGroups']) && empty($notification['userIds'])) {
throw new \InvalidArgumentException(
'One of the parameters must be filled: `userGroups` or `userIds`'
);
}
if (!empty($notification['userGroups']) && !empty($notification['userIds'])) {
throw new \InvalidArgumentException(
'Only one of the two fields must be set: `userIds`, `userGroups`'
);
}
/** @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
"/notifications/send",
"POST",
['notification' => \json_encode($notification, JSON_UNESCAPED_SLASHES)]
);
}
}

View file

@ -12,6 +12,7 @@
namespace RetailCrm\Methods\V5;
use RetailCrm\Methods\V4\Orders as Previous;
use RetailCrm\Response\ApiResponse;
/**
* PHP version 5.4
@ -32,7 +33,7 @@ trait Orders
* @param array $resultOrder result order
* @param string $technique combining technique
*
* @return \RetailCrm\Response\ApiResponse
* @return ApiResponse
*/
public function ordersCombine($order, $resultOrder, $technique = 'ours')
{
@ -72,7 +73,7 @@ trait Orders
* @throws \RetailCrm\Exception\CurlException
* @throws \RetailCrm\Exception\InvalidJsonException
*
* @return \RetailCrm\Response\ApiResponse
* @return ApiResponse
*/
public function ordersPaymentCreate(array $payment, $site = null)
{
@ -100,7 +101,7 @@ trait Orders
* @param string $by by key
* @param null $site site code
*
* @return \RetailCrm\Response\ApiResponse
* @return ApiResponse
*/
public function ordersPaymentEdit(array $payment, $by = 'id', $site = null)
{
@ -134,7 +135,7 @@ trait Orders
*
* @param string $id payment id
*
* @return \RetailCrm\Response\ApiResponse
* @return ApiResponse
*/
public function ordersPaymentDelete($id)
{
@ -150,4 +151,78 @@ trait Orders
"POST"
);
}
/**
* Application of loyalty program bonuses
*
* @param array $payment order data
* @param float $bonuses bonuses count
* @param null $site site code
*
* @throws \InvalidArgumentException
* @throws \RetailCrm\Exception\CurlException
* @throws \RetailCrm\Exception\InvalidJsonException
*
* @return ApiResponse
*/
public function ordersLoyaltyApply(array $order, float $bonuses, $site = null)
{
if (!count($order)) {
throw new \InvalidArgumentException(
'Parameter `order` must contains a data'
);
}
if (empty($order['id']) && empty($order['externalId'])) {
throw new \InvalidArgumentException(
'Parameter `order` must contain an identifier: `id` or `externalId`'
);
}
if (empty($bonuses)) {
throw new \InvalidArgumentException(
'Specify a different amount of bonuses'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/orders/loyalty/apply',
"POST",
$this->fillSite(
$site,
[
'order' => json_encode($order),
'bonuses' => $bonuses,
]
)
);
}
/**
* Create links between orders
*
* @param array $links links data
* @param null $site site code
*
* @return ApiResponse
*/
public function ordersLinksCreate(array $links, $site = null)
{
if (!count($links)) {
throw new \InvalidArgumentException(
'Parameters `links` must contains a data'
);
}
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/orders/links/create',
'POST',
$this->fillSite(
$site,
['link' => json_encode($links)]
)
);
}
}

View file

@ -284,4 +284,22 @@ trait References
['unit' => json_encode($unit)]
);
}
/**
* Get a list of currencies
*
* @throws \InvalidArgumentException
* @throws \RetailCrm\Exception\CurlException
* @throws \RetailCrm\Exception\InvalidJsonException
*
* @return \RetailCrm\Response\ApiResponse
*/
public function currenciesList()
{
/* @noinspection PhpUndefinedMethodInspection */
return $this->client->makeRequest(
'/reference/currencies',
"GET"
);
}
}

View file

@ -171,6 +171,7 @@ class ApiResponse implements \ArrayAccess
* @throws \BadMethodCallException
* @return void
*/
#[\ReturnTypeWillChange]
public function offsetSet($offset, $value)
{
throw new \BadMethodCallException('This activity not allowed');
@ -184,6 +185,7 @@ class ApiResponse implements \ArrayAccess
* @throws \BadMethodCallException
* @return void
*/
#[\ReturnTypeWillChange]
public function offsetUnset($offset)
{
throw new \BadMethodCallException('This call not allowed');
@ -196,6 +198,7 @@ class ApiResponse implements \ArrayAccess
*
* @return bool
*/
#[\ReturnTypeWillChange]
public function offsetExists($offset)
{
return isset($this->response[$offset]);
@ -210,6 +213,7 @@ class ApiResponse implements \ArrayAccess
*
* @return mixed
*/
#[\ReturnTypeWillChange]
public function offsetGet($offset)
{
if (!isset($this->response[$offset])) {

5
tests/.env.dist Normal file
View file

@ -0,0 +1,5 @@
RETAILCRM_URL=
RETAILCRM_KEY=
RETAILCRM_VERSION=
RETAILCRM_SITE=
RETAILCRM_USER=

View file

@ -0,0 +1,338 @@
<?php
/**
* PHP version 5.3
*
* API client customers test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
use function var_dump;
/**
* Class ApiClientCustomersTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientCustomersTest extends TestCase
{
const FIRST_NAME = 'Иннокентий';
/**
* @group customers
*/
public function testCustomersCreate()
{
$client = static::getApiClient();
$externalId = 'c-create-' . time();
$response = $client->request->customersCreate(array(
'firstName' => self::FIRST_NAME,
'externalId' => $externalId,
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(201, $response->getStatusCode());
static::assertTrue(is_int($response['id']));
return array(
'id' => $response['id'],
'externalId' => $externalId,
);
}
/**
* @group customers
* @expectedException \InvalidArgumentException
*/
public function testCreateExceptionEmpty()
{
$client = static::getApiClient();
$client->request->customersCreate(array());
}
/**
* @group customers
* @depends testCustomersCreate
*
* @param array $ids
*
* @return array
*/
public function testCustomersGet(array $ids)
{
$client = static::getApiClient();
$response = $client->request->customersGet(678678678);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(404, $response->getStatusCode());
static::assertFalse($response->isSuccessful());
$response = $client->request->customersGet($ids['id'], 'id');
$customerById = $response['customer'];
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
static::assertEquals(self::FIRST_NAME, $response['customer']['firstName']);
$response = $client->request->customersGet($ids['externalId'], 'externalId');
static::assertEquals($customerById['id'], $response['customer']['id']);
return $ids;
}
/**
* @group customers
* @expectedException \InvalidArgumentException
*/
public function testCustomersGetException()
{
$client = static::getApiClient();
$client->request->customersGet(678678678, 'asdf');
}
/**
* @group customers
* @depends testCustomersGet
*
* @param array $ids
*/
public function testCustomersEdit(array $ids)
{
$client = static::getApiClient();
$response = $client->request->customersEdit(
array(
'id' => 22342134,
'lastName' => '12345',
),
'id'
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(404, $response->getStatusCode());
$response = $client->request->customersEdit(array(
'externalId' => $ids['externalId'],
'lastName' => '12345',
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group customers
* @expectedException \InvalidArgumentException
*/
public function testCustomersEditExceptionEmpty()
{
$client = static::getApiClient();
$client->request->customersEdit(array(), 'asdf');
}
/**
* @group customers
* @expectedException \InvalidArgumentException
*/
public function testCustomersEditException()
{
$client = static::getApiClient();
$client->request->customersEdit(array('id' => 678678678), 'asdf');
}
/**
* @group customers
*/
public function testCustomersList()
{
$client = static::getApiClient();
$response = $client->request->customersList();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue($response->isSuccessful());
static::assertTrue(isset($response['customers']));
$response = $client->request->customersList(array(), 1, 300);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertFalse(
$response->isSuccessful(),
'Pagination error'
);
$response = $client->request->customersList(array('maxOrdersCount' => 10), 1);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(
$response->isSuccessful(),
'API returns customers list'
);
}
/**
* @group customers
* @expectedException \InvalidArgumentException
*/
public function testCustomersFixExternalIdsException()
{
$client = static::getApiClient();
$client->request->customersFixExternalIds(array());
}
/**
* @group customers
*/
public function testCustomersFixExternalIds()
{
$client = static::getApiClient();
$response = $client->request->ordersCreate(array(
'firstName' => 'Aaa111',
));
static::assertTrue(
$response->isSuccessful(),
'Order created'
);
$response = $client->request->ordersGet($response['id'], 'id');
static::assertTrue(
$response->isSuccessful(),
'Order fetched'
);
$id = $response['order']['customer']['id'];
$externalId = 'asdf' . time();
$response = $client->request->customersFixExternalIds(array(
array('id' => $id, 'externalId' => $externalId)
));
static::assertTrue(
$response->isSuccessful(),
'Fixed customer ids'
);
$response = $client->request->customersGet($externalId);
static::assertTrue(
$response->isSuccessful(),
'Got customer'
);
static::assertEquals(
$id,
$response['customer']['id'],
'Fixing of customer ids were right'
);
static::assertEquals(
$externalId,
$response['customer']['externalId'],
'Fixing of customer ids were right'
);
}
/**
* @group customers
* @expectedException \InvalidArgumentException
*/
public function testCustomersUploadExceptionEmpty()
{
$client = static::getApiClient();
$client->request->customersUpload(array());
}
/**
* @group customers
*/
public function testCustomersUpload()
{
$client = static::getApiClient();
$externalIdA = 'upload-a-' . time();
$externalIdB = 'upload-b-' . time();
$response = $client->request->customersUpload(array(
array(
'externalId' => $externalIdA,
'firstName' => 'Aaa',
),
array(
'externalId' => $externalIdB,
'lastName' => 'Bbb',
),
));
static::assertTrue(
$response->isSuccessful(),
'Got customer'
);
static::assertEquals(
$externalIdA,
$response['uploadedCustomers'][0]['externalId']
);
static::assertEquals(
$externalIdB,
$response['uploadedCustomers'][1]['externalId']
);
}
/**
* @group customers
*/
public function testCustomersCombine()
{
$client = static::getApiClient();
$responseCreateFirst = $client->request->customersCreate(array(
'firstName' => 'Aaa111',
'externalId' => 'AA-' . time(),
'phones' => array(
array(
'number' => '+79999999990'
)
)
));
static::assertTrue(
$responseCreateFirst->isSuccessful(),
'Got customer'
);
$responseCreateSecond = $client->request->customersCreate(array(
'firstName' => 'Aaa222',
'externalId' => 'BB-' . time(),
'phones' => array(
array(
'number' => '+79999999991'
)
)
));
static::assertTrue(
$responseCreateSecond->isSuccessful(),
'Got customer'
);
$customers = array(
array('id' => $responseCreateFirst['id'])
);
$resultCustomer = array('id' => $responseCreateSecond['id']);
$response = $client->request->customersCombine($customers, $resultCustomer);
static::assertTrue(
$response->isSuccessful(),
'Customers combined'
);
}
}

View file

@ -0,0 +1,49 @@
<?php
/**
* PHP version 5.3
*
* API client marketplace test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientMarketplaceTest
*
* @package RetailCrm\Tests
*/
class ApiClientMarketplaceTest extends TestCase
{
const SNAME = 'Marketplace integration';
const SCODE = 'integration';
/**
* @group marketplace
*/
public function testConfigurationEdit()
{
$client = static::getApiClient();
$response = $client->marketplaceSettingsEdit(
array(
'name' => self::SNAME,
'code' => self::SCODE,
'logo' => 'http://download.retailcrm.pro/logos/setup.svg',
'active' => 'true'
)
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
static::assertTrue($response->isSuccessful());
}
}

View file

@ -0,0 +1,420 @@
<?php
/**
* PHP version 5.3
*
* API client orders test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientOrdersTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientOrdersTest extends TestCase
{
const FIRST_NAME = 'Иннокентий';
/**
* @group orders
*/
public function testOrdersCreate()
{
$client = static::getApiClient();
$externalId = 'o-create-' . time();
$response = $client->ordersCreate(array(
'firstName' => self::FIRST_NAME,
'externalId' => $externalId,
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(201, $response->getStatusCode());
static::assertTrue(is_int($response['id']));
return array(
'id' => $response['id'],
'externalId' => $externalId,
);
}
/**
* @group orders
* @expectedException \InvalidArgumentException
*/
public function testOrdersCreateExceptionEmpty()
{
$client = static::getApiClient();
$client->ordersCreate(array());
}
/**
* @group orders
* @depends testOrdersCreate
*
* @param array $ids
*/
public function testOrdersStatuses(array $ids)
{
$client = static::getApiClient();
$response = $client->ordersStatuses();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(400, $response->getStatusCode());
static::assertFalse($response->isSuccessful());
$response = $client->ordersStatuses(array(), array('asdf'));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
$orders = $response['orders'];
static::assertEquals(0, sizeof($orders));
$response = $client->ordersStatuses(array(), array($ids['externalId']));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
$orders = $response['orders'];
static::assertEquals(1, sizeof($orders));
static::assertEquals('new', $orders[0]['status']);
$response = $client->ordersStatuses(array($ids['id']), array($ids['externalId']));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
$orders = $response['orders'];
static::assertEquals(1, sizeof($orders));
$response = $client->ordersStatuses(array($ids['id']));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
$orders = $response['orders'];
static::assertEquals(1, sizeof($orders));
}
/**
* @group orders
* @depends testOrdersCreate
*
* @param array $ids
*
* @return array
*/
public function testOrdersGet(array $ids)
{
$client = static::getApiClient();
$response = $client->ordersGet(678678678);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(404, $response->getStatusCode());
static::assertFalse($response->isSuccessful());
$response = $client->ordersGet($ids['id'], 'id');
$orderById = $response['order'];
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
static::assertEquals(self::FIRST_NAME, $response['order']['firstName']);
$response = $client->ordersGet($ids['externalId'], 'externalId');
static::assertEquals($orderById['id'], $response['order']['id']);
return $ids;
}
/**
* @group orders
* @expectedException \InvalidArgumentException
*/
public function testOrdersGetException()
{
$client = static::getApiClient();
$client->ordersGet(678678678, 'asdf');
}
/**
* @group orders
* @depends testOrdersGet
*
* @param array $ids
*/
public function testOrdersEdit(array $ids)
{
$client = static::getApiClient();
$response = $client->ordersEdit(
array(
'id' => 22342134,
'lastName' => '12345',
),
'id'
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(404, $response->getStatusCode());
$response = $client->ordersEdit(array(
'externalId' => $ids['externalId'],
'lastName' => '12345',
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group orders
* @expectedException \InvalidArgumentException
*/
public function testOrdersEditExceptionEmpty()
{
$client = static::getApiClient();
$client->ordersEdit(array(), 'asdf');
}
/**
* @group orders
* @expectedException \InvalidArgumentException
*/
public function testOrdersEditException()
{
$client = static::getApiClient();
$client->ordersEdit(array('id' => 678678678), 'asdf');
}
/**
* @group orders
*/
public function testOrdersHistory()
{
$client = static::getApiClient();
$response = $client->ordersHistory();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group orders
*/
public function testOrdersList()
{
$client = static::getApiClient();
$response = $client->ordersList();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue($response->isSuccessful());
static::assertTrue(isset($response['orders']));
$response = $client->ordersList(array(), 1, 300);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertFalse(
$response->isSuccessful(),
'Pagination error'
);
$response = $client->ordersList(array('paymentStatus' => 'paid'), 1);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
}
/**
* @group orders
* @expectedException \InvalidArgumentException
*/
public function testOrdersFixExternalIdsException()
{
$client = static::getApiClient();
$client->ordersFixExternalIds(array());
}
/**
* @group orders
*/
public function testOrdersFixExternalIds()
{
$client = static::getApiClient();
$response = $client->ordersCreate(array(
'firstName' => 'Aaa',
));
static::assertTrue(
$response->isSuccessful(),
'Order created'
);
$id = $response['id'];
$externalId = 'asdf' . time();
$response = $client->ordersFixExternalIds(array(
array('id' => $id, 'externalId' => $externalId)
));
static::assertTrue(
$response->isSuccessful(),
'Fixed order ids'
);
$response = $client->ordersGet($externalId);
static::assertTrue(
$response->isSuccessful(),
'Got order'
);
static::assertEquals(
$id,
$response['order']['id'],
'Fixing of order ids were right'
);
static::assertEquals(
$externalId,
$response['order']['externalId'],
'Fixing of order ids were right'
);
}
/**
* @group orders
* @expectedException \InvalidArgumentException
*/
public function testOrdersUploadExceptionEmpty()
{
$client = static::getApiClient();
$client->ordersUpload(array());
}
/**
* @group orders
*/
public function testOrdersUpload()
{
$client = static::getApiClient();
$externalIdA = 'upload-a-' . time();
$externalIdB = 'upload-b-' . time();
$response = $client->ordersUpload(array(
array(
'externalId' => $externalIdA,
'firstName' => 'Aaa',
),
array(
'externalId' => $externalIdB,
'lastName' => 'Bbb',
),
));
static::assertTrue(
$response->isSuccessful(),
'Got order'
);
static::assertEquals(
$externalIdA,
$response['uploadedOrders'][0]['externalId']
);
static::assertEquals(
$externalIdB,
$response['uploadedOrders'][1]['externalId']
);
}
/**
* @group orders
*/
public function testOrdersCombine()
{
$client = static::getApiClient();
$responseCreateFirst = $client->ordersCreate([
'firstName' => 'Aaa111',
'externalId' => 'AA-' . time(),
'phone' => '+79999999990'
]);
static::assertTrue(
$responseCreateFirst->isSuccessful(),
'Got order'
);
$responseCreateSecond = $client->ordersCreate([
'firstName' => 'Aaa222',
'externalId' => 'BB-' . time(),
'phone' => '+79999999991'
]);
static::assertTrue(
$responseCreateSecond->isSuccessful(),
'Got order'
);
$order = ['id' => $responseCreateFirst['id']];
$resultOrder = ['id' => $responseCreateSecond['id']];
$response = $client->ordersCombine($order, $resultOrder, 'ours');
static::assertTrue(
$response->isSuccessful(),
'Orders combined'
);
}
public function testOrdersPayment()
{
$client = static::getApiClient();
$externalId = 'AA-' . time();
$responseCreateFirst = $client->ordersCreate([
'firstName' => 'Aaa111aaA',
'phone' => '+79999999990'
]);
static::assertTrue(
$responseCreateFirst->isSuccessful(),
'Got order'
);
$payment = array(
'externalId' => $externalId,
'order' => array('id' => $responseCreateFirst['id']),
'amount' => 1200,
'comment' => 'test payment',
'type' => 'cash',
'status' => 'paid'
);
$response = $client->ordersPaymentCreate($payment);
static::assertTrue(
$response->isSuccessful(),
'Got payment'
);
$paymentEdit = array(
'id' => $response['id'],
'externalId' => $externalId,
'amount' => 1500,
'comment' => 'test payment!',
'type' => 'cash',
'status' => 'paid'
);
$responseAgain = $client->ordersPaymentEdit($paymentEdit);
static::assertTrue(
$responseAgain->isSuccessful(),
'Got payment'
);
}
}

View file

@ -0,0 +1,74 @@
<?php
/**
* PHP version 5.3
*
* API client packs test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientPacksTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientPacksTest extends TestCase
{
/**
* Test packs history
*
* @group packs
* @return void
*/
public function testPacksHistory()
{
$client = static::getApiClient();
$response = $client->ordersPacksHistory();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->success);
static::assertTrue(
isset($response['history']),
'API returns orders assembly history'
);
static::assertTrue(
isset($response['generatedAt']),
'API returns generatedAt in orders assembly history'
);
}
/**
* Test packs failed create
*
* @group packs
* @return void
*/
public function testPacksCreateFailed()
{
$client = static::getApiClient();
$pack = array(
'itemId' => 12,
'store' => 'test',
'quantity' => 2
);
$response = $client->ordersPacksCreate($pack);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(400, $response->getStatusCode());
static::assertFalse($response->success);
}
}

View file

@ -0,0 +1,134 @@
<?php
/**
* PHP version 5.3
*
* API client prices test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientPricesTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientPricesTest extends TestCase
{
protected $code;
/**
* ApiClientPricesTest constructor.
*/
public function __construct()
{
parent::__construct();
$this->code = 'price-code-a-' . time();
}
/**
* @group prices
*/
public function testUsersGroups()
{
$client = static::getApiClient();
$response = $client->usersGroups();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group prices
*/
public function testPricesGet()
{
$client = static::getApiClient();
$response = $client->pricesTypes();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group prices
*/
public function testPricesEdit()
{
$client = static::getApiClient();
$response = $client->pricesEdit(
array(
'code' => $this->code,
'name' => $this->code,
'ordering' => 500,
'active' => true
)
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(201, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group prices
* @expectedException \InvalidArgumentException
*/
public function testPricesUploadExceptionEmpty()
{
$client = static::getApiClient();
$client->storePricesUpload(array());
}
/**
* @group prices
*/
public function testPricesUpload()
{
$client = static::getApiClient();
$xmlIdA = 'upload-a-' . time();
$xmlIdB = 'upload-b-' . time();
$response = $client->storePricesUpload(array(
array(
'xmlId' => $xmlIdA,
'prices' => array(
array(
'code' => $this->code,
'price' => 1700
)
)
),
array(
'xmlId' => $xmlIdB,
'prices' => array(
array(
'code' => $this->code,
'price' => 1500
)
)
),
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
}
}

View file

@ -0,0 +1,170 @@
<?php
/**
* PHP version 5.3
*
* API client references test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientReferenceTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientReferenceTest extends TestCase
{
/**
* @group reference
* @dataProvider getListDictionaries
* @param $name
*/
public function testList($name)
{
$client = static::getApiClient();
$method = $name . 'List';
$response = $client->$method();
/* @var \RetailCrm\Response\ApiResponse $response */
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue($response->isSuccessful());
static::assertTrue(isset($response[$name]));
static::assertTrue(is_array($response[$name]));
}
/**
* @group reference
* @dataProvider getEditDictionaries
* @expectedException \InvalidArgumentException
*
* @param $name
*/
public function testEditingException($name)
{
$client = static::getApiClient();
$method = $name . 'Edit';
$client->$method(array());
}
/**
* @group reference
* @dataProvider getEditDictionaries
*
* @param $name
*/
public function testEditing($name)
{
$client = static::getApiClient();
$code = 'dict-' . strtolower($name) . '-' . time();
$method = $name . 'Edit';
$params = array(
'code' => $code,
'name' => 'Aaa' . $code,
'active' => false
);
if ($name == 'statuses') {
$params['group'] = 'new';
}
$response = $client->$method($params);
/* @var \RetailCrm\Response\ApiResponse $response */
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
$response = $client->$method(array(
'code' => $code,
'name' => 'Bbb' . $code,
'active' => false
));
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
}
/**
* @group reference
* @group site
*/
public function testSiteEditing()
{
$name = 'sites';
$client = static::getApiClient();
$code = 'dict-' . strtolower($name) . '-' . time();
$method = $name . 'Edit';
$params = array(
'code' => $code,
'name' => 'Aaa',
'active' => false
);
$response = $client->$method($params);
/* @var \RetailCrm\Response\ApiResponse $response */
static::assertEquals(400, $response->getStatusCode());
if ($code == $client->getSite()) {
$method = $name . 'Edit';
$params = array(
'code' => $code,
'name' => 'Aaa' . time(),
'active' => false
);
$response = $client->$method($params);
static::assertEquals(200, $response->getStatusCode());
}
}
/**
* @return array
*/
public function getListDictionaries()
{
return array(
array('deliveryServices'),
array('deliveryTypes'),
array('orderMethods'),
array('orderTypes'),
array('paymentStatuses'),
array('paymentTypes'),
array('productStatuses'),
array('statusGroups'),
array('statuses'),
array('sites'),
);
}
/**
* @return array
*/
public function getEditDictionaries()
{
return array(
array('deliveryServices'),
array('deliveryTypes'),
array('orderMethods'),
array('orderTypes'),
array('paymentStatuses'),
array('paymentTypes'),
array('productStatuses'),
array('statuses'),
);
}
}

View file

@ -0,0 +1,159 @@
<?php
/**
* PHP version 5.3
*
* API client store test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientStoreTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientStoreTest extends TestCase
{
const SNAME = 'Test Store';
const SCODE = 'test-store';
/**
* @group store
*/
public function testStoreCreate()
{
$client = static::getApiClient();
$response = $client->storesEdit(array('name' => self::SNAME, 'code' => self::SCODE));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
static::assertTrue($response->isSuccessful());
}
/**
* @group store
*/
public function testStoreInventories()
{
$client = static::getApiClient();
$response = $client->storeInventories();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
static::assertTrue(
isset($response['offers']),
'API returns orders assembly history'
);
}
/**
* @group store
* @expectedException \InvalidArgumentException
*/
public function testInventoriesException()
{
$client = static::getApiClient();
$client->storeInventoriesUpload(array());
}
/**
* @group store
*/
public function testInventoriesUpload()
{
$client = static::getApiClient();
$response = $client->storeInventoriesUpload(array(
array(
'externalId' => 'pTKIKAeghYzX21HTdzFCe1',
'stores' => array(
array(
'code' => self::SCODE,
'available' => 10,
'purchasePrice' => 1700
)
)
),
array(
'externalId' => 'JQIvcrCtiSpOV3AAfMiQB3',
'stores' => array(
array(
'code' => self::SCODE,
'available' => 20,
'purchasePrice' => 1500
)
)
),
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue($response->isSuccessful());
}
/**
* @group integration
*/
public function testInventoriesFailed()
{
$client = static::getApiClient();
$externalIdA = 'upload-a-' . time();
$externalIdB = 'upload-b-' . time();
$response = $client->storeInventoriesUpload(array(
array(
'externalId' => $externalIdA,
'available' => 10,
'purchasePrice' => 1700
),
array(
'externalId' => $externalIdB,
'available' => 20,
'purchasePrice' => 1500
),
));
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(400, $response->getStatusCode());
static::assertTrue(isset($response['errorMsg']), $response['errorMsg']);
}
/**
* @group store
*/
public function testStoreProducts()
{
$client = static::getApiClient();
$response = $client->storeProducts();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* @group store
*/
public function testStoreProductsGroups()
{
$client = static::getApiClient();
$response = $client->storeProductsGroups();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
}

View file

@ -0,0 +1,84 @@
<?php
/**
* PHP version 5.3
*
* API client orders test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientTasksTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientTasksTest extends TestCase
{
/**
* @group tasks
*/
public function testTasksList()
{
$client = static::getApiClient();
$response = $client->tasksList();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
}
/**
* @group tasks
* @expectedException \InvalidArgumentException
*/
public function testTasksCreateExceptionEmpty()
{
$client = static::getApiClient();
$client->tasksCreate(array());
}
public function testTasksCRU()
{
$client = static::getApiClient();
$task = array(
'text' => 'test task',
'commentary' => 'test task commentary',
'performerId' => $_SERVER['CRM_USER_ID'],
'complete' => false
);
$responseCreate = $client->tasksCreate($task);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $responseCreate);
static::assertEquals(201, $responseCreate->getStatusCode());
$uid = $responseCreate['id'];
$responseRead = $client->tasksGet($uid);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $responseRead);
static::assertEquals(200, $responseRead->getStatusCode());
$task['id'] = $uid;
$task['complete'] = true;
$responseUpdate = $client->tasksEdit($task);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $responseUpdate);
static::assertEquals(200, $responseUpdate->getStatusCode());
}
}

View file

@ -0,0 +1,159 @@
<?php
/**
* PHP version 5.3
*
* API client telephony test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientTelephonyTest
* @category RetailCrm
* @package RetailCrm\Tests
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientTelephonyTest extends TestCase
{
const TEL_CODE = 'telephony-code';
const TEL_CLIENT = '123';
const TEL_IMAGE = 'http://www.mec.ph/horizon/wp-content/uploads/2011/11/telephony.svg';
/**
* Settings Edit test
*
* @group telephony
*
* @return void
*/
public function testTelephonySettingsEdit()
{
$client = static::getApiClient();
$response = $client->telephonySettingsEdit(
self::TEL_CODE,
self::TEL_CLIENT,
true,
'TestTelephony',
false,
self::TEL_IMAGE,
array(array('userId' => $_SERVER['CRM_USER_ID'], 'code' => '101')),
array(array('siteCode' => 'api-client-php', 'externalPhone' => '+74950000000'))
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
static::assertTrue($response->isSuccessful());
}
/**
* Settings Get test
*
* @group telephony
*
* @return void
*/
public function testTelephonySettingsGet()
{
$client = static::getApiClient();
$response = $client->telephonySettingsGet(self::TEL_CODE);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* Event test
*
* @group telephony
*
* @return void
*/
public function testTelephonyEvent()
{
$client = static::getApiClient();
$response = $client->telephonyCallEvent(
'+79999999999',
'in',
array('101'),
'failed',
'+74950000000'
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* Upload test
*
* @group telephony
*
* @return void
*/
public function testTelephonyUpload()
{
$client = static::getApiClient();
$response = $client->telephonyCallsUpload(
array(
array(
'date' => '2016-07-22 00:18:00',
'type' => 'in',
'phone' => '+79999999999',
'code' => '101',
'result' => 'answered',
'externalId' => rand(10, 100),
'recordUrl' => 'http://download.retailcrm.pro/api-client-files/beep1.mp3'
),
array(
'date' => '2016-07-22 00:24:00',
'type' => 'in',
'phone' => '+79999999999',
'code' => '101',
'result' => 'answered',
'externalId' => rand(10, 100),
'recordUrl' => 'http://download.retailcrm.pro/api-client-files/beep2.mp3'
)
)
);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
/**
* Manager test
*
* @group telephony
*
* @return void
*/
public function testTelephonyManager()
{
$client = static::getApiClient();
$response = $client->telephonyCallManager('+79999999999', 1);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
}
}

View file

@ -0,0 +1,68 @@
<?php
/**
* PHP version 5.3
*
* API client users test class
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
namespace RetailCrm\Tests;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientUsersTest
*
* @category RetailCrm
* @package RetailCrm
* @author RetailCrm <integration@retailcrm.ru>
* @license https://opensource.org/licenses/MIT MIT License
* @link http://www.retailcrm.ru/docs/Developers/ApiVersion5
*/
class ApiClientUsersTest extends TestCase
{
/**
* @group users
*/
public function testUsersList()
{
$client = static::getApiClient();
$response = $client->usersList();
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
static::assertTrue($response->isSuccessful());
}
/**
* @group users
*/
public function testUsersGet()
{
$client = static::getApiClient();
$response = $client->usersGet($_SERVER["CRM_USER_ID"]);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
static::assertTrue($response->isSuccessful());
}
/**
* @group users
*/
public function testUsersStatus()
{
$client = static::getApiClient();
$response = $client->usersStatus($_SERVER["CRM_USER_ID"], 'dinner');
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertTrue(in_array($response->getStatusCode(), array(200, 201)));
static::assertTrue($response->isSuccessful());
}
}

View file

@ -74,4 +74,22 @@ class CommonMethodsTest extends TestCase
static::assertTrue($response->isSuccessful());
static::assertGreaterThan(0, count($response['settings']));
}
/**
* System info
*
* @group api_methods
*
* @return void
*/
public function testSystemInfo()
{
$client = static::getApiClient();
$response = $client->request->systemInfo();
static::assertEquals(200, $response->getStatusCode());
static::assertTrue($response->isSuccessful());
static::assertNotEmpty($response['systemVersion']);
}
}

View file

@ -11,6 +11,7 @@
namespace RetailCrm\Tests\Methods\Version5;
use RetailCrm\Response\ApiResponse;
use RetailCrm\Test\TestCase;
/**
@ -441,4 +442,45 @@ class ApiClientCustomersTest extends TestCase
static::assertTrue($responseDelete->isSuccessful(), 'Note deleted');
static::assertEquals(200, $responseDelete->getStatusCode());
}
public function testCustomerSubscriptionsUpdate()
{
$clientMock = $this->getMockBuilder(\RetailCrm\Http\Client::class)
->disableOriginalConstructor()
->setMethods(['makeRequest'])
->getMock()
;
$parameters = [
'subscriptions' => [
[
'channel' => 'email',
'active' => false
]
],
'by' => 'externalId',
'site' => 'test'
];
$clientMock->expects(self::once())->method('makeRequest')->with(
'/customers/123/subscriptions',
'POST',
[
'subscriptions' => json_encode($parameters['subscriptions']),
'by' => $parameters['by'],
'site' => $parameters['site']
]
)->willReturn((new ApiResponse(200, json_encode(['success' => true])))->asJsonResponse());
$client = static::getMockedApiClient($clientMock);
$response = $client->request->customerSubscriptionsUpdate(
$parameters['subscriptions'],
123,
$parameters['by'],
$parameters['site']
);
static::assertTrue($response->isSuccessful());
}
}

View file

@ -0,0 +1,723 @@
<?php
namespace RetailCrm\Tests\Methods\Version5;
use RetailCrm\Test\TestCase;
class ApiClientLoyaltyTest extends TestCase
{
/**
* @dataProvider accountCreateProvider
*
* @group loyalty_v5
*
* @param array $account
* @param string $site
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountCreate(array $account, $site, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountCreate($account, $site);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountCreateProvider()
{
return [
'success' => [
[
'phoneNumber' => 111111111,
'customer' => ['id' => 6218],
],
'gray_sale_3',
null,
],
'error_data' => [
[
'customer' => ['id' => 6218],
],
'gray_sale_3',
'InvalidArgumentException',
],
'error_site' => [
[
'phoneNumber' => 111111111,
'customer' => ['id' => 6218],
],
'',
'InvalidArgumentException',
],
];
}
/**
* @dataProvider accountGetProvider
*
* @group loyalty_v5
*
* @param int $id
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountGet($id, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountGet($id);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountGetProvider()
{
return [
'success' => [
246,
null,
],
'error' => [
null,
'InvalidArgumentException'
],
];
}
/**
* @dataProvider accountActivateProvider
*
* @group loyalty_v5
*
* @param int $id
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountActivate($id, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountActivate($id);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountActivateProvider()
{
return [
'success' => [
246,
null,
],
'error' => [
null,
'InvalidArgumentException'
],
];
}
/**
* @dataProvider bonusChargeProvider
*
* @group loyalty_v5
*
* @param int $id
* @param array $bonus
* @param string|null $exceptionClass
*
* @return void
*/
public function testBonusCharge($id, array $bonus, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->bonusCharge($id, $bonus);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function bonusChargeProvider()
{
return [
'success' => [
246,
['amount' => 50],
null,
],
'error_bonus' => [
246,
['comment' => 'test'],
'InvalidArgumentException'
],
'error_id' => [
null,
['amount' => 50],
'InvalidArgumentException'
],
];
}
/**
* @dataProvider bonusCreditProvider
*
* @group loyalty_v5
*
* @param int $id
* @param array $bonus
* @param string|null $exceptionClass
*
* @return void
*/
public function testBonusCredit($id, array $bonus, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->bonusCredit($id, $bonus);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function bonusCreditProvider()
{
return [
'success' => [
246,
['amount' => 50],
null,
],
'error_bonus' => [
246,
['comment' => 'test'],
'InvalidArgumentException'
],
'error_id' => [
null,
['amount' => 50],
'InvalidArgumentException'
],
];
}
/**
* @dataProvider accountBonusOperationsGetProvider
*
* @group loyalty_v5
*
* @param int $id
* @param array $filter
* @param int $limit
* @param int $page
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountBonusOperationsGet($id, array $filter, $limit, $page, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountBonusOperationsGet($id, $filter, $limit, $page);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountBonusOperationsGetProvider()
{
return [
'success_1' => [
246,
['createdAtFrom' => '2023-05-02 17:29:03'],
100,
1,
null,
],
'success_2' => [
246,
[],
50,
1,
null,
],
'error_limit' => [
246,
[],
35,
2,
'InvalidArgumentException',
],
'error_page' => [
246,
[],
50,
0,
'InvalidArgumentException',
],
'error_id' => [
null,
[],
50,
0,
'InvalidArgumentException',
],
];
}
/**
* @dataProvider accountBonusDetailsGetProvider
*
* @group loyalty_v5
*
* @param int $id
* @param string $status
* @param array $filter
* @param int $limit
* @param int $page
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountBonusDetailsGet($id, $status, array $filter, $limit, $page, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountBonusDetailsGet($id, $status, $filter, $limit, $page);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountBonusDetailsGetProvider()
{
return [
'success_1' => [
246,
'waiting_activation',
['date' => '2023-11-11 18:29:03'],
100,
1,
null,
],
'success_2' => [
246,
'burn_soon',
[],
50,
1,
null,
],
'error_status' => [
246,
'something',
[],
100,
1,
'InvalidArgumentException',
],
'error_limit' => [
246,
'waiting_activation',
[],
35,
2,
'InvalidArgumentException',
],
'error_page' => [
246,
'waiting_activation',
[],
50,
0,
'InvalidArgumentException',
],
'error_id' => [
null,
'waiting_activation',
[],
50,
0,
'InvalidArgumentException',
],
];
}
/**
* @dataProvider accountEditProvider
*
* @group loyalty_v5
*
* @param int $id
* @param array $account
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountEdit($id, array $account, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountEdit($id, $account);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountEditProvider()
{
return [
'success' => [
246,
['cardNumber' => 'xxx-001'],
null,
],
'error_data' => [
246,
[],
'InvalidArgumentException',
],
'error_id' => [
null,
['cardNumber' => 'xxx-001'],
'InvalidArgumentException',
],
];
}
/**
* @dataProvider accountsGetProvider
*
* @group loyalty_v5
*
* @param array $filter
* @param int $limit
* @param int $page
* @param string|null $exceptionClass
*
* @return void
*/
public function testAccountsGet(array $filter, $limit, $page, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->accountsGet($filter, $limit, $page);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function accountsGetProvider()
{
return [
'success_1' => [
['sites' => ['gray_sale_3', 'lp-prerelize-demo']],
100,
1,
null,
],
'success_2' => [
[],
100,
1,
null,
],
'error_limit' => [
[],
11,
1,
'InvalidArgumentException',
],
'error_page' => [
[],
50,
0,
'InvalidArgumentException',
],
];
}
/**
* @dataProvider bonusOperationsGetProvider
*
* @group loyalty_v5
*
* @param string|null $cursor
* @param array $filter
* @param int $limit
* @param string|null $exceptionClass
*
* @return void
*/
public function testBonusOperationsGet($cursor, array $filter, $limit, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->bonusOperationsGet($cursor, $filter, $limit);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function bonusOperationsGetProvider()
{
return [
'success' => [
null,
['loyalties' => [44, 6]],
20,
null,
],
'error_limit' => [
null,
[],
11,
'InvalidArgumentException',
],
];
}
/**
* @dataProvider calculateProvider
*
* @group loyalty_v5
*
* @param string|null $site
* @param array $order
* @param int $bonuses
* @param string|null $exceptionClass
*
* @return void
*/
public function testCalculate($site, array $order, $bonuses, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->calculate($site, $order, $bonuses);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function calculateProvider()
{
return [
'success' => [
'gray_sale_3',
self::getOrderForCalculate(),
0,
null,
],
'error_bonuses' => [
'gray_sale_3',
self::getOrderForCalculate(),
'test',
'InvalidArgumentException',
],
'error_site' => [
null,
self::getOrderForCalculate(),
0,
'InvalidArgumentException',
],
];
}
/**
* @return array
*/
private static function getOrderForCalculate()
{
return [
"customer" => [
"id" => 6260,
],
"privilegeType" => "loyalty_level",
"discountManualPercent" => 10,
"applyRound" => true,
"items" => [
[
"initialPrice" => 1000,
"discountManualPercent" => 10,
"quantity" => 1,
"offer" => [
"id" => 2539665,
"externalId" => "9339",
"xmlId" => "9339",
],
],
],
];
}
/**
* @dataProvider loyaltiesGetProvider
*
* @group loyalty_v5
*
* @param array $filter
* @param int $limit
* @param int $page
* @param string|null $exceptionClass
*
* @return void
*/
public function testLoyaltiesGet(array $filter, $limit, $page, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->loyaltiesGet($filter, $limit, $page);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function loyaltiesGetProvider()
{
return [
'success_1' => [
['active' => true],
20,
1,
null,
],
'success_2' => [
[],
20,
1,
null,
],
'error_limit' => [
['active' => true],
11,
1,
'InvalidArgumentException',
],
'error_page' => [
['active' => true],
11,
0,
'InvalidArgumentException',
],
];
}
/**
* @dataProvider loyaltyGetProvider
*
* @group loyalty_v5
*
* @param int|null $id
* @param string|null $exceptionClass
*
* @return void
*/
public function testLoyaltyGet($id, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->loyaltyGet($id);
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function loyaltyGetProvider()
{
return [
'success' => [
44,
null,
],
'error_id' => [
null,
'InvalidArgumentException',
],
];
}
}

View file

@ -0,0 +1,60 @@
<?php
namespace RetailCrm\Tests\Methods\Version5;
use RetailCrm\Response\ApiResponse;
use RetailCrm\Test\TestCase;
/**
* Class ApiClientModulesTest
*
* @category RetailCrm
* @package RetailCrm
*/
class ApiClientModuleTest extends TestCase
{
/**
* Test configuration
*
* @group module_v5
*
* @return void
*/
public function testUpdateScopes()
{
$integrationCode = 'integration_v5';
$stub = $this->getMockBuilder(\RetailCrm\Http\Client::class)
->disableOriginalConstructor()
->setMethods(['makeRequest'])
->getMock();
$requires = [
'scopes' => [
"integration_read",
"integration_write"
],
];
$stub->expects(self::once())
->method('makeRequest')
->with(
sprintf('/integration-modules/%s/update-scopes', $integrationCode),
"POST",
['requires' => json_encode($requires)]
)
->willReturn(
(new ApiResponse(200, json_encode(['success' => true, 'apiKey' => 'test key'])))
->asJsonResponse()
)
;
$client = static::getMockedApiClient($stub);
/** @var \RetailCrm\Response\ApiResponse $response */
$response = $client->request->integrationModulesUpdateScopes($integrationCode, $requires);
static::assertInstanceOf('RetailCrm\Response\ApiResponse', $response);
static::assertEquals($response->getStatusCode(), 200);
static::assertTrue($response->isSuccessful());
static::assertNotEmpty($response['apiKey']);
}
}

View file

@ -0,0 +1,106 @@
<?php
namespace RetailCrm\Tests\Methods\Version5;
use RetailCrm\Test\TestCase;
class ApiClientNotificationsTest extends TestCase
{
/**
* @dataProvider notificationsProvider
*
* @group notifications_v5
*
* @param callable $getNotification
* @param string|null $exceptionClass
*
* @return void
*/
public function testSendNotification(callable $getNotification, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->sendNotification($getNotification());
if (empty($exceptionClass)) {
static::assertTrue(in_array($response->getStatusCode(), [200, 201]));
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function notificationsProvider()
{
return [
'error_type' => [
static function () {
$notification = self::getErrorNotification();
$notification['type'] = 'another';
return $notification;
},
'InvalidArgumentException',
],
'error_message' => [
static function () {
$notification = self::getErrorNotification();
$notification['message'] = [];
return $notification;
},
'InvalidArgumentException',
],
'error_users_empty' => [
static function () {
$notification = self::getErrorNotification();
$notification['userGroups'] = [];
$notification['userIds'] = [];
return $notification;
},
'InvalidArgumentException',
],
'error_users_filled' => [
static function () {
return self::getErrorNotification();
},
'InvalidArgumentException',
],
'success_group' => [
static function () {
$notification = self::getErrorNotification();
unset($notification['userIds']);
return $notification;
},
null,
],
'success_ids' => [
static function () {
$notification = self::getErrorNotification();
unset($notification['userGroups']);
return $notification;
},
null,
],
];
}
/**
* @return array
*/
protected static function getErrorNotification()
{
return [
'type' => 'api.error',
'userIds' => [1],
'userGroups' => ['superadmins'],
'message' => '<a href="/admin/integration/moysklad2/edit">[Модуль МойСклад]</a>
Возникли проблемы при проверке доступов входа. Введен неверный логин/пароль, проверьте корректность введенных данных.',
];
}
}

View file

@ -417,4 +417,84 @@ class ApiClientOrdersTest extends TestCase
'Delete payment'
);
}
/**
* @dataProvider ordersLoyaltyApplyProvider
*
* @group orders_v5
*
* @param array $order
* @param float $bonuses
* @param string $site
* @param string|null $exceptionClass
*
* @return void
*/
public function testOrdersLoyaltyApply(array $order, float $bonuses, string $site, $exceptionClass)
{
$client = static::getApiClient();
if (!empty($exceptionClass)) {
$this->expectException($exceptionClass);
}
$response = $client->request->ordersLoyaltyApply($order, $bonuses, $site);
if (empty($exceptionClass)) {
static::assertContains($response->getStatusCode(), [200, 201]);
static::assertTrue($response->isSuccessful());
}
}
/**
* @return array[]
*/
public function ordersLoyaltyApplyProvider(): array
{
return [
'success_id' => [
[
'id' => 111111111,
],
100,
'moysklad',
null,
],
'success_externalId' => [
[
'externalId' => 111111111,
],
100,
'moysklad',
null,
],
'success_site_empty' => [
[
'externalId' => 111111111,
],
100,
'',
null,
],
'error_bonus_zero' => [
[
'externalId' => 111111111,
],
0,
'moysklad',
'InvalidArgumentException',
],
'error_missing_orderId' => [
[
'firstName' => 111111111,
],
0,
'moysklad',
'InvalidArgumentException',
],
'error_empty_order' => [
[],
0,
'moysklad',
'InvalidArgumentException',
],
];
}
}

View file

@ -184,7 +184,8 @@ class ApiClientReferenceTest extends TestCase
['stores'],
['couriers'],
['costs'],
['units']
['units'],
['currencies'],
];
}

View file

@ -1,10 +1,16 @@
<?php
use Symfony\Component\Dotenv\Dotenv;
if (function_exists('date_default_timezone_set')
&& function_exists('date_default_timezone_get')
) {
date_default_timezone_set(date_default_timezone_get());
}
if (class_exists(Dotenv::class) and file_exists(__DIR__.'/.env')) {
(new Dotenv())->load(__DIR__.'/.env');
}
$loader = include dirname(__DIR__) . '/vendor/autoload.php';
$loader->add('RetailCrm\\Test', __DIR__);