glc36/maxloop-kernel

Package contains common functions that you can use in your microservices

Installs: 1 695

Dependents: 0

Suggesters: 0

Security: 0

pkg:composer/glc36/maxloop-kernel

v2.4.2 2025-10-21 10:08 UTC

README

Introduction

  • This package contains common functions that you can use in your microservices to check authentication, authorization and more.

1. Installation Via Composer

You can install the package via composer:

composer require glc36/maxloop-kernel

2. Installation Locally For Development

Create path following with

<project_root>/packages/glc36/maxloop-kernel

Configure to your composer.json to create a path repository that uses a symlink:

# Switch the minimum-stability from `stable` to `dev`
"minimum-stability": "dev",

# Add the following to end of composer.json
"repositories": [
    {
        "type": "path",
        "url": "packages/glc36/maxloop-kernel",
        "options": {
            "symlink": true
        }
    }
]

Lastly run the following command to require your package:

composer require glc36/maxloop-kernel

3. Configuration

3.1 Maxloop Kernel

3.1.1 Publish Config Assets

This library includes three configuration files for managing your application’s microservices and permissions:

  1. microservice.php: Manages the configuration of the installed microservice.
  2. connector.php: Centralized configuration for all service connectors within your application.
  3. permissions.php: Defines the permissions specific to the installed microservice.
  4. api-error-exception.php: Defines the error codes & message for ApiException.
php artisan vendor:publish --tag=maxloop-kernel-config

This library also installed Laravel Kafka package for managing Kafka topics and messages. Hence, kindly run the command above to publish the Kafka config file.

php artisan vendor:publish --tag=laravel-kafka-config

3.1.2 Setting up config variables

Include variables below into your project application's .env and can be use as such: config('microservice.name')

MICROSERVICE_NAME=microservice              // Name of the microservice 
MICROSERVICE_JWT_SIGNATURE=0u5qVEQkmSfhl    // HS256 signature
MICROSERVICE_JWT_TTL=900                    // JWT expiration time in seconds (default: 15 minutes)
MICROSERVICE_REFRESH_JWT_TTL=172800         // Refresh JWT expiration time in seconds (default: 2 days)
MICROSERVICE_JWT_CACHE_TTL=300              // Cache duration in seconds (default: 5 minutes)
MICROSERVICE_ACCESS_CACHE_TTL=600           // Cache duration in seconds (default: 10 minutes)
MICROSERVICE_SHARED_TOKEN=gjyu5yjy8er       // Shared Static Token for Services Internal Communication

3.2 Kafka

3.2.1 Publish Kafka Config Assets

Publish the Kafka configuration file to your config directory.

php artisan vendor:publish --tag=laravel-kafka-config

3.2.2 Setting up Kafka config variables

Include the Kafka environment variables below into your project application's .env

// The kafka broker address (default: localhost:9092)
KAFKA_BROKERS=kafka-service:10000

// The security protocol for Kafka (default: PLAINTEXT)
KAFKA_SECURITY_PROTOCOL=PLAINTEXT

// The consumer group ID for Kafka (default: group)
KAFKA_CONSUMER_GROUP_ID=mms-cas-consumers

// Enable or disable debug mode for Kafka (default: false)
KAFKA_DEBUG=true

// Cache driver (default: file)
KAFKA_CACHE_DRIVER=redis

3.2.3 Publish Service Providers

This library also installed Kafka service provider to bootstrap Kafka core service in your application.:

  1. KafkaServiceProvider: Register Kafka producer services.
php artisan vendor:publish --tag=maxloop-kernel-provider

After publishing, you can add the service providers to your bootstrap/providers.php file:

<?php

return [
    // existing code ...
    App\Providers\KafkaServiceProvider::class,
];

3.2.4 Publish Kafka Supervisor Config Assets

This library also installed Kafka supervisor config file to bootstrap Kafka core service in your application.

php artisan vendor:publish --tag=maxloop-kafka-supervisor

3.2.5 Publish KafkaConsumerCommand to your service (Optional)

This libary includes a KafkaConsumerCommand class to consume Kafka messages. Use the command below to publish the command to your application if needed.

php artisan vendor:publish --tag=maxloop-kafka-commands

Kindly refer to Kafka documentation for more information on how to use the command.

4. Cache Generator Helper

The CacheGenerator class provides a helper for managing cache operations in our project application. It simplifies common tasks like setting, retrieving, and deleting cache values, with support for microservice-specific cache key prefixes.

4.1 Features

  • Automatically prefixes cache keys with a microservice name.
  • Supports setting cache with a time-to-live (TTL) or permanently.
  • Retrieves cache values.
  • Deletes individual cache values.
  • Deletes all cache values for a specific microservice.

4.2 Notes

Ensure your project application has the required dependencies, such as Redis for cache storage, and include this helper in your project.

4.3 Configuration

The CacheGenerator class uses the following configurations:

  • microservice.name: The name of the microservice used as a prefix for cache keys.
  • database.redis.cache.database: Specifies the Redis database used for caching.

Ensure these configurations are defined in your config files.

4.4 Constructor

Creates a new CacheGenerator instance with the given key.

$cache = new CacheGenerator(string $key);

4.5 Set a Cache Value

Sets a value in the cache with an optional TTL (time-to-live).

$cache->set(array|string|null $value, ?int $ttl = null): bool

4.6 Get a Cache Value

Retrieves a value from the cache.

$cache->get(): mixed

Pass a closure as the default value and store it, if the requested cache doesn't exist

$cache->get(function () use ($request) {
    // If cache data not found, retrieve data again
    return DB::table('users')->get();
}, 100); // Set cache TTLβ€”if not set, it will be store forever.

4.7 Delete a Specific Cache Entry

Deletes the specific cache value associated with the key.

$cache->delete(): bool

4.8 Delete All Cache Entries for a Microservice

Deletes all cache entries for the microservice by scanning for keys with the microservice prefix.

CacheGenerator::deleteAll(): bool

Deleting all cache from a microservice only supported in redis driver

4.8 Cache Atomic Lock

Manage application cache keys and atomic locks, with support for microservice and lock prefix

4.8.1 Basic Usage

$cache = new CacheGenerator('user.profile.123');

$response = $cache->lock(
    lockDuration: 10,
    callback: function() {
        // Critical section
        return 'result';
    },
);

4.8.2 Advance Usage

$cache = new CacheGenerator('user.profile.123');

