File size: 2,443 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
import { act, renderHook } from '@testing-library/react-hooks';
import { replaceRaf } from 'raf-stub';
import useOrientation from '../src/useOrientation';

declare var requestAnimationFrame: {
  reset: () => void;
  step: (steps?: number, duration?: number) => void;
};

describe('useOrientation', () => {
  beforeAll(() => {
    replaceRaf();
  });

  beforeEach(() => {
    (window.screen.orientation as object) = {
      type: 'landscape-primary',
      angle: 0,
    };
    (window.orientation as number) = 0;
  });

  afterEach(() => {
    requestAnimationFrame.reset();
  });

  it('should be defined', () => {
    expect(useOrientation).toBeDefined();
  });

  function getHook(...args) {
    return renderHook(() => useOrientation(...args));
  }

  function triggerOrientation(type: string, angle: number) {
    (window.screen.orientation.type as string) = type;
    (window.screen.orientation.angle as number) = angle;

    window.dispatchEvent(new Event('orientationchange'));
  }

  it('should return current window orientation', () => {
    const hook = getHook();

    expect(typeof hook.result.current).toBe('object');
    expect(typeof hook.result.current.type).toBe('string');
    expect(typeof hook.result.current.angle).toBe('number');
  });

  it('should use initial values in case of no parameters', () => {
    const hook = getHook();

    expect(hook.result.current.type).toBe('landscape-primary');
    expect(hook.result.current.angle).toBe(0);
  });

  it('should re-render after orientation change on closest RAF', () => {
    const hook = getHook();

    act(() => {
      triggerOrientation('portrait-secondary', 180);
      requestAnimationFrame.step();
    });

    expect(hook.result.current.type).toBe('portrait-secondary');
    expect(hook.result.current.angle).toBe(180);
  });

  it('should return window.orientation number if window.screen.orientation is missing', () => {
    (window.screen.orientation as unknown) = undefined;

    const hook = getHook();

    expect(hook.result.current.type).toBe('');
    expect(hook.result.current.angle).toBe(0);
  });

  it('should return 0 if window.orientation is not a number and if window.screen.orientation is missing', () => {
    (window.screen.orientation as unknown) = undefined;
    (window.orientation as unknown) = null;

    const hook = getHook();

    expect(hook.result.current.type).toBe('');
    expect(hook.result.current.angle).toBe(0);
  });
});