Live
Black Hat USADark ReadingBlack Hat AsiaAI BusinessHow to Choose Your MVP Tech StackDEV CommunityDocument Workflow Automation: An Architectural Guide to Building API-Driven Document PipelinesDEV CommunityHow to Roll Back a Failed Deployment in 30 SecondsDEV CommunityWho's hiring — April 2026DEV CommunityScraped 300 pages successfully. Site updated robots.txt at page 187 and blocked me.DEV CommunityI built an npm malware scanner in Rust because npm audit isn't enoughDEV CommunityMCP App CSP Explained: Why Your Widget Won't RenderDEV CommunityVS-wet dreigt ASML-export van immersiemachines naar China af te knijpenTweakers.netBuilt a script to categorize expenses automatically. Saved 3 hours/month.DEV CommunityFrom MLOps to LLMOps: A Practical AWS GenAI Operations GuideDEV CommunityCleaned 10k customer records. One emoji crashed my entire pipeline.DEV CommunityHeritable Agriculture: AI & Digital Twins for Faster Crop Breeding | 2026 - News and Statistics - IndexBoxGNews AI agricultureBlack Hat USADark ReadingBlack Hat AsiaAI BusinessHow to Choose Your MVP Tech StackDEV CommunityDocument Workflow Automation: An Architectural Guide to Building API-Driven Document PipelinesDEV CommunityHow to Roll Back a Failed Deployment in 30 SecondsDEV CommunityWho's hiring — April 2026DEV CommunityScraped 300 pages successfully. Site updated robots.txt at page 187 and blocked me.DEV CommunityI built an npm malware scanner in Rust because npm audit isn't enoughDEV CommunityMCP App CSP Explained: Why Your Widget Won't RenderDEV CommunityVS-wet dreigt ASML-export van immersiemachines naar China af te knijpenTweakers.netBuilt a script to categorize expenses automatically. Saved 3 hours/month.DEV CommunityFrom MLOps to LLMOps: A Practical AWS GenAI Operations GuideDEV CommunityCleaned 10k customer records. One emoji crashed my entire pipeline.DEV CommunityHeritable Agriculture: AI & Digital Twins for Faster Crop Breeding | 2026 - News and Statistics - IndexBoxGNews AI agriculture
AI NEWS HUBbyEIGENVECTOREigenvector

Agentic PHPUnit output

DEV Communityby david duymelinckApril 3, 20265 min read1 views
Source Quiz

I was made a aware of PAO . And while it think it is a good tool I think we can do better by making it more useful for an LLM. The package has options for PHPUnit, Pest and ParaTest. I'm only going to focus on PHPUnit, version 12 in particular. The setup PHPUnit has an option to add extensions . The best way to let PHPUnit know your extension is in the phpunit.xml file. class= "Tests\Extensions\AgentAwareOutputExtension" /> To detect when PHPunit is run inside an agent I used the shipfastlabs/agent-detector library (I saw it in PAO). This library uses well known config variables to detect multiple agents. Because I'm trying out Mistral Vibe now I added a new script to composer.json. "test:agent" : "AI_AGENT=1 vendor/bin/phpunit" While PAO uses json as output, I want to use markdown. From t

I was made a aware of PAO. And while it think it is a good tool I think we can do better by making it more useful for an LLM.

The package has options for PHPUnit, Pest and ParaTest. I'm only going to focus on PHPUnit, version 12 in particular.

The setup

PHPUnit has an option to add extensions. The best way to let PHPUnit know your extension is in the phpunit.xml file.

`

`

Enter fullscreen mode

Exit fullscreen mode

To detect when PHPunit is run inside an agent I used the shipfastlabs/agent-detector library (I saw it in PAO). This library uses well known config variables to detect multiple agents. Because I'm trying out Mistral Vibe now I added a new script to composer.json.

"test:agent": "AI_AGENT=1 vendor/bin/phpunit"

Enter fullscreen mode

Exit fullscreen mode

While PAO uses json as output, I want to use markdown. From the documentation I got that it doesn't show the errors. Which strikes me as odd because you want your coding agent to be able to fix the failing tests, not? So that is on my todo list.

The code

In the PHPUnit I saw an example where the used a intermediate class to collect the needed data, so that is what I did.