try {
    $response = $cache->lock(
        lockDuration: 10,
        callback: function() {
            // Critical section
            return 'result';
        },
        maxWaitTime: 5 // Optional wait timeout
        lockSuffix: ':lock' // Optional lock suffix
    );

    return $response ?: ApiResponse::error('Another request is currently processing. Please try again shortly.');
} catch (LockTimeoutException $exception) {
    // Optional on using LockTimeoutException if using maxWaitTime
    Log::warning('Lock timeout encountered', [
        'key' => $cache->getKey(),
        'message' => $exception->getMessage()
    ]);
    return ApiResponse::error('Lock acquisition timed out');
}

Example of generated cache lock key will be: cas.user.profile.123:lock

5. ApiResponse Utility Class

The ApiResponse class provides a standardized way to return JSON responses in our project application. It simplifies handling success, error, validation, and paginated responses.

5.1 Method

  1. success

A method for generating a success response.

public static function success(string $message, array|LengthAwarePaginator $data, int $statusCode = JsonResponse::HTTP_OK): JsonResponse

Parameters:

  • string $message: The success message.
  • array $data: Additional data to include in the response body (optional).
  • int $statusCode: HTTP status code (default is 200).

Example:

return ApiResponse::success('Operation Successfully', ['key' => 'value'], 200)
  1. error

A method for generating a error response.

public static function error(string $message, array $data = null, int $statusCode = JsonResponse::HTTP_BAD_REQUEST): JsonResponse

Parameters:

  • string $message: The error message.
  • array $data: Additional error details (optional).
  • int $statusCode: HTTP status code (default is 400).

Example:

return ApiResponse::error('An Error Occurred', ['key' => 'value'], 400)
  1. validationException

Handles and formats validation exceptions.

public static function validationException(ValidationException $exception): JsonResponse

Parameters:

  • ValidationException $exception: The validation exception instance.

Example:

return ApiResponse::validationException($exception);

Response Format:

{
  "status": false,
  "message": "Validation Error: Ensure All Fields Are Correctly Filled",
  "body": {
    "field": ['field1' => ['The Field1 Is Required']]
  }
}
  1. customException

Handles and formats api error exceptions.

public static function customException(ApiErrorException $exception): JsonResponse

Parameters:

  • ApiErrorException $exception: The api error exception instance.

Example:

return ApiResponse::customException($exception);

Response Format:

{
  "status": false,
  "message": "General Error",
  "data": {
    "key": "value"
  },
  "error_code": 1000
}
  1. exceptionError

Handles and formats general exceptions.

public static function exceptionError(Exception $exception, string $message = null): JsonResponse

Parameters:

  • Exception $exception: The general exception instance.
  • string $message: The exception error message.

Example:

return ApiResponse::exceptionError($exception);

Response Format:

{
  "status": false,
  "message": "General Error Occurred",
  "body": null
}

6. Custom Exception & Handling

6.1 MaxloopExceptionBaseClass

The MaxloopExceptionBaseClass class that provides a robust exception handling system and standardized API responses for Laravel applications.

6.1.1 Features

  • Easily handle exceptions and return standardized error responses.
  • Automatically format validation errors in a consistent structure.
  • Easily extend and customize the exception handling logic.
  • Simplify API responses with success and error response helpers.

6.1.2 Usage

To automatically transform any exception and render as ApiResponse json response, register the handler in your bootstrap/app.php file:

return Application::configure(basePath: dirname(__DIR__))
    ->withRouting(...)
    ->withMiddleware(...)
    ->withExceptions(function (Exceptions $exceptions) {
        $exceptions->renderable(function (\Exception $exception, $request) {
            if ($request->is('*api*') || $request->wantsJson()) {
                $handler = new MaxloopExceptionBaseClass();
                return $handler->render($request, $exception);
            }
        });
    })->create();

$request->is(" api ") (Optional to check the path contain "api")

$request->wantsJson() (Optional to check client wants the response as JSON format -> Accept: application/json)

6.1.3 Examples

Handling Validation Errors

When a validation error occurs, the response will look like this

{
    "status": false,
    "message": "Validation Error: Ensure All Fields Are Correctly Filled",
    "data": {
        "email": ["The email must be a valid email address."]
        }
}

Custom Exception Handling

When a exception error occurs, the response will look like this

{
    "status": false,
    "message": "General Error Occurred",
    "data": null
}

6.2 ApiErrorException

The ApiErrorException class that provide an exception allow passing others parameters.

6.2.1 Features

  • Allow to set system error_code & message in config file.
  • Allow to pass custom 'errorcode', (not http status code)_.
  • Allow to pass custom 'data'.

6.2.3 Set Config File

To define your exception custom error codes & messages in api-error-exception.php.

// e.g.
return [
    'messages' => [
        '1000' => 'General Error',

        # without attributes
        '1001' => 'Error Message 1001',

        # with attributes
        '1002' => 'Error Message 1002 :attribute',
    ]
];

6.2.4 Usage

use Glc36\MaxloopKernel\Exception\ApiErrorException;

# 1. default error code
throw new ApiErrorException('Testing Api Error Exception Message');

/* response
    {
        "status": false,
        "message": "Testing Api Error Exception Message",
        "data": {},
        "error_code": 1000
    }
*/



# 2. error code + attributes + data
throw new ApiErrorException(
        '', // custom message
        1002, // error code 
        ['attribute' => 'attribute-value'], // attributes
        ['data-1' => 'data-1'] // data
    );

/* response
    {
        "status": false,
        "message": "Error Message 1002 attribute-value",
        "data": {
            "data-1": "data-1"
        },
        "error_code": 1002
    }
*/



# 3. custom error code & message
throw new ApiErrorException('Custom Message', 8888);

/* response
    {
        "status": false,
        "message": "Custom Message",
        "data": {},
        "error_code": 8888
    }
*/

7. JWT Handler

7.1 πŸ“Œ Overview

JwtHandler is a utility class for managing JWT (JSON Web Tokens) in your application using the tymon/jwt-auth package.
It provides methods for generating, validating, retrieving, and invalidating JWT tokens.

7.2 βš™οΈ Features

βœ… Generate JWT tokens with custom claims
βœ… Validate JWT tokens (including expiration and signature checks)
βœ… Retrieve all or specific claims from a token
βœ… Validate user roles and permissions
βœ… Invalidate a JWT token (Delete from cache)

Prerequisites

You can publish jwt config file with:

php artisan vendor:publish --provider="Tymon\JWTAuth\Providers\LaravelServiceProvider"

The jwt secret key, ttl or etc. can be setup in kernel config file.

7.3 Generating a JWT Token

To generate a token for a user with custom claim

$jwtHandler = new JwtHandler();
$tokenData = $jwtHandler->signToken($user, 'admin', ['role' => 'admin'], $setCache);

7.4 Set jwt token

Set a jwt token

$jwtHandler = new JwtHandler();
$jwtHandler->setToken($token);

7.5 Validating a JWT Token

