| Recommend this page to a friend! | 
|  Download | 
| Info | Documentation | Screenshots |  Files |  Install with Composer |  Download | Reputation | Support forum | Blog | Links | 
| Last Updated | Ratings | Unique User Downloads | Download Rankings | |||||
| 2025-01-29 (5 months ago)  | Not yet rated by the users | Total: Not yet counted | Not yet ranked | |||||
| Version | License | PHP version | Categories | |||
| workflow 1.0 | Custom (specified... | 8.1 | Tools, PHP 8 | 
| Description | Author | |||||||||||||||||||||||
| This package can create and run action workflows. Innovation Award | 
 | |||||||||||||||||||||||
A Workflow is a configurable stored procedure that will run one or more jobs. Jobs are independent from each other, but interconnected as you can pass response references between jobs. Jobs supports conditional running based on variables and previous job responses.
Workflow is available through Packagist and the repository source is at chevere/workflow.
composer require chevere/workflow
The Workflow package provides a robust system for defining and executing structured procedures based on the workflow pattern. It enables to organize complex logic into a series of interconnected, independent jobs that can be executed in a controlled manner.
By breaking down monolithic procedures into modular workflow jobs, developers gain several advantages:
::: tip ? Workflow introduction Read Workflow for PHP at Rodolfo's blog for a compressive introduction to this package. :::
The Workflow package provides a set of core functions in the Chevere\Workflow namespace that allow you to build and manage workflow processes. These functions work together to create flexible, maintainable workflow definitions.
| Function | Purpose | | -------- | :--------------------------------------------------------- | | workflow | Creates a new workflow container for organizing named jobs | | sync | Defines a synchronous job that blocks until completion | | async | Defines an asynchronous job that runs non-blocking | | variable | Declares a workflow-level variable for job inputs | | response | Creates a reference to access previous job outputs |
php demo/chevere.php
Create MyAction action by extending Chevere\Action\Action. You can also use ActionTrait.
use Chevere\Action\Action;
class MyAction extends Action
{
    protected function main(string $foo): string
    {
        return "Hello, {$foo}";
    }
}
Create Workflow with your MyAction Job:
use function Chevere\Workflow\{workflow,sync,variable,response};
$workflow = workflow(
    greet: sync(
        new MyAction(),
        foo: variable('super'),
    ),
    capo: sync(
        new MyAction(),
        foo: response('greet'),
    ),
);
Run the Workflow:
use function Chevere\Workflow\run;
$hello = run(
    $workflow,
    super: 'Chevere',
);
echo $hello->response('greet')->string() . PHP_EOL;
// Hello, Chevere
echo $hello->response('capo')->string() . PHP_EOL;
// Hello, Hello, Chevere
Use function variable to declare a Workflow variable that will be injected when running the workflow. Variables allow you to pass external values into your workflow jobs during execution.
use function Chevere\Workflow\variable;
// Basic variable declaration
variable('myVar');
// Usage in a job
sync(
    new MyAction(),
    parameter: variable('myVar')
);
When running the workflow, you must provide values for all declared variables:
use function Chevere\Workflow\run;
run($workflow, myVar: 'some value');
Use function response to declare a reference to a response returned by a previous Job. This allows you to chain job outputs as inputs to subsequent jobs.
? When using a response it will auto declare the referenced Job as a dependency, ensuring proper execution order.
use function Chevere\Workflow\response;
// Basic response declaration
response('job1');
// Usage in a Workflow
workflow(
    job1: sync(
        new SomeAction(),
    ),
    job2: sync(
        new MyAction(),
        parameter: response('job1')
    );
);
References can be also made on a response member identified by key.
use function Chevere\Workflow\response;
response('job1', 'id');
The Job class defines an Action that can be executed as part of a workflow.
Job arguments can be passed in three ways:
class SomeAction extends Action
{
    protected function main(
        string $context,
        int $userId,
        mixed ...$bag,
    ): void
    {
        // On runtime:
        // $context = 'public'
        // $userId = (( user.id response ))
        // $bag = ['group' => 'admin', 'mask' => 1024]
    }
}
$workflow = workflow(
    user: sync(
        new GetUser(),
        request: variable('userId')
    ),
    job1: sync(
        new SomeAction(),
        context: 'public',               // As-is value
        userId: variable('userId'),      // Variable
        group: response('user', 'group'),// Response
        mask: 1024,                      // As-is value
    );
);
run($workflow, userId: 123);
In the example above:
When running the Workflow, these arguments will be matched against the parameters defined in the main method of SomeAction.
Use function async to create an asynchronous job, which runs non-blocking.
Important: When using async jobs, your Actions must support serialization. For Actions that work with non-serializable resources like:
You must use sync jobs instead.
In the example below a Workflow describes an image creation procedure for multiple image sizes.
use function Chevere\Workflow\{sync,async,response,variable,workflow};
workflow(
    thumb: async(
        new ImageResize(),
        image: variable('image'),
        width: 100,
        height: 100,
        fit: 'thumb'
    ),
    medium: async(
        new ImageResize(),
        image: variable('image'),
        width: 500,
        fit: 'resizeByW'
    ),
    store: sync(
        new StoreFiles(),
        response('thumb', 'filename'),
        response('medium', 'filename'),
    ),
);
The graph for this Workflow says that thumb, medium and poster run non-blocking in parallel. Job store runs blocking (another node).
graph TD;
    thumb-->store;
    medium-->store;
    poster-->store;
$workflow->jobs()->graph()->toArray();
// contains
[
    ['thumb', 'medium', 'poster'],
    ['store']
];
To complete the example, here's how to Run the Workflow previously defined:
use function Chevere\Workflow\run;
run(
    workflow: $workflow,
    arguments: [
        'image' => '/path/to/file',
    ]
);
Use function sync to create a synchronous job, which block execution until it gets resolved.
In the example below a Workflow describes an image uploading procedure.
use function Chevere\Workflow\{sync,response,variable,workflow};
workflow(
    user: sync(
        new GetUser(),
        request: variable('payload')
    ),
    validate: sync(
        new ValidateImage(),
        mime: 'image/png',
        file: variable('file')
    ),
    meta: sync(
        new GetMeta(),
        file: variable('file'),
    ),
    store: sync(
        new StoreFile(),
        file: variable('file'),
        name: response('meta', 'name'),
        user: response('user')
    ),
);
The graph for this Workflow says that all jobs run one after each other as all jobs are defined using sync.
graph TD;
    user-->validate-->meta-->store;
$workflow->jobs()->graph()->toArray();
// contains
[
    ['user'],
    ['validate'],
    ['meta'],
    ['store']
];
To complete the example, here's how to Run the Workflow previously defined:
use function Chevere\Workflow\run;
run(
    $workflow,
    payload: $_REQUEST,
    file: '/path/to/file',
);
Method withRunIf enables to pass arguments of type Variable or Response for conditionally running a Job.
sync(
    new CompressImage(),
    file: variable('file')
)
    ->withRunIf(
        variable('compressImage'),
        response('SomeAction', 'doImageCompress')
    )
For the code above, all conditions must meet to run the Job and both variable compressImage and the reference SomeAction:doImageCompress must be true to run the job.
Use withDepends method to explicit declare previous jobs as dependencies. The dependent Job won't run until the dependencies are resolved.
job(new SomeAction())
    ->withDepends('myJob');
To run a Workflow use the run function by passing a Workflow and its variables (if any).
use function Chevere\Workflow\run;
$run = run($workflow, ...$variables);
Use response to retrieve a job response as a CastArgument object which can be used to get a typed response.
$thumbFile = $run->response('thumb')->string();
? If the response is of type array|ArrayAccess you can shortcut key access casting.
use function Chevere\Parameter\cast;
$id = $run->response('user', 'id')->int();
The WorkflowTrait provides methods execute  and run for easing handling a Workflow within a class.
use Chevere\Workflow\WorkflowTrait;
class Something
{
    use WorkflowTrait;
    public function __construct()
    {
        $workflow = workflow(
            job1: sync(
                new MyAction(),
                foo: variable('bar')
            )
        );
        // Use execute to run the Workflow
        $this->execute($workflow, bar: 'baz');
    }
}
$some = new Something();
$bar = $some->run()->response('job1')->string();
When running a Workflow, if a Job fails a WorkflowException will be thrown. This is an exception wrapper for the job that thrown the exception.
try {
    $run = run($workflow, ...$variables);
} catch (WorkflowException $e) {
    // Job that thrown the exception
    $e->name;
    // Job instance that thrown the exception
    $e->job;
    // The exception thrown by the Job
    $e->throwable;
}
// If using WorkflowTrait
try {
    $this->execute($workflow, ...$variables);
    $run = $this->run();
} catch (WorkflowException $e) {
    // ...
}
See the demo directory for a set of examples.
Workflow provides several approaches for testing your implementations. While the Workflow itself doesn't need testing (it's a configuration), you should test:
The primary testing focus should be on your Action implementations:
use PHPUnit\Framework\TestCase;
class MyActionTest extends TestCase
{
    public function testAction(): void
    {
        $action = new MyAction();
        // ? Chevere automatically validates Action I/O
        $response = $action(foo: 'bar');
        $this->assertSame('expected', $response);
    }
}
Verify the execution order by testing the Workflow graph:
public function testWorkflowOrder(): void
{
    $expectedGraph = [
        ['job1', 'job2'], // parallel jobs
        ['job3'],         // depends on job1, job2
    ];
    $this->assertSame(
        $expectedGraph,
        $workflow->jobs()->graph()->toArray()
    );
}
Test how jobs interact by checking their responses:
public function testJobResponses(): void
{
    $run = run($workflow, input: 'test');
    // Access typed responses
    $this->assertSame(
        123,
        $run->response('job1')->int()
    );
    $this->assertSame(
        'test',
        $run->response('job2')->string()
    );
    // Access array responses
    $this->assertSame(
        10.2,
        $run->response('job3', 'rate')->float()
    );
}
Use ExpectWorkflowExceptionTrait to test error scenarios:
use Chevere\Workflow\Traits\ExpectWorkflowExceptionTrait;
use function Chevere\Workflow\run;
class WorkflowTest extends TestCase
{
    use ExpectWorkflowExceptionTrait;
    public function testFailingJob(): void
    {
        $this->expectWorkflowException(
            closure: fn () => run($workflow, input: 'invalid'),
            exception: LogicException::class,
            job: 'validation',
            message: 'Invalid input'
        );
    }
}
The architecture of the Workflow package is designed to provide a clear separation of concerns, making it easier to define, manage, and execute workflows. The following diagram illustrates the core components and their interactions:
graph TD
    subgraph Client Application
        WF[Workflow Definition]
        Run[run Function]
    end
    subgraph Core Components
        Jobs[Jobs]
        Graph[Graph]
        Job[Job]
        Action[Action]
    end
    subgraph References
        Var[Variables]
        Resp[Responses]
    end
    subgraph Execution
        Runner[Workflow Runner]
        Sync[Sync Executor]
        Async[Async Executor]
    end
    WF --> Jobs
    Jobs --> |define| Graph
    Jobs --> |manages| Job
    Job --> |executes| Action
    Job --> |depends on| Var
    Job --> |depends on| Resp
    Run --> Runner
    Runner --> |uses| Jobs
    Runner --> |resolves| Graph
    Runner --> |executes via| Sync
    Runner --> |executes via| Async