class TestDataCollector {  public function __construct(  public int $failed = 0,  public int $passed = 0,  public int $total = 0,  public array $messages = [],  )  {}__

public function write() : void { $text = '# Test results'. PHP_EOL . PHP_EOL; $text .= '## Summary' . PHP_EOL. PHP_EOL; $text .= 'failed: ' . $this->failed . PHP_EOL; $text .= 'passed: ' . $this->passed . PHP_EOL; $text .= 'total: ' . $this->total . PHP_EOL;

if(count($this->messages) > 0) { $text .= PHP_EOL . '## Failed tests' . PHP_EOL. PHP_EOL; $text .= '| Test | Message |' . PHP_EOL; $text .= '| --- | --- |' . PHP_EOL;

foreach($this->messages as $message) { $text .= '| ' . $message['test'].' | ' . $message['message'] . ' |' . PHP_EOL; } }

fwrite(STDOUT, $text); } }`

Enter fullscreen mode

Exit fullscreen mode

In the constructor I setup all the properties I needed to for PHPUnit to manipulate them based on the status of the tests.

The write method is used to display the result of the tests. I choose to use concatenation to make it easy to maintain.

Next up is the extension, the glue that holds the different parts together.

use AgentDetector\AgentDetector; use PHPUnit\Runner\Extension\Extension; use PHPUnit\Runner\Extension\Facade; use PHPUnit\Runner\Extension\ParameterCollection; use PHPUnit\TextUI\Configuration\Configuration; use Tests\Extensions\Subscribers\FailSubsrciber; use Tests\Extensions\Subscribers\ErrorSubscriber; use Tests\Extensions\Subscribers\TestsDoneSubscriber; use Tests\Extensions\Subscribers\PassSubsrciber;

class AgentAwareOutputExtension implements Extension { public function bootstrap(Configuration $configuration, Facade $facade, ParameterCollection $parameters): void { if ($configuration->noOutput()) { return; }

$agentDetector = new AgentDetector();

if (!$agentDetector->detect()->isAgent) { return; }

$facade->replaceOutput(); $facade->replaceProgressOutput(); $facade->replaceResultOutput();

$testDataCollector = new TestDataCollector();

$facade->registerSubscribers( new PassSubsrciber($testDataCollector), new FailSubscriber($testDataCollector), new ErrorSubscriber($testDataCollector), new TestsDoneSubscriber($testDataCollector), ); } }`

Enter fullscreen mode

Exit fullscreen mode

A better way would be to have the extension in its own directory, but for the purpose of the test I kept the directory structure flatter.

The Extension has a single method bootstrap, which mirrors the configuration in phpunit.xml.

PHPUnit has a --no-output CLI option that is why the first lines in bootstrap exist.

The AgentDetector lines are, as you can guess, to create a guard when an AI agent is not detected.

The replace methods are a bit unfortunately named because they prevent the display of the default output.

PHPUnit has quite a few Subscriber interfaces for all the events that can happen. So it is up to us to pick the ones we need.

use PHPUnit\Event\Test\Passed; use PHPUnit\Event\Test\PassedSubscriber; use Tests\Extensions\TestDataCollector;

class PassSubsrciber implements PassedSubscriber {

public function construct(private TestDataCollector $testDataCollector) {}

public function notify(Passed $event): void { $this->testDataCollector->passed++; $this->testDataCollector->total++; } }`

Enter fullscreen mode

Exit fullscreen mode

Because I don't need much data you will see most subscribers have little content.

use PHPUnit\Event\Test\Failed; use PHPUnit\Event\Test\FailedSubscriber; use Tests\Extensions\TestDataCollector;

class FailSubscriber implements FailedSubscriber {

public function construct(private TestDataCollector $testDataCollector) {}

public function notify(Failed $event): void { $this->testDataCollector->failed++; $this->testDataCollector->total++;

$this->testDataCollector->messages[] = [ 'test' => $event->test()->className().'::'.$event->test()->methodName(), 'message' => $event->throwable()->message(), ]; } }`

Enter fullscreen mode

Exit fullscreen mode

The main difference between this subscriber and the next one is that this catches the failed tests and the next one the PHP errors.

use PHPUnit\Event\Test\Errored; use PHPUnit\Event\Test\ErroredSubscriber; use Tests\Extensions\TestDataCollector;

class ErrorSubscriber implements ErroredSubscriber {

public function construct(private TestDataCollector $testDataCollector) {}

public function notify(Errored $event): void { $this->testDataCollector->failed++; $this->testDataCollector->total++;

$this->testDataCollector->messages[] = [ 'test' => $event->test()->className().'::'.$event->test()->methodName(), 'message' => $event->throwable()->message(), ]; } }`

Enter fullscreen mode

Exit fullscreen mode

The last subscriber is where the output happens.

use PHPUnit\Event\TestRunner\Finished; use PHPUnit\Event\TestRunner\FinishedSubscriber; use Tests\Extensions\TestDataCollector;

class TestsDoneSubscriber implements FinishedSubscriber {

public function construct(private TestDataCollector $testDataCollector) {}

public function notify(Finished $event): void { $this->testDataCollector->write(); } }`

Enter fullscreen mode

Exit fullscreen mode

And this can now give an example output of

# Test results

Summary

failed: 1 passed: 24 total: 25

Messages

TestMessage
App\Tests\AnswerTest::testFailFailed asserting that false is true.

Enter fullscreen mode

Exit fullscreen mode

Conclusion

Even if you don't need to format the output for AI agents I think you now have a better idea of what is possible.

Was this article helpful?

Sign in to highlight and annotate this article

AI
Ask AI about this article
Powered by Eigenvector · full article context loaded
Ready

Conversation starters

Ask anything about this article…

Daily AI Digest

Get the top 5 AI stories delivered to your inbox every morning.

More about

mistralversioninterface

Knowledge Map

Knowledge Map
TopicsEntitiesSource
Agentic PHP…mistralversioninterfaceagenticagentDEV Communi…

Connected Articles — Knowledge Graph

This article is connected to other articles through shared AI topics and tags.

Knowledge Graph100 articles · 169 connections
Scroll to zoom · drag to pan · click to open

Discussion

Sign in to join the discussion

No comments yet — be the first to share your thoughts!