A robust and flexible component for creating and managing processing pipelines in the KaririCode Framework, providing advanced features for handling complex data processing tasks in PHP applications.
- Features
- Installation
- Usage
- Integration with Other KaririCode Components
- Development and Testing
- License
- Support and Community
- Acknowledgements
- Easy creation and management of processing pipelines
- Support for both simple and configurable processors
- Context-based processor registry for organized processor management
- Seamless integration with other KaririCode components (Serializer, Validator, Normalizer)
- Extensible architecture allowing custom processors
- Built on top of the KaririCode\Contract interfaces for maximum flexibility
The ProcessorPipeline component can be easily installed via Composer, which is the recommended dependency manager for PHP projects.
To install the ProcessorPipeline component in your project, run the following command in your terminal:
composer require kariricode/processor-pipeline
This command will automatically add ProcessorPipeline to your project and install all necessary dependencies.
- PHP 8.1 or higher
- Composer
If you prefer not to use Composer, you can download the source code directly from the GitHub repository and include it manually in your project. However, we strongly recommend using Composer for easier dependency management and updates.
After installation, you can start using ProcessorPipeline in your PHP project immediately. Make sure to include the Composer autoloader in your script:
require_once 'vendor/autoload.php';
- Define your processors:
<?php
declare(strict_types=1);
require_once __DIR__ . '/../vendor/autoload.php';
use KaririCode\Contract\Processor\Processor;
use KaririCode\ProcessorPipeline\ProcessorBuilder;
use KaririCode\ProcessorPipeline\ProcessorRegistry;
use KaririCode\ProcessorPipeline\Result\ProcessingResultCollection;
// Example of actual processors.
class UpperCaseProcessor implements Processor
{
public function process(mixed $input): mixed
{
return strtoupper((string) $input);
}
}
class TrimProcessor implements Processor
{
public function process(mixed $input): mixed
{
return trim((string) $input);
}
}
class EmailTransformerProcessor implements Processor
{
public function process(mixed $input): mixed
{
return strtolower((string) $input);
}
}
class EmailValidatorProcessor implements Processor
{
public function __construct(private ProcessingResultCollection $resultCollection)
{
}
public function process(mixed $input): mixed
{
if (!filter_var($input, FILTER_VALIDATE_EMAIL)) {
$this->resultCollection->addError(
self::class,
'invalidFormat',
"Invalid email format: $input"
);
}
return $input;
}
}
// Function to handle pipeline execution
function executePipeline(ProcessorBuilder $builder, ProcessorRegistry $registry, array $processorSpecs, string $input): void
{
$resultCollection = new ProcessingResultCollection();
$context = 'example_context';
$registry->register($context, 'upper_case', new UpperCaseProcessor())
->register($context, 'trim', new TrimProcessor())
->register($context, 'email_transform', new EmailTransformerProcessor())
->register($context, 'email_validate', new EmailValidatorProcessor($resultCollection));
try {
$pipeline = $builder->buildPipeline($context, $processorSpecs);
$output = $pipeline->process($input);
// Displaying the results
echo "Original Input: '$input'\n";
echo "Pipeline Output: '$output'\n";
// Display errors if any
if ($resultCollection->hasErrors()) {
echo "\nProcessing Errors:\n";
print_r($resultCollection->getErrors());
} else {
echo "\nNo processing errors encountered.\n";
}
} catch (\Exception $e) {
echo "Error executing the pipeline: " . $e->getMessage() . "\n";
}
}
// Register processors to a context in the registry.
$registry = new ProcessorRegistry();
$builder = new ProcessorBuilder($registry);
// Execute scenario 1 - Valid input
$processorSpecs = [
'upper_case' => false,
'trim' => true,
'email_transform' => true,
'email_validate' => true,
];
$input = " [email protected] ";
echo "Scenario 1 - Valid Input\n";
executePipeline($builder, $registry, $processorSpecs, $input);
// Execute scenario 2 - Invalid input
$input = " InvalidEmail@@@ ";
echo "\nScenario 2 - Invalid Input:\n";
executePipeline($builder, $registry, $processorSpecs, $input);
php ./tests/application.php
Scenario 1 - Valid Input
Original Input: ' [email protected] '
Pipeline Output: '[email protected]'
No processing errors encountered.
Scenario 2 - Invalid Input:
Original Input: ' InvalidEmail@@@ '
Pipeline Output: 'invalidemail@@@'
Processing Errors:
Array
(
[EmailValidatorProcessor] => Array
(
[0] => Array
(
[errorKey] => invalidFormat
[message] => Invalid email format: invalidemail@@@
)
)
)
Create configurable processors for more flexibility:
use KaririCode\Contract\Processor\ConfigurableProcessor;
class AgeValidator implements ConfigurableProcessor
{
private int $minAge = 0;
private int $maxAge = 120;
public function configure(array $options): void
{
if (isset($options['minAge'])) {
$this->minAge = $options['minAge'];
}
if (isset($options['maxAge'])) {
$this->maxAge = $options['maxAge'];
}
}
public function process(mixed $input): bool
{
return is_numeric($input) && $input >= $this->minAge && $input <= $this->maxAge;
}
}
$registry->register('user', 'ageValidator', new AgeValidator());
$pipeline = $builder->buildPipeline('user', ['ageValidator' => ['minAge' => 18, 'maxAge' => 100]]);
The ProcessorPipeline component is designed to work seamlessly with other KaririCode components:
- KaririCode\Serializer: Use processors to transform data before or after serialization.
- KaririCode\Validator: Create validation pipelines for complex data structures.
- KaririCode\Normalizer: Build normalization pipelines for data cleaning and standardization.
Example using ProcessorPipeline with Validator:
- Define your data class with validation attributes:
use KaririCode\Validator\Attribute\Validate;
class UserProfile
{
#[Validate(
processors: [
'required',
'length' => ['minLength' => 3, 'maxLength' => 20],
],
messages: [
'required' => 'Username is required',
'length' => 'Username must be between 3 and 20 characters',
]
)]
private string $username = '';
#[Validate(
processors: ['required', 'email'],
messages: [
'required' => 'Email is required',
'email' => 'Invalid email format',
]
)]
private string $email = '';
// Getters and setters...
}
- Set up the validator and use it:
use KaririCode\ProcessorPipeline\ProcessorRegistry;
use KaririCode\Validator\Validator;
use KaririCode\Validator\Processor\Logic\RequiredValidator;
use KaririCode\Validator\Processor\Input\LengthValidator;
use KaririCode\Validator\Processor\Input\EmailValidator;
$registry = new ProcessorRegistry();
$registry->register('validator', 'required', new RequiredValidator())
->register('validator', 'length', new LengthValidator())
->register('validator', 'email', new EmailValidator());
$validator = new Validator($registry);
$userProfile = new UserProfile();
$userProfile->setUsername('wa'); // Too short
$userProfile->setEmail('invalid-email'); // Invalid format
$result = $validator->validate($userProfile);
if ($result->hasErrors()) {
foreach ($result->getErrors() as $property => $errors) {
foreach ($errors as $error) {
echo "$property: {$error['message']}\n";
}
}
}
For development and testing purposes, this package uses Docker and Docker Compose to ensure consistency across different environments. A Makefile is provided for convenience.
- Docker
- Docker Compose
- Make (optional, but recommended for easier command execution)
-
Clone the repository:
git clone https://github.com/KaririCode-Framework/kariricode-processor-pipeline.git cd kariricode-processor-pipeline
-
Set up the environment:
make setup-env
-
Start the Docker containers:
make up
-
Install dependencies:
make composer-install
make up
: Start all services in the backgroundmake down
: Stop and remove all containersmake build
: Build Docker imagesmake shell
: Access the PHP container shellmake test
: Run testsmake coverage
: Run test coverage with visual formattingmake cs-fix
: Run PHP CS Fixer to fix code stylemake quality
: Run all quality commands (cs-check, test, security-check)
For a full list of available commands, run:
make help
This project is licensed under the MIT License - see the LICENSE file for details.
- Documentation: https://kariricode.org/docs/processor-pipeline
- Issue Tracker: GitHub Issues
- Community: KaririCode Club Community
- The KaririCode Framework team and contributors.
- Inspired by pipeline patterns and processing chains in software architecture.
Built with ❤️ by the KaririCode team. Empowering developers to create more robust and flexible PHP applications.