Validate JWT Token

$jwtHandler->isValidAccessToken()

7.6 Retrieving Claims or Claim from JWT

Retrieve all or specific claims from a jwt token

$claims = $jwtHandler->getClaims(); // Get all claims
$role = $jwtHandler->getClaim('role'); // Get specific claim

7.7 Invalidating a JWT Token

Invalidate a JWT Token and delete from cache

$jwtHandler->invalidateJwtToken();

8. Auth Context Handler

8.1 πŸ“Œ Overview

AuthContextHandler class provides a centralized way to manage Authorization Context in your application using caching. It allows setting, retrieving, and validating a user's roles and permissions using their UUID.

8.2 βš™οΈ Features

βœ… Store and retrieve user auth context from cache.
βœ… Cache format: auth_context.admin.{uuid} or auth_context.user.{uuid}
βœ… Validate if auth context exists or fetch a fresh one
βœ… Check user authorization using roles or permissions
βœ… Supports either_one or required_all authorization conditions
βœ… Works seamlessly with CasConnector and CacheGenerator services

Prerequisites

You can set auth context cache in .env:

MICROSERVICE_ACCESS_CACHE_TTL=600

Can refer to microservice config file.

8.3 Set UUID and Auth Guard

Set a user's UUID

$authContextHandler->setUuid('user-uuid-1234');

Set a user's auth guard

$authContextHandler->setAuthGuard('admin'); // admin or user

8.4 Set Auth Context

Set user's auth context in cache

$authContextHandler->setContext([
    'roles' => ['admin', 'editor'],
    'permissions' => ['manage.users', 'edit.articles'],
]);

8.5 Get Auth Context

Get auth context from cache (Either return data or boolean)

$context = $authContextHandler->getContext();
$hasContext = $authContextHandler->getContext(true); // returns true or false

8.6 Validate Auth Context

Validates and refreshes context if needed

$isValid = $authHandler->validateContext();

8.7 Authorization Checks

Check if is authorized on user roles or permissions.

// Check if user has ANY of these roles/permissions
$hasAccess = $authHandler->isAuthorized(['admin', 'editor']);

// Check if user has ALL of these roles/permissions
$hasAllAccess = $authHandler->isAuthorized(
    ['admin', 'publisher'], 
    AuthContextHandler::CONDITION_REQUIRED_ALL
);

9. Middleware

This library contains FIVE middleware classes for your application:

  1. JwtAuthMiddleware: Validates JWT tokens before processing requests.
  2. AuthContextMiddleware: Middleware to validate and preload the authenticated user's context into cache based.
  3. Authorization Middleware: Middleware for handling role/user group and permission based authorization.
  4. Api Client Auth Middleware: Middleware for validating API requests using HMAC signatures and public keys.
  5. Internal Api Auth Middleware: Middleware for authorized internal services can access protected routes using a shared token.

9.1 πŸ”Ή JwtAuthMiddleware

The JwtAuthMiddleware ensures that a valid JWT token is present in requests.

9.1.1 βš™οΈ Features

βœ… Extracts the JWT token from the Authorization header.
βœ… Validates the token using JwtHandler.
βœ… Blocks unauthorized access.

9.1.2 πŸ“Œ Installation

Register as a Global Middleware in bootstrap/app.php:

use Glc36\MaxloopKernel\Middleware\JwtAuthMiddleware;

->withMiddleware(function (Middleware $middleware) {
    $middleware->api(append:[JwtAuthMiddleware::class]);
})

[!IMPORTANT] For CAS microservice change the value CAS_CONNECTOR_STRATEGY in .env
Can refer to connector.php file By changing to controller the app will call to it own controller's method instead of calling API endpoint

CAS_CONNECTOR_STRATEGY=controller

9.2 πŸ”Ή AuthContextMiddleware

The AuthContextMiddleware sets up the user's authorization context for subsequent requests in the application lifecycle.

9.2.1 πŸ“Œ Installation

Register as aliases in bootstrap/app.php:

use Glc36\MaxloopKernel\Middleware\AuthContextMiddleware;

->withMiddleware(function (Middleware $middleware) {
    $middleware->api(append:[AuthContextMiddleware::class]);
})

9.3 πŸ”Ή Authorization Middleware (New Method)

The Authorization middleware restricts access to routes based on user roles/user groups or permissions.

9.3.1 βš™οΈ Features

βœ… Supports single role/permission, multiple required roles/permissions (AND condition), and either one of multiple roles/permissions (OR condition).
βœ… Extracts roles/permissions from the User Token Cache.
βœ… Uses a custom Authorize Guard for role/permission validation. βœ… For user guard (Tenant BO), it will check on user group/permission instead.

9.3.2 πŸ“Œ Installation

Register as aliases in bootstrap/app.php:

use Glc36\MaxloopKernel\Middleware\AuthorizationMiddleware;

->withMiddleware(function (Middleware $middleware) {
    $middleware->alias([
        'authorization' => AuthorizationMiddleware::class
    ]);
})

9.3.3 Usage

After you have registered the aliases as shown above, you can use them in your Routes and Controllers much the same way you use any other middleware:

// Single role or sing permission
Route::group(['middleware' => ['authorization:admin']], function () { ... });
Route::group(['middleware' => ['authorization:cas.user.users.view']], function () { ... });

// Multiple required roles and permissions (AND condition)
Route::group(['middleware' => ['authorization:admin,cas.user.users.view']], function () { ... });

// Either one of the roles or permissions (OR condition: must have AT LEAST ONE role or ONE permission)
Route::group(['middleware' => ['authorization:admin|cas.user.users.view']], function () { ... });

// Usesage for Tenant Bo (AND condition, scenario: Tenant Profile)
Route::group(['middleware' => ['authorization:owner,cas.user.users.view']], function () { ... });

9.4 πŸ”Ή Api Client Auth Middleware (New Method)

The Api Client Auth middleware ensures only trusted clients can access your microservice endpoints.

9.4.1 βš™οΈ Features

βœ… Ensure that only signed and timestamped requests can proceed.
βœ… Prevent replay attacks using timestamp and request ID.
βœ… Authenticate requests via public API keys and HMAC SHA256 signatures.

9.4.2 πŸ“Œ Installation

Register as middleware group alias in bootstrap/app.php:

use Glc36\MaxloopKernel\Middleware\ApiClientAuthMiddleware;

->withMiddleware(function (Middleware $middleware) {
    $middleware->group('integration-api', [
            ApiClientAuthMiddleware::class,
        ]);
})

9.4.3 Usage

Once registered, you can apply the integration-api middleware group to any route or route group:

Route::middleware(['api', 'integration-api'])
    ->prefix('api/integration')
    ->name('api.integration.')
    ->group(module_path($this->name, '/routes/integration.php'));

