A browser testing and web scraping library for PHP and Symfony
Panther is a convenient standalone library to scrape websites and to run end-to-end tests using real browsers.
Panther is super powerful. It leverages the W3C's WebDriver protocol to drive native web browsers such as Google Chrome and Firefox.
Panther is very easy to use, because it implements Symfony's popular BrowserKit and DomCrawler APIs, and contains all the features you need to test your apps. It will sound familiar if you have ever created a functional test for a Symfony app: as the API is exactly the same! Keep in mind that Panther can be used in every PHP project, as it is a standalone library.
Panther automatically finds your local installation of Chrome and launches it (thanks to ChromeDriver), so you don't need to install anything on your computer, neither Selenium server nor any other obscure driver.
In test mode, Panther automatically starts your application using the PHP built-in web-server. You can focus on writing your tests or web-scraping scenario and Panther will take care of everything else.
Use Composer to install Panther in your project. You may want to use the --dev flag if you want to use Panther for testing only and not for web scraping in a production environment:
composer req symfony/panther
composer req --dev symfony/panther
Warning: On *nix systems, the unzip
command must be installed or you will encounter an error similar to RuntimeException: sh: 1: exec: /app/vendor/symfony/panther/src/ProcessManager/../../chromedriver-bin/chromedriver_linux64: Permission denied
(or chromedriver_linux64: not found
).
The underlying reason is that PHP's ZipArchive
doesn't preserve UNIX executable permissions.
<?php
require __DIR__.'/vendor/autoload.php'; // Composer's autoloader
$client = \Symfony\Component\Panther\Client::createChromeClient();
$crawler = $client->request('GET', 'https://api-platform.com'); // Yes, this website is 100% in JavaScript
$link = $crawler->selectLink('Support')->link();
$crawler = $client->click($link);
// Wait for an element to be rendered
$client->waitFor('.support');
echo $crawler->filter('.support')->text();
$client->takeScreenshot('screen.png'); // Yeah, screenshot!
The PantherTestCase
class allows you to easily write E2E tests. It automatically starts your app using the built-in PHP
web server and let you crawl it using Panther.
It extends PHPUnit's TestCase
and provides all of the testing tools you're used to.
<?php
namespace App\Tests;
use Symfony\Component\Panther\PantherTestCase;
class E2eTest extends PantherTestCase
{
public function testMyApp()
{
$client = static::createPantherClient(); // Your app is automatically started using the built-in web server
$crawler = $client->request('GET', '/mypage');
$this->assertContains('My Title', $crawler->filter('title')->html()); // You can use any PHPUnit assertion
}
}
To run this test:
phpunit tests/E2eTest.php
If you are testing a Symfony application, PantherTestCase
automatically extends the WebTestCase
class. It means
you can easily create functional tests, which can directly execute the kernel of your application and access all your existing
services. Unlike the Panther's client, the Symfony's testing client doesn't support JavaScript and screenshots capturing, but
it is super-fast!
Alternatively (and even for non-Symfony apps), Panther can also leverage the Goutte web scraping library, which is an intermediate between the Symfony's and the Panther's test clients. Goutte sends real HTTP requests, it is fast and is able to browse any webpage, not only the ones of the application under test. However, Goutte doesn't support JavaScript and other advanced features because it is entirely written in PHP.
The fun part is that the 3 libraries implement the exact same API, so you can switch from one to another just by calling the appropriate factory method, resulting in a good trade-off for every single test case (Do I need JavaScript? Do I need to authenticate with an external SSO server? Do I want to access the kernel of the current request? ... etc).
<?php
namespace App\Tests;
use Symfony\Component\Panther\PantherTestCase;
use Symfony\Component\Panther\Client;
class E2eTest extends PantherTestCase
{
public function testMyApp()
{
$symfonyClient = static::createClient(); // A cute kitty: the Symfony's functional test too
$goutteClient = static::createGoutteClient(); // An agile lynx: Goutte
$pantherClient = static::createPantherClient(); // A majestic Panther
// Both Goutte and Panther benefits from the built-in HTTP server
$customChromeClient = Client::createChromeClient(null, null, [], 'https://example.com'); // Create a custom Chrome client
$customSeleniumClient = Client::createSeleniumClient('http://127.0.0.1:4444/wd/hub', null, 'https://example.com'); // Create a custom Selenium client
// When initializing a custom client, the integrated web server IS NOT started automatically.
// Use PantherTestCase::startWebServer() or WebServerManager if you want to start it manually.
// enjoy the same API for the 3 felines
// $*client->request('GET', '...')
$kernel = static::createKernel(); // You have also access to the app's kernel
// ...
}
}
Panther can make a pause in your tests suites after a failure.
It is a break time really appreciated for investigating the problem through the web browser.
For enabling this mode, you need the --debug
PHPUnit option without the headless mode:
$ export PANTHER_NO_HEADLESS=1
$ phpunit --debug
Test 'App\AdminTest::testLogin' started
Error: something is wrong.
Press enter to continue...
Unlike testing and web scraping libraries you're used to, Panther:
- executes the JavaScript code contained in webpages
- supports everything that Chrome (or Firefox) implements
- allows screenshots taking
- can wait for the appearance of asynchronously loaded elements
- lets you run your own JS code or XPath queries in the context of the loaded page
- supports custom Selenium server installations
- supports remote browser testing services including SauceLabs and BrowserStack
Since Panther implements the API of popular libraries, it already has an extensive documentation:
- For the
Client
class, read the BrowserKit's documentation - For the
Crawler
class, read the DomCrawler's documentation - For Webdriver, read the Facebook's PHP WebDriver documentation
When you use the Panther client, the web server running in the background will be started on demand at the first call to
createPantherClient()
, createGoutteClient()
or startWebServer()
and it will be stopped at tearDownAfterClass()
.
If you want to improve performances, you can hook to PHPUnit in your phpunit.xml.dist
configuration file with the
Panther's server extension:
<!-- phpunit.xml.dist -->
<extensions>
<extension class="Symfony\Component\Panther\ServerExtension" />
</extensions>
This extension will start the web server on demand like previously, but it will stop it after the very last test.
It should be noted that the Panther's extension only works with PHPUnit >= 7.3
. Nonetheless, if you are using an
anterior PHPUnit version, you can also hook to PHPUnit with the Panther's server listener:
<!-- phpunit.xml.dist -->
<listeners>
<listener class="Symfony\Component\Panther\ServerListener" />
</listeners>
This listener will start the web server on demand like previously, but it will stop it after each test suite.
Sometimes, it's convenient to reuse an existing web server configuration instead of starting the built-in PHP one.
To do so, set the external_base_uri
option:
<?php
namespace App\Tests;
use Symfony\Component\Panther\PantherTestCase;
class E2eTest extends PantherTestCase
{
public function testMyApp()
{
$pantherClient = static::createPantherClient(['external_base_uri' => 'https://localhost']);
// the PHP integrated web server will not be started
}
}
Hidden Text
Webdriver returns only the displayed text. When you filter on a head tag (like title
), the method text()
returns an
empty string. Use the method html()
to get the complete contents of the tag, including the tag itself.
The following environment variables can be set to change some Panther's behaviour:
PANTHER_NO_HEADLESS
: to disable browser's headless mode (will display the testing window, useful to debug)PANTHER_NO_SANDBOX
: to disable Chrome's sandboxing (unsafe, but allows to use Panther in containers)PANTHER_WEB_SERVER_DIR
: to change the project's document root (default topublic/
)PANTHER_CHROME_DRIVER_BINARY
: to use anotherchromedriver
binary, instead of relying on the ones already provided by PantherPANTHER_CHROME_ARGUMENTS
: to customizechromedriver
arguments. You need to setPANTHER_NO_HEADLESS
to fully customize.PANTHER_WEB_SERVER_PORT
: to change the web server's port (default to9080
)PANTHER_WEB_SERVER_ROUTER
: to use a web server router script which is run at the start of each HTTP requestPANTHER_EXTERNAL_BASE_URI
: to use an external web server (the PHP built-in web server will not be started)PANTHER_CHROME_BINARY
: to use anothergoogle-chrome
binary
To force Chrome to accept invalid and self-signed certificates, set the following environment variable: PANTHER_CHROME_ARGUMENTS='--ignore-certificate-errors'
This option is insecure, use it only for testing in development environments, never in production (e.g. for web crawlers).
Here is a minimal Docker image that can run Panther:
FROM php:latest
RUN apt-get update && apt-get install -y libzip-dev zlib1g-dev chromium && docker-php-ext-install zip
ENV PANTHER_NO_SANDBOX 1
Build it with docker build . -t myproject
Run it with docker run -it -v "$PWD":/srv/myproject -w /srv/myproject myproject bin/phpunit
If you are using Alpine Linux, you may need to use another chromedriver
binary.
RUN apk add --no-cache \
chromium \
chromium-chromedriver
ENV PANTHER_CHROME_DRIVER_BINARY /usr/lib/chromium/chromedriver
Panther will work out of the box with Travis if you add the Chrome addon. Here is a minimal .travis.yml
file to run
Panther tests:
language: php
addons:
chrome: stable
php:
- 7.1
- 7.2
script:
- phpunit
Panther will work out of the box with AppVeyor as long as Google Chrome is installed. Here is a minimal appveyor.yml
file to run Panther tests:
build: false
platform: x86
clone_folder: c:\projects\myproject
cache:
- '%LOCALAPPDATA%\Composer\files'
install:
- ps: Set-Service wuauserv -StartupType Manual
- cinst -y php composer googlechrome
- refreshenv
- cd c:\tools\php73
- copy php.ini-production php.ini /Y
- echo date.timezone="UTC" >> php.ini
- echo extension_dir=ext >> php.ini
- echo extension=php_openssl.dll >> php.ini
- echo extension=php_mbstring.dll >> php.ini
- echo extension=php_curl.dll >> php.ini
- echo memory_limit=3G >> php.ini
- cd %APPVEYOR_BUILD_FOLDER%
- composer install --no-interaction --no-progress
test_script:
- cd %APPVEYOR_BUILD_FOLDER%
- php vendor\phpunit\phpunit\phpunit
If you want to use Panther with other testing tools like LiipFunctionalTestBundle or if you just need to use a different base class, Panther has got you covered. It provides you with the Symfony\Component\Panther\PantherTestCaseTrait
and you can use it to enhance your existing test-infrastructure with some Panther awesomeness:
<?php
namespace App\Tests\Controller;
use Liip\FunctionalTestBundle\Test\WebTestCase;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\Panther\PantherTestCaseTrait;
class DefaultControllerTest extends WebTestCase
{
use PantherTestCaseTrait; // this is the magic. Panther is now available.
public function testWithFixtures()
{
$this->loadFixtures([]); // load your fixtures
$client = self::createPantherClient(); // create your panther client
$client->request('GET', '/');
}
}
The following features are not currently supported:
- Crawling XML documents (only HTML is supported)
- Updating existing documents (browsers are mostly used to consume data, not to create webpages)
- Setting form values using the multidimensional PHP array syntax
- Methods returning an instance of
\DOMElement
(because this library usesWebDriverElement
internally) - Selecting invalid choices in select
Pull Requests are welcome to fill the remaining gaps!
Created by Kévin Dunglas. Sponsored by Les-Tilleuls.coop.
Panther is built on top of PHP WebDriver and several other FOSS libraries. It has been inspired by Nightwatch.js, a WebDriver-based testing tool for JavaScript.