<aside> 💡 Every code isn’t testable. This document covers the main points to ensure your codebase is ready to accomodate and benefit from unit tests.
</aside>
Code is considered testable when it is designed in a way that allows automated tests to be easily created and run. This means that the code should be:
When code is testable, it allows developers to catch bugs and issues early on in the development process and ensure that changes to the code don't introduce new problems. This can save time and resources in the long run, as it helps to prevent issues from appearing in production and reduces the need for manual testing.
Dependency injection is a design pattern that allows us to inject dependencies into our code. This makes it easier to write unit tests because we can replace dependencies with mocks or stubs. In Flutter, we can use the provider
package to implement dependency injection. Here is an example:
class UserService {
final HttpClient httpClient;
UserService(this.httpClient);
Future<User> getUser(String id) async {
final response = await httpClient.get('/users/$id');
return User.fromJson(response.data);
}
}
In this example, we are injecting an HttpClient
dependency into the UserService
. This makes it easier to test because we can replace the HttpClient
with a mock during testing.
Write small and focused functions: Functions that do one thing and do it well are easier to test. Avoid large functions that perform multiple tasks.
bool isEmailValid(String email) {
final regex = RegExp(r'^[\\w-\\.]+@([\\w-]+\\.)+[\\w-]{2,4}$');
return regex.hasMatch(email);
}
Global state makes it difficult to test your code in isolation because changes in one part of the code can affect other parts. In addition to that, they can’t be mocked directly.
class Counter {
static int count = 0;
static void increment() {
count++;
}
}