9.4.4 πŸ§ͺ Required Headers

Api Clients MUST include the following headers:

HeaderDescriptionRequired
X-Api-KeyPublic key issued to the clientβœ…
X-SignatureHMAC SHA256 of the request dataβœ…
X-TimestampCurrent epoch time (in seconds)βœ…
X-Request-IDUnique ID per request (UUID)βœ…

9.4.5 πŸ“š X-Signature Generation

Api Client should provide signature is calculated using:

HMAC_SHA256(method + path + body + request_id + timestamp,secret_key)

🧩Example in php:
$dataToSign = implode('', [$requestBody, $requestId, $timestamp]);
$signature = HASH_HAMC('SHA256', $dataToSign, $secretKey);

9.5 πŸ”Ή Internal Api Auth Middleware (New Method)

The Internal Api Auth middleware protecting internal-only endpoints in a microservice architecture where service-to-service communication must be authorized by a shared token.

Prerequisites

You can set shared token key .env:

MICROSERVICE_SHARED_TOKEN=test

Can refer to microservice config file.

9.5.1 πŸ“Œ Installation

Register as middleware group alias in bootstrap/app.php:

use Glc36\MaxloopKernel\Middleware\InternalApiAuthMiddleware;

->withMiddleware(function (Middleware $middleware) {
    $middleware->group('internal-api', [
        InternalApiAuthMiddleware::class
    ]);
})

9.5.2 Usage

Once registered, you can apply the integration-api middleware group to any route or route group:

Route::middleware(['api', 'internal-api'])
    ->prefix('api/internal')
    ->name('api.internal.')
    ->group(module_path($this->name, '/routes/internal.php'));

9.5.3 πŸ§ͺ Required Headers

Internal Api MUST include the following headers:

HeaderDescriptionRequired
X-Service-AuthPublic key issued to the clientβœ…

By using InternalServiceConnector will auto append X-Service-Auth in Header

10. Service to Service Connector

Connector is a microservice-specific connector that provides a convenient way to interact with every microservice between your application.

10.1 πŸ“Œ Installation

Define the services in your config/connector.php file

// Global Base URL for communication (Thru API Gateway)
'base_url' => env('CONNECTOR_BASE_URL'),
// Default Request Timeout (in seconds)
'timeout' => env('CONNECTOR_TIMEOUT', 10),
// Each microservice unique name, can refer to their microservice name
'cas' => [
    // The human-readable name of the service. (Only for display purpose)
    'name' => 'Centralize Authentication Service',

    // Default strategy is API (api or controller)
    'strategy' => env('CAS_CONNECTOR_STRATEGY', 'api'),

    // Controller route name
    'controllers' => [
        'validate_access_token' => 'api.public.validate.access-token',
        'revoke_token' => 'api.revoke.token',
        'revoke_tokens_by_entity' => 'api.revoke.tokens'
    ]
],
base_url: Global Base URL for communication (Thru API Gateway).
timeout: Default Request Timeout (in seconds)
strategy: The strategy for connect which can be either 'api' (via HTTP request) or 'controller' (direct method call).
controllers: Route names used for direct controller calls

10.2 πŸ”Ή CasConnector

It facilitates communication with the CAS (Central Authentication Service) by providing methods for validating access tokens and auth context.

10.2.1 Validating an Access Token

Validate a JWT token with the CAS service.

$casConnector = new CasConnector();
// Will pass bearer token in header to the endpoint for validation
$response = $casConnector->validateAccessToken();

10.2.2 Retrieve User Auth Context

Retrieve user auth context on sensitive data such as roles, permissions, tenant id and etc.

$casConnector = new CasConnector();
// Will pass bearer token in header to the endpoint
$response = $casConnector->getAuthContext();

10.2.3 Retrieve Api Client Auth Context

Retrieve Api Client auth context on sensitive data such as roles, permissions, uuid, secret key and etc.

$casConnector = new CasConnector();
$response = $casConnector->getApiClient();

10.3 πŸ”Ή InternalServiceConnector

It facilitates communication between services by defining internal endpoint and HTTP method.

10.3.1 Configure Microservice Shared Token

Set shared microservice token in .env.

MICROSERVICE_SHARED_TOKEN=asdvcxvcxv

10.3.2 Call Endpoint

Call to services internal endpoint.

$internalConnector = new \Glc36\MaxloopKernel\Services\InternalServiceConnector();
// Will pass shared token in header to the endpoint for authentication
$response = $internalConnector->callEndpoint('get', '/general/api/internal/v1/currencies');

10.4 πŸ”Ή MediaConnector

It facilitates communication with the Media (Media Service) by providing methods for upload, retrieve and delete media.

10.4.1 πŸ“Œ Installation

Set filesystem disk that you wished to use in .env.

MEDIA_DISK=local

If uses the local disk, should create a symbolic link from source directory
To create the symbolic link, you may use the storage:link Artisan command

php artisan storage:link

10.4.2 Retrieve, Delete and Upload Media

Retrieve, Delete and Upload a media item to the Media Service.

$mediaConnector = new MediaConnector();
// Will pass shared token in header to the endpoint for authentication
$response = $mediaConnector->uploadMedia([
    'file' => file_get_contents($path),
    'directory' => 'media', // file location
    'thumbnail' => true // boolean either want to create a thumbnail
]);

$response = $mediaConnector->retrieveMedia(1); // Pass media ID
$response = $mediaConnector->deleteMedia(1); // Pass media ID

10.5 πŸ”Ή VendorConnector

It facilitates communication with the Vendor Service by providing methods for retrieving and validating vendor items.

10.5.1 πŸ“Œ Installation

Define the vendor service in your config/connector.php file:

'vs' => [
    'name' => 'Vendor Service',
],

10.5.2 Retrieve Vendor Items

Get all vendor items for dropdown/options with caching support.

$vendorConnector = new VendorConnector();
// Will pass shared token in header to the endpoint for authentication
$response = $vendorConnector->getVendorItems();

10.5.3 Get Vendor Item by UUID

Retrieve a specific vendor item by its UUID.

$vendorConnector = new VendorConnector();
// Will pass shared token in header to the endpoint for authentication
$response = $vendorConnector->getVendorItem('vendor-item-uuid-here');

10.5.4 Validate Vendor Item

Check if a vendor item UUID exists and is active.

$vendorConnector = new VendorConnector();
// Will pass shared token in header to the endpoint for authentication
$isValid = $vendorConnector->validateVendorItem('vendor-item-uuid-here');
// Returns boolean: true if valid and active, false otherwise

10.5.5 Clear Cache

Clear the cached vendor items data.

