File: test_init.py

package info (click to toggle)
python-logi-circle 0.2.3-2
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 300 kB
  • sloc: python: 1,685; xml: 16; sh: 5; makefile: 4
file content (251 lines) | stat: -rw-r--r-- 11,734 bytes parent folder | download
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
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
# -*- coding: utf-8 -*-
"""The tests for the Logi API platform."""
from unittest.mock import patch
import aresponses
import aiohttp
from tests.test_base import LogiUnitTestBase
from logi_circle import LogiCircle
from logi_circle.const import AUTH_HOST, TOKEN_ENDPOINT, API_HOST, ACCESSORIES_ENDPOINT, DEFAULT_FFMPEG_BIN
from logi_circle.exception import NotAuthorized, AuthorizationFailed, SessionInvalidated


class TestAuth(LogiUnitTestBase):
    """Unit test for core Logi class."""

    def test_fetch_no_auth(self):
        """Fetch should return NotAuthorized if no access token is present"""
        logi = self.logi

        async def run_test():
            with self.assertRaises(NotAuthorized):
                await logi._fetch(url='/api')

        self.loop.run_until_complete(run_test())

    def test_fetch_with_auth(self):
        """Fetch should process request if user is authorized"""
        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=200,
                                              text='{ "abc" : 123 }',
                                              headers={'content-type': 'application/json'}))
                arsps.add(API_HOST, '/api', 'post',
                          aresponses.Response(status=200,
                                              text='{ "foo" : "bar" }',
                                              headers={'content-type': 'application/json'}))
                arsps.add(API_HOST, '/api', 'put',
                          aresponses.Response(status=200,
                                              text='{ "success" : true }',
                                              headers={'content-type': 'application/json'}))
                arsps.add(API_HOST, '/api', 'delete',
                          aresponses.Response(status=200,
                                              text='{ "success" : true }',
                                              headers={'content-type': 'application/json'}))
                get_result = await logi._fetch(url='/api')
                post_result = await logi._fetch(url='/api', method='POST')
                put_result = await logi._fetch(url='/api', method='PUT')
                delete_result = await logi._fetch(url='/api', method='DELETE')
                self.assertEqual(get_result['abc'], 123)
                self.assertEqual(post_result['foo'], 'bar')
                self.assertTrue(put_result['success'])
                self.assertTrue(delete_result['success'])

        self.loop.run_until_complete(run_test())

    def test_fetch_token_refresh(self):
        """Fetch should refresh token if it expires"""
        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()
        auth_fixture = self.fixtures['auth_code']

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=401))
                arsps.add(AUTH_HOST, TOKEN_ENDPOINT, 'post',
                          aresponses.Response(status=200,
                                              text=auth_fixture,
                                              headers={'content-type': 'application/json'}))
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=200,
                                              text='{ "foo" : "bar" }',
                                              headers={'content-type': 'application/json'}))

                get_result = await logi._fetch(url='/api')
                self.assertEqual(get_result['foo'], 'bar')

        self.loop.run_until_complete(run_test())

    def test_fetch_guard_infinite_loop(self):
        """Fetch should bail out if request 401s immediately after token refresh"""
        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()
        auth_fixture = self.fixtures['auth_code']

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=401))
                arsps.add(AUTH_HOST, TOKEN_ENDPOINT, 'post',
                          aresponses.Response(status=200,
                                              text=auth_fixture,
                                              headers={'content-type': 'application/json'}))
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=401))

                with self.assertRaises(AuthorizationFailed):
                    await logi._fetch(url='/api')

        self.loop.run_until_complete(run_test())
        
    def test_fetch_guard_invalid_session(self):
        """Fetch should bail out if session was invalidated"""
        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=401))
                arsps.add(AUTH_HOST, TOKEN_ENDPOINT, 'post',
                          aresponses.Response(status=429,
                                              text='too many requests'))

                with self.assertRaises(AuthorizationFailed):
                    await logi._fetch(url='/api')
                with self.assertRaises(SessionInvalidated):
                    await logi._fetch(url='/api')

        self.loop.run_until_complete(run_test())

    def test_fetch_raw(self):
        """Fetch should return ClientResponse object if raw parameter set"""
        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=200))

                raw = await logi._fetch(url='/api', raw=True)
                self.assertIsInstance(raw, aiohttp.ClientResponse)

                raw.close()

        self.loop.run_until_complete(run_test())

    def test_fetch_invalid_method(self):
        """Fetch should raise ValueError for unsupported methods"""

        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()

        async def run_test():
            with self.assertRaises(ValueError):
                await logi._fetch(url='/api', method='TEAPOT')

        self.loop.run_until_complete(run_test())

    def test_fetch_follow_redirect(self):
        """Fetch should follow redirects"""

        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()

        expected_response = 'you made it!'
        fetch_method = 'GET'
        fetch_headers = {'beep': 'boop'}
        fetch_params = {'janeway': 'pie'}

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, '/api', 'get',
                          aresponses.Response(status=301,
                                              headers={'location': 'https://overhere.com/resource'}))
                arsps.add('overhere.com', '/resource', 'get',
                          aresponses.Response(status=200,
                                              text=expected_response,
                                              headers={'content-type': 'text/plain'}))

                with patch.object(logi, '_fetch', wraps=logi._fetch) as mock_fetch:
                    test_req = await logi._fetch(url='/api',
                                                 method=fetch_method,
                                                 headers=fetch_headers,
                                                 params=fetch_params)
                    # Should return response from redirect
                    self.assertEqual(test_req, expected_response.encode())
                    # Should call fetch twice (initial redirect, resouce URL)
                    self.assertEqual(mock_fetch.call_count, 2)
                    # Params should be the same for redirected call (except URL)
                    for call in mock_fetch.call_args_list:
                        self.assertEqual(call[1].get('method'), fetch_method)
                        self.assertEqual(call[1].get('headers'), fetch_headers)
                        self.assertEqual(call[1].get('params'), fetch_params)

        self.loop.run_until_complete(run_test())

    def test_get_cameras(self):
        """Camera property should return 3 cameras"""

        logi = self.logi
        logi.auth_provider = self.get_authorized_auth_provider()

        async def run_test():
            async with aresponses.ResponsesMockServer(loop=self.loop) as arsps:
                arsps.add(API_HOST, ACCESSORIES_ENDPOINT, 'get',
                          aresponses.Response(status=200,
                                              text=self.fixtures['accessories'],
                                              headers={'content-type': 'application/json'}))
                cameras = await logi.cameras
                self.assertEqual(len(cameras), 3)

        self.loop.run_until_complete(run_test())

    def test_ffmpeg_valid(self):
        """Resolved ffmpeg path should be set if ffmpeg binary detected"""

        logi = self.logi

        # Patch subprocess so that it always returns nothing (implicit success)
        with patch('subprocess.check_call'):
            # Default value should be used if ffmpeg unset.
            self.assertEqual(logi._get_ffmpeg_path(), DEFAULT_FFMPEG_BIN)

            # Input ffmpeg_bin should be respected if valid
            self.assertEqual(logi._get_ffmpeg_path('groovy_ffmpeg'), 'groovy_ffmpeg')

            # Test property on class.
            logi_default_ffmpeg = LogiCircle(client_id="bud",
                                             client_secret="wei",
                                             api_key="serrrrr",
                                             redirect_uri="https://www.youtube.com/watch?v=dQw4w9WgXcQ")
            self.assertEqual(logi_default_ffmpeg.ffmpeg_path, DEFAULT_FFMPEG_BIN)
            logi_custom_ffmpeg = LogiCircle(client_id="bud",
                                            client_secret="wei",
                                            api_key="serrrrr",
                                            redirect_uri="https://www.youtube.com/watch?v=dQw4w9WgXcQ",
                                            ffmpeg_path="super_cool_ffmpeg")
            self.assertEqual(logi_custom_ffmpeg.ffmpeg_path, "super_cool_ffmpeg")

    def test_ffmpeg_invalid(self):
        """Resolved ffmpeg path should None if ffmpeg missing"""

        logi = self.logi

        # Test function
        ffmpeg_path = logi._get_ffmpeg_path('this-is-not-ffmpeg')
        self.assertIsNone(ffmpeg_path)

        # Test property on class.
        logi_bad_ffmpeg = LogiCircle(client_id="bud",
                                     client_secret="wei",
                                     api_key="serrrrr",
                                     redirect_uri="https://www.youtube.com/watch?v=dQw4w9WgXcQ",
                                     ffmpeg_path="this-still-is-not-ffmpeg")

        self.assertIsNone(logi_bad_ffmpeg.ffmpeg_path)