Documentation is available at chevere.org/packages/workflow.
Copyright Rodolfo Berrios A.
This software is licensed under the Apache License, Version 2.0. See LICENSE for the full license text.
Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License.
| Screenshots (1) | ||
|  Files (88) | 
| File | Role | Description | ||
|---|---|---|---|---|
|  .ecs (3 files) | ||||
|  .github (1 directory) | ||||
|  .vscode (5 files) | ||||
|  demo (8 files, 1 directory) | ||||
|  src (11 files, 3 directories) | ||||
|  tests (13 files, 1 directory) | ||||
|    chevere.svg | Data | Auxiliary data | ||
|    composer.json | Data | Auxiliary data | ||
|    infection.json.dist | Data | Auxiliary data | ||
|    LICENSE | Lic. | License text | ||
|    phpunit-coverage.xml | Data | Auxiliary data | ||
|    phpunit.xml | Data | Auxiliary data | ||
|    README.md | Doc. | Documentation | ||
|    sonar-project.properties | Data | Auxiliary data | ||
|  Files (88) | / | .ecs | 
| File | Role | Description | 
|---|---|---|
|    .header | Data | Auxiliary data | 
|    ecs-chevere.php | Class | Class source | 
|    ecs.php | Example | Example script | 
|  Files (88) | / | .github | / | workflows | 
| File | Role | Description | 
|---|---|---|
|    sonarcloud.yml | Data | Auxiliary data | 
|    test.yml | Data | Auxiliary data | 
|  Files (88) | / | .vscode | 
| File | Role | Description | 
|---|---|---|
|    coverage.code-snippets | Data | Auxiliary data | 
|    docblock.code-snippets | Data | Auxiliary data | 
|    settings.json | Data | Auxiliary data | 
|    templates.code-snippets | Class | Class source | 
|    test.code-snippets | Class | Class source | 
|  Files (88) | / | demo | 
| File | Role | Description | ||
|---|---|---|---|---|
|  Actions (5 files) | ||||
|    chevere.php | Class | Class source | ||
|    hello-world.php | Example | Example script | ||
|    image-resize.php | Example | Example script | ||
|    loader.php | Aux. | Configuration script | ||
|    README.md | Doc. | Documentation | ||
|    run-if.php | Example | Example script | ||
|    sync-vs-async.php | Example | Example script | ||
|    union.php | Example | Example script | ||
|  Files (88) | / | demo | / | Actions | 
| File | Role | Description | 
|---|---|---|
|    FetchUrl.php | Class | Class source | 
|    Greet.php | Class | Class source | 
|    ImageResize.php | Class | Class source | 
|    ReturnsUnion.php | Class | Class source | 
|    StoreFile.php | Class | Class source | 
|  Files (88) | / | src | 
| File | Role | Description | ||
|---|---|---|---|---|
|  Exceptions (3 files) | ||||
|  Interfaces (9 files) | ||||
|  Traits (2 files) | ||||
|    CallableTask.php | Class | Class source | ||
|    Caller.php | Class | Class source | ||
|    functions.php | Example | Example script | ||
|    Graph.php | Class | Class source | ||
|    Job.php | Class | Class source | ||
|    Jobs.php | Class | Class source | ||
|    ResponseReference.php | Class | Class source | ||
|    Run.php | Class | Class source | ||
|    Runner.php | Class | Class source | ||
|    Variable.php | Class | Class source | ||
|    Workflow.php | Class | Class source | ||
|  Files (88) | / | src | / | Exceptions | 
| File | Role | Description | 
|---|---|---|
|    JobsException.php | Class | Class source | 
|    RunnerException.php | Class | Class source | 
|    WorkflowException.php | Class | Class source | 
|  Files (88) | / | src | / | Interfaces | 
| File | Role | Description | 
|---|---|---|
|    CallerInterface.php | Class | Class source | 
|    GraphInterface.php | Class | Class source | 
|    JobInterface.php | Class | Class source | 
|    JobsInterface.php | Class | Class source | 
|    ResponseReferenceInterface.php | Class | Class source | 
|    RunInterface.php | Class | Class source | 
|    RunnerInterface.php | Class | Class source | 
|    VariableInterface.php | Class | Class source | 
|    WorkflowInterface.php | Class | Class source | 
|  Files (88) | / | src | / | Traits | 
| File | Role | Description | 
|---|---|---|
|    ExpectWorkflowExceptionTrait.php | Class | Class source | 
|    WorkflowTrait.php | Class | Class source | 
|  Files (88) | / | tests | 
| File | Role | Description | ||
|---|---|---|---|---|
|  src (18 files) | ||||
|    CallableTaskTest.php | Class | Class source | ||
|    FunctionsTest.php | Class | Class source | ||
|    GraphTest.php | Class | Class source | ||
|    JobsTest.php | Class | Class source | ||
|    JobTest.php | Class | Class source | ||
|    ResponseReferenceTest.php | Class | Class source | ||
|    RunnerParallelTest.php | Class | Class source | ||
|    RunnerSequentialTest.php | Class | Class source | ||
|    RunnerTest.php | Class | Class source | ||
|    RunTest.php | Class | Class source | ||
|    VariableTest.php | Class | Class source | ||
|    WorkflowTest.php | Class | Class source | ||
|    WorkflowTraitTest.php | Class | Class source | ||
|  Files (88) | / | tests | / | src | 
| File | Role | Description | 
|---|---|---|
|    TestActionAppendString.php | Class | Class source | 
|    TestActionFileWrite.php | Class | Class source | 
|    TestActionIntToString.php | Class | Class source | 
|    TestActionNoParams.php | Class | Class source | 
|    TestActionNoParamsArrayIntResponse.php | Class | Class source | 
|    TestActionNoParamsBoolResponses.php | Class | Class source | 
|    TestActionObjectConflict.php | Class | Class source | 
|    TestActionParam.php | Class | Class source | 
|    TestActionParamFooResponse1.php | Class | Class source | 
|    TestActionParamFooResponseBar.php | Class | Class source | 
|    TestActionParams.php | Class | Class source | 
|    TestActionParamsAlt.php | Class | Class source | 
|    TestActionParamsFooBarResponse2.php | Class | Class source | 
|    TestActionParamStringRegex.php | Class | Class source | 
|    TestActionThrows.php | Class | Class source | 
|    TestActionUnion.php | Class | Class source | 
|    TestActionUseWorkflowTrait.php | Class | Class source | 
|    TestActionVariadic.php | Class | Class source | 
| The PHP Classes site has supported package installation using the Composer tool since 2013, as you may verify by reading this instructions page. | 
|  Install with Composer | 
| Version Control | Unique User Downloads | |||||||
| 100% | 
 | 
| Applications that use this package | 
 If you know an application of this package, send a message to the author to add a link here.
 If you know an application of this package, send a message to the author to add a link here.