$vendorConnector = new VendorConnector();
$vendorConnector->clearVendorItemsCache();

10.6 πŸ”Ή GsConnector

provides a clean API client wrapper for the General Service (GS) in your microservices architecture.
It includes built-in caching for frequently used resources like currencies, payment methods, and payment platforms.

10.6.1 πŸ“Œ Installation

Define the vendor service in your config/connector.php file:

'gs' => [
    'name' => 'General Service',
],

17.6.2 βš™οΈ Features

βœ… Caching support (currencies, payment methods, payment platforms)
βœ… Currency validation helper (isValidCurrency)
βœ… Cache management methods (clearCache, refreshCache)

10.6.3 Get Currencies

Get currencies for dropdown/options with caching support.

$gsConnector = app(GsConnector::class);
$currencies = $gsConnector->getCurrencies(); // Cached for 7 days by default
dd($currencies);

10.6.4 Validate a Currency

Validate a currency code whether it exists and active status

if (!$gsConnector->isValidCurrency('USD')) {
    throw new Exception("Invalid or inactive currency.");
}

10.6.5 Get Payment Methods

Get payment methods for dropdown/options with caching support.

$gsConnector = app(GsConnector::class);
$paymentMethods = $gsConnector->getPaymentMethods(); // Cached for 7 days by default
dd($paymentMethods);

10.6.6 Get Payment Platforms

Get payment platforms for dropdown/options with caching support.

$gsConnector = app(GsConnector::class);
$paymentPlatforms = $gsConnector->getPaymentPlatforms(); // Cached for 7 days by default
dd($paymentPlatforms);

10.6.7 Cache Management

10.6.8 Clear cache for a specific type

$gsConnector = app(GsConnector::class);
$gsConnector->clearCache('currencies');

10.6.9 Refresh cache (clear + re-fetch)

$gsConnector = app(GsConnector::class);
$gsConnector->refreshCache('currencies');

10.6.10 Supported Cache Types

TypeCache Key
currenciesgs.currencies.list
payment-methodsgs.payment-methods.list
payment-platformsgs.payment-platforms.list

11. Logging with Loki (installation process)

This package supports logging to Grafana Loki. Follow these steps to configure it:

11.1 Configure Loki Channel

Add the following configuration to your microservice's config/logging.php file under the channels array:

   'loki' => [
       'driver' => 'monolog',
       'handler' => \Glc36\MaxloopKernel\Services\LokiHandler::class,
       'formatter' => Monolog\Formatter\JsonFormatter::class,
       'with' => [
           'url' => env('LOKI_ENDPOINT', 'http://loki:3100/loki/api/v1/push'),
           'labels' => [
               'label' => env('MICROSERVICE_NAME', 'unknown-microservice'),
               'service_name' => 'microservice',
           ],
       ],
   ],

11.2 Set the default log channel

Update the .env file:

   LOG_CHANNEL=loki // Default log channel
   LOKI_ENDPOINT=http://loki:3100/loki/api/v1/push

11.3 Clear and cache configuration

   php artisan config:clear
   php artisan config:cache

11.4 Middleware

AddRequestHeaderToLog

This package includes the AddRequestHeaderToLog middleware to capture request headers in logs. Register it in your Laravel project's middleware stack in bootstrap/app.php:

use Glc36\MaxloopKernel\Middleware\AddRequestHeaderToLog;

return Application::configure(basePath: dirname(__DIR__))
    ->withMiddleware(function (Middleware $middleware) {
        $middleware->append(AddRequestHeaderToLog::class);
    })
    ->create();

11.5 Logging Helper

Audit Logging Helper

The LogHelper class provides an audit() method to log model changes (create, update, delete). It only stores affected fields rather than the entire model.

Usage Example

use Glc36\MaxloopKernel\Helpers\LogHelper;

LogHelper::audit('User updated', 'update', $user);

11.6 Loggable Trait

To automatically log model events (created, updated, deleted), you can use the Loggable trait in your models:

use Glc36\MaxloopKernel\Traits\Loggable;

class User extends Model
{
    use Loggable;
    
    // ... rest of your model code
}

This will automatically log:

  • When a model is created
  • When a model is updated (including only changed fields)
  • When a model is deleted

The trait will automatically:

  • Generate appropriate log messages
  • Capture the event type
  • Include the model data
  • Add context from JWT tokens
  • Include request metadata

11.6 Log Format Example

{
  "log_message": {
    "message": "User updated",
    "context": {
      "context": 1741358490000,
      "tenant_id": "12345",
      "entity_id": "1",
      "entity_type": "App\\Models\\User"
    },
    "level": 200,
    "level_name": "INFO",
    "channel": "loki",
    "datetime": "2025-03-07T14:39:17.835317Z",
    "extra": {
      "event_type": "update",
      "old_data": {
        "name": "John Doe"
      },
      "new_data": {
        "name": "John Smith"
      }
    }
  },
  "metadata": {
    "url": "http://127.0.0.1/users/1",
    "method": "PATCH",
    "user_agent": "Mozilla/5.0",
    "ip": "192.168.1.1",
    "request_id": "abcd-1234",
    "route_name": "users.update"
  }
}

11.7 Log Structure

The log structure consists of two main parts:

  1. log_message: Contains the core log information

    • message: The log message
    • context: Additional context including:
      • context: Unix timestamp
      • tenant_id: Tenant identifier from JWT token
      • entity_id: ID of the affected model
      • entity_type: Class name of the affected model
    • level: The log level (numeric)
    • level_name: The log level name (e.g., "INFO")
    • channel: The logging channel (loki)
    • datetime: ISO timestamp of the log entry
    • extra: Additional data including:
      • event_type: Type of event (create, update, delete)
      • old_data: Previous values of changed fields (for update events)
      • new_data: New values of changed fields
  2. metadata: Contains request-related information

    • url: The full URL of the request
    • method: HTTP method used
    • user_agent: Client's user agent
    • ip: Client's IP address
    • request_id: Unique request identifier
    • route_name: Name of the route being accessed

11.8 Notes

  • The audit() method only stores changed fields for update events to minimize log size
  • Tenant ID is automatically captured from JWT token claims if present
  • The token should be provided in the Authorization header
  • If the token is invalid or missing, tenant_id will be null
  • Request metadata is automatically captured through the AddRequestHeaderToLog middleware
  • All timestamps are in ISO 8601 format with timezone information
  • The logger handles special characters and quotes in data fields
  • The logger supports models with relationships and custom attributes

12. Queue Job Base Extender

It automatically prefixes the job queue name with the microservice name and adds the microservice name as a job tag for easy identification and monitoring.

12.1 βš™οΈ Features

