File size: 2,524 Bytes
1e92f2d | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 | import React from 'react';
import Enzyme, { mount } from 'enzyme';
import Adapter from '@wojtekmaj/enzyme-adapter-react-17';
import type { WithGoogleMapsProps } from '../withGoogleMaps';
import withGoogleMaps from '../withGoogleMaps';
import type { GoogleMapsContextState } from '../GoogleMapsContext';
import GoogleMapsContext from '../GoogleMapsContext';
Enzyme.configure({ adapter: new Adapter() });
describe('withGoogleMaps', () => {
interface Props extends WithGoogleMapsProps {
value: number;
}
const createFakeContext = ({
google = {} as any,
googleMapsInstance = {} as any,
}): GoogleMapsContextState => ({
instance: googleMapsInstance,
google,
});
it('expect to inject `google` prop', () => {
const fakeGoogle: any = {
maps: {
visualization: {
HeatmapLayer: jest.fn(() => ({
getMap() {
return null;
},
})),
},
},
};
const Fake = withGoogleMaps(({ google }: Props) => {
const heatmap = new google.maps.visualization.HeatmapLayer({
// Google Maps expects `LatLng | WeightedLocation` but we don't have access to the whole `google`
// instance in the test.
// We use `data` just to make sure that `Fake` correctly calls `HeatmapLayer` so the type issue is fine.
data: [10, 20, 30] as any,
radius: 50,
});
heatmap.getMap();
return null;
});
mount(
<GoogleMapsContext.Provider
value={createFakeContext({
google: fakeGoogle,
})}
>
<Fake value={10} />
</GoogleMapsContext.Provider>
);
expect(fakeGoogle.maps.visualization.HeatmapLayer).toHaveBeenCalledWith({
data: [10, 20, 30],
radius: 50,
});
});
it('expect to inject `googleMapsInstance` prop', () => {
const fakeGoogleMapsInstance: any = {
fitBounds: jest.fn(),
};
const Fake = withGoogleMaps(({ googleMapsInstance }: Props) => {
googleMapsInstance.fitBounds({
north: 10,
east: 12,
south: 14,
west: 16,
});
return null;
});
mount(
<GoogleMapsContext.Provider
value={createFakeContext({
googleMapsInstance: fakeGoogleMapsInstance,
})}
>
<Fake value={10} />
</GoogleMapsContext.Provider>
);
expect(fakeGoogleMapsInstance.fitBounds).toHaveBeenCalledWith({
north: 10,
east: 12,
south: 14,
west: 16,
});
});
});
|