Welcome to the first lesson of our course on managing test doubles. In this lesson, we will explore the concept of dependencies in software testing and introduce you to the use of test doubles, starting with "dummies," the simplest form of test doubles.
Dependencies are components or services that your software relies on to function, like databases, logging systems, or external APIs. However, when testing, these dependencies can introduce variability, making it hard to test your code's logic reliably. Test doubles allow you to replace these real dependencies with simpler objects that mimic their behavior. This ensures tests focus solely on your code's logic without interference from external systems. For instance, by isolating an email service’s logging component using a test double, you can test email-related functionality without generating actual log entries.
During this course, we'll discuss five kinds of Test Doubles:
- Dummies: These are simple placeholders used to fulfill parameter requirements. They have no logic or behavior beyond satisfying an interface or method signature.
- Stubs: These provide predefined responses to specific calls during testing, allowing you to control the behavior of certain dependencies without implementing full functionality.
- Spies: These track information about interactions with dependencies, such as method calls and arguments, enabling you to verify behaviors indirectly.
- Mocks: These are more sophisticated test doubles that are both stubs and spies. They allow you to set expectations and verify that certain interactions occur during testing.
- Fakes: These are simpler implementations of complex behavior that are useful for testing, typically with some working logic, often used to simulate a real system or component.
During this lesson, you'll learn how dummies provide a straightforward way to address dependencies by serving as simple placeholders without any logic. By the end, you'll have a foundational understanding of how to utilize dummies in your workflow, paving the way for more complex test doubles in future lessons.
Let's see dummies in action by setting up tests for an EmailService
application. Here's how you can create a test/email-service.test.ts
file with dummies:
TypeScript1import { EmailService } from '../src/email-service'; 2 3class DummyLogger { 4 log(_message: string): void {} 5} 6 7class DummyEmailSender { 8 send(_to: string, _subject: string, _body: string): void {} 9} 10 11describe('EmailService', () => { 12 let emailService: EmailService; 13 14 beforeEach(() => { 15 emailService = new EmailService(new DummyLogger(), new DummyEmailSender()); 16 }); 17 18 it('should accept valid email parameters', () => { 19 const result = emailService.sendEmail( 20 'test@example.com', 21 'Hello', 22 'This is a test' 23 ); 24 25 expect(result).toBe(true); 26 }); 27 28 // Additional tests for other cases... 29});
In this example:
- DummyLogger and DummyEmailSender act as stand-ins for real implementations. They don't have any behavior; they just satisfy the interface requirements of
EmailService
. - By using dummies, you reduce complexity and ensure that the tests are focusing solely on the logic within
EmailService
.
This method provides an introduction to isolating dependencies with minimal effort, setting the stage for learning about more advanced test doubles like stubs, mocks, and fakes.
In the example with EmailService
, DummyLogger
and DummyEmailSender
are dummies that help isolate the service’s functionality. Rather than implementing actual logging or email-sending behavior, they simply fulfill the Logger
and EmailSender
interfaces required by EmailService
. This approach keeps the test setup lightweight and efficient, focusing solely on the email parameter validation logic. By avoiding real actions, such as logging to a file or sending emails, tests run faster and remain focused on validating the core functionality of the EmailService
.
To fully understand how dummies integrate into your testing workflow, let's look at the implementation of the EmailService
that the tests are targeting. Here's how you can set up the EmailService
in a src/email-service.ts
file:
app/src/types.ts
TypeScript1export interface Logger { 2 log(message: string): void; 3} 4 5export interface EmailSender { 6 send(to: string, subject: string, body: string): void; 7}
app/src/email-service.ts
TypeScript1import type { Logger, EmailSender } from './types'; 2 3export class EmailService { 4 constructor( 5 private logger: Logger, 6 private emailSender: EmailSender 7 ) {} 8 9 sendEmail(to: string, subject: string, body: string): boolean { 10 if (!to || !to.includes('@')) { 11 return false; 12 } 13 14 if (!subject) { 15 return false; 16 } 17 18 if (!body || body.length > 1000) { 19 return false; 20 } 21 22 this.logger.log(`Sending email to ${to}`); 23 this.emailSender.send(to, subject, body); 24 return true; 25 } 26}
This implementation outlines a basic EmailService
class, using a logger and an email sender as dependencies. The method sendEmail
performs basic validation checks on the email parameters and, if they're valid, logs and sends the email using the dependencies provided. By using dummies to stand in for Logger
and EmailSender
, you can isolate this email-sending logic from the complexities of actual logging and email-sending functionalities, ensuring a focused test environment.
In this lesson, you were introduced to the concept of dependencies in testing and how test doubles, specifically dummies, can help isolate these dependencies. Dummies serve as simple placeholders without behavior, allowing you to concentrate on testing the core logic of your application without external complexities. By using dummies, you can simplify test setups and focus more effectively on the behavior of the code under test. This foundational understanding sets the stage for exploring more advanced test doubles in future lessons.