βœ… Automatically appends the microservice name to the queue job name.
βœ… By default auto set queue job name if not set. Default queue: {microservice}_default
βœ… Adds the microservice name as a tag for job tracking.
βœ… Supports easy customization via a config file.

12.2 πŸš€ Usage

Extends BaseJob in your job file:

use Glc36\MaxloopKernel\Jobs\BaseJob;

class TestJob extends BaseJob
{
    public function __construct()
    {
        parent::__construct();
    }

    protected function queueName(): string
    {
        return 'test_job';
    }

    public function handle()
    {
        // Your job logic here
        \Log::info('Processing data...');
    }
}

12.3 Optional: Customize Queue Name

If you need to customize the queue name further, you can override it in your specific job class.

protected function queueName(): string
{
    return 'test_job'; // It became 'cas_test_job'
}

12.4 Optional: Customize Tags

If you need to customize the tags further, you can override the tags methods in your specific job class.

public function tags(): array
{
    // Additional tags
    return array_merge(parent::tags(), ["user:{$userId}"]);
}

13. HttpClient Utility (API Client)

The HttpClient utility provides a standardized way to make HTTP requests in your application. It simplifies common HTTP operations with pre-configured settings and error handling.

13.1 πŸ“Œ Overview

HttpClient is a wrapper around Guzzle HTTP client that provides consistent request handling, logging, and error management for your microservices.

13.2 βš™οΈ Features

βœ… Pre-configured with sensible defaults for microservice communication
βœ… Automatic request logging
βœ… Standardized error handling
βœ… Support for authentication headers
βœ… Configurable timeout and retry settings

13.3 Configuration

The HttpClient uses the following configurations from the http-client.php config file:

php artisan vendor:publish --tag=maxloop-kernel-config --force

13.4 Configure your HTTP client settings in the .env file:

HTTP_CLIENT_TIMEOUT=30           # Request timeout in seconds
HTTP_CLIENT_RETRY_TIMES=3        # Number of retry attempts
HTTP_CLIENT_RETRY_SLEEP=1000     # Sleep between retries in milliseconds

HTTP_CLIENT_PROXY=true
HTTP_CLIENT_PROXY_HOST='54.251.100.169'
HTTP_CLIENT_PROXY_PORT='3128'
HTTP_CLIENT_PROXY_TYPE=http
HTTP_CLIENT_PROXY_USERNAME=
HTTP_CLIENT_PROXY_PASSWORD=

13.5 Basic Usage

Create a new HttpClient instance and make requests:

use Glc36\MaxloopKernel\Services\HttpClient;

$httpClient = new HttpClient();

// GET request
$response = $httpClient->get('https://api.example.com/users');

// POST request with JSON data
$response = $httpClient->post('https://api.example.com/users', [
    'name' => 'John Doe',
    'email' => 'john@example.com'
]);

// PUT request
$response = $httpClient->put('https://api.example.com/users/1', [
    'name' => 'Updated Name'
]);

// DELETE request
$response = $httpClient->delete('https://api.example.com/users/1');

13.6 Advanced Usage

13.6.1 Response methods

Reference: https://laravel.com/docs/11.x/http-client#introduction

$response = $httpClient->get('https://api.example.com/users');

$response->body() : string;
$response->json($key = null, $default = null) : mixed;
$response->object() : object;
$response->collect($key = null) : Illuminate\Support\Collection;
$response->resource() : resource;
$response->status() : int;
$response->successful() : bool;
$response->redirect(): bool;
$response->failed() : bool;
$response->clientError() : bool;
$response->header($header) : string;
$response->headers() : array;

13.6.2 Custom Headers

$response = $httpClient->withHeaders([
    'X-Custom-Header' => 'Custom Value',
    'Accept' => 'application/json',
    'Content-Type' => 'application/json'
])->get('https://api.example.com/users');

13.6.3 Authentication

// Bearer token authentication
$response = $httpClient->withToken('your-access-token')
    ->get('https://api.example.com/protected-resource');

13.6.4 Custom Options

$response = $httpClient->withOptions([
    'timeout' => 60,
    'connect_timeout' => 20,
    'verify' => false  // Disable SSL verification (not recommended for production)
])->get('https://api.example.com/users');

13.6.5 Error Handling

try {
    $response = $httpClient->get('https://api.example.com/users');
    $data = $response->json();
} catch (Illuminate\Http\Client\HttpClientException $e) {
    // Handle client errors (4xx)
    $statusCode = $e->getStatusCode();
    $errorMessage = $e->getMessage();
} catch (\Exception $e) {
    // Handle other exceptions
}

14. Api Client Handler

14.1 πŸ“Œ Overview

ApiClientHandler is a service class used to manage and validate API client public keys using a caching mechanism. It helps ensure that an API client is authenticated and cached efficiently to reduce external CAS requests.

14.2 βš™οΈ Features

βœ… Store and retrieve api client auth context in cache for performance βœ… Validate if auth context exists or fetch a fresh one
βœ… Check api client authorization using public key
βœ… Works seamlessly with CasConnector and CacheGenerator services

Prerequisites

You can set auth context cache time to live in .env:

MICROSERVICE_ACCESS_CACHE_TTL=600

Can refer to microservice config file.

14.3 Set Public Key

Set Api Client's Public Key

$apiClientHandler->setPublicKey('bVYP)v%TS69)tNj!');

14.4 Set Auth Context

Set Api Client's auth context in cache

$apiClientHandler->setApiClientCache([
    'roles' => ['admin', 'editor'],
    'permissions' => ['manage.users', 'edit.articles'],
    'uuid' => 'cdc4bc2c-094c-4e2a-bcdf-52a8f1818a19',
    'secret_key' => '9er4fW5SF)4(*tI3',
]);

14.5 Get Auth Context

Get auth context from cache (Either return data or boolean)

$context = $apiClientHandler->getApiClientCache();
$hasContext = $apiClientHandler->getApiClientCache(true); // returns true or false

14.6 Validate Auth Context

Validates and refreshes context if needed

$isValid = $apiClientHandler->validateApiClient();

15. BelongsToTenant Trait & TenantScopableInterface

15.1 πŸ“Œ Overview

A trait for automatically scoping Eloquent models to a selected tenant based on the current request context.
It supports both direct tenant_id columns and relationship-based multi-tenancy.

15.2 βš™οΈ Features

βœ… Applies a global query scope to restrict results by tenant.
βœ… Supports single-tenant (tenant_id column) and multi-tenant (relationship-based) models.
βœ… Automatically injects the tenant_id on model creation.
βœ… Provides a convenient scopeWithoutTenant() to bypass tenant scoping.
βœ… Pluggable via TenantScopableInterface for IDE friendliness and contract enforcement.

