update
This commit is contained in:
567
autoload/Domain/Integrations/ApiloRepository.php
Normal file
567
autoload/Domain/Integrations/ApiloRepository.php
Normal file
@@ -0,0 +1,567 @@
|
||||
<?php
|
||||
namespace Domain\Integrations;
|
||||
|
||||
class ApiloRepository
|
||||
{
|
||||
private $db;
|
||||
|
||||
private const SETTINGS_TABLE = 'pp_shop_apilo_settings';
|
||||
|
||||
private const APILO_ENDPOINTS = [
|
||||
'platform' => 'https://projectpro.apilo.com/rest/api/orders/platform/map/',
|
||||
'status' => 'https://projectpro.apilo.com/rest/api/orders/status/map/',
|
||||
'carrier' => 'https://projectpro.apilo.com/rest/api/orders/carrier-account/map/',
|
||||
'payment' => 'https://projectpro.apilo.com/rest/api/orders/payment/map/',
|
||||
];
|
||||
|
||||
private const APILO_SETTINGS_KEYS = [
|
||||
'platform' => 'platform-list',
|
||||
'status' => 'status-types-list',
|
||||
'carrier' => 'carrier-account-list',
|
||||
'payment' => 'payment-types-list',
|
||||
];
|
||||
|
||||
public function __construct( $db )
|
||||
{
|
||||
$this->db = $db;
|
||||
}
|
||||
|
||||
// ── Settings access (Apilo-specific) ────────────────────────
|
||||
|
||||
private function getApiloSettings(): array
|
||||
{
|
||||
$rows = $this->db->select( self::SETTINGS_TABLE, [ 'name', 'value' ] );
|
||||
$settings = [];
|
||||
foreach ( $rows ?: [] as $row )
|
||||
$settings[$row['name']] = $row['value'];
|
||||
|
||||
return $settings;
|
||||
}
|
||||
|
||||
private function saveApiloSetting( string $name, $value ): void
|
||||
{
|
||||
if ( $this->db->count( self::SETTINGS_TABLE, [ 'name' => $name ] ) ) {
|
||||
$this->db->update( self::SETTINGS_TABLE, [ 'value' => $value ], [ 'name' => $name ] );
|
||||
} else {
|
||||
$this->db->insert( self::SETTINGS_TABLE, [ 'name' => $name, 'value' => $value ] );
|
||||
}
|
||||
\Shared\Helpers\Helpers::delete_dir( '../temp/' );
|
||||
}
|
||||
|
||||
// ── Apilo OAuth ─────────────────────────────────────────────
|
||||
|
||||
public function apiloAuthorize( string $clientId, string $clientSecret, string $authCode ): bool
|
||||
{
|
||||
$postData = [
|
||||
'grantType' => 'authorization_code',
|
||||
'token' => $authCode,
|
||||
];
|
||||
|
||||
$ch = curl_init( "https://projectpro.apilo.com/rest/auth/token/" );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
curl_setopt( $ch, CURLOPT_CUSTOMREQUEST, "POST" );
|
||||
curl_setopt( $ch, CURLOPT_POSTFIELDS, json_encode( $postData ) );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Basic " . base64_encode( $clientId . ":" . $clientSecret ),
|
||||
"Accept: application/json"
|
||||
] );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
curl_close( $ch );
|
||||
return false;
|
||||
}
|
||||
curl_close( $ch );
|
||||
$response = json_decode( $response, true );
|
||||
|
||||
if ( empty( $response['accessToken'] ) )
|
||||
return false;
|
||||
|
||||
try {
|
||||
$this->saveApiloSetting( 'access-token', $response['accessToken'] );
|
||||
$this->saveApiloSetting( 'refresh-token', $response['refreshToken'] );
|
||||
$this->saveApiloSetting( 'access-token-expire-at', $response['accessTokenExpireAt'] );
|
||||
$this->saveApiloSetting( 'refresh-token-expire-at', $response['refreshTokenExpireAt'] );
|
||||
} catch ( \Exception $e ) {
|
||||
error_log( '[shopPRO] Apilo: błąd zapisu tokenów: ' . $e->getMessage() );
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
public function apiloGetAccessToken( int $refreshLeadSeconds = 300 ): ?string
|
||||
{
|
||||
$settings = $this->getApiloSettings();
|
||||
|
||||
$hasRefreshCredentials = !empty( $settings['refresh-token'] )
|
||||
&& !empty( $settings['client-id'] )
|
||||
&& !empty( $settings['client-secret'] );
|
||||
|
||||
$accessToken = trim( (string)($settings['access-token'] ?? '') );
|
||||
$accessTokenExpireAt = trim( (string)($settings['access-token-expire-at'] ?? '') );
|
||||
|
||||
if ( $accessToken !== '' && $accessTokenExpireAt !== '' ) {
|
||||
if ( !$this->shouldRefreshAccessToken( $accessTokenExpireAt, $refreshLeadSeconds ) ) {
|
||||
return $accessToken;
|
||||
}
|
||||
}
|
||||
|
||||
if ( !$hasRefreshCredentials ) {
|
||||
return null;
|
||||
}
|
||||
|
||||
if (
|
||||
!empty( $settings['refresh-token-expire-at'] ) &&
|
||||
!$this->isFutureDate( (string)$settings['refresh-token-expire-at'] )
|
||||
) {
|
||||
return null;
|
||||
}
|
||||
|
||||
return $this->refreshApiloAccessToken( $settings );
|
||||
}
|
||||
|
||||
/**
|
||||
* Keepalive tokenu Apilo do uzycia w CRON.
|
||||
* Odswieza token, gdy wygasa lub jest bliski wygasniecia.
|
||||
*
|
||||
* @return array{success:bool,skipped:bool,message:string}
|
||||
*/
|
||||
public function apiloKeepalive( int $refreshLeadSeconds = 300 ): array
|
||||
{
|
||||
$settings = $this->getApiloSettings();
|
||||
|
||||
if ( (int)($settings['enabled'] ?? 0) !== 1 ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'skipped' => true,
|
||||
'message' => 'Apilo disabled.',
|
||||
];
|
||||
}
|
||||
|
||||
if ( empty( $settings['client-id'] ) || empty( $settings['client-secret'] ) ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'skipped' => true,
|
||||
'message' => 'Missing Apilo credentials.',
|
||||
];
|
||||
}
|
||||
|
||||
$token = $this->apiloGetAccessToken( $refreshLeadSeconds );
|
||||
if ( !$token ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'skipped' => false,
|
||||
'message' => 'Unable to refresh Apilo token.',
|
||||
];
|
||||
}
|
||||
|
||||
$this->saveApiloSetting( 'token-keepalive-at', date( 'Y-m-d H:i:s' ) );
|
||||
|
||||
return [
|
||||
'success' => true,
|
||||
'skipped' => false,
|
||||
'message' => 'Apilo token keepalive OK.',
|
||||
];
|
||||
}
|
||||
|
||||
private function refreshApiloAccessToken( array $settings ): ?string
|
||||
{
|
||||
$postData = [
|
||||
'grantType' => 'refresh_token',
|
||||
'token' => $settings['refresh-token'],
|
||||
];
|
||||
|
||||
$ch = curl_init( "https://projectpro.apilo.com/rest/auth/token/" );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Basic " . base64_encode( $settings['client-id'] . ":" . $settings['client-secret'] ),
|
||||
"Accept: application/json"
|
||||
] );
|
||||
curl_setopt( $ch, CURLOPT_POST, true );
|
||||
curl_setopt( $ch, CURLOPT_POSTFIELDS, json_encode( $postData ) );
|
||||
curl_setopt( $ch, CURLOPT_CUSTOMREQUEST, "POST" );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
curl_close( $ch );
|
||||
return null;
|
||||
}
|
||||
curl_close( $ch );
|
||||
$response = json_decode( $response, true );
|
||||
|
||||
if ( empty( $response['accessToken'] ) ) {
|
||||
return null;
|
||||
}
|
||||
|
||||
$this->saveApiloSetting( 'access-token', $response['accessToken'] );
|
||||
$this->saveApiloSetting( 'refresh-token', $response['refreshToken'] ?? ( $settings['refresh-token'] ?? '' ) );
|
||||
$this->saveApiloSetting( 'access-token-expire-at', $response['accessTokenExpireAt'] ?? null );
|
||||
$this->saveApiloSetting( 'refresh-token-expire-at', $response['refreshTokenExpireAt'] ?? null );
|
||||
|
||||
return $response['accessToken'];
|
||||
}
|
||||
|
||||
private function shouldRefreshAccessToken( string $expiresAtRaw, int $leadSeconds = 300 ): bool
|
||||
{
|
||||
try {
|
||||
$expiresAt = new \DateTime( $expiresAtRaw );
|
||||
} catch ( \Exception $e ) {
|
||||
return true;
|
||||
}
|
||||
|
||||
$threshold = new \DateTime( date( 'Y-m-d H:i:s', time() + max( 0, $leadSeconds ) ) );
|
||||
return $expiresAt <= $threshold;
|
||||
}
|
||||
|
||||
private function isFutureDate( string $dateRaw ): bool
|
||||
{
|
||||
try {
|
||||
$date = new \DateTime( $dateRaw );
|
||||
} catch ( \Exception $e ) {
|
||||
return false;
|
||||
}
|
||||
|
||||
return $date > new \DateTime( date( 'Y-m-d H:i:s' ) );
|
||||
}
|
||||
|
||||
/**
|
||||
* Sprawdza aktualny stan integracji Apilo i zwraca komunikat dla UI.
|
||||
*
|
||||
* @return array{is_valid:bool,severity:string,message:string}
|
||||
*/
|
||||
public function apiloIntegrationStatus(): array
|
||||
{
|
||||
$settings = $this->getApiloSettings();
|
||||
|
||||
$missing = [];
|
||||
foreach ( [ 'client-id', 'client-secret' ] as $field ) {
|
||||
if ( trim( (string)($settings[$field] ?? '') ) === '' )
|
||||
$missing[] = $field;
|
||||
}
|
||||
|
||||
if ( !empty( $missing ) ) {
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'danger',
|
||||
'message' => 'Brakuje konfiguracji Apilo: ' . implode( ', ', $missing ) . '.',
|
||||
];
|
||||
}
|
||||
|
||||
$accessToken = trim( (string)($settings['access-token'] ?? '') );
|
||||
$authorizationCode = trim( (string)($settings['authorization-code'] ?? '') );
|
||||
|
||||
if ( $accessToken === '' ) {
|
||||
if ( $authorizationCode === '' ) {
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'warning',
|
||||
'message' => 'Brak authorization-code i access-token. Wpisz kod autoryzacji i uruchom autoryzacje.',
|
||||
];
|
||||
}
|
||||
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'warning',
|
||||
'message' => 'Brak access-token. Uruchom autoryzacje Apilo.',
|
||||
];
|
||||
}
|
||||
|
||||
$token = $this->apiloGetAccessToken();
|
||||
if ( !$token ) {
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'danger',
|
||||
'message' => 'Token Apilo jest niewazny lub wygasl i nie udal sie refresh. Wykonaj ponowna autoryzacje.',
|
||||
];
|
||||
}
|
||||
|
||||
$expiresAt = trim( (string)($settings['access-token-expire-at'] ?? '') );
|
||||
$suffix = $expiresAt !== '' ? ( ' Token wazny do: ' . $expiresAt . '.' ) : '';
|
||||
|
||||
return [
|
||||
'is_valid' => true,
|
||||
'severity' => 'success',
|
||||
'message' => 'Integracja Apilo jest aktywna.' . $suffix,
|
||||
];
|
||||
}
|
||||
|
||||
// ── Apilo API fetch lists ───────────────────────────────────
|
||||
|
||||
/**
|
||||
* Fetch list from Apilo API and save to settings.
|
||||
* @param string $type platform|status|carrier|payment
|
||||
*/
|
||||
public function apiloFetchList( string $type ): bool
|
||||
{
|
||||
$result = $this->apiloFetchListResult( $type );
|
||||
return !empty( $result['success'] );
|
||||
}
|
||||
|
||||
/**
|
||||
* Fetch list from Apilo API and return detailed status for UI.
|
||||
*
|
||||
* @param string $type platform|status|carrier|payment
|
||||
* @return array{success:bool,count:int,message:string}
|
||||
*/
|
||||
public function apiloFetchListResult( string $type ): array
|
||||
{
|
||||
if ( !isset( self::APILO_ENDPOINTS[$type] ) )
|
||||
throw new \InvalidArgumentException( "Unknown apilo list type: $type" );
|
||||
|
||||
$settings = $this->getApiloSettings();
|
||||
$missingFields = [];
|
||||
foreach ( [ 'client-id', 'client-secret' ] as $requiredField ) {
|
||||
if ( trim( (string)($settings[$requiredField] ?? '') ) === '' )
|
||||
$missingFields[] = $requiredField;
|
||||
}
|
||||
|
||||
if ( !empty( $missingFields ) ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Brakuje konfiguracji Apilo: ' . implode( ', ', $missingFields ) . '. Uzupelnij pola i zapisz ustawienia.',
|
||||
];
|
||||
}
|
||||
|
||||
$accessToken = $this->apiloGetAccessToken();
|
||||
if ( !$accessToken ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Brak aktywnego tokenu Apilo. Wykonaj autoryzacje Apilo i sprobuj ponownie.',
|
||||
];
|
||||
}
|
||||
|
||||
$ch = curl_init( self::APILO_ENDPOINTS[$type] );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Bearer " . $accessToken,
|
||||
"Accept: application/json"
|
||||
] );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
$error = curl_error( $ch );
|
||||
curl_close( $ch );
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Blad polaczenia z Apilo: ' . $error . '. Sprawdz polaczenie serwera i sprobuj ponownie.',
|
||||
];
|
||||
}
|
||||
$httpCode = (int) curl_getinfo( $ch, CURLINFO_HTTP_CODE );
|
||||
curl_close( $ch );
|
||||
|
||||
$data = json_decode( $response, true );
|
||||
if ( !is_array( $data ) ) {
|
||||
$responsePreview = substr( trim( (string)$response ), 0, 180 );
|
||||
if ( $responsePreview === '' )
|
||||
$responsePreview = '[pusta odpowiedz]';
|
||||
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Apilo zwrocilo niepoprawny format odpowiedzi (HTTP ' . $httpCode . '). Odpowiedz: ' . $responsePreview,
|
||||
];
|
||||
}
|
||||
|
||||
if ( $httpCode >= 400 ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Apilo zwrocilo blad HTTP ' . $httpCode . ': ' . $this->extractApiloErrorMessage( $data ),
|
||||
];
|
||||
}
|
||||
|
||||
$normalizedList = $this->normalizeApiloMapList( $data );
|
||||
if ( $normalizedList === null ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Apilo zwrocilo dane w nieoczekiwanym formacie. Odswiez token i sproboj ponownie.',
|
||||
];
|
||||
}
|
||||
|
||||
$this->saveApiloSetting( self::APILO_SETTINGS_KEYS[$type], $normalizedList );
|
||||
return [
|
||||
'success' => true,
|
||||
'count' => count( $normalizedList ),
|
||||
'message' => 'OK',
|
||||
];
|
||||
}
|
||||
|
||||
/**
|
||||
* Normalizuje odpowiedz API mapowania do listy rekordow ['id' => ..., 'name' => ...].
|
||||
* Zwraca null dla payloadu bledow lub nieoczekiwanego formatu.
|
||||
*
|
||||
* @return array<int, array{id:mixed,name:mixed}>|null
|
||||
*/
|
||||
private function normalizeApiloMapList( array $data ): ?array
|
||||
{
|
||||
if ( isset( $data['message'] ) && isset( $data['code'] ) )
|
||||
return null;
|
||||
|
||||
if ( $this->isMapListShape( $data ) )
|
||||
return $data;
|
||||
|
||||
if ( isset( $data['items'] ) && is_array( $data['items'] ) && $this->isMapListShape( $data['items'] ) )
|
||||
return $data['items'];
|
||||
|
||||
if ( isset( $data['data'] ) && is_array( $data['data'] ) && $this->isMapListShape( $data['data'] ) )
|
||||
return $data['data'];
|
||||
|
||||
// Dopuszczamy rowniez format asocjacyjny: [id => name, ...], ale tylko dla kluczy liczbowych.
|
||||
if ( !empty( $data ) ) {
|
||||
$normalized = [];
|
||||
foreach ( $data as $key => $value ) {
|
||||
if ( !( is_int( $key ) || ( is_string( $key ) && preg_match('/^-?\d+$/', $key) === 1 ) ) )
|
||||
return null;
|
||||
|
||||
if ( !is_scalar( $value ) )
|
||||
return null;
|
||||
|
||||
$normalized[] = [
|
||||
'id' => $key,
|
||||
'name' => (string) $value,
|
||||
];
|
||||
}
|
||||
|
||||
return !empty( $normalized ) ? $normalized : null;
|
||||
}
|
||||
|
||||
return null;
|
||||
}
|
||||
|
||||
private function isMapListShape( array $list ): bool
|
||||
{
|
||||
if ( empty( $list ) )
|
||||
return false;
|
||||
|
||||
foreach ( $list as $row ) {
|
||||
if ( !is_array( $row ) || !array_key_exists( 'id', $row ) || !array_key_exists( 'name', $row ) )
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
private function extractApiloErrorMessage( array $data ): string
|
||||
{
|
||||
foreach ( [ 'message', 'error', 'detail', 'title' ] as $key ) {
|
||||
if ( isset( $data[$key] ) && is_scalar( $data[$key] ) ) {
|
||||
$message = trim( (string)$data[$key] );
|
||||
if ( $message !== '' )
|
||||
return $message;
|
||||
}
|
||||
}
|
||||
|
||||
if ( isset( $data['errors'] ) ) {
|
||||
if ( is_array( $data['errors'] ) ) {
|
||||
$flat = [];
|
||||
foreach ( $data['errors'] as $errorItem ) {
|
||||
if ( is_scalar( $errorItem ) )
|
||||
$flat[] = (string)$errorItem;
|
||||
elseif ( is_array( $errorItem ) )
|
||||
$flat[] = json_encode( $errorItem, JSON_UNESCAPED_UNICODE );
|
||||
}
|
||||
|
||||
if ( !empty( $flat ) )
|
||||
return implode( '; ', $flat );
|
||||
} elseif ( is_scalar( $data['errors'] ) ) {
|
||||
return (string)$data['errors'];
|
||||
}
|
||||
}
|
||||
|
||||
return 'Nieznany blad odpowiedzi API.';
|
||||
}
|
||||
|
||||
// ── Apilo product operations ────────────────────────────────
|
||||
|
||||
public function apiloProductSearch( string $sku ): array
|
||||
{
|
||||
$accessToken = $this->apiloGetAccessToken();
|
||||
if ( !$accessToken )
|
||||
return [ 'status' => 'error', 'msg' => 'Brak tokenu Apilo.' ];
|
||||
|
||||
$url = "https://projectpro.apilo.com/rest/api/warehouse/product/?" . http_build_query( [ 'sku' => $sku ] );
|
||||
|
||||
$ch = curl_init( $url );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Bearer " . $accessToken,
|
||||
"Accept: application/json"
|
||||
] );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
$error = curl_error( $ch );
|
||||
curl_close( $ch );
|
||||
return [ 'status' => 'error', 'msg' => 'Błąd cURL: ' . $error ];
|
||||
}
|
||||
curl_close( $ch );
|
||||
|
||||
$data = json_decode( $response, true );
|
||||
if ( $data && isset( $data['products'] ) ) {
|
||||
$data['status'] = 'SUCCESS';
|
||||
return $data;
|
||||
}
|
||||
|
||||
return [ 'status' => 'SUCCESS', 'msg' => 'Brak wyników dla podanego SKU.', 'products' => '' ];
|
||||
}
|
||||
|
||||
public function apiloCreateProduct( int $productId ): array
|
||||
{
|
||||
$accessToken = $this->apiloGetAccessToken();
|
||||
if ( !$accessToken )
|
||||
return [ 'success' => false, 'message' => 'Brak tokenu Apilo.' ];
|
||||
|
||||
$product = ( new \Domain\Product\ProductRepository( $this->db ) )->findCached( $productId );
|
||||
|
||||
$params = [
|
||||
'sku' => $product['sku'],
|
||||
'ean' => $product['ean'],
|
||||
'name' => $product['language']['name'],
|
||||
'tax' => (int) $product['vat'],
|
||||
'status' => 1,
|
||||
'quantity' => (int) $product['quantity'],
|
||||
'priceWithTax' => $product['price_brutto'],
|
||||
'description' => $product['language']['description'] . '<br>' . $product['language']['short_description'],
|
||||
'shortDescription' => '',
|
||||
'images' => [],
|
||||
];
|
||||
|
||||
foreach ( $product['images'] as $image )
|
||||
$params['images'][] = "https://" . $_SERVER['HTTP_HOST'] . $image['src'];
|
||||
|
||||
$ch = curl_init( "https://projectpro.apilo.com/rest/api/warehouse/product/" );
|
||||
curl_setopt( $ch, CURLOPT_POSTFIELDS, json_encode( [ $params ] ) );
|
||||
curl_setopt( $ch, CURLOPT_CUSTOMREQUEST, "POST" );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Bearer " . $accessToken,
|
||||
"Content-Type: application/json",
|
||||
"Accept: application/json"
|
||||
] );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
$response = curl_exec( $ch );
|
||||
$responseData = json_decode( $response, true );
|
||||
|
||||
if ( curl_errno( $ch ) ) {
|
||||
$error = curl_error( $ch );
|
||||
curl_close( $ch );
|
||||
return [ 'success' => false, 'message' => 'Błąd cURL: ' . $error ];
|
||||
}
|
||||
curl_close( $ch );
|
||||
|
||||
if ( !empty( $responseData['products'] ) ) {
|
||||
$this->db->update( 'pp_shop_products', [
|
||||
'apilo_product_id' => reset( $responseData['products'] ),
|
||||
'apilo_product_name' => $product['language']['name'],
|
||||
], [ 'id' => $product['id'] ] );
|
||||
|
||||
return [ 'success' => true, 'message' => 'Produkt został dodany do magazynu APILO.' ];
|
||||
}
|
||||
|
||||
return [ 'success' => false, 'message' => 'Podczas dodawania produktu wystąpił błąd.' ];
|
||||
}
|
||||
}
|
||||
@@ -130,449 +130,7 @@ class IntegrationsRepository
|
||||
], [ 'id' => $productId ] );
|
||||
}
|
||||
|
||||
// ── Apilo OAuth ─────────────────────────────────────────────
|
||||
|
||||
public function apiloAuthorize( string $clientId, string $clientSecret, string $authCode ): bool
|
||||
{
|
||||
$postData = [
|
||||
'grantType' => 'authorization_code',
|
||||
'token' => $authCode,
|
||||
];
|
||||
|
||||
$ch = curl_init( "https://projectpro.apilo.com/rest/auth/token/" );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
curl_setopt( $ch, CURLOPT_CUSTOMREQUEST, "POST" );
|
||||
curl_setopt( $ch, CURLOPT_POSTFIELDS, json_encode( $postData ) );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Basic " . base64_encode( $clientId . ":" . $clientSecret ),
|
||||
"Accept: application/json"
|
||||
] );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
curl_close( $ch );
|
||||
return false;
|
||||
}
|
||||
curl_close( $ch );
|
||||
$response = json_decode( $response, true );
|
||||
|
||||
if ( empty( $response['accessToken'] ) )
|
||||
return false;
|
||||
|
||||
try {
|
||||
$this->saveSetting( 'apilo', 'access-token', $response['accessToken'] );
|
||||
$this->saveSetting( 'apilo', 'refresh-token', $response['refreshToken'] );
|
||||
$this->saveSetting( 'apilo', 'access-token-expire-at', $response['accessTokenExpireAt'] );
|
||||
$this->saveSetting( 'apilo', 'refresh-token-expire-at', $response['refreshTokenExpireAt'] );
|
||||
} catch ( \Exception $e ) {
|
||||
error_log( '[shopPRO] Apilo: błąd zapisu tokenów: ' . $e->getMessage() );
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
public function apiloGetAccessToken( int $refreshLeadSeconds = 300 ): ?string
|
||||
{
|
||||
$settings = $this->getSettings( 'apilo' );
|
||||
|
||||
$hasRefreshCredentials = !empty( $settings['refresh-token'] )
|
||||
&& !empty( $settings['client-id'] )
|
||||
&& !empty( $settings['client-secret'] );
|
||||
|
||||
$accessToken = trim( (string)($settings['access-token'] ?? '') );
|
||||
$accessTokenExpireAt = trim( (string)($settings['access-token-expire-at'] ?? '') );
|
||||
|
||||
if ( $accessToken !== '' && $accessTokenExpireAt !== '' ) {
|
||||
if ( !$this->shouldRefreshAccessToken( $accessTokenExpireAt, $refreshLeadSeconds ) ) {
|
||||
return $accessToken;
|
||||
}
|
||||
}
|
||||
|
||||
if ( !$hasRefreshCredentials ) {
|
||||
return null;
|
||||
}
|
||||
|
||||
if (
|
||||
!empty( $settings['refresh-token-expire-at'] ) &&
|
||||
!$this->isFutureDate( (string)$settings['refresh-token-expire-at'] )
|
||||
) {
|
||||
return null;
|
||||
}
|
||||
|
||||
return $this->refreshApiloAccessToken( $settings );
|
||||
}
|
||||
|
||||
/**
|
||||
* Keepalive tokenu Apilo do uzycia w CRON.
|
||||
* Odswieza token, gdy wygasa lub jest bliski wygasniecia.
|
||||
*
|
||||
* @return array{success:bool,skipped:bool,message:string}
|
||||
*/
|
||||
public function apiloKeepalive( int $refreshLeadSeconds = 300 ): array
|
||||
{
|
||||
$settings = $this->getSettings( 'apilo' );
|
||||
|
||||
if ( (int)($settings['enabled'] ?? 0) !== 1 ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'skipped' => true,
|
||||
'message' => 'Apilo disabled.',
|
||||
];
|
||||
}
|
||||
|
||||
if ( empty( $settings['client-id'] ) || empty( $settings['client-secret'] ) ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'skipped' => true,
|
||||
'message' => 'Missing Apilo credentials.',
|
||||
];
|
||||
}
|
||||
|
||||
$token = $this->apiloGetAccessToken( $refreshLeadSeconds );
|
||||
if ( !$token ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'skipped' => false,
|
||||
'message' => 'Unable to refresh Apilo token.',
|
||||
];
|
||||
}
|
||||
|
||||
$this->saveSetting( 'apilo', 'token-keepalive-at', date( 'Y-m-d H:i:s' ) );
|
||||
|
||||
return [
|
||||
'success' => true,
|
||||
'skipped' => false,
|
||||
'message' => 'Apilo token keepalive OK.',
|
||||
];
|
||||
}
|
||||
|
||||
private function refreshApiloAccessToken( array $settings ): ?string
|
||||
{
|
||||
$postData = [
|
||||
'grantType' => 'refresh_token',
|
||||
'token' => $settings['refresh-token'],
|
||||
];
|
||||
|
||||
$ch = curl_init( "https://projectpro.apilo.com/rest/auth/token/" );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Basic " . base64_encode( $settings['client-id'] . ":" . $settings['client-secret'] ),
|
||||
"Accept: application/json"
|
||||
] );
|
||||
curl_setopt( $ch, CURLOPT_POST, true );
|
||||
curl_setopt( $ch, CURLOPT_POSTFIELDS, json_encode( $postData ) );
|
||||
curl_setopt( $ch, CURLOPT_CUSTOMREQUEST, "POST" );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
curl_close( $ch );
|
||||
return null;
|
||||
}
|
||||
curl_close( $ch );
|
||||
$response = json_decode( $response, true );
|
||||
|
||||
if ( empty( $response['accessToken'] ) ) {
|
||||
return null;
|
||||
}
|
||||
|
||||
$this->saveSetting( 'apilo', 'access-token', $response['accessToken'] );
|
||||
$this->saveSetting( 'apilo', 'refresh-token', $response['refreshToken'] ?? ( $settings['refresh-token'] ?? '' ) );
|
||||
$this->saveSetting( 'apilo', 'access-token-expire-at', $response['accessTokenExpireAt'] ?? null );
|
||||
$this->saveSetting( 'apilo', 'refresh-token-expire-at', $response['refreshTokenExpireAt'] ?? null );
|
||||
|
||||
return $response['accessToken'];
|
||||
}
|
||||
|
||||
private function shouldRefreshAccessToken( string $expiresAtRaw, int $leadSeconds = 300 ): bool
|
||||
{
|
||||
try {
|
||||
$expiresAt = new \DateTime( $expiresAtRaw );
|
||||
} catch ( \Exception $e ) {
|
||||
return true;
|
||||
}
|
||||
|
||||
$threshold = new \DateTime( date( 'Y-m-d H:i:s', time() + max( 0, $leadSeconds ) ) );
|
||||
return $expiresAt <= $threshold;
|
||||
}
|
||||
|
||||
private function isFutureDate( string $dateRaw ): bool
|
||||
{
|
||||
try {
|
||||
$date = new \DateTime( $dateRaw );
|
||||
} catch ( \Exception $e ) {
|
||||
return false;
|
||||
}
|
||||
|
||||
return $date > new \DateTime( date( 'Y-m-d H:i:s' ) );
|
||||
}
|
||||
|
||||
/**
|
||||
* Sprawdza aktualny stan integracji Apilo i zwraca komunikat dla UI.
|
||||
*
|
||||
* @return array{is_valid:bool,severity:string,message:string}
|
||||
*/
|
||||
public function apiloIntegrationStatus(): array
|
||||
{
|
||||
$settings = $this->getSettings( 'apilo' );
|
||||
|
||||
$missing = [];
|
||||
foreach ( [ 'client-id', 'client-secret' ] as $field ) {
|
||||
if ( trim( (string)($settings[$field] ?? '') ) === '' )
|
||||
$missing[] = $field;
|
||||
}
|
||||
|
||||
if ( !empty( $missing ) ) {
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'danger',
|
||||
'message' => 'Brakuje konfiguracji Apilo: ' . implode( ', ', $missing ) . '.',
|
||||
];
|
||||
}
|
||||
|
||||
$accessToken = trim( (string)($settings['access-token'] ?? '') );
|
||||
$authorizationCode = trim( (string)($settings['authorization-code'] ?? '') );
|
||||
|
||||
if ( $accessToken === '' ) {
|
||||
if ( $authorizationCode === '' ) {
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'warning',
|
||||
'message' => 'Brak authorization-code i access-token. Wpisz kod autoryzacji i uruchom autoryzacje.',
|
||||
];
|
||||
}
|
||||
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'warning',
|
||||
'message' => 'Brak access-token. Uruchom autoryzacje Apilo.',
|
||||
];
|
||||
}
|
||||
|
||||
$token = $this->apiloGetAccessToken();
|
||||
if ( !$token ) {
|
||||
return [
|
||||
'is_valid' => false,
|
||||
'severity' => 'danger',
|
||||
'message' => 'Token Apilo jest niewazny lub wygasl i nie udal sie refresh. Wykonaj ponowna autoryzacje.',
|
||||
];
|
||||
}
|
||||
|
||||
$expiresAt = trim( (string)($settings['access-token-expire-at'] ?? '') );
|
||||
$suffix = $expiresAt !== '' ? ( ' Token wazny do: ' . $expiresAt . '.' ) : '';
|
||||
|
||||
return [
|
||||
'is_valid' => true,
|
||||
'severity' => 'success',
|
||||
'message' => 'Integracja Apilo jest aktywna.' . $suffix,
|
||||
];
|
||||
}
|
||||
|
||||
// ── Apilo API fetch lists ───────────────────────────────────
|
||||
|
||||
private const APILO_ENDPOINTS = [
|
||||
'platform' => 'https://projectpro.apilo.com/rest/api/orders/platform/map/',
|
||||
'status' => 'https://projectpro.apilo.com/rest/api/orders/status/map/',
|
||||
'carrier' => 'https://projectpro.apilo.com/rest/api/orders/carrier-account/map/',
|
||||
'payment' => 'https://projectpro.apilo.com/rest/api/orders/payment/map/',
|
||||
];
|
||||
|
||||
private const APILO_SETTINGS_KEYS = [
|
||||
'platform' => 'platform-list',
|
||||
'status' => 'status-types-list',
|
||||
'carrier' => 'carrier-account-list',
|
||||
'payment' => 'payment-types-list',
|
||||
];
|
||||
|
||||
/**
|
||||
* Fetch list from Apilo API and save to settings.
|
||||
* @param string $type platform|status|carrier|payment
|
||||
*/
|
||||
public function apiloFetchList( string $type ): bool
|
||||
{
|
||||
$result = $this->apiloFetchListResult( $type );
|
||||
return !empty( $result['success'] );
|
||||
}
|
||||
|
||||
/**
|
||||
* Fetch list from Apilo API and return detailed status for UI.
|
||||
*
|
||||
* @param string $type platform|status|carrier|payment
|
||||
* @return array{success:bool,count:int,message:string}
|
||||
*/
|
||||
public function apiloFetchListResult( string $type ): array
|
||||
{
|
||||
if ( !isset( self::APILO_ENDPOINTS[$type] ) )
|
||||
throw new \InvalidArgumentException( "Unknown apilo list type: $type" );
|
||||
|
||||
$settings = $this->getSettings( 'apilo' );
|
||||
$missingFields = [];
|
||||
foreach ( [ 'client-id', 'client-secret' ] as $requiredField ) {
|
||||
if ( trim( (string)($settings[$requiredField] ?? '') ) === '' )
|
||||
$missingFields[] = $requiredField;
|
||||
}
|
||||
|
||||
if ( !empty( $missingFields ) ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Brakuje konfiguracji Apilo: ' . implode( ', ', $missingFields ) . '. Uzupelnij pola i zapisz ustawienia.',
|
||||
];
|
||||
}
|
||||
|
||||
$accessToken = $this->apiloGetAccessToken();
|
||||
if ( !$accessToken ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Brak aktywnego tokenu Apilo. Wykonaj autoryzacje Apilo i sprobuj ponownie.',
|
||||
];
|
||||
}
|
||||
|
||||
$ch = curl_init( self::APILO_ENDPOINTS[$type] );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Bearer " . $accessToken,
|
||||
"Accept: application/json"
|
||||
] );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
$error = curl_error( $ch );
|
||||
curl_close( $ch );
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Blad polaczenia z Apilo: ' . $error . '. Sprawdz polaczenie serwera i sprobuj ponownie.',
|
||||
];
|
||||
}
|
||||
$httpCode = (int) curl_getinfo( $ch, CURLINFO_HTTP_CODE );
|
||||
curl_close( $ch );
|
||||
|
||||
$data = json_decode( $response, true );
|
||||
if ( !is_array( $data ) ) {
|
||||
$responsePreview = substr( trim( (string)$response ), 0, 180 );
|
||||
if ( $responsePreview === '' )
|
||||
$responsePreview = '[pusta odpowiedz]';
|
||||
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Apilo zwrocilo niepoprawny format odpowiedzi (HTTP ' . $httpCode . '). Odpowiedz: ' . $responsePreview,
|
||||
];
|
||||
}
|
||||
|
||||
if ( $httpCode >= 400 ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Apilo zwrocilo blad HTTP ' . $httpCode . ': ' . $this->extractApiloErrorMessage( $data ),
|
||||
];
|
||||
}
|
||||
|
||||
$normalizedList = $this->normalizeApiloMapList( $data );
|
||||
if ( $normalizedList === null ) {
|
||||
return [
|
||||
'success' => false,
|
||||
'count' => 0,
|
||||
'message' => 'Apilo zwrocilo dane w nieoczekiwanym formacie. Odswiez token i sproboj ponownie.',
|
||||
];
|
||||
}
|
||||
|
||||
$this->saveSetting( 'apilo', self::APILO_SETTINGS_KEYS[$type], $normalizedList );
|
||||
return [
|
||||
'success' => true,
|
||||
'count' => count( $normalizedList ),
|
||||
'message' => 'OK',
|
||||
];
|
||||
}
|
||||
|
||||
/**
|
||||
* Normalizuje odpowiedz API mapowania do listy rekordow ['id' => ..., 'name' => ...].
|
||||
* Zwraca null dla payloadu bledow lub nieoczekiwanego formatu.
|
||||
*
|
||||
* @return array<int, array{id:mixed,name:mixed}>|null
|
||||
*/
|
||||
private function normalizeApiloMapList( array $data ): ?array
|
||||
{
|
||||
if ( isset( $data['message'] ) && isset( $data['code'] ) )
|
||||
return null;
|
||||
|
||||
if ( $this->isMapListShape( $data ) )
|
||||
return $data;
|
||||
|
||||
if ( isset( $data['items'] ) && is_array( $data['items'] ) && $this->isMapListShape( $data['items'] ) )
|
||||
return $data['items'];
|
||||
|
||||
if ( isset( $data['data'] ) && is_array( $data['data'] ) && $this->isMapListShape( $data['data'] ) )
|
||||
return $data['data'];
|
||||
|
||||
// Dopuszczamy rowniez format asocjacyjny: [id => name, ...], ale tylko dla kluczy liczbowych.
|
||||
if ( !empty( $data ) ) {
|
||||
$normalized = [];
|
||||
foreach ( $data as $key => $value ) {
|
||||
if ( !( is_int( $key ) || ( is_string( $key ) && preg_match('/^-?\d+$/', $key) === 1 ) ) )
|
||||
return null;
|
||||
|
||||
if ( !is_scalar( $value ) )
|
||||
return null;
|
||||
|
||||
$normalized[] = [
|
||||
'id' => $key,
|
||||
'name' => (string) $value,
|
||||
];
|
||||
}
|
||||
|
||||
return !empty( $normalized ) ? $normalized : null;
|
||||
}
|
||||
|
||||
return null;
|
||||
}
|
||||
|
||||
private function isMapListShape( array $list ): bool
|
||||
{
|
||||
if ( empty( $list ) )
|
||||
return false;
|
||||
|
||||
foreach ( $list as $row ) {
|
||||
if ( !is_array( $row ) || !array_key_exists( 'id', $row ) || !array_key_exists( 'name', $row ) )
|
||||
return false;
|
||||
}
|
||||
|
||||
return true;
|
||||
}
|
||||
|
||||
private function extractApiloErrorMessage( array $data ): string
|
||||
{
|
||||
foreach ( [ 'message', 'error', 'detail', 'title' ] as $key ) {
|
||||
if ( isset( $data[$key] ) && is_scalar( $data[$key] ) ) {
|
||||
$message = trim( (string)$data[$key] );
|
||||
if ( $message !== '' )
|
||||
return $message;
|
||||
}
|
||||
}
|
||||
|
||||
if ( isset( $data['errors'] ) ) {
|
||||
if ( is_array( $data['errors'] ) ) {
|
||||
$flat = [];
|
||||
foreach ( $data['errors'] as $errorItem ) {
|
||||
if ( is_scalar( $errorItem ) )
|
||||
$flat[] = (string)$errorItem;
|
||||
elseif ( is_array( $errorItem ) )
|
||||
$flat[] = json_encode( $errorItem, JSON_UNESCAPED_UNICODE );
|
||||
}
|
||||
|
||||
if ( !empty( $flat ) )
|
||||
return implode( '; ', $flat );
|
||||
} elseif ( is_scalar( $data['errors'] ) ) {
|
||||
return (string)$data['errors'];
|
||||
}
|
||||
}
|
||||
|
||||
return 'Nieznany blad odpowiedzi API.';
|
||||
}
|
||||
|
||||
// ── Apilo product operations ────────────────────────────────
|
||||
// ── Product data ─────────────────────────────────────────────
|
||||
|
||||
public function getProductSku( int $productId ): ?string
|
||||
{
|
||||
@@ -580,93 +138,6 @@ class IntegrationsRepository
|
||||
return $sku ?: null;
|
||||
}
|
||||
|
||||
public function apiloProductSearch( string $sku ): array
|
||||
{
|
||||
$accessToken = $this->apiloGetAccessToken();
|
||||
if ( !$accessToken )
|
||||
return [ 'status' => 'error', 'msg' => 'Brak tokenu Apilo.' ];
|
||||
|
||||
$url = "https://projectpro.apilo.com/rest/api/warehouse/product/?" . http_build_query( [ 'sku' => $sku ] );
|
||||
|
||||
$ch = curl_init( $url );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Bearer " . $accessToken,
|
||||
"Accept: application/json"
|
||||
] );
|
||||
|
||||
$response = curl_exec( $ch );
|
||||
if ( curl_errno( $ch ) ) {
|
||||
$error = curl_error( $ch );
|
||||
curl_close( $ch );
|
||||
return [ 'status' => 'error', 'msg' => 'Błąd cURL: ' . $error ];
|
||||
}
|
||||
curl_close( $ch );
|
||||
|
||||
$data = json_decode( $response, true );
|
||||
if ( $data && isset( $data['products'] ) ) {
|
||||
$data['status'] = 'SUCCESS';
|
||||
return $data;
|
||||
}
|
||||
|
||||
return [ 'status' => 'SUCCESS', 'msg' => 'Brak wyników dla podanego SKU.', 'products' => '' ];
|
||||
}
|
||||
|
||||
public function apiloCreateProduct( int $productId ): array
|
||||
{
|
||||
$accessToken = $this->apiloGetAccessToken();
|
||||
if ( !$accessToken )
|
||||
return [ 'success' => false, 'message' => 'Brak tokenu Apilo.' ];
|
||||
|
||||
$product = ( new \Domain\Product\ProductRepository( $this->db ) )->findCached( $productId );
|
||||
|
||||
$params = [
|
||||
'sku' => $product['sku'],
|
||||
'ean' => $product['ean'],
|
||||
'name' => $product['language']['name'],
|
||||
'tax' => (int) $product['vat'],
|
||||
'status' => 1,
|
||||
'quantity' => (int) $product['quantity'],
|
||||
'priceWithTax' => $product['price_brutto'],
|
||||
'description' => $product['language']['description'] . '<br>' . $product['language']['short_description'],
|
||||
'shortDescription' => '',
|
||||
'images' => [],
|
||||
];
|
||||
|
||||
foreach ( $product['images'] as $image )
|
||||
$params['images'][] = "https://" . $_SERVER['HTTP_HOST'] . $image['src'];
|
||||
|
||||
$ch = curl_init( "https://projectpro.apilo.com/rest/api/warehouse/product/" );
|
||||
curl_setopt( $ch, CURLOPT_POSTFIELDS, json_encode( [ $params ] ) );
|
||||
curl_setopt( $ch, CURLOPT_CUSTOMREQUEST, "POST" );
|
||||
curl_setopt( $ch, CURLOPT_HTTPHEADER, [
|
||||
"Authorization: Bearer " . $accessToken,
|
||||
"Content-Type: application/json",
|
||||
"Accept: application/json"
|
||||
] );
|
||||
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true );
|
||||
$response = curl_exec( $ch );
|
||||
$responseData = json_decode( $response, true );
|
||||
|
||||
if ( curl_errno( $ch ) ) {
|
||||
$error = curl_error( $ch );
|
||||
curl_close( $ch );
|
||||
return [ 'success' => false, 'message' => 'Błąd cURL: ' . $error ];
|
||||
}
|
||||
curl_close( $ch );
|
||||
|
||||
if ( !empty( $responseData['products'] ) ) {
|
||||
$this->db->update( 'pp_shop_products', [
|
||||
'apilo_product_id' => reset( $responseData['products'] ),
|
||||
'apilo_product_name' => $product['language']['name'],
|
||||
], [ 'id' => $product['id'] ] );
|
||||
|
||||
return [ 'success' => true, 'message' => 'Produkt został dodany do magazynu APILO.' ];
|
||||
}
|
||||
|
||||
return [ 'success' => false, 'message' => 'Podczas dodawania produktu wystąpił błąd.' ];
|
||||
}
|
||||
|
||||
// ── ShopPRO import ──────────────────────────────────────────
|
||||
|
||||
public function shopproImportProduct( int $productId ): array
|
||||
|
||||
@@ -419,8 +419,8 @@ class OrderAdminService
|
||||
return false;
|
||||
}
|
||||
|
||||
$integrationsRepository = new \Domain\Integrations\IntegrationsRepository( $mdb );
|
||||
$accessToken = $integrationsRepository -> apiloGetAccessToken();
|
||||
$apiloRepository = new \Domain\Integrations\ApiloRepository( $mdb );
|
||||
$accessToken = $apiloRepository->apiloGetAccessToken();
|
||||
if (!$accessToken) {
|
||||
\Domain\Integrations\ApiloLogger::log(
|
||||
$mdb,
|
||||
@@ -675,7 +675,7 @@ class OrderAdminService
|
||||
global $config;
|
||||
|
||||
$db = $this->orders->getDb();
|
||||
$integrationsRepository = new \Domain\Integrations\IntegrationsRepository($db);
|
||||
$apiloRepository = new \Domain\Integrations\ApiloRepository($db);
|
||||
|
||||
if (empty($order['apilo_order_id'])) {
|
||||
return true;
|
||||
@@ -687,7 +687,7 @@ class OrderAdminService
|
||||
}
|
||||
|
||||
$payment_date = new \DateTime($order['date_order']);
|
||||
$access_token = $integrationsRepository->apiloGetAccessToken();
|
||||
$access_token = $apiloRepository->apiloGetAccessToken();
|
||||
|
||||
$ch = curl_init();
|
||||
curl_setopt($ch, CURLOPT_URL, "https://projectpro.apilo.com/rest/api/orders/" . $order['apilo_order_id'] . '/payment/');
|
||||
@@ -742,13 +742,13 @@ class OrderAdminService
|
||||
global $config;
|
||||
|
||||
$db = $this->orders->getDb();
|
||||
$integrationsRepository = new \Domain\Integrations\IntegrationsRepository($db);
|
||||
$apiloRepository = new \Domain\Integrations\ApiloRepository($db);
|
||||
|
||||
if (empty($order['apilo_order_id'])) {
|
||||
return true;
|
||||
}
|
||||
|
||||
$access_token = $integrationsRepository->apiloGetAccessToken();
|
||||
$access_token = $apiloRepository->apiloGetAccessToken();
|
||||
|
||||
$ch = curl_init();
|
||||
curl_setopt($ch, CURLOPT_URL, "https://projectpro.apilo.com/rest/api/orders/" . $order['apilo_order_id'] . '/status/');
|
||||
|
||||
@@ -790,8 +790,8 @@ class OrderRepository
|
||||
}
|
||||
}
|
||||
|
||||
if ($coupon && $coupon->is_one_time()) {
|
||||
$coupon->set_as_used();
|
||||
if ($coupon && (int)$coupon->one_time === 1) {
|
||||
(new \Domain\Coupon\CouponRepository($this->db))->markAsUsed((int)$coupon->id);
|
||||
}
|
||||
|
||||
$order = $this->orderDetailsFrontend($order_id);
|
||||
|
||||
@@ -383,7 +383,8 @@ class App
|
||||
'Integrations' => function() {
|
||||
global $mdb;
|
||||
return new \admin\Controllers\IntegrationsController(
|
||||
new \Domain\Integrations\IntegrationsRepository( $mdb )
|
||||
new \Domain\Integrations\IntegrationsRepository( $mdb ),
|
||||
new \Domain\Integrations\ApiloRepository( $mdb )
|
||||
);
|
||||
},
|
||||
'ShopStatuses' => function() {
|
||||
|
||||
@@ -2,15 +2,18 @@
|
||||
namespace admin\Controllers;
|
||||
|
||||
use Domain\Integrations\IntegrationsRepository;
|
||||
use Domain\Integrations\ApiloRepository;
|
||||
use admin\ViewModels\Common\PaginatedTableViewModel;
|
||||
|
||||
class IntegrationsController
|
||||
{
|
||||
private IntegrationsRepository $repository;
|
||||
private ApiloRepository $apiloRepository;
|
||||
|
||||
public function __construct( IntegrationsRepository $repository )
|
||||
public function __construct( IntegrationsRepository $repository, ApiloRepository $apiloRepository )
|
||||
{
|
||||
$this->repository = $repository;
|
||||
$this->apiloRepository = $apiloRepository;
|
||||
}
|
||||
|
||||
public function logs(): string
|
||||
@@ -125,7 +128,7 @@ class IntegrationsController
|
||||
{
|
||||
return \Shared\Tpl\Tpl::view( 'integrations/apilo-settings', [
|
||||
'settings' => $this->repository->getSettings( 'apilo' ),
|
||||
'apilo_status' => $this->repository->apiloIntegrationStatus(),
|
||||
'apilo_status' => $this->apiloRepository->apiloIntegrationStatus(),
|
||||
] );
|
||||
}
|
||||
|
||||
@@ -147,7 +150,7 @@ class IntegrationsController
|
||||
{
|
||||
$settings = $this->repository->getSettings( 'apilo' );
|
||||
|
||||
if ( $this->repository->apiloAuthorize(
|
||||
if ( $this->apiloRepository->apiloAuthorize(
|
||||
(string)($settings['client-id'] ?? ''),
|
||||
(string)($settings['client-secret'] ?? ''),
|
||||
(string)($settings['authorization-code'] ?? '')
|
||||
@@ -156,7 +159,7 @@ class IntegrationsController
|
||||
exit;
|
||||
}
|
||||
|
||||
$status = $this->repository->apiloIntegrationStatus();
|
||||
$status = $this->apiloRepository->apiloIntegrationStatus();
|
||||
$message = trim( (string)($status['message'] ?? '') );
|
||||
if ( $message === '' ) {
|
||||
$message = 'Podczas autoryzacji wystapil blad. Prosze sprawdzic dane i sprobowac ponownie.';
|
||||
@@ -191,7 +194,7 @@ class IntegrationsController
|
||||
public function apilo_create_product(): void
|
||||
{
|
||||
$productId = (int) \Shared\Helpers\Helpers::get( 'product_id' );
|
||||
$result = $this->repository->apiloCreateProduct( $productId );
|
||||
$result = $this->apiloRepository->apiloCreateProduct( $productId );
|
||||
|
||||
\Shared\Helpers\Helpers::alert( (string)($result['message'] ?? 'Wystapil blad podczas tworzenia produktu w Apilo.') );
|
||||
header( 'Location: /admin/shop_product/view_list/' );
|
||||
@@ -208,7 +211,7 @@ class IntegrationsController
|
||||
exit;
|
||||
}
|
||||
|
||||
echo json_encode( $this->repository->apiloProductSearch( $sku ) );
|
||||
echo json_encode( $this->apiloRepository->apiloProductSearch( $sku ) );
|
||||
exit;
|
||||
}
|
||||
|
||||
@@ -267,7 +270,7 @@ class IntegrationsController
|
||||
|
||||
private function fetchApiloListWithFeedback( string $type, string $label ): void
|
||||
{
|
||||
$result = $this->repository->apiloFetchListResult( $type );
|
||||
$result = $this->apiloRepository->apiloFetchListResult( $type );
|
||||
|
||||
if ( !empty( $result['success'] ) ) {
|
||||
$count = (int)($result['count'] ?? 0);
|
||||
|
||||
1
autoload/temp/.migration-apilo-retry-done
Normal file
1
autoload/temp/.migration-apilo-retry-done
Normal file
@@ -0,0 +1 @@
|
||||
2026-03-16 09:29:10
|
||||
Reference in New Issue
Block a user