8.0.1 • Published 8 months ago

strong-mock v8.0.1

Weekly downloads
1,275
License
MIT
Repository
github
Last release
8 months ago
import { mock, when, instance } from 'strong-mock';

interface Foo {
  bar: (x: number) => string;
}

const foo = mock<Foo>();

when(foo.bar(23)).thenReturn('I am strong!');

console.log(instance(foo).bar(23)); // 'I am strong!'

Build Status codecov npm type definitions

Table of Contents

Installation

npm i -D strong-mock
yarn add -D strong-mock

Requirements

strong-mock requires an environment that supports the ES6 Proxy object. This is necessary to create dynamic mocks from types because TypeScript does not support reflection i.e. exposing the type info at runtime.

Features

Type safety

The created mock matches the mocked type so all expectations are type safe. Moreover, refactorings in an IDE will also cover your expectations.

rename-interface

Useful error messages

Error messages include the property that has been accessed, any arguments passed to it and any remaining unmet expectations.

error messages

Type safe argument matchers

type safe matchers

API

Setting expectations

Expectations are set by calling the mock inside a when() call and finishing it by setting a return value.

when(foo.bar(23)).thenReturn('awesome');

After expectations have been set you need to get an instance of the mock by calling instance().

instance(foo)

Setting multiple expectations

You can set as many expectations as you want by calling when() multiple times. If you have multiple expectations with the same arguments they will be consumed in the order they were created.

when(foo.bar(23)).thenReturn('awesome');
when(foo.bar(23)).thenReturn('even more awesome');

console.log(instance(foo).bar(23)); // awesome
console.log(instance(foo).bar(23)); // even more awesome

By default, each call is expected to be called only once. You can expect a call to be made multiple times using the invocation count helpers.

Setting invocation count expectations

You can expect a call to be made multiple times by using the invocation count helpers between, atLeast, times, anyTimes etc.:

const fn = mock<(x: number) => number>();

when(fn(1)).thenReturn(1).between(2, 3);

console.log(instance(fn)(1)); // 1
console.log(instance(fn)(1)); // 1
console.log(instance(fn)(1)); // 1
console.log(instance(fn)(1)); // throws because the expectation is finished

Mocking interfaces

Pass in the interface to the generic argument of mock:

interface Foo {
  bar: (x: number) => string;
  baz: number;
}

const foo = mock<Foo>();

when(foo.bar(23)).thenReturn('awesome');
when(foo.baz).thenReturn(100);

console.log(instance(foo).bar(23)); // 'awesome'
console.log(instance(foo).baz); // 100

Since the mock is type safe the compiler will guarantee that you're only mocking things that actually exist on the interface.

Mocking functions

You can also mock functions similarly to interfaces:

type Fn = (x: number) => number;

const fn = mock<Fn>();

when(fn(1)).thenReturn(2);

console.log(instance(fn)(1)); // 2

Mocking promises

If you're mocking something that returns a promise then you'll be able to use the promise helpers to set the return value.

type Fn = (x: number) => Promise<number>;

const fn = mock<Fn>();

when(fn(1)).thenResolve(2);

console.log(await instance(fn)()); // 2

Throwing errors

type Fn = (x: number) => void;
type FnWithPromise = (x: number) => Promise<void>;

const fn = mock<Fn>();
const fnWithPromise = mock<FnWithPromise>();

when(fn(1)).thenThrow();
when(fnWithPromise(1)).thenReject();

You'll notice there is no never() helper - if you expect a call to not be made simply don't set an expectation on it and the mock will throw if the call happens.

Verifying expectations

Calling verify(mock) will make sure that all expectations set on mock have been met. If not, the function will throw an error and print the unmet expectations.

const fn = mock<(x: number) => number>();

when(fn(1)).thenReturn(1).between(2, 10);

verify(fn); // throws

It will also throw if any unexpected calls happened that were maybe caught in the code under test.

const fn = mock<() => void>();

try {
  instance(fn)(); // throws because the call is unexpected
} catch(e) {
  // your code might transition to an error state here
}

verify(fn); // throws

verify error

Resetting expectations