15.3 🌐 API Support Matrix

API TypeRoute PrefixRequired
Tenant API/api/tenant/*βœ…
Integration API/api/integration/*βœ…
Internal API/api/internal/*❌
Other APIOther Route❌

πŸ’‘ Why not for internal API?

  • Internal APIs are designed for high-performance, system-level communication between microservices. Applying tenant scoping could introduce unnecessary overhead or database constraints, which may degrade performance.
  • Internal APIs are used for service-to-service communication within the system and often require full access to tenant-agnostic data (e.g., syncing, global lookups, or batch jobs).
  • Tenant scoping in these cases could lead to unexpected query restrictions or missing data, so the global scope is explicitly disabled.
  • The service calling it is already fully trusted and the tenant filter is not needed at the model level.

15.4 πŸš€ Usage

1. Using Direct Tenant Column

use Glc36\MaxloopKernel\Traits\BelongsToTenant;
use Glc36\MaxloopKernel\Contracts\TenantScopableInterface;

class UserGroup extends Model implements TenantScopableInterface
{
    use BelongsToTenant;
    
    // This is automatically direct use tenant_id column in table 
    public static function tenantRelationship(): ?string
    {
        return null;
    }
}

2. If the model uses a custom tenant relationship (e.g., belongsToMany), override tenantRelationship():

use Glc36\MaxloopKernel\Contracts\BelongsToTenant;
use Glc36\MaxloopKernel\Contracts\TenantScopableInterface;

class UserGroup extends Model implements TenantScopableInterface
{
    use BelongsToTenant;
    
    public static function tenantRelationship(): ?string
    {
        return 'tenantUser';
    }
}

3. Bypassing Tenant Scope

// Get all records across tenants
Product::withoutTenant()->get();

4. Authorize Tenant Access

The authorizeTenant() method provides manual tenant access validation for specific model instances:

// In your controller
public function update(Request $request, UserGroup $userGroup)
{
    // Explicitly validate tenant access before updating
    $userGroup->authorizeTenant();
    
    // Continue with update...
    $userGroup->update($request->validated());
}

// With custom tenant ID
$userGroup->authorizeTenant('custom-tenant-id');

// In your model (optional override)
class UserGroup extends Model implements TenantScopableInterface
{
    use BelongsToTenant;
    
    /**
     * Override authorizeTenant method for custom validation logic
     */
    public function authorizeTenant(?string $tenantId = null): bool
    {
        // Custom logic for UserGroup
        if ($this->isSpecialGroup()) {
            return true; // Skip validation for special groups
        }
        
        // Call parent implementation
        return parent::authorizeTenant($tenantId);
    }
}

Key Features:

  • Manual Validation: Call authorizeTenant() when you need to ensure tenant access
  • Overridable: Can be customized in individual models for business logic
  • Respects Global Scope: Works with existing BelongsToTenant functionality
  • Performance Optimized: No additional database queries beyond existing tenant scoping

16. Permissions Sync to CAS

16.1 πŸ“Œ Overview

This package provides an Artisan command to sync permissions, and applications from your local configuration (config/permissions.php) to the CAS (Central Authentication Service).

16.2 βš™οΈ Features

βœ… Sync permissions from config to CAS.
βœ… Validates configuration structure before syncing.
βœ… Logs errors and successes for debugging.
βœ… Returns proper CLI exit codes (0 for success, 1 for failure).

16.3 πŸ“¦ Configuration

Define your permissions, roles, and applications inside config/permissions.php with the following structure: >πŸ’‘ You may use a helper class to generate this array dynamically (e.g. Helper::generateApplication())

return [
    'permissions' => [
        'guards' => [
            'admin' => [
                [
                    'code' => 'cas.admin.admins.view',
                    'name' => 'View Admins',
                    'description' => 'Permission to view admin list',
                    'service' => 'cas',
                ],
                // more permissions...
            ],
        ],
    ],

    'applications' => [
        [
            'code' => 'bank',
            'name' => 'Bank',
            'description' => 'Bank Account System Management',
            'has_permissions' => [
                'cas.admin.admins.view',
            ],
        ],
        // more applications...
    ],
];

>⚠️ All sections (permissions.guards, applications) are required and will be validated before syncing.

16.4 πŸ› οΈ Sync Command

Run the following Artisan command to sync the permission configuration to CAS

php artisan permissions:sync

⭐ If successful, you’ll see:
Permissions successfully synced to CAS.

Under the hood, this command will:
βœ… Validate the structure of config/permissions.php using PermissionConfigValidator.
βœ… POST the configuration to your CAS microservice endpoint (/permissions/sync).
βœ… Output a success or failure message in the console or Log file.

17. HasMedia Trait & HasMediaInterface

17.1 πŸ“Œ Overview

A reusable trait + interface to handle media file management (uploading, retrieving, caching, and URL extraction) across multiple models. This integrates with your Media Microservice through MediaConnector and caches results using CacheGenerator.

17.2 βš™οΈ Features

βœ… Upload media files (uploadMediaFile) with support for thumbnails and custom directories.
βœ… Retrieve full media metadata (getMedia) with caching support.
βœ… Retrieve only the original media URL (getMediaUrl).
βœ… Retrieve thumbnail URLs (getThumbnailUrl).
βœ… Configurable per-model media fields and cache prefixes.
βœ… Automatic cleanup of old media when uploading new ones.
βœ… Extensible via HasMediaInterface.

17.3 πŸš€ Usage

1. Implement the Interface

use Glc36\MaxloopKernel\Contracts\HasMediaInterface;
use Glc36\MaxloopKernel\Traits\HasMedia;

class Provider extends Model implements HasMediaInterface
{
    use HasMedia;
    
    /**
     * Get media configuration mapping.
     * 
     * @return array[]
     */
    public function getMediaConfig(): array
    {
        return [
            'logo' => [
                'field' => 'logo_media_id', // DB column to store media ID
                'cache_prefix' => 'provider-logo-url', // Prefix for cache keys
            ],
            'banner' => [
                'field' => 'banner_media_id',
                'cache_prefix' => 'provider-banner-url',
            ],
        ];
    }
    
     /**
     * Get the unique identifier used for media cache keys.
     *
     *
     * @return string|int|null Unique identifier (UUID, ID, or null if unavailable).
     */
    public function getMediaCacheIdentifier(): string|int|null
    {
        return $this->uuid;
    }
}

>⚠️ Cache keys will follow the format: {cache_prefix}:{identifier}. Example: provider-logo-url:123e4567-e89b-12d3-a456-426614174000

2. Upload Media

$provider = Provider::find(1);

$mediaId = $provider->uploadMediaFile(
    'logo', // media type (defined in config)
    $request->file('logo'), // file
    thumbnail: true,
    directory: 'provider/logo',
    deleteOld: true
);

