| Package Data | |
|---|---|
| Maintainer Username: | cappuc |
| Maintainer Contact: | f.capucci@keepsuit.com (Fabio Capucci) |
| Package Create Date: | 2022-08-24 |
| Package Last Update: | 2025-12-21 |
| Home Page: | |
| Language: | PHP |
| License: | MIT |
| Last Refreshed: | 2026-01-10 15:07:56 |
| Package Statistics | |
|---|---|
| Total Downloads: | 47,583 |
| Monthly Downloads: | 8,293 |
| Daily Downloads: | 151 |
| Total Stars: | 47 |
| Total Watchers: | 4 |
| Total Forks: | 10 |
| Total Open Issues: | 5 |
This package allow an easy integration of a Laravel app with a temporal.io, which is a distributed, scalable, durable, and highly available orchestration engine for asynchronous long-running business logic in a microservice architecture.
This package provides:
You can install the package via composer:
composer require keepsuit/laravel-temporal
Then download the latest roadrunner executable for your platform:
php artisan temporal:install
or
./vendor/bin/rr get-binary
[!NOTE] You should run this command after every update to ensure that you have the latest version of
roadrunnerexecutable.
You can publish the config file with:
php artisan vendor:publish --tag="temporal-config"
This is the contents of the published config file:
<?php
return [
/**
* Temporal server address
*/
'address' => env('TEMPORAL_ADDRESS', 'localhost:7233'),
/**
* TLS configuration (optional)
* Allows to configure the client to use a secure connection to the server.
*/
'tls' => [
/**
* Path to the client key file (/path/to/client.key)
*/
'client_key' => env('TEMPORAL_TLS_CLIENT_KEY'),
/**
* Path to the client cert file (/path/to/client.pem)
*/
'client_cert' => env('TEMPORAL_TLS_CLIENT_CERT'),
/**
* Path to the root CA certificate file (/path/to/ca.cert)
*/
'root_ca' => env('TEMPORAL_TLS_ROOT_CA'),
/**
* Override server name (default is hostname) to verify against the server certificate
*/
'server_name' => env('TEMPORAL_TLS_SERVER_NAME'),
],
/**
* Temporal namespace
*/
'namespace' => env('TEMPORAL_NAMESPACE', \Temporal\Client\ClientOptions::DEFAULT_NAMESPACE),
/**
* Default task queue
*/
'queue' => \Temporal\WorkerFactory::DEFAULT_TASK_QUEUE,
/**
* Default retry policy
*/
'retry' => [
/**
* Default retry policy for workflows
*/
'workflow' => [
/**
* Initial retry interval (in seconds)
* Default: 1
*/
'initial_interval' => null,
/**
* Retry interval increment
* Default: 2.0
*/
'backoff_coefficient' => null,
/**
* Maximum interval before fail
* Default: 100 x initial_interval
*/
'maximum_interval' => null,
/**
* Maximum attempts
* Default: unlimited
*/
'maximum_attempts' => null,
],
/**
* Default retry policy for activities
*/
'activity' => [
/**
* Initial retry interval (in seconds)
* Default: 1
*/
'initial_interval' => null,
/**
* Retry interval increment
* Default: 2.0
*/
'backoff_coefficient' => null,
/**
* Maximum interval before fail
* Default: 100 x initial_interval
*/
'maximum_interval' => null,
/**
* Maximum attempts
* Default: unlimited
*/
'maximum_attempts' => null,
],
],
/**
* Interceptors (middlewares) registered in the worker
*/
'interceptors' => [
],
/**
* Directories to watch when server is started with `--watch` flag
*/
'watch' => [
'app',
'config',
],
/**
* Integrations options
*/
'integrations' => [
/**
* Eloquent models serialization/deserialization options
*/
'eloquent' => [
/**
* Default attribute key case conversion when serialize a model before sending to temporal.
* Supported values: 'snake', 'camel', null.
*/
'serialize_attribute_case' => null,
/**
* Default attribute key case conversion when deserializing payload received from temporal.
* Supported values: 'snake', 'camel', null.
*/
'deserialize_attribute_case' => null,
/**
* If true adds additional metadata fields (`__exists`, `__dirty`) to the serialized model to improve deserialization.
* `__exists`: indicate that the model is saved to database.
* `__dirty`: indicate that the model has unsaved changes. (original values are not included in the serialized payload but the deserialized model will be marked as dirty)
*/
'include_metadata_field' => false,
],
],
];
Here we will see the utilities provided by this package. For more information about Temporal and Workflow/Activity options please refer to the official documentation.
To create a new workflow, you can use the temporal:make:workflow {name} command, which will create a new workflow interface & relative class in
the app/Temporal/Workflows directory.
To create a new activity, you can use the temporal:make:activity {name} command, which will create a new activity interface & relative class in
the app/Temporal/Activities directory.
[!NOTE] If you already have workflow/activities in
app/Workflowsandapp/Activitiesdirectories, the make commands will create the new workflow/activity in the these directories.
Workflows and activities inside app are automatically registered.
If you need to register workflows and activities from other paths (ex. from a package), you can register them manually with TemporalRegistry in your service provider.
class AppServiceProvider extends ServiceProvider
{
public function register()
{
// Register the workflows and activities when TemporalRegistry is resolved
$this->callAfterResolving(\Keepsuit\LaravelTemporal\TemporalRegistry::class, function (\Keepsuit\LaravelTemporal\TemporalRegistry $registry) {
$registry->registerWorkflows(YourWorkflowInterface::class);
$registry->registerActivities(YourActivityInterface::class);
// or with discovery
$registry->registerWorkflows(...DiscoverWorkflows::within('/some/custom/path'));
$registry->registerActivities(...DiscoverActivities::within('/some/custom/path'));
});
}
}
To start a workflow, you must build a stub through the Temporal Facade.
$workflow = Temporal::newWorkflow()
->withTaskQueue('custom-task-queue') // Workflow options can be provided with fluent methods
->build(YourWorkflowInterface::class);
// This will start a new workflow execution and wait for the result
$result = $workflow->yourMethod();
// This will start a new workflow execution and return immediately
Temporal::workflowClient()->start($workflow);
To start an activity, you must build a stub through the Temporal Facade (note that activities must be built inside a workflow).
Activity methods returns a Generator, so you must use the yield keyword to wait for the result.
$activity = Temporal::newActivity()
->withTaskQueue('custom-task-queue') // Activity options can be provided with fluent methods
->build(YourActivityInterface::class);
$result = yield $activity->yourActivityMethod();
Child workflows works like activity and like activities must be built inside a workflow.
$childWorkflow = Temporal::newChildWorkflow()
->build(YourChildWorkflowInterface::class);
$result = yield $childWorkflow->yourActivityMethod();
Payloads provided to workflows/activities as params and returned from them must be serialized, sent to the Temporal server and deserialized by the worker. Activities can be executed by workers written in different languages, so the payload must be serialized in a common format. Out of the box temporal sdk supports native php types and protobuf messages. This package adds some laravel specific options for serialization/deserialization of objects:
TemporalSerializable interface can be implemented to add support for custom serialization/deserialization.TemporalSerializable interface and TemporalEloquentSerialize trait.spatie/laravel-data is a package that provides a simple way to work with data objects in Laravel.
In order to take full advantage of laravel-data, it is suggested to use v4.3.0 or higher.
[!NOTE] The provided
TemporalSerializableCastAndTransformeris compatible only withlaravel-datav4.3or higher, if you are using an older version you can create your cast/transform.
Changes to be made in config/data.php:
// Enable iterables cast/transform
'features' => [
'cast_and_transform_iterables' => true,
],
// Add support for TemporalSerializable transform
'transformers' => [
//...
\Keepsuit\LaravelTemporal\Contracts\TemporalSerializable::class => \Keepsuit\LaravelTemporal\Integrations\LaravelData\TemporalSerializableCastAndTransformer::class,
],
// Add support for TemporalSerializable cast
'casts' => [
//...
\Keepsuit\LaravelTemporal\Contracts\TemporalSerializable::class => \Keepsuit\LaravelTemporal\Integrations\LaravelData\TemporalSerializableCastAndTransformer::class,
],
Temporal interceptors are similar to laravel middleware and can be used to modify inbound and outbound SDK calls.
Interceptors can be registered in the interceptors config key.
See temporal sdk v2.7 release notes for more information.
To create a new interceptor, you can use the temporal:make:interceptor {name} command, which will create a new interceptor class in the app/Temporal/Interceptors directory.
To run the temporal worker, you can use the temporal:work {queue?} command.
If you want to customize the options of the temporal worker, you can call Temporal::buildWorkerOptionsUsing in your service provider:
class AppServiceProvider extends ServiceProvider
{
public function boot(): void {
\Keepsuit\LaravelTemporal\Facade\Temporal::buildWorkerOptionsUsing(function (string $taskQueue) {
// you can build different worker options based on the task queue
return \Temporal\Worker\WorkerOptions::new()
->withMaxConcurrentActivityTaskPollers(10)
->withMaxConcurrentWorkflowTaskPollers(10);
});
}
}
In order to test workflows end-to-end, you need a temporal server running. This package provides two options to run a temporal server for testing purposes:
temporal:server command, which will start a temporal testing server and use the Keepsuit\LaravelTemporal\Testing\WithTemporalWorker trait which will start a test workerWithTemporal trait, which will start a temporal testing server and the test worker when running test and stop it on finishWhen using
Keepsuit\LaravelTemporal\Testing\WithTemporaltrait, you can setTEMPORAL_TESTING_SERVERenv variable tofalseto disable the testing server and run only the worker.
The default temporal server implementation is the dev server included in the temporal cli and this doesn't support time skipping. In order to enable time skipping, you must:
temporal:server command with the --enable-time-skipping flag.TEMPORAL_TESTING_SERVER_TIME_SKIPPING env variable to true when using Keepsuit\LaravelTemporal\Testing\WithTemporal trait.When time skipping is enabled, the server doesn't wait for timers and continues immediately.
In order to control time behavior in your tests, you can add the Keepsuit\LaravelTemporal\Testing\WithoutTimeSkipping trait to your test class
and control time skipping with Keepsuit\LaravelTemporal\Testing\TemporalTestTime methods.
use Keepsuit\LaravelTemporal\Facade\Temporal;
use Keepsuit\LaravelTemporal\Testing\TemporalTestTime;
use Keepsuit\LaravelTemporal\Testing\WithoutTimeSkipping;
use Keepsuit\LaravelTemporal\Testing\WithTemporal;
use Tests\TestCase;
class YourWorkflowTest extends TestCase
{
use WithTemporal;
use WithoutTimeSkipping;
public function test_workflow_with_timers()
{
$workflow = Temporal::newWorkflow()
->build(YourWorkflowInterface::class);
$run = Temporal::workflowClient()->start($workflow);
// Advance time by 5 minutes
TemporalTestTime::sleep(5 * 60);
// Your assertions...
}
}
Mocking a workflow can be useful when the workflow should be executed in another service or simply when you want to test other parts of your code without running the workflow. This works for child workflows too.
Temporal::fake();
$workflowMock = Temporal::mockWorkflow(YourWorkflowInterface::class)
->onTaskQueue('custom-queue'); // not required but useful for mocking and asserting that workflow is executed on the correct queue
->andReturn('result');
// Your test code...
$workflowMock->assertDispatched();
$workflowMock->assertDispatchedTimes(1);
$workflowMock->assertNotDispatched();
// All assertion method support a callback to assert the workflow input
$workflowMock->assertDispatched(function ($input) {
return $input['foo'] === 'bar';
});
Mocking activities works like workflows, but for activity you must provide interface and the method to mock.
Temporal::fake();
$activityMock = Temporal::mockActivity([YourActivityInterface::class, 'activityMethod'])
->onTaskQueue('custom-queue'); // not required but useful for mocking and asserting that activity is executed on the correct queue
->andReturn('result');
// Your test code...
$activityMock->assertDispatched();
$activityMock->assertDispatchedTimes(1);
$activityMock->assertNotDispatched();
// All assertion method support a callback to assert the activity input
$activityMock->assertDispatched(function ($input) {
return $input['foo'] === 'bar';
});
Dispatches assertions can be done through the Temporal facade but there are some downsides compared to the options above:
Temporal::assertWorkflowDispatched(YourWorkflowInterface::class, function($workflowInput, string $taskQueue) {
return $workflowInput['foo'] === 'bar' && $taskQueue === 'custom-queue';
});
Temporal::assertActivityDispatched([YourActivityInterface::class, 'activityMethod'], function($activityInput, string $taskQueue) {
return $activityInput['foo'] === 'bar' && $taskQueue === 'custom-queue';
});
This package provides a PHPStan extension to improve the experience when working with Temporal proxy classes.
If you have phpstan/extension-installer installed, you are ready to go.
Otherwise, you have to add the extension to your phpstan.neon file:
includes:
- ./vendor/keepsuit/laravel-temporal/extension.neon
composer test
Please see CHANGELOG for more information on what has changed recently.
The MIT License (MIT). Please see License File for more information.