You can remove all expectations from a mock by using the reset() method:

const fn = mock<(x: number) => number>();

when(fn(1)).thenReturn(1);

reset(fn);

instance(fn)(1); // throws

Argument matchers

Sometimes you're not interested in specifying all the arguments in an expectation. Maybe they've been covered in another test, maybe they're hard to specify e.g. callbacks. In those cases you can use argument matchers to either ignore some arguments or use custom matchers to check them.

const fn = mock<
  (x: number, data: { values: number[]; labels: string[] }) => string
>();

when(fn(
  It.isAny(),
  It.isObjectContaining({ values: [1, 2, 3] })
)).thenReturn('matched!');

console.log(instance(fn)(
  123, 
  { values: [1, 2, 3], labels: ['a', 'b', 'c'] })
); // 'matched!'

You can create arbitrarily complex and type safe matchers with It.matches(cb):

const fn = mock<(x: number, y: number[]) => string>();

when(fn(
  It.matches(x => x > 0),
  It.matches(y => y.values.includes(42))
)).thenReturn('matched');

FAQ

Why do I have to set all expectations first?

This library is different from other mocking/spying libraries you might have used before such as sinon or jest. Whereas those libraries are focused on recording calls to the mocks and always returning something, strong-mock requires you to set your expectations upfront. If a call happens that is not expected the mock will throw an error.

This design decision has a few reasons behind it. First of all, it forces you to be aware of what your code needs from its dependencies. Spying libraries encourage checking those needs at the end of the test after the code has already called the mocks. This can lead to tests missing dependency calls that just happen to not throw any error at runtime with the dummy values that the spies return.

Secondly, it will highlight potential design problems such as violations of the SOLID principles. If you find yourself duplicating expectations between tests and passing dummy values to them because your test is not concerned with them then you might want to look into splitting the code to only depend on things it really needs.

Can I mock an existing object/function?

No, although you can pass its type to mock() and set expectations on it as you would with a type.

How do I set expectations on setters?

You currently can't do that. Please use a normal method instead e.g. setFoo() vs set foo().

Why do I have to set a return value even if it's undefined?

To make side effects explicit and to prevent future refactoring headaches. If you would have just when(fn()) and you later changed fn() to return a number then your expectation would become incorrect and the compiler couldn't check that for you.

How do I provide a function for the mock to call?

There is no thenCall() method because it can't be safely typed - the type for thenReturn() is inferred from the return type in when(), meaning that the required type would be the return value for the function, not the function itself. However, we can leverage this by setting an expectation on the function property instead:

interface Foo {
  bar: (x: number) => string;
}

const foo = mock<Foo>();

when(foo.bar).thenReturn(x => `called ${x}`);

console.log(instance(foo).bar(23)); // 'called 23'

The function in thenReturn() will be type checked against the actual interface so you can make sure you're passing in an implementation that makes sense. Moreover, refactoring the interface will also refactor the expectation (in a capable IDE).

call-rename

9.0.0-beta.0

8 months ago

8.0.1

1 year ago

8.0.0

2 years ago

8.0.0-beta.2

2 years ago

8.0.0-beta.0

2 years ago

8.0.0-beta.1

2 years ago

7.3.0

3 years ago

7.2.1

3 years ago

7.2.0

3 years ago

7.1.2

3 years ago

7.1.1

3 years ago

7.1.0

3 years ago

7.0.0

3 years ago

6.0.0

4 years ago

5.0.1

4 years ago

5.0.0

4 years ago

5.0.0-beta.0

4 years ago

5.0.0-beta.1

4 years ago

4.1.3

4 years ago

4.1.2

4 years ago

4.1.0

4 years ago

4.1.1

4 years ago

4.0.0

4 years ago

4.0.0-beta.1

4 years ago

4.0.0-alpha.2

4 years ago

4.0.0-alpha.1

4 years ago

3.2.4

5 years ago

3.2.0

5 years ago

3.1.0

5 years ago

3.0.0

5 years ago

2.0.1

5 years ago

2.0.0

5 years ago

1.0.0

5 years ago

1.0.0-rc.2

5 years ago