$provider->logo_media_id = $mediaId;
$provider->save();

3. Retrieve Media

// Full media response (from cache or media service)
$media = $provider->getMedia('logo');

// Original URL (from cache or media service)
$url = $provider->getMediaUrl('logo');

// Thumbnail URL (from cache or media service)
$thumbUrl = $provider->getThumbnailUrl('logo');

17.4 πŸ“ Notes

  • Use uuid instead of id for cache keys if available (prevents collisions).
  • By default, media is cached for 15 minutes (900 seconds).
  • Use $forceRefresh = true to bypass cache and force API retrieval.

18. Resolve Client Ip Middleware

18.1 πŸ“Œ Overview

A middleware to reliably resolve the real client IP address when running behind multiple layers of proxies (e.g., Cloudflare, AWS ALB/ELB, APISIX, Docker).
By default, Laravel may return the last proxy IP from the X-Forwarded-For chain, which is usually not the real client IP. This middleware corrects that behavior.

18.2 βš™οΈ Features

βœ… Supports Cloudflare via the CF-Connecting-IP header.
βœ… Falls back to the first IP in X-Forwarded-For (the actual client).
βœ… Validates IP format (both IPv4 and IPv6).
βœ… Overwrites REMOTE_ADDR so request()->ip() and Request::ip() return the correct client IP.

18.3 πŸš€ Usage

1. Register the middleware

Add it to your bootstrap/app.php or global middleware stack:

use Glc36\MaxloopKernel\Middleware\ResolveClientIpMiddleware;

->withMiddleware(function ($middleware) {
    $middleware->append(ResolveClientIpMiddleware::class);
});

2. Retrieve the client IP

After the middleware runs, you can use Laravel’s built-in helpers:

$ip = request()->ip();
dump($ip);

18.4 πŸ”’ Security Notes

  • Always ensure your proxies are trusted in Laravel.
  • Only use headers you trust (Cloudflare, AWS ELB, APISIX). Never blindly trust user-supplied headers in an unsecured environment.
  • If you’re not behind Cloudflare, you may remove the CF-Connecting-IP logic.

18.5 πŸ›  Example

Before middleware:

dump(request()->ip()); // 172.31.x.x (AWS ALB internal IP)

After middleware:

dump(request()->ip()); // 161.xxx.xxx.x (real client IP)

19. AppContext

19.1 πŸ“Œ Overview

AppContext is a simple static context holder for your microservice application.
It allows you to store and retrieve values (like currency or tenant ID) that represent the current execution context (e.g. web request or queued job).

This helps avoid passing the same context values through multiple layers of your application (controllers β†’ services β†’ models β†’ jobs).

>⚠️ Currently only SUPPORT for currency, sooner will support for tenant ID

19.2 βš™οΈ Features

βœ… Store the current currency (e.g. USD, MYR, SGD).
βœ… (Future) Store the current tenant ID for multi-tenant applications.
βœ… Check if a value is set with simple has*() methods.
βœ… Clear context between requests or jobs.

19.3 πŸš€ Usage

Set and get currency

use Glc36\MaxloopKernel\Support\AppContext;

// Set the current currency
AppContext::setCurrency('MYR');

// Retrieve the current currency
$currentCurrency = AppContext::getCurrency(); // "MYR"

// Check if a currency is set
if (AppContext::hasCurrency()) {
    // Do something currency-specific
}

Get timezone

use Glc36\MaxloopKernel\Support\AppContext;

// Get the set currency timezone
AppContext::getTimezone();

Clear context

Useful at the end of a request or before processing a new queued job.

AppContext::clear();

20. HasCurrency Trait

20.1 πŸ“Œ Overview

The HasCurrency trait provides automatic currency scoping for Eloquent models in your application.
It ensures that queries and records are always filtered and associated with the current execution currency context, which can be set via:

The AppContext::setCurrency() method, or

The X-Currency request header.

This helps keep multi-currency data consistent across web requests, APIs, and jobs.

20.2 βš™οΈ Features

βœ… Global Scope β€” Automatically filters queries by the active currency.
βœ… Auto-Assign Currency β€” When creating a new model, the currency_code (or custom field) is automatically set.
βœ… Customizable Currency Field β€” Override the default currency_code column with your own field name.
βœ… Database Driver Support β€” Works with both SQL databases and MongoDB collections.
βœ… Scoped Queries β€” Includes helper methods to disable scoping or query for specific currencies.

20.3 πŸš€ Usage

1. Installation

use Glc36\MaxloopKernel\Traits\HasCurrency;
use Illuminate\Database\Eloquent\Model;

class Merchant extends Model
{
    use HasCurrency;

    // Optionally customize the field name
    protected string $currencyField = 'currency';
}

2. Querying Models

// Automatically scoped by current currency
$merchant = Merchant::all();

// Explicitly query for a different currency
$sgdProducts = Merchant::forCurrency('SGD')->get();

// Disable currency scoping
$allProducts = Merchant::withoutCurrency()->get();

20.4 Customizing Currency Field

By default, the column currency_code is used.
You can override this in two ways:

class Merchant extends Model
{
    use HasCurrency;

    // Option 1: Define a property
    protected string $currencyField = 'currency';

    // Option 2: Define a method
    public function getCurrencyFieldName(): string
    {
        return 'currency';
    }
}

⚠️ Notes

  • βœ… Automatic Currency Context
    You usually do not need to manually call AppContext::setCurrency().

  • When the AuthContextMiddleware is registered, it will automatically:

    • Validate the JWT token and extract claims
    • Resolve the current tenant from the X-Tenant-ID header
    • Set the active currency from the X-Currency header into the AppContext
  • This ensures the HasCurrency trait always has the correct context during API requests.

Example middleware registration:

// bootstrap/app.php

$middleware->group('tenant-api', [
    JwtAuthMiddleware::class . ':user',
    AuthContextMiddleware::class
]);

21. Security Actions Sync

21.1 πŸ“Œ Overview

Each microservice to define its security actions in a config file and sync them to the Centralize Authentication Service (CAS).

21.2 βš™οΈ Configuration

Each microservice defines its own security actions inside the security.php config file.

// config/security.php
return [

    'actions' => [

        [
            'code'        => 'auth.login',
            'name'        => 'Login',
            'description' => 'Allow users to log in to the system',
            'module'      => 'auth',
        ],

        [
            'code'        => 'deposit.approve',
            'name'        => 'Approve Deposit',
            'description' => 'Allow approval of deposit transactions',
            'module'      => 'deposit',
        ],

    ],
];

21.3 πŸš€ Run Command

php artisan security:sync