- Introduction
- Helpful resources
- Run frontend tests
- Write frontend tests
- Unit test structure
- Good practices
- Tests should work in any order
- Do not test private methods/properties
- Worry about behavior and not about coverage
- Name variables clearly
- Name tests clearly
- Check return values from the code being tested
- Test the interface, not the implementation
- Keep tests clean and clear
- Similar tests should have similar checks
- Validate external side-effects
- General tips
- Testing services
- Testing controllers
- Testing directives and components
- Contacts
Our goal is for every file with frontend code to be thoroughly tested by its associated test file. For example, user.service.ts
should be comprehensively tested by user.service.spec.ts
. By "comprehensively," we mean that the tests should cover all possible ways the code in user.service.ts
might be used. It's especially important for test to cover both happy (expected) and unhappy (unexpected) usages. Here is a good example of a comprehensive set of test cases.
A unit test checks the behavior of small pieces of code, which are called units. Often, the unit is a funtion, in which case the behavior being tested would be the function's outputs given some inputs.
A unit test should depend only on the "external" behavior to be tested, not the specific implementation of the function. This means that the behavior of other units is out of scope. Here is a simple unit test that demonstrates these points.
We get a rough idea of how comprehensive our tests are by measuring code coverage, which is the fraction of testable lines of code that were executed when the tests were run. For example, consider the following pseudocode:
1 # Compute the absolute value of a number
2 function absoluteValue(number) {
3 if number <= 0 {
4 return -number
5 } else {
6 return number
7 }
8 }
Now consider the following sets of test cases:
absoluteValue(1)
andabsoluteValue(5)
: These test cases are not comprehensive because they only test positive numbers. Code coverage is also not 100% because line 4 is never executed.absoluteValue(0)
andabsoluteValue(1)
: These test cases are not comprehensive because they do not test negative numbers, and it's important for an absolute value function to correctly handle negative inputs. However, the code coverage is 100% because both blocks of theif
statement are executed.absoluteValue(-1)
,absoluteValue(0)
, andabsoluteValue(1)
: These test cases are comprehensive, and code coverage is 100%. Note that even though line 1 doesn't execute, coverage is 100% because line 1 is not executable.
This example illustrates something very important about code coverage: Code coverage less than 100% implies that the tests are not comprehensive, but code coverage of 100% does not imply that tests are comprehensive. Therefore, while code coverage is a useful tool, you should primarily think about whether your tests cover all the possible behaviors of the code being tested. In other words, you should have a behavior-first perspective. Don't just think about which lines are covered.
When we achieve our goal, then for every frontend code file, executing only its associated test file should result in 100% coverage of the code file. Note that to execute only a single test file, you can change describe
s in that file to fdescribe
s.
This list contains some resources that might help you while writing unit tests:
Running the frontend tests is as simple as running this command:
Docker:
make run_tests.frontend
Python:
python -m scripts.run_frontend_tests
These tests also run whenever you push changes to the frontend code.
Tips for speeding things up:
- When running the tests locally, you can add
--skip_install
(included by default for the Docker command) after the first run to skip installing dependencies (and speed up the test). - The file
combined-tests.spec.ts
has a require statement with a regex that matches and compiles all the specs files (irrespective of whether we want to run the spec files or not). To debug a specific unit test, you can replace the regex with the name of the specific file (make sure to escape all the hyphens (-), dots (.) and any other reserved regex characters). This will make the test run faster.
Note: Typically, these tests take around 2.5 to 5 minutes (exclusive of the time taken for setting up ChromeHeadless) to run, assuming the machine has sufficient resources. If the total time taken is significantly longer than this, it may indicate an issue with the testing environment. In case such an issue is noticed or observed, please raise it on our issue tracker.
Coverage reports are an indispensable tool when working with unit tests. They can show you which lines are being tested and which are not. Use these reports to help you write better tests and to ensure that all the files and functionality are totally covered by the tests you write.
Whenever you run the frontend tests, a coverage report will be generated at the oppia/../karma_coverage_reports/index.html
. The report will look like this:
When writing tests, the goal is to completely cover the file. In order to do that, you need to understand what the coverage report is telling you. Basically, the report tells you which line is being hit, partially hit, or missed:
- Hit: the line was executed by the test suite.
- Partially hit: the line was partially executed by the test suite. There’s another possibility where this line is missed.
- Missed: the line wasn’t executed by the test suite.
More than just reporting the “covered” state of each line, the coverage report also reports something called branch coverage. A branch refers to a branch in the program (if/else statements, loops, and so on). To be fully covered, all the file’s branches need to be tested. The Karma coverage report uses symbols (with letter I - for if - and E - for else) to refer to if/else statements branches. It’s important to note that these symbols will appear even if the branch is being covered, so please ignore these symbols and pay attention to only the line coverage information (as you see above). Here’s an example:
In order to make the coverage stable, by default we require that every frontend file is fully covered. Since we are still increasing frontend coverage, there are some exceptions to this rule. Files that are not fully covered are listed in scripts/check_frontend_coverage.py
.
If you pass the --check_coverage
flag when running the tests, then the tests will check whether all expected files are fully covered. The output looks like this:
A unit test is made of functions that configure the test environment, make assertions, and separate the different contexts of each situation. There are some test functions that are used across the codebase:
The describe
function has a string parameter which should contain the name of the component being tested or (when nested within another describe
function) should describe the conditions imposed on the specific context pertaining to the tests in that describe
block. Here are some examples:
-
An outer
describe
function:describe('Component Name', function() { ... });
-
Two
describe
functions nested inside anotherdescribe
function:describe('Component Name', function() { describe('when it is available', function() {...}); describe('when it is not available', function() {...}); });
Check out a real example in the codebase to see how to use describe
properly.
The describe
function also has some variants to help you. Use these variants only on your local machine for testing.
-
fdescribe: This is used when you want to run only the test suite marked as
fdescribe
. -
xdescribe: This is used when you want to run all test suites except the one marked with
xdescribe
.
The beforeEach
function is used to set up essential configurations and variables before each test runs. This function is mostly used for three things:
-
Injecting the modules to be tested or to be used as helpers inside the test file. Here is an example.
-
Mocking the unit test’s external dependencies (only on AngularJS files):
beforeEach(angular.mock.module(function($provide) { $provide.value('ExplorationStatesService', { getState: () => ({ interaction: null }) }); }));
-
Providing Angular2+ services in downgrade files when the AngularJS service being tested uses any upgraded (Angular2+) service as a dependency. For example, assume that the test requires MyExampleService which is an Angular2+ service:
import { TestBed } from '@angular/core/testing'; import { MyExampleService } from 'services/my-example.service'; ... beforeEach(() => { TestBed.configureTestingModule({ imports: [HttpClientTestingModule] }); }); beforeEach(angular.mock.module('oppia', function($provide) { $provide.value('MyExampleService', TestBed.get(MyExampleService)); }));
The it
function is where the test happens. Like the describe
function, its first parameter is a string which should determine the action to be tested and the expected outcome of the tests. The string should have a clear description of what is going to be tested. Also, the string must start with "should".
All possible code paths in the function should be tested. See this example in codebase and notice how the test names give you an idea of what is expected.
Like describe
, the it
function has the variants fit
and xit
and they can be used in the same way as fdescribe
and xdescribe
.
The afterEach
function runs after each test, and it is not used often. It’s mostly used when we are handling async features such as HTTP and timeout calls (both in AngularJS and Angular 2+). Here's an example to handle HTTP mocks in AngularJS and here's an example of doing the same in Angular 2+.
The afterAll
function runs after all the tests have finished, but it is almost never used in the codebase. There is a specific case which it might be very helpful: when a global variable needs to be reassigned during the tests, you need to reset it to the default value after all the assertions are finished. Check an example of this case here.
The expect
function is used to assert a condition in the test. You can check all its methods in the Jasmine documentation. Here's a good example of how to use it correctly.
We call the tick function when there are pending asynchronous activities we want to complete. The tick() function blocks execution and simulates the passage of time until all pending asynchronous activities complete. Asynchronous activities such as timeouts and promises will be handled using the tick() function.
While testing asynchronous functions, we can use the flush function instead of awaiting them individually. The difference between flushMicrotasks and flush is that the former only processes the pending microtasks ( promise callbacks), but not the (macro) tasks ( scheduled callbacks), while flush processes both.
It is possible to write frontend tests that only pass when run in a particular order. Here's an example:
describe('oppia', () => {
var test = 2;
it('should do something', () => {
test = 3;
});
it('should do something else', () => {
expect(test).toBe(2);
});
});
This test will pass when should do something else
runs before should do something
, but not when the tests run in the opposite order. This is bad! Since Karma runs tests in a non-deterministic order, you should never assume that tests will run in a particular order.
Private methods/properties should only be accessed just by the class or function where they are defined. Their names start with _
. It's not a good practice to test private methods/properties because they should not be accessed from the outside. Instead, you should only test public methods and their output. For example:
-
Bad:
it('should get generic name', function() { var name = component._name; expect(name).toBe('foo'); });
-
Good:
it('should get generic name', function() { var name = component.getName(); expect(name).toBe('foo'); });
Make sure your tests check the file's behavior, not just that they get to 100% coverage. Unit tests are about testing the expected output, not the internal implementation. For example:
-
Bad:
it('should get items from api', function() { var consoleSpy = spyOn(console, 'log').and.callThrough(); component.fetchApi(); expect(consoleSpy).haveBeenCalledWith('fetched!); });
-
Good:
it('should get items from api', function() { var MAX_ITEMS_TO_FETCH = 10; component.fetchApi(); expect(component.itemsFetched).toEqual(10); });
- Expected variables must be named so that it's clear that they store expected data.
- Example: ‘expectedAdjacencyList’, ‘expectedNodeData’.
- Variables storing return values must have names that suggest that they have been returned.
- Example: ‘returnedNodeData’, ‘returnedGraphHeight’.
- For variables that have a unit, mention the unit in the variable name.
- Example: ‘graphHeightInPixels’, ‘graphHeightInCm’
Test description should clearly state what the test is testing. Generally, follow the format should do X if Y happens
. For example:
- Good test name - ‘it should not return indentation level greater than MAX_INDENTATION_LEVEL’
- Bad test name - ‘it should return indentation levels’
Also, write the test descriptions in a way such that they reflect the user's perspective rather than including implementation details.
Do not just call the code being tested; check that the thing returned is correct. (example)
See this link for a rough outline of the concept. If the code that’s being tested changes, but the interface remains stable, your tests should still continue to pass.
-
Here, "interface" does not refer to the user interface. It refers to the part of the directive/service/component that can be accessed externally through public functions. So, services have an interface too (i.e. the public functions that they expose to other components/services). You basically want to check whether inputs to those functions result in the correct output.
-
Where possible, try to check the inputs and the outputs of the code being tested rather than just whether a particular method has been called. That's because the latter tends to be directly testing a specific implementation. The exception is when the method being called is a requirement of the test, e.g. if we need to verify that a third-party API which we treat as a black box is called — but that's fairly rare.
-
Example: To test that all the subscriptions in a component have been unsubscribed successfully, you can check the .closed flag which indicates whether the subscription has already been unsubscribed:
it('should unsubscribe when component is destroyed', function() { spyOn(ctrl.directiveSubscriptions, 'unsubscribe').and.callThrough(); expect(ctrl.directiveSubscriptions.closed).toBe(false); ctrl.$onDestroy(); expect(ctrl.directiveSubscriptions.unsubscribe).toHaveBeenCalled(); expect(ctrl.directiveSubscriptions.closed).toBe(true); });
-
-
Keep the body of the test clean and clear. Having too many big blocks of data obscures what we are trying to check. In a case where big blocks of data are necessary to test the code, add comments to explain (as here).
-
Do not include unnecessary data in the test.
- Example : if you are testing that the X property of a dict is modified by a function, then only check the X property. Do not include other properties in the expected variable.
-
Leave comments to explain the steps in the test whenever things get complicated. This helps the reader understand what your test does. Ideally, a reader should be able to understand the tests without reading the code file.
-
Add visual explanations if possible (example).
-
For all hardcoded values, explain where the values come from in comments.
-
Write the expectations in order, so that each test has a coherent story. That makes the test easier to follow.
For example, if in a test you check that a spy was called when a certain condition was satisfied, then also check that the spy was not called when that condition was not satisfied.
An external side-effect is an effect that we expect from running the function but that isn't part of the outputs. For example, consider this pseudocode:
function login(username, password) {
valid = whether the username and password are valid
if valid {
setLoginCookie(username)
return True
}
return False
}
Here, the call to setLoginCookie()
is an external side-effect. In our unit tests, it's not enough to check that the function's return value is correct; we also need to check that setLoginCookie()
is called (and not called) correctly.
See our [[guide to debugging frontend tests|Debug-frontend-tests]] for debugging tips.
One of the main features of Jasmine is allowing you to spy on a method or property of an object. This is helpful in some cases for seeing what is going on:
-
You can spy on an object's properties (using the
spyOnProperty
method). Here's an example. -
You can mock a property value or a method return. Here's an example.
-
You can provide fake implementations that will be called when a method is executed. This is commonly used when mocking AngularJS promises with
$defer
. Here's an example. -
You can spy on a method to check whether that method is being called when the spec runs. Here's an example.
Also, the spy can be used when mocking third-party libraries, like JQuery, mostly when doing ajax calls. Here's a good example when mocking JQuery ajax calls.
It is impossible to spy twice on the same method or property in the same scope. For instance, the code below would throw an error:
spyOn('should throw an error when spying twice', function() {
spyOn(console, 'warn').and.stub();
spyOn(console, 'warn').and.stub();
});
However, there are some situations where you need to change a value or a method’s return value spy in the same spec, for instance by changing the location path in a mock window
object, or even reseting a mock to call the original code. You can do it by assigning the spy (without calling any method) to a variable. Then you can use this variable to call the spy methods as many times you want. For example, this code won't throw an error:
spyOn('should not throw an error when spying twice', function() {
var warnSpy = spyOn(console, 'warn');
warnSpy.and.stub();
warnSpy.and.stub();
});
You can check real examples of this approach here (dealing with window location properties) and here (resetting spy to original code).
You must not use spies that are declared by reassigning a global expression, like the window object or its properties and methods.
Let's suppose you need to return a custom value from document.getElementById
but you're facing some problems trying to do it. You may find nice solutions searching over the internet; however, make sure the chosen solution is not changing a global value, like in this case. You should find another approach for the goal, like this example.
The problem with the first case is that changing a global value will affect other files that use the expression you've reassigned, making the unit tests error-prone. Here's a good example of a bug that appears after using the first case.
Spying on the window object is very common because some native behaviors can cause the tests to fail or make them unpredictable. This happens in two specific cases:
When reload is called in its native form, it will fail the tests. You can fix this by using the Spy returnValue()
method. Check it out how to mock reload()
correctly here.
In some cases, you might need to share the same window object in the file you’re testing and in the spec file itself, mainly if you’re working on window events. Here’s an example of how to do it.
As Oppia is a worldwide project, testing date methods turns to be very tricky. For example, if you want to get a date from unix time, you can get different dates depending on the timezone of where you live, making the tests unstable. To avoid errors when testing any date method that can change its value depending on timezone, you should mock it to return a fixed date. Check this example.
All HTTP calls must be mocked since the frontend tests actually run without a backend available. Similarly, any services can also be mocked. We try to keep the usage of such mocks as low as possible since the more mocks there are, the more divergence can arise between the mocks and the underlying code being mocked.
In order to make HTTP calls in a secure way, it's common that applications have tokens to authenticate the user while they are using the platform. In the codebase, there is a specific service to handle the token, called CsrfTokenService. When mocking HTTP calls, you must mock this service in the test file so the tests won't fail due to lacking a token. Then, you should just copy and paste this piece of code inside a beforeEach
block (the CsrfService will be a variable with the return of $injector.get('CsrfTokenService')
-- in AngularJS -- or TestBed.get(CsrfTokenService)
-- in Angular 2+):
spyOn(CsrfService, 'getTokenAsync').and.callFake(function() {
var deferred = $q.defer();
deferred.resolve('sample-csrf-token');
return deferred.promise;
});
Here is an example which uses $httpBackend
to mock the backend responses.
To mock a backend call, you need to use the $httpBackend
dependency. There are two ways to expect an HTTP method (you can use both):
$httpBackend.expectMETHODNAME(URL)
- likeexpectPOST
orexpectGET
for instance$httpBackend.expect(‘METHOD’, URL)
- You pass the HTTP method as the first argument.
When writing HTTP tests (which are asynchronous) we need to always use the $httpBackend.flush()
method. This will ensure that the mocked request call will be executed.
When writing HTTP tests on Angular 2+, use httpTestingController
with fakeAsync()
and flushMicrotasks()
. Here’s a good example to follow.
Just like the AngularJS way to mock HTTP calls, the Angular 2+ has flush functions to return the expected response and execute the mock correctly.
Using done
and done.fail
is another way to test asynchronous code in Jasmine. You can use it on promises (HTTP calls and so on) and timers such as setTimeout
.
There’s a specific case where you should use done
on mocking HTTP calls: when you want to assert the result of the fulfilled or rejected promise, as you can see here. In this piece of code, we need to assert the response variable, and then we call done
after doing the assertion so Jasmine understands the asynchronous code has been completed. You can use done.fail
when handling rejected promises.
You can use done
when using setTimeout
for specific cases as well, check out this example.
We use $timeout
a lot across the codebase. When testing a $timeout
callback, we used to call another $timeout
in the unit tests, in order to wait for the original callback to be called. However, this approach was tricky and it was making the tests fail. When testing $timeout
behavior, you should use $flushPendingTasks, which is cleaner and less error-prone than $timeout
. Here's an example:
Bad code:
it('should wait for 10 seconds to call console.log', function() {
spyOn(console, 'log');
$timeout(function() {
expect(console.log).toHaveBeenCalled();
}, 10);
});
Good code:
it('should wait for 10 seconds to call console.log', function() {
spyOn(console, 'log');
$flushPendingTasks();
expect(console.log).toHaveBeenCalled();
});
When mocking a promise in AngularJS, you might use the $q
API. In these cases, you must use $scope.$apply()
or $scope.$digest
because they force $q
promises to be resolved through a Javascript digest. Here are some examples using $apply and $digest.
One of the active projects in Oppia is the Angular2+ migration. When testing AngularJS files which rely on an Angular2+ dependency, you must use a beforeEach
call below to import the service. For example, assume that the test requires MyExampleService which is an Angular2+ service.
import { TestBed } from '@angular/core/testing';
import { MyExampleService } from 'services/my-example.service';
...
beforeEach(() => {
TestBed.configureTestingModule({
imports: [HttpClientTestingModule]
});
});
beforeEach(angular.mock.module('oppia', function($provide) {
$provide.value('MyExampleService',
TestBed.get(MyExampleService));
}));
If the file you’re testing doesn’t use any upgraded files, you don’t need to use this beforeEach
call.
If you’re testing an AngularJS file that uses an upgraded service, you’ll need to include a beforeEach
block which mocks all the upgraded services. Here is an example.
However, you might face the following situation: you need to mock an Angular2+ service by using $provide.value
. Here’s the problem: if you use $provide.value
before calling the updated services, your mock will be overwritten by the original code of the service. So, you need to change the order of beforeEach
calls, as you can see in this test.
-
If you see an error like
Error: Trying to get the Angular injector before bootstrapping the corresponding Angular module
, it means you are using a service (directly or indirectly) that is upgraded to Angular.-
Your test that is written in AngularJS is unable to get that particular service. You can fix this by providing the value of the Angular2+ service using $provide. For example, let us assume that the test requires MyExampleService which is an Angular2+ service. Then you can provide the service like this:
import { TestBed } from '@angular/core/testing'; import { MyExampleService } from 'services/my-example.service'; ... beforeEach(() => { TestBed.configureTestingModule({ imports: [HttpClientTestingModule] }); }); beforeEach(angular.mock.module('oppia', function($provide) { $provide.value('MyExampleService', TestBed.get(MyExampleService)); }));
-
-
If you’re working with async on AngularJS and your tests don’t seem to run correctly, make sure you’re using
$apply
or$digest
in the spec, as in this example.
Services are one of the most important features in the codebase. They contain logic that can be used across the codebase multiple times. There are three possible extensions for services:
*.service.ts
*Factory.ts
*.factory.ts
*.tokenizer.ts
As a good first issue, all the services that need to be tested are listed in issue #4057.
Use these files that are correctly following the testing patterns for reference:
- current-interaction.service.spec.ts
- editable-exploration-backend-api.service.spec.ts
- improvement-task.service.spec.ts
Use these files that are correctly following the testing patterns for reference:
- exploration-features-backend-api.service.spec.ts
- editability.service.spec.ts
- exploration-html-formatter.service.spec.ts
Controllers are used often for AngularJS UI Bootstrap library's modals. Here are some files that are correctly being tested and follow the testing patterns for reference:
- welcome-modal.controller.spec.ts
- merge-skill-modal.controller.spec.ts
- skill-preview-modal.controller.spec.ts
- improvement-confirmation-modal.controller.spec.ts
- stewards-landing-page.controller.spec.ts
Note: If you intend to create a new modal using $uibModal.open
method, please be sure to create its controller in a separate file. See issue #8924 for more information.
Also, there are controllers that are not linked to modals. Here is an example:
Note
If you're creating a new AngularJS directive, please make sure the value of the restrict property
is not E
. If it's an E
, change the directive to an AngularJS component. You can check out this PR to learn how to properly make the changes.
Use these AngularJS component files that are correctly following the testing patterns for reference:
Use these AngularJS directive files that are correctly following the testing patterns for reference:
- value-generator-editor.directive.spec.ts
- audio-translation-bar.directive.spec.ts
- oppia-visualization-click-hexbins.directive.spec.ts
Let us assume that we are writing tests for an Angular2+ component called BannerComponent. The first thing to do is to import all dependencies, we have a boilerplate for that:
import { async, ComponentFixture, TestBed } from '@angular/core/testing';
import { BannerComponent } from './banner.component';
describe('BannerComponent', () => {
let component: BannerComponent;
let fixture: ComponentFixture<BannerComponent>;
beforeEach(async(() => {
TestBed.configureTestingModule({
declarations: [ BannerComponent ]
})
.compileComponents();
}));
beforeEach(() => {
fixture = TestBed.createComponent(BannerComponent);
component = fixture.componentInstance;
fixture.detectChanges();
});
it('should create', () => {
expect(component).toBeDefined();
});
});
Once this is done, you have the class instance in the variable called component
and you can continue writing the tests as a class testing.
At the moment, we don't enforce DOM testing. However, as the docs say, the component is not fully tested until we test the DOM too. Eventually we hope to add DOM tests for all our components, however, for now if you are making a PR fixing a bug caused due to incorrect DOM bindings, then add DOM tests for that component. Our coverage checks do not require DOM tests.
Use these Angular2+ component files that are correctly following the testing patterns for reference:
If you have any questions about the above, you can contact any of the people below:
- @aishwary023 - aishwary.saxena.min19@iitbhu.ac.in
- @gp201 - praneethg2001@gmail.com
- @Radesh-kumar - imradesh@gmail.com