Lors de l'écriture de tests unitaires, un défi clé est de garantir que vos tests se concentrent sur le code testé sans interférence de systèmes ou de dépendances externes. C'est là que les objets simulés entrent en jeu dans PHPUnit. Ils vous permettent de simuler le comportement d'objets réels de manière contrôlée, rendant vos tests plus fiables et plus faciles à maintenir. Dans cet article, nous explorerons ce que sont les objets fictifs, pourquoi ils sont utiles et comment les utiliser efficacement dans PHPUnit.
Les objets simulés sont des versions simulées d'objets réels utilisées dans les tests unitaires. Ils vous permettent de :
Les simulations sont particulièrement utiles dans les scénarios suivants :
Lorsque vous travaillez avec des objets fictifs, vous rencontrerez deux termes : stubbing et mocking :
PHPUnit facilite la création et l'utilisation d'objets fictifs avec la méthode createMock(). Vous trouverez ci-dessous quelques exemples qui montrent comment travailler efficacement avec des objets fictifs.
Dans cet exemple, nous créons un objet fictif pour une dépendance de classe et spécifions son comportement.
use PHPUnit\Framework\TestCase; class MyTest extends TestCase { public function testMockExample() { // Create a mock for the SomeClass dependency $mock = $this->createMock(SomeClass::class); // Specify that when the someMethod method is called, it returns 'mocked value' $mock->method('someMethod') ->willReturn('mocked value'); // Pass the mock object to the class under test $unitUnderTest = new ClassUnderTest($mock); // Perform the action and assert that the result matches the expected value $result = $unitUnderTest->performAction(); $this->assertEquals('expected result', $result); } }
Explication :
Parfois, vous devez vérifier qu'une méthode est appelée avec les paramètres corrects. Voici comment procéder :
public function testMethodCallVerification() { // Create a mock object $mock = $this->createMock(SomeClass::class); // Expect the someMethod to be called once with 'expected argument' $mock->expects($this->once()) ->method('someMethod') ->with($this->equalTo('expected argument')) ->willReturn('mocked value'); // Pass the mock to the class under test $unitUnderTest = new ClassUnderTest($mock); // Perform an action that calls the mock's method $unitUnderTest->performAction(); }
Points clés :
Pour démontrer l'application dans le monde réel des objets fictifs, prenons l'exemple d'une classe PaymentProcessor qui dépend d'une interface PaymentGateway externe. Nous souhaitons tester la méthode processPayment de PaymentProcessor sans nous appuyer sur la mise en œuvre réelle de PaymentGateway.
Voici la classe PaymentProcessor :
class PaymentProcessor { private $gateway; public function __construct(PaymentGateway $gateway) { $this->gateway = $gateway; } public function processPayment(float $amount): bool { return $this->gateway->charge($amount); } }
Maintenant, nous pouvons créer une simulation pour PaymentGateway afin de tester la méthode processPayment sans interagir avec la passerelle de paiement réelle.
use PHPUnit\Framework\TestCase; class PaymentProcessorTest extends TestCase { public function testProcessPayment() { // Create a mock object for the PaymentGateway interface $gatewayMock = $this->createMock(PaymentGateway::class); // Define the expected behavior of the mock $gatewayMock->method('charge') ->with(100.0) ->willReturn(true); // Inject the mock into the PaymentProcessor $paymentProcessor = new PaymentProcessor($gatewayMock); // Assert that processPayment returns true $this->assertTrue($paymentProcessor->processPayment(100.0)); } }
Répartition du test :
You can also verify that the charge method is called exactly once when processing a payment:
public function testProcessPaymentCallsCharge() { $gatewayMock = $this->createMock(PaymentGateway::class); // Expect the charge method to be called once with the argument 100.0 $gatewayMock->expects($this->once()) ->method('charge') ->with(100.0) ->willReturn(true); $paymentProcessor = new PaymentProcessor($gatewayMock); $paymentProcessor->processPayment(100.0); }
In this example, expects($this->once()) ensures that the charge method is called exactly once. If the method is not called, or called more than once, the test will fail.
Let’s assume you have a UserService class that depends on a UserRepository to fetch user data. To test UserService in isolation, you can mock the UserRepository.
class UserService { private $repository; public function __construct(UserRepository $repository) { $this->repository = $repository; } public function getUserName($id) { $user = $this->repository->find($id); return $user->name; } }
To test this class, we can mock the repository:
use PHPUnit\Framework\TestCase; class UserServiceTest extends TestCase { public function testGetUserName() { // Create a mock for the UserRepository $mockRepo = $this->createMock(UserRepository::class); // Define that the find method should return a user object with a predefined name $mockRepo->method('find') ->willReturn((object) ['name' => 'John Doe']); // Instantiate the UserService with the mock repository $service = new UserService($mockRepo); // Assert that the getUserName method returns 'John Doe' $this->assertEquals('John Doe', $service->getUserName(1)); } }
Mock objects are invaluable tools for writing unit tests in PHPUnit. They allow you to isolate your code from external dependencies, ensuring that your tests are faster, more reliable, and easier to maintain. Mock objects also help verify interactions between the code under test and its dependencies, ensuring that your code behaves correctly in various scenarios
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!