Mock components, services and more out of annoying dependencies in Angular tests
ng-mocks
is a testing library which helps with
mocking services,
components,
directives,
pipes and
modules
in tests for Angular applications.
When you have a noisy child component,
or any other annoying dependency,
ng-mocks
has tools to turn these declarations into their mocks,
keeping interfaces as they are, but suppressing their implementation.
The current version of the library has been tested and can be used with:
- Angular 5 (Jasmine, Jest, es5, es2015)
- Angular 6 (Jasmine, Jest, es5, es2015)
- Angular 7 (Jasmine, Jest, es5, es2015)
- Angular 8 (Jasmine, Jest, es5, es2015)
- Angular 9 (Jasmine, Jest, Ivy, es5, es2015)
- Angular 10 (Jasmine, Jest, Ivy, es5, es2015)
- Angular 11 (Jasmine, Jest, Ivy, es5, es2015)
There are preconfigured sandboxes on
StackBlitz
and
CodeSandbox
where you might check all the features. To focus on a particular one, simply prefix it with fdescribe
or fit
.
There is a brief summary of the latest changes in CHANGELOG.
Find an issue or have a question or a request?
We are open to contributions.
Table of contents
External resources
How to read this?
Essential
- Read titles from TOC
- Start with Motivation and easy start
- Check an extensive example
- Search keywords you need on this page:
NgModel
, ViewChild
, mock service
etc
Additional
TL;DR
Motivation and easy start
Angular testing is fun and easy until you've met complex dependencies,
and setting up the TestBed
becomes really annoying and time-consuming.
ng-mocks
helps to bring fun and ease back allowing developers
to create mock child components
and stub dependencies via a few lines of code with help of
MockService
,
MockComponent
,
MockDirective
,
MockPipe
,
MockProvider
,
MockModule
,
or with pro tools such as
MockBuilder
with
MockRender
.
Let's imagine that in our Angular application we have a base component,
and its template looks like that:
<app-header [menu]="items">
<app-search (search)="search($event)" [results]="search$ | async">
<ng-template #item let-item>
<strong>{{ item }}</strong>
</ng-template>
</app-search>
{{ title | translate }}
</app-header>
<app-body appDark>
<router-outlet></router-outlet>
</app-body>
<app-footer></app-footer>
This means that our base component depends on the next child components, services and declarations:
AppHeaderComponent
,
AppSearchComponent
,
AppBodyComponent
,
AppFooterComponent
,
SearchService
,
TranslatePipe
etc.
We could easily test it with schemas: [NO_ERRORS_SCHEMA]
to avoid
Template parse errors: <component> is not a known element
,
and it would work, but in this case we have zero guarantee, that our tests will fail
if an interface of a dependency has been changed and requires
code updates. Therefore, we have to avoid NO_ERRORS_SCHEMA
.
However, it forces us putting all dependencies in the TestBed
like that:
TestBed.configureTestingModule({
declarations: [
AppBaseComponent,
AppHeaderComponent,
AppDarkDirective,
TranslatePipe,
],
imports: [
CommonModule,
AppSearchModule,
],
providers: [
SearchService,
],
});
And... nobody knows which dependencies the dependencies have.
Although, we definitely know that we do not want to worry about them.
That's where ng-mocks
comes for help. Simply pass all the dependencies
into helper functions to get their mock versions
and to avoid a dependency hassle.
TestBed.configureTestingModule({
declarations: [
AppBaseComponent,
MockComponent(AppHeaderComponent),
MockDirective(AppDarkDirective),
MockPipe(TranslatePipe),
],
imports: [
MockModule(CommonModule),
MockModule(AppSearchModule),
],
providers: [
MockProvider(SearchService),
],
});
If you have noticed search$ | async
in the template, you made the right assumption:
we need to provide a fake observable stream within the mock SearchService
to avoid failures
like Cannot read property 'pipe' of undefined
,
when the component tries to execute this.search$ = this.searchService.result$.pipe(...)
in ngOnInit
.
For example, we can implement it via MockInstance
:
beforeEach(() =>
MockInstance(SearchService, () => ({
result$: EMPTY,
})),
);
or to set it as default mock behavior for all tests via adding ngMocks.defaultMock
in the test.ts
file:
ngMocks.defaultMock(SearchService, () => ({
result$: EMPTY,
}));
Profit. Now, we can forget about noise of child dependencies.
Nevertheless, if we count lines of mock declarations,
we see that there are a lot of them, and looks like here might be dozens more for big
components. Also, what happens if someone deletes AppSearchModule
from AppBaseModule
? Doesn't look like the test will fail due to
a missed dependency.
Right, we need a tool that would extract declarations of the module
AppBaseComponent
belongs to, and create mocks out of them like the code above.
Then, if someone deletes AppSearchModule
the test fails too.
ngMocks.guts
is the tool for that.
Its first parameter accepts things we want to test (avoid mocks),
the second parameter accepts things out of which we want to create mocks, if it is a module,
its declarations (guts) will be turned into mocks, except the things
from the first parameter, and the third parameter accepts things we want
to exclude at all from the final meta. Any parameter can be null
if
we need to skip it, or an array if we want to pass several more than one.
const testModuleMeta = ngMocks.guts(AppBaseComponent, AppBaseModule);
TestBed.configureTestingModule(testModuleMeta);
Profit, but what about lazy loaded modules?
If we have a lazy module, then it alone might be not sufficient, and
we need to add its parent module, for example AppModule
.
In such a case, simply pass an array of modules as the second
parameter.
TestBed.configureTestingModule(
ngMocks.guts(
AppBaseComponent,
[AppBaseModule, AppModule],
),
);
Profit. That should be enough for the start.
The functions above help with an easy start, but they do not cover all
possible cases and do not provide tools for customizing behavior.
Consider reading MockBuilder
and MockRender
if you want to create mock child dependencies like a pro
in writing Angular tests.
For example, if we needed TranslatePipe
to prefix its strings instead of
translating them, and to create a stub SearchService
with an empty result that would not cause
an error during execution due to a missed observable in its mock object,
the code would look like:
beforeEach(() => {
return MockBuilder(AppBaseComponent, AppBaseModule)
.mock(TranslatePipe, v => `translated:${v}`)
.mock(SearchService, {
result$: EMPTY,
});
});
Profit.
Subscribe,
like,
share!
Have a question still? Don't hesitate to contact us.
to the top.
Below more detailed documentation begins, please bear with us.
Install
For any Angular project you can use the latest version of the library.
NPM
npm install ng-mocks --save-dev
Yarn
yarn add ng-mocks --dev
How to turn annoying declarations into mocks in an Angular application
This section provides vast information how to create mock dependencies in angular with real examples and detailed explanations
of all aspects might be useful in writing fully isolated unit tests.
How to mock components
A mock component in Angular tests can be created by MockComponent
function.
MockComponent( Component )
- returns a mock class of Component
component.MockComponents( Component1, Component2, ... )
- returns an array of mocks.
NOTE: Information about form control and their mocks
is in a different section.
A mock component respects the interface of its original component as
a type of MockedComponent<T>
and provides:
- the same
selector
- the same
Inputs
and Outputs
with alias support - templates with pure
ng-content
tags to allow transclusion - support of
@ContentChild
with an $implicit
context
__render('id', $implicit, variables)
- renders a template__hide('id')
- hides a rendered template
- support of
FormsModule
, ReactiveFormsModule
and ControlValueAccessor
__simulateChange()
- calls onChanged
on the mock component bound to a FormControl
__simulateTouch()
- calls onTouched
on the mock component bound to a FormControl
- support of
exportAs
Let's pretend that in our Angular application TargetComponent
depends on a child component of DependencyComponent
and we want to use its mock object in a test.
Usually beforeEach
looks like:
describe('Test', () => {
let component: TargetComponent;
let fixture: ComponentFixture<TargetComponent>;
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [
TargetComponent,
DependencyComponent,
],
});
fixture = TestBed.createComponent(TargetComponent);
component = fixture.componentInstance;
});
});
To create a mock child component simply pass its class into MockComponent
:
TestBed.configureTestingModule({
declarations: [
TargetComponent,
MockComponent(DependencyComponent),
],
});
Or be like a pro and use MockBuilder
, its .mock
method
and MockRender
:
describe('Test', () => {
beforeEach(() => {
return MockBuilder(TargetComponent).mock(DependencyComponent);
});
it('should create', () => {
const fixture = MockRender(TargetComponent);
expect(fixture.point.componentInstance).toBeDefined();
});
});
Click to see a usage example of mock components in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockComponent', () => {
beforeEach(() => {
return MockBuilder(TestedComponent).mock(DependencyComponent);
});
it('sends the correct value to the child input', () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
const mockComponent = ngMocks.find<DependencyComponent>(
'app-child',
).componentInstance;
component.value = 'foo';
fixture.detectChanges();
expect(mockComponent.someInput).toEqual('foo');
});
it('does something on an emit of the child component', () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
const mockComponent = ngMocks.findInstance(DependencyComponent);
spyOn(component, 'trigger');
mockComponent.someOutput.emit({
payload: 'foo',
});
expect(component.trigger).toHaveBeenCalledWith({
payload: 'foo',
});
});
it('renders something inside of the child component', () => {
const localFixture = MockRender<DependencyComponent>(`
<app-child>
<p>inside content</p>
</app-child>
`);
const mockNgContent = localFixture.point.nativeElement.innerHTML;
expect(mockNgContent).toContain('<p>inside content</p>');
});
it('renders ContentChild of the child component', () => {
const fixture = MockRender<DependencyComponent>(`
<app-child>
<ng-template #something>
<p>inside template</p>
</ng-template>
<p>inside content</p>
</app-child>
`);
const mockNgContent = fixture.point.nativeElement.innerHTML;
expect(mockNgContent).toContain('<p>inside content</p>');
expect(mockNgContent).not.toContain('<p>inside template</p>');
const mockComponent = fixture.point.componentInstance;
if (isMockOf(mockComponent, DependencyComponent, 'c')) {
mockComponent.__render('something');
fixture.detectChanges();
}
const mockNgTemplate = ngMocks.find('[data-key="something"]')
.nativeElement.innerHTML;
expect(mockNgTemplate).toContain('<p>inside template</p>');
});
});
to the top
How to mock directives
A mock directive in Angular tests can be created by MockDirective
function.
MockDirective( Directive )
- returns a mock class of Directive
directive.MockDirectives( Directive1, Directive2, ... )
- returns an array of mocks.
NOTE: Information about form control and their mocks
is in a different section.
A mock directive respects the interface of its original directive as
a type of MockedDirective<T>
and provides:
- the same
selector
- the same
Inputs
and Outputs
with alias support - supports structural directives
__render($implicit, variables)
- renders content
- supports
FormsModule
, ReactiveFormsModule
and ControlValueAccessor
__simulateChange()
- calls onChanged
on the mock component bound to a FormControl
__simulateTouch()
- calls onTouched
on the mock component bound to a FormControl
- supports
exportAs
Let's assume that an Angular application has TargetComponent
that depends on a directive of DependencyDirective
and
we need to use its mock object for facilitating unit tests.
Usually a test looks like:
describe('Test', () => {
let component: TargetComponent;
let fixture: ComponentFixture<TargetComponent>;
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [
TargetComponent,
DependencyDirective,
],
});
fixture = TestBed.createComponent(TargetComponent);
component = fixture.componentInstance;
});
});
To create a mock child directive simply pass its class into MockDirective
:
TestBed.configureTestingModule({
declarations: [
TargetComponent,
MockDirective(DependencyDirective),
],
});
Or be like a pro and use MockBuilder
, its .mock
method
and MockRender
:
describe('Test', () => {
beforeEach(() => {
return MockBuilder(TargetComponent).mock(DependencyDirective);
});
it('should create', () => {
const fixture = MockRender(TargetComponent);
expect(fixture.point.componentInstance).toBeDefined();
});
});
Click to see a usage example of mock attribute directives in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockDirective:Attribute', () => {
beforeEach(() => {
return MockBuilder(TestedComponent).mock(DependencyDirective);
});
it('sends the correct value to the input', () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
const mockDirective = ngMocks.get(
ngMocks.find('span'),
DependencyDirective,
);
component.value = 'foo';
fixture.detectChanges();
expect(mockDirective.someInput).toEqual('foo');
});
it('does something on an emit of the child directive', () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
const mockDirective = ngMocks.get(
ngMocks.find('span'),
DependencyDirective,
);
spyOn(component, 'trigger');
mockDirective.someOutput.emit();
expect(component.trigger).toHaveBeenCalled();
});
});
Click to see a usage example of mock structural directives in Angular tests
It's important to render a structural directive with the right context first,
if you want to assert on its nested elements.
Source,
StackBlitz,
CodeSandbox.
describe('MockDirective:Structural', () => {
beforeEach(() => {
return MockBuilder(TestedComponent).mock(DependencyDirective, {
});
});
it('renders content of the child structural directive', () => {
const fixture = MockRender(TestedComponent);
expect(fixture.nativeElement.innerHTML).not.toContain(
'>content<',
);
const mockDirective = ngMocks.findInstance(DependencyDirective);
if (isMockOf(mockDirective, DependencyDirective, 'd')) {
mockDirective.__render();
fixture.detectChanges();
}
expect(fixture.nativeElement.innerHTML).toContain('>content<');
});
});
to the top
How to mock pipes
A mock pipe in Angular tests can be created by MockPipe
function.
The second parameter of the function accepts a custom transform callback.
MockPipe( Pipe )
- returns a mock class of Pipe
pipe that always transforms to undefined
.MockPipe( Pipe, value => 'fake' )
- returns a mock class of Pipe
pipe that transforms to fake
.MockPipes( Pipe1, Pipe2, ... )
- returns an array of mocks.
A mock pipe respects the interface of its original pipe as
a type of MockedPipe<T>
and provides:
- the same
name
- ability to override the transform function with a type-safe function
- default transform is
() => undefined
to prevent problems with chaining
Let's imagine that in an Angular application TargetComponent
depends on a pipe of DependencyPipe
and
we would like to replace it with its mock pipe in a test.
Usually a test looks like:
describe('Test', () => {
let component: TargetComponent;
let fixture: ComponentFixture<TargetComponent>;
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [
TargetComponent,
DependencyPipe,
],
});
fixture = TestBed.createComponent(TargetComponent);
component = fixture.componentInstance;
});
});
To create a mock pipe simply pass its class into MockPipe
:
TestBed.configureTestingModule({
declarations: [
TargetComponent,
MockPipe(DependencyPipe, value => `mock:${value}`),
],
});
Or if you want to be like a pro, use MockBuilder
, its .mock
method
and call MockRender
:
describe('Test', () => {
beforeEach(() => {
return MockBuilder(TargetComponent).mock(
DependencyPipe,
value => `mock:${value}`,
);
});
it('should create', () => {
const fixture = MockRender(TargetComponent);
expect(fixture.point.componentInstance).toBeDefined();
expect(fixture.nativeElement.innerHTML).toContain('mock:foo');
const pipe = ngMocks.findInstance(DependencyPipe);
expect(pipe).toBeDefined();
});
});
Click to see a usage example of mock pipes in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockPipe', () => {
const fakeTransform = (...args: string[]) => JSON.stringify(args);
const spy = jasmine
.createSpy('transform')
.and.callFake(fakeTransform);
beforeEach(() => {
return MockBuilder(TestedComponent).mock(DependencyPipe, spy);
});
it('transforms values to json', () => {
const fixture = MockRender(TestedComponent);
expect(fixture.nativeElement.innerHTML).toEqual(
'<component>["foo"]</component>',
);
const pipe = ngMocks.findInstance(DependencyPipe);
expect(pipe.transform).toHaveBeenCalledWith('foo');
expect(pipe.transform).toHaveBeenCalledTimes(1);
});
});
to the top
How to mock services
A mock service in Angular tests can be created by MockService
function.
It tends to avoid a hassle of providing customized mock objects for huge services.
Simply pass a class into it and its result will be a mock instance that respects the class,
but all methods and properties are customizable dummies.
MockService( Service, overrides? )
- returns a mock instance of Service
class.MockService( Obj )
- returns a mock object of Obj
object.
NOTE: Information about mocking provides
is in the next section, and about mocking observables after it.
A mock service instance is based on its original class, and provides:
- all methods are dummies like
() => undefined
- all properties have been linked via getters and setters (might not work in some cases, use
ngMocks.stub
then) - respects auto spy environment
A class with dozens of methods, where we want to change behavior of
a single method, can be handled like that:
const instance = MockService(MyClass);
instance.method = () => 'My Custom Behavior';
const instance = MockService(MyClass, {
method: () => 'My Custom Behavior',
});
It also supports objects. All properties that are not objects or functions will be omitted,
the functions will become dummy functions.
const instance = MockService({
nested: {
prop: true,
func: () => 'hello',
},
});
instance.nested.func = () => 'My Custom Behavior';
to the top
How to mock providers
A mock provider in Angular tests can be created by MockProvider
function.
MockProvider( Service, overrides? )
- creates a factory provider with MockService(Service)
under the hood.MockProvider( TOKEN, useValue? )
- creates a factory provider that returns undefined
.MockProvider( Service, {mock: true} )
- creates a factory provider that extends the mock instance with the passed value.MockProvider( TOKEN, 'fake' )
- creates a factory provider that returns the specified value.MockProviders( Service, TOKEN, ... )
- returns an array of mocks.
Now let's pretend that in an Angular application TargetComponent
depends on a service of DependencyService
,
and, in favor of avoiding overhead, its mock object should be used.
Usually a test looks like:
describe('Test', () => {
let component: TargetComponent;
let fixture: ComponentFixture<TargetComponent>;
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [TargetComponent],
providers: [
DependencyService,
ObservableService,
],
});
fixture = TestBed.createComponent(TargetComponent);
component = fixture.componentInstance;
});
});
To create a mock provider simply pass its class into MockProvider
:
TestBed.configureTestingModule({
declarations: [TargetComponent],
providers: [
MockProvider(DependencyService),
MockProvider(ObservableService, {
prop$: EMPTY,
getStream$: () => EMPTY,
}),
],
});
Or, to be like a pro, use MockBuilder
, .mock
method
and call MockRender
:
describe('Test', () => {
beforeEach(() => {
return MockBuilder(TargetComponent)
.mock(DependencyService)
.mock(ObservableService, {
prop$: EMPTY,
getStream$: () => EMPTY,
});
});
it('should create', () => {
const fixture = MockRender(TargetComponent);
expect(component).toBeDefined();
});
});
Please note: The most common error developers meet, when they create mock services, is "TypeError: Cannot read property 'subscribe' of undefined".
If you are encountering it too, please read a section called How to fix TypeError: Cannot read property 'subscribe' of undefined
.
Click to see a usage example of mock providers in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockProvider', () => {
const mockObj = { value: 123 };
beforeEach(() =>
TestBed.configureTestingModule({
declarations: [TargetComponent],
imports: [CommonModule],
providers: [
MockProvider(Dependency1Service),
MockProvider(Dependency2Service, { name: 'd2:mock' }),
MockProvider(UNK_TOKEN, 'mock token'),
MockProvider(STR_TOKEN, 'mock'),
MockProvider(OBJ_TOKEN, mockObj),
MockProvider('pri', 'pri'),
],
}).compileComponents(),
);
it('uses mock providers', () => {
mockObj.value = 321;
const fixture = MockRender(TargetComponent);
expect(
fixture.point.injector.get(Dependency1Service).echo(),
).toBeUndefined();
expect(
fixture.point.injector.get(Dependency2Service).echo(),
).toBeUndefined();
expect(fixture.point.injector.get(OBJ_TOKEN)).toBe(mockObj);
expect(fixture.nativeElement.innerHTML).not.toContain('"target"');
expect(fixture.nativeElement.innerHTML).toContain('"d2:mock"');
expect(fixture.nativeElement.innerHTML).toContain('"mock token"');
expect(fixture.nativeElement.innerHTML).toContain('"mock"');
expect(fixture.nativeElement.innerHTML).toContain('"value": 321');
expect(fixture.nativeElement.innerHTML).toContain('"pri"');
});
});
to the top
How to mock modules
A mock module in Angular tests can be created by MockModule
.
A mock module is processed recursively. Mocks for all imports, exports and declarations will be created.
MockModule( Module )
- returns a mock class of Module
module.MockModule( Module.forRoots() )
- additionally to a mock class of Module
module returns mock providers.
A mock module respects the interface of its original module as
a type of MockedModule<T>
and provides:
- mocks of all components, directives, pipes and providers
- mocks of all imports and exports
- dummy clones of all services
- dummy abstract methods for services with a
useClass
definition - mocks of tokens with a
useClass
definition - respect of tokens with a
useExisting
definition - empty objects instead of tokens with a
helperUseFactory
definition - base primitives instead of tokens with a
useValue
definition - mocks of tokens with a
useValue
definition
If you get an error like: "Type is part of the declarations of 2 modules",
then consider usage of MockBuilder
.
More detailed information about its cause and a solution you can read in a section called How to fix Type is part of the declarations of 2 modules
.
Let's imagine an Angular application where TargetComponent
depends on a module of DependencyModule
and we would like to use its mock object in a test.
Usually beforeEach
looks like:
describe('Test', () => {
let component: TargetComponent;
let fixture: ComponentFixture<TargetComponent>;
beforeEach(() => {
TestBed.configureTestingModule({
imports: [DependencyModule],
declarations: [TargetComponent],
});
fixture = TestBed.createComponent(TargetComponent);
component = fixture.componentInstance;
});
});
To create a mock module simply pass its class into MockModule
:
TestBed.configureTestingModule({
imports: [
MockModule(DependencyModule),
],
declarations: [TargetComponent],
});
Or be like a pro and use MockBuilder
, its .mock
method
and MockRender
:
describe('Test', () => {
beforeEach(() => {
return MockBuilder(TargetComponent).mock(DependencyModule);
});
it('should create', () => {
const fixture = MockRender(TargetComponent);
expect(fixture.point.componentInstance).toBeDefined();
});
});
There is a trick to avoid specifying all dependencies of the TargetComponent
in the chain:
simply pass its module as the second parameter of MockBuilder
.
Everything in TargetModule
will be replaced with their mocks, but not TargetComponent
, it will stay as it is:
beforeEach(() => MockBuilder(TargetComponent, TargetModule));
Click to see a usage example of mock modules in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockModule', () => {
beforeEach(() => {
return MockBuilder(TestedComponent).mock(DependencyModule);
});
it('renders TestedComponent with its dependencies', () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
expect(component).toBeTruthy();
});
});
to the top
How to mock observables
A mock observable in Angular tests can be created by
MockProvider
,
MockInstance
or
ngMocks.defaultMock
.
For example, if we have TodoService.list$()
,
that returns a type of Observable<Array<Todo>>
,
and a component,
that fetches the list in OnInit
via subscribe
method:
class TodoComponent implements OnInit {
public list: Observable<Array<Todo>>;
constructor(protected service: TodoService) {}
ngOnInit(): void {
this.service.list$().subscribe(list => (this.list = list));
}
}
If we wanted to test the component, we would like to replace its dependencies with their mocks.
In our case it is TodoService
.
TestBed.configureTestingModule({
declarations: [TodoComponent],
providers: [MockProvider(TodoService)],
});
If we created a fixture, we would face an error about reading properties of undefined
. This happens because a mock object of TodoService.list$
returns a spy, if auto spy has been configured, or undefined
. Therefore, neither has the subscribe
property.
Obviously, to solve this, we need to get the method to return an observable stream.
For that, we could extend the mock object via passing overrides as the second parameter into MockProvider
.
TestBed.configureTestingModule({
declarations: [TodoComponent],
providers: [
MockProvider(TodoService, {
list$: () => EMPTY,
}),
],
});
Profit, now initialization of the component does not throw the error anymore.
If we want to do it for all tests globally, we might use ngMocks.defaultMock
.
ngMocks.defaultMock(TodoService, () => ({
list$: () => EMPTY,
}));
Then, every time tests need a mock object of TodoService
, its list$()
will return EMPTY
.
Nevertheless, usually, we want not only to return a stub result as EMPTY
observable stream,
but also to provide a fake subject, that would simulate its calls.
A possible solution is to use MockInstance
within the it
context:
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [TodoComponent],
providers: [MockProvider(TodoService)],
});
});
it('test', () => {
const fakeList$ = new Subject();
const list$ = jasmine.createSpy().and.returnValue(fakeList$);
MockInstance(TodoService, () => ({
list$,
}));
const fixture = TestBed.createComponent(TodoComponent);
fixture.detectChanges();
expect(list$).toHaveBeenCalledTimes(1);
fakeList$.next([]);
});
A solution for MockBuilder
is quite similar.
let todoServiceList$: Subject<any>;
beforeEach(() => {
todoServiceList$ = new Subject();
return MockBuilder(TodoComponent).mock(TodoService, {
list$: () => todoServiceList$,
});
});
it('test', () => {
const fixture = MockRender(TodoComponent);
todoServiceList$.next([]);
});
This all might be implemented with MockInstance
too,
but it goes beyond the topic.
Click to see a usage example of a mock observable in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockObservable', () => {
beforeEach(() => MockBuilder(TargetComponent, TargetModule));
const value$: Subject<number[]> = new Subject();
beforeAll(() => {
MockInstance(TargetService, instance =>
ngMocks.stub(instance, {
value$,
}),
);
});
afterAll(() => {
value$.complete();
MockInstance(TargetService);
});
it('listens on emits of an injected subject', () => {
const fixture = MockRender(TargetComponent);
expect(fixture.nativeElement.innerHTML).not.toContain('1');
expect(fixture.nativeElement.innerHTML).not.toContain('2');
expect(fixture.nativeElement.innerHTML).not.toContain('3');
value$.next([1, 2, 3]);
fixture.detectChanges();
expect(fixture.nativeElement.innerHTML).toContain('1');
expect(fixture.nativeElement.innerHTML).toContain('2');
expect(fixture.nativeElement.innerHTML).toContain('3');
value$.next([]);
fixture.detectChanges();
expect(fixture.nativeElement.innerHTML).not.toContain('1');
expect(fixture.nativeElement.innerHTML).not.toContain('2');
expect(fixture.nativeElement.innerHTML).not.toContain('3');
expect(
fixture.point.injector.get(TargetService).getValue$,
).toBeDefined();
expect(
fixture.point.injector.get(TargetService).getValue$(),
).toBeUndefined();
});
});
to the top
How to mock form controls
ng-mocks
respects ControlValueAccessor
interface if a directive,
or a component implements it.
Apart from that, ng-mocks
provides helper functions to emit changes and touches.
it supports both FormsModule
and ReactiveFormsModule
:
ngModel
ngModelChange
formControl
formControlName
NG_VALUE_ACCESSOR
ControlValueAccessor
writeValue
registerOnChange
registerOnTouched
NG_VALIDATORS
Validator
NG_ASYNC_VALIDATORS
AsyncValidator
registerOnValidatorChange
validate
A mock object of ControlValueAccessor
additionally implements MockControlValueAccessor
and provides:
__simulateChange(value: any)
- calls onChanged
on the mock component bound to a FormControl
__simulateTouch()
- calls onTouched
on the mock component bound to a FormControl
A mock object of Validator
or AsyncValidator
additionally implements MockValidator
and provides:
__simulateValidatorChange()
- calls updateValueAndValidity
on the mock component bound to a FormControl
Click to see a usage example of a mock FormControl with ReactiveForms in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockReactiveForms', () => {
const writeValue = jasmine.createSpy('writeValue');
beforeEach(() =>
MockInstance(DependencyComponent, () => ({
writeValue,
})),
);
beforeEach(() => {
return MockBuilder(TestedComponent)
.mock(DependencyComponent)
.keep(ReactiveFormsModule);
});
it('sends the correct value to the mock form component', () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
const mockControl = ngMocks.find(DependencyComponent)
.componentInstance;
expect(writeValue).toHaveBeenCalledWith(null);
if (isMockControlValueAccessor(mockControl)) {
mockControl.__simulateChange('foo');
}
expect(component.formControl.value).toBe('foo');
component.formControl.setValue('bar');
expect(writeValue).toHaveBeenCalledWith('bar');
});
});
Click to see a usage example of mock FormControl with ngModel in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockForms', () => {
const writeValue = jasmine.createSpy('writeValue');
beforeEach(() =>
MockInstance(DependencyComponent, () => ({
writeValue,
})),
);
beforeEach(() => {
return MockBuilder(TestedComponent)
.mock(DependencyComponent)
.keep(FormsModule);
});
it('sends the correct value to the mock form component', async () => {
const fixture = MockRender(TestedComponent);
const component = fixture.point.componentInstance;
const mockControl = ngMocks.find(DependencyComponent)
.componentInstance;
expect(writeValue).toHaveBeenCalledWith(null);
if (isMockControlValueAccessor(mockControl)) {
mockControl.__simulateChange('foo');
fixture.detectChanges();
await fixture.whenStable();
}
expect(component.value).toBe('foo');
component.value = 'bar';
fixture.detectChanges();
await fixture.whenStable();
expect(writeValue).toHaveBeenCalledWith('bar');
});
});
to the top
Extensive example of mocks in Angular tests
Source,
StackBlitz,
CodeSandbox.
@Pipe({
name: 'translate',
})
class TranslatePipe implements PipeTransform {
public transform(value: string): string {
return `translated:${value}`;
}
}
@Component({
selector: 'app-root',
template: `
<app-header
[showLogo]="true"
[title]="title"
(logo)="logoClick.emit()"
>
<ng-template #menu>
<ul>
<li>
<a [routerLink]="['/home']">{{ 'Home' | translate }}</a>
</li>
<li>
<a [routerLink]="['/about']">{{ 'About' | translate }}</a>
</li>
</ul>
</ng-template>
</app-header>
<router-outlet></router-outlet>
`,
})
class AppComponent {
@Output() public logoClick = new EventEmitter<void>();
@Input() public title = 'My Application';
}
@Component({
selector: 'app-header',
template: `
<a (click)="logo.emit()">
<img src="assets/logo.png" *ngIf="showLogo" />
</a>
{{ title }}
<template [ngTemplateOutlet]="menu"></template>
`,
})
class AppHeaderComponent {
@Output() public readonly logo = new EventEmitter<void>();
@ContentChild('menu') public menu?: TemplateRef<ElementRef>;
@Input() public showLogo = false;
@Input() public title = '';
}
@NgModule({
declarations: [AppComponent, AppHeaderComponent, TranslatePipe],
imports: [CommonModule, RouterModule.forRoot([])],
})
class AppModule {}
describe('main', () => {
beforeEach(() => {
return (
MockBuilder(AppComponent, AppModule)
.mock(AppHeaderComponent, {
render: {
menu: true,
},
})
.mock(TranslatePipe, v => `fake:${v}`)
);
});
it('asserts behavior of AppComponent', () => {
const logoClickSpy = jasmine.createSpy();
const fixture = MockRender(AppComponent, {
logoClick: logoClickSpy,
title: 'Fake Application',
});
const header = ngMocks.find(AppHeaderComponent);
expect(header.componentInstance.showLogo).toBe(true);
expect(header.componentInstance.title).toBe('Fake Application');
fixture.componentInstance.title = 'Updated Application';
fixture.detectChanges();
expect(header.componentInstance.title).toBe(
'Updated Application',
);
expect(logoClickSpy).not.toHaveBeenCalled();
header.componentInstance.logo.emit();
expect(logoClickSpy).toHaveBeenCalled();
const links = ngMocks.findAll(header, 'a');
expect(links.length).toBe(2);
const [link1, link2] = links;
expect(link1.nativeElement.innerHTML).toEqual('fake:Home');
expect(ngMocks.input(link1, 'routerLink')).toEqual(['/home']);
expect(link2.nativeElement.innerHTML).toEqual('fake:About');
expect(ngMocks.input(link2, 'routerLink')).toEqual(['/about']);
});
});
Our tests:
to the top
Functions for easy builds of mocks and template rendering
The section provides information about essential functions for creating mocks with minimum coding.
MockBuilder
- creates meta for the testing module where declarations are their mocksMockRender
- renders custom templatesMockInstance
- extends mocks on an early stagengMocks
- facilitates work with fixtures
MockBuilder
MockBuilder
is the simplest way to create mocks out of everything.
It provides a rich toolkit of functions to manipulate the mocks in the way your test requires,
but with minimum overhead.
Usually, we have something simple to test, but time to time, the simplicity is killed by nightmarish dependencies.
The good thing here is that commonly the dependencies have been declared or imported in the same module, where our
tested thing is. Therefore, with help of MockBuilder
we can quite easily define a testing module,
where everything in the module will be replaced with their mocks, except the tested thing: MockBuilder( TheThing, ItsModule )
.
MockBuilder tends to provide a simple instrument to turn Angular dependencies into their mocks,
does it in isolated scopes,
and has a rich toolkit that supports:
- detection and creation of mocks for root providers
- replacement of modules and declarations in any depth
- exclusion of modules, declarations and providers in any depth
Click to see a code sample demonstrating ease of creating mocks in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockBuilder:simple', () => {
beforeEach(() => MockBuilder(MyComponent, MyModule));
it('should render content ignoring all dependencies', () => {
const fixture = MockRender(MyComponent);
expect(fixture).toBeDefined();
expect(fixture.nativeElement.innerHTML).toContain(
'<div>My Content</div>',
);
});
});
MockBuilder factory
const ngModule = MockBuilder(MyComponent, MyModule).build();
The code above creates mocks for everything in MyModule
(imports, declarations, providers and exports), but keeps MyComponent
as it is for testing purposes.
Actually, it does the next:
const ngModule = MockBuilder()
.keep(MyComponent, { export: true })
.mock(MyModule, { exportAll: true })
.build();
Also, you can suppress the first parameter with null
if you want to create mocks for all declarations.
const ngModule = MockBuilder(null, MyModule).build();
It does the next:
const ngModule = MockBuilder()
.mock(MyModule, { exportAll: true })
.build();
If you do not plan further customization of ngModule
then you do not need to call .build()
. Simply return result of MockBuilder
in beforeEach
.
beforeEach(() => MockBuilder(MyComponent, MyModule));
It does the next:
beforeEach(() => {
const ngModule = MockBuilder()
.keep(MyComponent, { export: true })
.mock(MyModule, { exportAll: true })
.build();
TestBed.configureTestingModule(ngModule);
return TestBed.compileComponents();
});
MockBuilder.keep
If we want to keep a module, component, directive, pipe or provider as it is. We should use .keep
.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.keep(SomeModule)
.keep(SomeModule.forSome())
.keep(SomeModule.forAnother())
.keep(SomeComponent)
.keep(SomeDirective)
.keep(SomePipe)
.keep(SomeService)
.keep(SomeInjectionToken);
});
MockBuilder.mock
If we want to turn anything into a mock object, even a part of a kept module we should use .mock
.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.mock(SomeModule)
.mock(SomeModule.forSome())
.mock(SomeModule.forAnother())
.mock(SomeComponent)
.mock(SomeDirective)
.mock(SomePipe)
.mock(SomeService)
.mock(SomeInjectionToken);
});
For pipes, we can set their handlers as the 2nd parameter of .mock
.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule).mock(
SomePipe,
value => 'My Custom Content',
);
});
For services and tokens, we can optionally provide their stubs.
Please keep in mind that the mock object of the service will be extended with the provided value.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.mock(SomeService3, anything1)
.mock(SOME_TOKEN, anything2);
});
MockBuilder.exclude
If we want to exclude something, even a part of a kept module we should use .exclude
.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.exclude(SomeModule)
.exclude(SomeComponent)
.exclude(SomeDirective)
.exclude(SomePipe)
.exclude(SomeDependency)
.exclude(SomeInjectionToken);
});
MockBuilder.replace
If we want to replace something with something, we should use .replace
.
The replacement has to be decorated with the same decorator as the source.
It is not impossible to replace a provider / service, we should use .provide
or .mock
for that.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.replace(SomeModule, SomeOtherModule)
.replace(SomeComponent, SomeOtherComponent)
.replace(SomeDirective, SomeOtherDirective)
.replace(SomePipe, SomeOtherPipe);
});
In case of HttpClientTestingModule
you can use .replace
too.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule).replace(
HttpClientModule,
HttpClientTestingModule,
);
});
In case of RouterTestingModule
you need to use .keep
for both of the modules and to pass an empty array into .withRoutes
.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.keep(RouterModule)
.keep(RouterTestingModule.withRoutes([]));
});
MockBuilder.provide
If we want to add or replace providers / services, we should use .provide
. It has the same interface as a regular provider.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.provide(MyService)
.provide([SomeService1, SomeService2])
.provide({ provide: SomeComponent3, useValue: anything1 })
.provide({ provide: SOME_TOKEN, useFactory: () => anything2 });
});
MockBuilder precise
flag
By default, when .mock(Service, mock)
is used it creates a mock object via
MockService(Service, mock)
.
In some cases, we might want to use the exactly passed mock object instead of extension.
For this behavior we need to set precise
flag to true
. Tokens are always precise.
declare class MyService {
p1: boolean;
getP1(): boolean;
}
const mock = {
p1: true,
};
beforeEach(() => {
return (
MockBuilder(MyComponent, MyModule)
.mock(MyService, mock)
.mock(MyService, mock, {
precise: true,
})
);
});
MockBuilder export
flag
If we want to test a component, directive or pipe which, unfortunately, has not been exported,
then we need to mark it with the export
flag.
Does not matter how deep it is. It will be exported to the level of TestingModule
.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.keep(SomeDeclaration1, {
export: true,
})
.mock(SomeDeclaration2, {
export: true,
});
});
MockBuilder exportAll
flag
If we want to use all the declarations of a module which have not been exported,
we need to mark the module with the exportAll
flag. Then all its imports and declarations will be exported.
If the module is nested, then add the export
flag beside exportAll
too.
beforeEach(() => {
return MockBuilder(MyComponent)
.keep(MyModule, {
exportAll: true,
})
.mock(MyNestedModule, {
exportAll: true,
export: true,
});
});
MockBuilder dependency
flag
By default, all definitions are added to the TestingModule
if they are not a dependency of another definition.
Modules are added as imports to the TestingModule
.
Components, Directive, Pipes are added as declarations to the TestingModule
.
Tokens and Services are added as providers to the TestingModule
.
If we do not want something to be added to the TestingModule
at all, then we need to mark it with the dependency
flag.
beforeEach(() => {
return (
MockBuilder(MyComponent, MyModule)
.keep(SomeModuleComponentDirectivePipeProvider1, {
dependency: true,
})
.mock(SomeModuleComponentDirectivePipe, {
dependency: true,
})
.mock(SomeProvider, SomeProvider, {
dependency: true,
})
.mock(SomeProvider, mockInstance, {
dependency: true,
})
.replace(SomeModuleComponentDirectivePipeProvider1, anything1, {
dependency: true,
})
);
});
MockBuilder render
flag
If we want to render a structural directive by default. Now we can do that via adding the render
flag in its config.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule).mock(MyDirective, {
render: true,
});
});
If the directive has own context and variables. Then instead of setting render
to true we can set the context.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule).mock(MyDirective, {
render: {
$implicit: something1,
variables: { something2: something3 },
},
});
});
If we use ContentChild
in a component, and we want to render it by default, we should use its id for that in the same way as for a mock directive.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule).mock(MyComponent, {
render: {
blockId: true,
blockWithContext: {
$implicit: something1,
variables: { something2: something3 },
},
},
});
});
NG_MOCKS_GUARDS
token
If we want to test guards, we need to .keep
them, but what should we do with other guards we do not want to care about at all?
The answer is to exclude NG_MOCKS_GUARDS
token, it will remove all the guards from routes except the explicitly configured ones.
beforeEach(() => {
return MockBuilder(MyGuard, MyModule).exclude(NG_MOCKS_GUARDS);
});
NG_MOCKS_INTERCEPTORS
token
Usually, when we want to test an interceptor, we want to avoid influences of other interceptors.
To remove all interceptors in an angular test we need to exclude NG_MOCKS_INTERCEPTORS
token,
then all interceptors will be excluded except the explicitly configured ones.
beforeEach(() => {
return MockBuilder(MyInterceptor, MyModule).exclude(
NG_MOCKS_INTERCEPTORS,
);
});
NG_MOCKS_ROOT_PROVIDERS
token
There are root services and tokens apart from provided ones in Angular applications.
It might happen that in a test we want these providers to be replaced with their mocks or to be kept.
If we want to replace all root providers with their mocks in an angular test,
we need to pass NG_MOCKS_ROOT_PROVIDERS
token into .mock
.
beforeEach(() => {
return MockBuilder(
MyComponentWithRootServices,
MyModuleWithRootTokens,
).mock(NG_MOCKS_ROOT_PROVIDERS);
});
In contrast to that, we might want to keep all root providers for mock declarations.
For that, we need to keep NG_MOCKS_ROOT_PROVIDERS
token.
beforeEach(() => {
return MockBuilder(
MyComponentWithRootServices,
MyModuleWithRootTokens,
).keep(NG_MOCKS_ROOT_PROVIDERS);
});
If we do not pass NG_MOCKS_ROOT_PROVIDERS
anywhere,
then only root providers for kept modules will stay as they are.
All other root providers will be replaced with their mocks, even for kept declarations of mock modules.
MockBuilder good to know
Anytime we can change our decision. The last action on the same object wins.
SomeModule
will be replaced with its mock object.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule)
.keep(SomeModule)
.mock(SomeModule)
.keep(SomeModule)
.mock(SomeModule);
});
to the top
MockRender
Shallow rendering in Angular tests is provided via MockRender
function.
MockRender
helps when we want to assert Inputs
, Outputs
, ChildContent
and custom templates.
MockRender
relies on Angular TestBed
and provides:
- shallow rendering of Components, Directives, Services, Tokens
- rendering of custom templates
- support of context providers
- support of all lifecycle hooks (
ngOnInit
, ngOnChanges
etc) - support of components without selectors
Please note, that MockRender(Component)
is not assignable to
ComponentFixture<Component>
. You should use either
MockedComponentFixture<Component>
or
ComponentFixture<
DefaultRenderComponent<Component>
>
It happens because MockRender
generates an additional component to
render the desired thing and its interface differs.
It returns MockedComponentFixture<T>
type. The difference is an additional point
property.
The best thing about it is that fixture.point.componentInstance
is typed to the related class instead of any
.
const fixture = MockRender(AppComponent);
fixture.componentInstance;
fixture.point.componentInstance;
const fixture = MockRender(AppDirective);
fixture.componentInstance;
fixture.point.componentInstance;
const fixture = MockRender(TranslationService);
fixture.componentInstance;
fixture.point.componentInstance;
const fixture = MockRender(APP_BASE_HREF);
fixture.componentInstance;
fixture.point.componentInstance;
const fixture = MockRender<AppComponent>(
`<app-component [header]="value | translate"></app-component`,
{ value: 'test' },
);
fixture.componentInstance;
fixture.point.componentInstance;
If you want, you can specify providers for the render passing them via the 3rd parameter.
It is useful when you want to provide mock system tokens / services such as APP_INITIALIZER
, DOCUMENT
etc.
const fixture = MockRender(
ComponentToRender,
{},
{
providers: [
SomeService,
{
provide: DOCUMENT,
useValue: MockService(Document),
},
],
},
);
Please, don't forget to call fixture.detectChanges()
and / or await fixture.whenStable()
to update the render
if you have changed values of parameters.
There is an example how to render a custom template in an Angular test below.
Source,
StackBlitz,
CodeSandbox.
describe('MockRender', () => {
beforeEach(() => MockBuilder(TestedComponent, DependencyModule));
it('renders template', () => {
const spy = jasmine.createSpy();
const fixture = MockRender(
`
<tested
(trigger)="myListener1($event)"
[value1]="myParam1"
value2="check"
>
<ng-template #header>
something as ng-template
</ng-template>
something as ng-content
</tested>
`,
{
myListener1: spy,
myParam1: 'something1',
},
);
expect(ngMocks.input(fixture.point, 'value1')).toEqual(
'something1',
);
expect(ngMocks.input(fixture.point, 'value2')).toEqual('check');
ngMocks.output(fixture.point, 'trigger').emit('foo1');
expect(spy).toHaveBeenCalledWith('foo1');
});
it('renders inputs and outputs automatically', () => {
const spy = jasmine.createSpy();
const fixture = MockRender(TestedComponent, {
trigger: spy,
value1: 'something2',
});
expect(ngMocks.input(fixture.point, 'value1')).toEqual(
'something2',
);
expect(ngMocks.input(fixture.point, 'value2')).toBeUndefined();
ngMocks.output(fixture.point, 'trigger').emit('foo2');
expect(spy).toHaveBeenCalledWith('foo2');
fixture.componentInstance.value1 = 'updated';
fixture.detectChanges();
expect(ngMocks.input(fixture.point, 'value1')).toEqual('updated');
});
});
to the top
MockInstance
A mock instance of service or declaration in tests may be customized via MockInstance
.
It's useful, when you want to configure spies before its usage.
It supports: Modules, Components, Directives, Pipes, Services and Tokens.
There are two ways how to customize a mock instance:
- directly define properties and methods
- return a desired shape
MockInstance(Service, (instance, injector) => {
instance.prop1 = injector.get(SOME_TOKEN);
instance.method1 = jasmine.createSpy().and.returnValue(5);
instance.method2 = value => (instance.prop2 = value);
});
MockInstance(Service, (instance, injector) => ({
prop1: injector.get(SOME_TOKEN),
method1: jasmine.createSpy().and.returnValue(5),
method2: value => (instance.prop2 = value),
}));
MockInstance(Service, () => ({
prop1: 1,
method1: jasmine.createSpy(),
method2: jasmine.createSpy(),
}));
In case of tokens, the handler should return the token value.
MockInstance(TOKEN, (instance, injector) => {
return injector.get(SOME_OTHER_TOKEN);
});
MockInstance(TOKEN, () => true);
In order to reset the handler, MockInstance
should be called without it.
MockInstance(Service);
MockInstance(TOKEN);
MockReset();
Every call of MockInstance
overrides the previous handler.
MockInstance
can be called anywhere,
but if it's called in beforeEach
or in it
, then the handler has an effect only during the current spec.
beforeAll(() => MockInstance(TOKEN, () => true));
afterAll(MockReset);
it('test 1', () => {
expect(TestBed.get(TOKEN)).toEqual(true);
});
it('test 2', () => {
MockInstance(TOKEN, () => false);
expect(TestBed.get(TOKEN)).toEqual(false);
});
it('test 3', () => {
expect(TestBed.get(TOKEN)).toEqual(true);
});
It's definitely the time to use it, when a test fails like:
Or you want to customize a mock declaration which is accessed via:
@ViewChild
@ViewChildren
@ContentChild
@ContentChildren
Let's pretend a situation when our component uses ViewChild
to access a child component instance.
class RealComponent implements AfterViewInit {
@ViewChild(ChildComponent) public readonly child: ChildComponent;
ngAfterViewInit() {
this.child.update$.subscribe();
}
}
When we test RealComponent
we would like to have a mock ChildComponent
,
and it would mean, if we replaced it with a mock ChildComponent
then its update$
would be return undefined
,
therefore our test would fail in ngAfterViewInit
because of TypeError: Cannot read property 'subscribe' of undefined
.
In our case, we have a component instance created by Angular, and does not look like TestBed
provides
a solution here. That's where ng-mocks
helps again with the MockInstance
helper function.
It accepts a class as the first parameter, and a tiny callback describing how to customize its instances as the second one.
beforeEach(() =>
MockInstance(ChildComponent, () => ({
update$: EMPTY,
})),
);
Profit. When Angular creates an instance of ChildComponent
, the callback is called in its ctor, and update$
property
of the instance is an Observable
instead of undefined
.
Click to see a usage example of mock services before initialization in Angular tests
Source,
StackBlitz,
CodeSandbox.
describe('MockInstance', () => {
beforeEach(() => MockBuilder(RealComponent).mock(ChildComponent));
beforeEach(() => {
MockInstance(ChildComponent, () => ({
update$: EMPTY,
}));
});
it('should render', () => {
expect(() => MockRender(RealComponent)).not.toThrow();
});
});
to the top
ngMocks
ngMocks
provides functions to get attribute and structural directives from an element, find components and create mock objects.
ngMocks.guts
Generates and returns metadata for TestBed
module.
ngMocks.guts( TestingDeclaration, ItsModule )
ngMocks.guts( [Thing1, Thing2], [ToMock1, ToMock2], [Skip1, Skip2] )
The first parameter can be a declaration or an array of them which we want to test.
The second parameter can be a declaration or an array of them out of which we want to create mocks.
The third parameter can be a declaration or an array of them which we want to exclude.
They support: Modules, Components, Directives, Pipes, Services and tokens.
If there is a module in the second parameter, then its guts will be replaced with their mocks excluding things from the first parameter.
Any parameter might be null
if we need to skip it.
const ngModuleMeta = ngMocks.guts(Component, ItsModule);
const ngModuleMeta = ngMocks.guts(
[Component1, Component2, Service3],
[ModuleToMock, DirectiveToMock, WhateverToMock],
[ServiceToExclude, DirectiveToExclude],
);
const ngModuleMeta = ngMocks.guts(
null,
ModuleToMock,
ComponentToExclude,
);
ngMocks.defaultMock
Sets default values for mocks in the whole testing environment.
ngMocks.defaultMock( Service, (instance, injector) => overrides )
- adds an override for a classngMocks.defaultMock( TOKEN, (value, injector) => value )
- adds an override for a tokenngMocks.defaultMock( Component )
- removes overridesngMocks.defaultMock( TOKEN )
- removes overrides
The best place to do that is in src/test.ts
for jasmine or in src/setupJest.ts
for jest.
For example, if a service or a component has a property that should be an Observable
.
Then, we can configure it to be an EMPTY
stream in the whole test suite.
declare class MyComponent {
public url: string;
public stream$: Observable<void>;
public getStream(): Observable<void>;
}
ngMocks.defaultMock(MyComponent, () => ({
stream$: EMPTY,
getStream: () => EMPTY,
}));
ngMocks.defaultMock(MyComponent, instance => {
instance.stream$ = EMPTY;
});
ngMocks.defaultMock(MY_TOKEN, () => 'DEFAULT_VALUE');
ngMocks.defaultMock(MyComponent, (_, injector) => ({
url: injector.get(MY_TOKEN),
}));
ngMocks.defaultMock(MyComponent);
ngMocks.get
Returns an attribute or structural directive which belongs to the current element.
ngMocks.get( debugElement, directive, notFoundValue? )
const directive = ngMocks.get(fixture.debugElement, Directive);
ngMocks.findInstance
Returns the first found component, directive, pipe or service which belongs to the current element or its any child.
If the element isn't specified, then the current fixture is used.
ngMocks.findInstance( fixture?, directive, notFoundValue? )
ngMocks.findInstance( debugElement?, directive, notFoundValue? )
const directive1 = ngMocks.findInstance(Directive1);
const directive2 = ngMocks.findInstance(fixture, Directive2);
const directive3 = ngMocks.findInstance(
fixture.debugElement,
Directive3,
);
const pipe = ngMocks.findInstance(fixture.debugElement, MyPipe);
const service = ngMocks.findInstance(fixture, MyService);
ngMocks.findInstances
Returns an array of all found components, directives, pipes or services which belong to the current element and all its children.
If the element isn't specified, then the current fixture is used.
ngMocks.findInstances( fixture?, directive )
ngMocks.findInstances( debugElement?, directive )
const directives1 = ngMocks.findInstances(Directive1);
const directives2 = ngMocks.findInstances(fixture, Directive2);
const directives3 = ngMocks.findInstances(
fixture.debugElement,
Directive3,
);
const pipes = ngMocks.findInstances(fixture.debugElement, MyPipe);
const services = ngMocks.findInstance(fixture, MyService);
ngMocks.find
Returns a found DebugElement which belongs to a component with the correctly typed componentInstance,
or matches a css selector.
If a root element or a fixture aren't specified, then the current fixture is used.
ngMocks.find( fixture?, component, notFoundValue? )
ngMocks.find( fixture?, cssSelector, notFoundValue? )
ngMocks.find( debugElement?, component, notFoundValue? )
ngMocks.find( debugElement?, cssSelector, notFoundValue? )
const element1 = ngMocks.find(Component1);
const element2 = ngMocks.find(fixture, Component2);
const element3 = ngMocks.find(fixture.debugElement, Component3);
const element1 = ngMocks.find('div.con1');
const element2 = ngMocks.find(fixture, 'div.con2');
const element3 = ngMocks.find(fixture.debugElement, 'div.con3');
ngMocks.findAll
Returns an array of found DebugElements which belong to a component with the correctly typed componentInstance,
or match a css selector.
If a root element or a fixture aren't specified, then the current fixture is used.
ngMocks.findAll( fixture?, component )
ngMocks.findAll( fixture?, cssSelector )
ngMocks.findAll( debugElement?, component )
ngMocks.findAll( debugElement?, cssSelector )
const elements1 = ngMocks.findAll(Component1);
const elements2 = ngMocks.findAll(fixture, Component2);
const elements3 = ngMocks.findAll(fixture.debugElement, Component3);
const elements1 = ngMocks.findAll('div.item1');
const elements2 = ngMocks.findAll(fixture, 'div.item2');
const elements3 = ngMocks.findAll(fixture.debugElement, 'div.item3');
ngMocks.input
Returns value of an input
of an element.
It avoids the issue of knowing the name of a component / directive the input belongs to.
ngMocks.input( debugElement, input, notFoundValue? )
const inputValue = ngMocks.input(debugElement, 'param1');
ngMocks.output
Returns an emitter of an output
of an element.
It avoids the issue of knowing the name of a component / directive the output belongs to.
ngMocks.output( debugElement, output, notFoundValue? )
const outputEmitter = ngMocks.output(debugElement, 'update');
ngMocks.stub
In case if we want to create stub methods / properties of a service.
ngMocks.stub( service, method )
ngMocks.stub( service, methods )
ngMocks.stub( service, property, 'get' | 'set' )
Returns a mock function / spy of the method. If the method has not been replaced with a stub yet - it will.
const spy: Function = ngMocks.stub(instance, methodName);
Returns a mock function / spy of the property. If the property has not been replaced with a stub yet - it will.
const spyGet: Function = ngMocks.stub(instance, propertyName, 'get');
const spySet: Function = ngMocks.stub(instance, propertyName, 'set');
Or override properties and methods.
ngMocks.stub(instance, {
existingProperty: true,
existingMethod: jasmine.createSpy(),
});
ngMocks.faster
ngMocks.faster()
optimizes setup between tests in a suite.
ngMocks.flushTestBed
ngMocks.flushTestBed()
flushes initialization of TestBed.
ngMocks.reset
ngMocks.reset()
resets cache of ngMocks
.
to the top
Helper functions
ng-mocks
provides several functions which help with detection of mock objects.
For example, they are useful in situations when we want to render ChildContent
of a mock component,
or to touch a mock form control.
isMockControlValueAccessor
This function helps when you need to access callbacks
which were set via registerOnChange
and registerOnTouched
on a mock object that implements ControlValueAccessor
,
and to call __simulateChange
, __simulateTouch
to trigger them.
It verifies whether an instance respects MockControlValueAccessor
interface.
You need it when you get an error like:
Property '__simulateChange' does not exist on type ...
Property '__simulateTouch' does not exist on type ...
const instance = ngMocks.findInstance(MyCustomFormControl);
if (isMockControlValueAccessor(instance)) {
instance.__simulateChange('foo');
instance.__simulateTouch();
}
isMockValidator
The function is useful when you need to access the callback
which was set via registerOnValidatorChange
on a mock object that implements Validator
or AsyncValidator
,
and to call __simulateValidatorChange
to trigger it.
It verifies whether an instance respects MockValidator
interface.
You need it when you get an error like:
Property '__simulateValidatorChange' does not exist on type ...
const instance = ngMocks.findInstance(MyValidatorDirective);
if (isMockValidator(instance)) {
instance.__simulateValidatorChange();
}
isMockOf
This function helps when we want to use ng-mocks
tools for rendering,
but typescript doesn't recognize instance
as a mock object.
You need this when you get an error like:
Property '__render' does not exist on type ...
Property '__hide' does not exist on type ...
if (isMockOf(instance, SomeComponent, 'c')) {
instance.__render('block', '$implicit');
instance.__hide('block');
}
if (isMockOf(instance, StructuralDirective, 'd')) {
instance.__render('$implicit');
instance.__hide();
}
isMockOf( inst, SomeClass, 'm' )
- checks whether inst
is an instance of MockedModule<SomeClass>
isMockOf( inst, SomeClass, 'c' )
- checks whether inst
is an instance of MockedComponent<SomeClass>
isMockOf( inst, SomeClass, 'd' )
- checks whether inst
is an instance of MockedDirective<SomeClass>
isMockOf( inst, SomeClass, 'p' )
- checks whether inst
is an instance of MockedPipe<SomeClass>
isMockOf( inst, SomeClass )
- checks whether inst
is an instance of mock SomeClass
isMockedNgDefOf
This function helps when we need to verify that a class is actually a mock class.
isMockedNgDefOf( MockClass, SomeClass, 'm' )
- checks whether MockClass
is a mock object of SomeClass
and a moduleisMockedNgDefOf( MockClass, SomeClass, 'c' )
- checks whether MockClass
is a mock object of SomeClass
and a componentisMockedNgDefOf( MockClass, SomeClass, 'd' )
- checks whether MockClass
is a mock object of SomeClass
and a directiveisMockedNgDefOf( MockClass, SomeClass, 'p' )
- checks whether MockClass
is a mock object of SomeClass
and a pipeisMockedNgDefOf( MockClass, SomeClass )
- checks whether MockClass
is a mock object of SomeClass
getMockedNgDefOf
This function helps when in a test we want to get a mock class of something configured in TestBed.
getMockedNgDefOf( SomeClass, 'm' )
- returns an existing MockedModule<SomeClass>
of SomeClass
getMockedNgDefOf( SomeClass, 'c' )
- returns an existing MockedComponent<SomeClass>
of SomeClass
getMockedNgDefOf( SomeClass, 'd' )
- returns an existing MockedDirective<SomeClass>
of SomeClass
getMockedNgDefOf( SomeClass, 'p' )
- returns an existing MockedPipe<SomeClass>
of SomeClass
getMockedNgDefOf( SomeClass )
- returns an existing mock class of SomeClass
isNgDef
This function verifies how a class has been decorated.
isNgDef( SomeClass, 'm' )
- checks whether SomeClass
is a moduleisNgDef( SomeClass, 'c' )
- checks whether SomeClass
is a componentisNgDef( SomeClass, 'd' )
- checks whether SomeClass
is a directiveisNgDef( SomeClass, 'p' )
- checks whether SomeClass
is a pipeisNgDef( SomeClass, 'i' )
- checks whether SomeClass
is a serviceisNgDef( SomeClass, 't' )
- checks whether SomeClass
is a tokenisNgDef( SomeClass )
- checks whether SomeClass
is a module / component / directive / pipe / service.
getSourceOfMock
This function returns the origin of a mock class.
getSourceOfMock( MockClass )
- returns the source class of MockClass
isNgInjectionToken
This function verifies tokens.
isNgInjectionToken( TOKEN )
- checks whether TOKEN
is a token
to the top
Usage with 3rd-party libraries
ng-mocks
provides flexibility via ngMocks.guts
and MockBuilder
that allows developers to use other Angular testing libraries,
and at the same time to turn dependencies into mocks.
For example, if we use @ngneat/spectator
and its functions
like createHostFactory
, createComponentFactory
, createDirectiveFactory
and so on,
then to get mock declarations properly we need:
- exclude the component we want to test
- to turn declarations of its module into mocks
- export all declarations the module has
if we use ngMocks.guts
we need to skip the first parameter, pass the module
as the second parameter to export its declaration, and to pass the component as the third one to exclude it.
const dependencies = ngMocks.guts(null, MyModule, MyComponent);
const createComponent = createComponentFactory({
component: MyComponent,
...dependencies,
});
If we use MockBuilder
we need .exclude
, .mock
and exportAll
flag.
const dependencies = MockBuilder()
.exclude(MyComponent)
.mock(MyModule, {
exportAll: true,
})
.build();
const createComponent = createComponentFactory({
component: MyComponent,
...dependencies,
});
Profit.
Subscribe,
like,
share!
to the top
Making Angular tests faster
There is a ngMocks.faster
feature that optimizes setup of similar test modules between tests
and reduces required time on their execution.
Imagine a situation when beforeEach
creates the same setup used by dozens of it
.
This is the case where ngMocks.faster
might be useful, simply call it before beforeEach
and
the Angular tests will run faster.
describe('performance:correct', () => {
ngMocks.faster();
beforeEach(() => {
return MockBuilder(TargetComponent, TargetModule).keep(
TargetService,
);
});
it('...', () => {
});
it('...', () => {
});
});
If a test creates spies in beforeEach
then this should be tuned,
because ngMocks.faster
will detect this difference and display a notice.
A possible solution is usage of MockInstance or to move creation of spies
outside of beforeEach
.
Click to see an example of MockInstance
describe('beforeEach:mock-instance', () => {
ngMocks.faster();
beforeEach(() => MockBuilder(TargetComponent).mock(TargetService));
beforeAll(() => {
MockInstance(TargetService, {
init: instance => {
instance.method = jasmine.createSpy().and.returnValue(5);
instance.prop = 123;
},
});
});
afterAll(MockReset);
});
Click to see an example of optimizing spies in beforeEach
describe('beforeEach:manual-spy', () => {
ngMocks.faster();
const mock = {
method: jasmine.createSpy().and.returnValue(5),
prop: 123,
};
beforeEach(() => {
mock.method.calls.reset();
mock.prop = 123;
});
beforeEach(() => {
return MockBuilder(TargetComponent).mock(TargetService, mock);
});
});
to the top
Auto Spy
By default, all mock methods are empty functions which return undefined
.
If you want to spy automatically all methods of services, components, directives and pipes in Angular tests then
add the next code to src/test.ts
.
import { ngMocks } from 'ng-mocks';
ngMocks.autoSpy('jasmine');
In case of jest add it to src/setupJest.ts
.
import { ngMocks } from 'ng-mocks';
ngMocks.autoSpy('jest');
You can provide your own factory function if you need a customized initialization.
It should return a custom spy function.
ngMocks.autoSpy(spyName => {
return () => {
console.log(`call: ${spyName}`);
};
});
Pass default
as the parameter, if you want to get the default behavior.
ngMocks.autoSpy('default');
Also, it remembers the calls, and you can reset to the previous config.
It might be useful if you need to change auto spy behavior in a test via beforeEach
or beforeAll
,
and restore it later in afterEach
or afterAll
without caring what it was.
beforeEach(() => ngMocks.autoSpy('jasmine'));
beforeEach(() => ngMocks.autoSpy('default'));
beforeEach(() => ngMocks.autoSpy('jasmine'));
afterEach(() => ngMocks.autoSpy('reset'));
afterEach(() => ngMocks.autoSpy('reset'));
afterEach(() => ngMocks.autoSpy('reset'));
to the top
How to fix an error in Angular tests
We may encounter different unpleasant issues, when we create mocks in testing environment.
There is a list of most common issues and their solutions below,
feel free to contact us if you are facing or struggling with them or anything else.
How to fix TypeError: Cannot read property 'subscribe' of undefined
This issue means that something has been replaced with a mock object and returns a dummy result (undefined
) instead of observable streams.
There is an answer for this error in the section called How to mock observables,
if the error has been triggered by a mock service, and its property is of type of undefined
.
Or you might check MockInstance
or ngMocks.defaultMock
in the case if the error has been caused by a mock component or a mock directive.
to the top
How to fix Error: Type is part of the declarations of 2 modules
If you encounter the issue, highly likely it means that a mock declaration,
usually a mock module, contains something, that is declared in the TestBed
module directly.
Let's imagine a situation that we have a module which exports declarations, for example directives, we need in our test.
At the same time, we have another module that has other declarations, our component depends on,
we would like to turn into a mock object, but, at the same time, it imports the same module we want to keep as it is
via an import in TestBed
.
TestBed.configureTestingModule({
imports: [
SharedModule,
MockModule(ModuleWithServicesAndSharedModule),
],
declarations: [ComponentToTest],
});
The problem is clear: when we create the mock module, MockModule
recursively creates its mock dependencies, and, therefore, it creates a mock class of SharedModule
.
Now imported and mock declarations are part of 2 modules.
To solve this, we need to let MockModule
know, that SharedModule
should stay as it is.
There are good and bad news.
The bad news is that MockModule
does not support that,
but the good news is that ng-mocks
has MockBuilder
for such a complicated case.
The only problem now is to rewrite beforeEach
to use MockBuilder
instead of MockModule
.
A possible solution might look like:
beforeEach(() => {
return MockBuilder(ComponentToTest)
.keep(SharedModule)
.mock(ModuleWithServicesAndSharedModule);
});
The configuration says that we want to test ComponentToTest
, which depends on SharedModule
and ModuleWithServicesAndSharedModule
, but SharedModule
should stay as it is.
Now, during the building process, MockBuilder
will keep SharedModule
as it is, although it is a dependency of the mock module, and that avoids declarations of the same things in 2 modules.
More detailed information how to use it you can find in the section called MockBuilder
.
to the top
How to fix Error: Directive has no selector, please add it!
This issue means that a module imports a declaration (usually a parent class) which does not have a selector.
Such directives and components are created during a migration
if their parent classes haven't been decorated yet.
The right fix is to remove these declarations from modules, only final classes should be specified in there.
If you cannot remove them for a reason, for example, it is a 3rd-party library,
then you need to write tests with usage of MockBuilder
and its .exclude
feature.
beforeEach(() => {
return MockBuilder(MyComponent, MyModule).exclude(ParentDirective);
});
That fixes declarations of the module and resolves the error,
a directive without a selector has been gone from the module definition.
to the top
How to fix Template parse errors: <component> is not a known element
This error might happen in a test when we have a mock module of the module
a testing component depends on, but its declarations have not been exported.
@NgModule({
declarations: [DependencyComponent],
})
class MyModule {}
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [
MyComponent,
],
imports: [MockModule(MyModule)],
});
return TestBed.compileComponents();
});
In this case, a test will throw Template parse errors: <DependencyComponent> is not a known element
.
The problem here is that DependencyComponent
isn't exported,
and to get access to a mock DependencyComponent
we need either
to declare it on the same level where MyComponent
has been declared
or to export DependencyComponent
.
there are 3 solutions to do it:
-
to call MockComponent
on it directly in the TestBed
beforeEach(() => {
TestBed.configureTestingModule({
declarations: [
MyComponent,
MockComponent(DependencyComponent),
],
});
return TestBed.compileComponents();
});
-
to use ngMocks.guts
,
it does the same things as the first solution,
but provides mocks of all imports and declarations from MyModule
.
beforeEach(() => {
TestBed.configureTestingModule(
ngMocks.guts(MyComponent, MyModule),
);
return TestBed.compileComponents();
});
-
to use MockBuilder
,
its behavior differs from the solutions above. It creates a mock MyModule
,
that exports all its imports and declarations including a mock DependencyComponent
.
beforeEach(() => MockBuilder(MyComponent, MyModule));
Profit. More detailed information about pros and cons of each approach you can read in
motivation and easy start from ng-mocks.
to the top