]> jfr.im git - yt-dlp.git/blob - test/test_utils.py
[utils] `js_to_json`: Improve escape handling (#5217)
[yt-dlp.git] / test / test_utils.py
1 #!/usr/bin/env python3
2
3 # Allow direct execution
4 import os
5 import re
6 import sys
7 import unittest
8
9 sys.path.insert(0, os.path.dirname(os.path.dirname(os.path.abspath(__file__))))
10
11
12 import contextlib
13 import io
14 import itertools
15 import json
16 import xml.etree.ElementTree
17
18 from yt_dlp.compat import (
19 compat_etree_fromstring,
20 compat_HTMLParseError,
21 compat_os_name,
22 )
23 from yt_dlp.utils import (
24 Config,
25 DateRange,
26 ExtractorError,
27 InAdvancePagedList,
28 LazyList,
29 OnDemandPagedList,
30 age_restricted,
31 args_to_str,
32 base_url,
33 caesar,
34 clean_html,
35 clean_podcast_url,
36 cli_bool_option,
37 cli_option,
38 cli_valueless_option,
39 date_from_str,
40 datetime_from_str,
41 detect_exe_version,
42 determine_ext,
43 determine_file_encoding,
44 dfxp2srt,
45 dict_get,
46 encode_base_n,
47 encode_compat_str,
48 encodeFilename,
49 escape_rfc3986,
50 escape_url,
51 expand_path,
52 extract_attributes,
53 find_xpath_attr,
54 fix_xml_ampersands,
55 float_or_none,
56 format_bytes,
57 get_compatible_ext,
58 get_element_by_attribute,
59 get_element_by_class,
60 get_element_html_by_attribute,
61 get_element_html_by_class,
62 get_element_text_and_html_by_tag,
63 get_elements_by_attribute,
64 get_elements_by_class,
65 get_elements_html_by_attribute,
66 get_elements_html_by_class,
67 get_elements_text_and_html_by_attribute,
68 int_or_none,
69 intlist_to_bytes,
70 iri_to_uri,
71 is_html,
72 js_to_json,
73 limit_length,
74 locked_file,
75 lowercase_escape,
76 match_str,
77 merge_dicts,
78 mimetype2ext,
79 month_by_name,
80 multipart_encode,
81 ohdave_rsa_encrypt,
82 orderedSet,
83 parse_age_limit,
84 parse_bitrate,
85 parse_codecs,
86 parse_count,
87 parse_dfxp_time_expr,
88 parse_duration,
89 parse_filesize,
90 parse_iso8601,
91 parse_qs,
92 parse_resolution,
93 pkcs1pad,
94 prepend_extension,
95 read_batch_urls,
96 remove_end,
97 remove_quotes,
98 remove_start,
99 render_table,
100 replace_extension,
101 rot47,
102 sanitize_filename,
103 sanitize_path,
104 sanitize_url,
105 sanitized_Request,
106 shell_quote,
107 smuggle_url,
108 str_to_int,
109 strip_jsonp,
110 strip_or_none,
111 subtitles_filename,
112 timeconvert,
113 traverse_obj,
114 unescapeHTML,
115 unified_strdate,
116 unified_timestamp,
117 unsmuggle_url,
118 update_url_query,
119 uppercase_escape,
120 url_basename,
121 url_or_none,
122 urlencode_postdata,
123 urljoin,
124 urshift,
125 version_tuple,
126 xpath_attr,
127 xpath_element,
128 xpath_text,
129 xpath_with_ns,
130 )
131
132
133 class TestUtil(unittest.TestCase):
134 def test_timeconvert(self):
135 self.assertTrue(timeconvert('') is None)
136 self.assertTrue(timeconvert('bougrg') is None)
137
138 def test_sanitize_filename(self):
139 self.assertEqual(sanitize_filename(''), '')
140 self.assertEqual(sanitize_filename('abc'), 'abc')
141 self.assertEqual(sanitize_filename('abc_d-e'), 'abc_d-e')
142
143 self.assertEqual(sanitize_filename('123'), '123')
144
145 self.assertEqual('abc⧸de', sanitize_filename('abc/de'))
146 self.assertFalse('/' in sanitize_filename('abc/de///'))
147
148 self.assertEqual('abc_de', sanitize_filename('abc/<>\\*|de', is_id=False))
149 self.assertEqual('xxx', sanitize_filename('xxx/<>\\*|', is_id=False))
150 self.assertEqual('yes no', sanitize_filename('yes? no', is_id=False))
151 self.assertEqual('this - that', sanitize_filename('this: that', is_id=False))
152
153 self.assertEqual(sanitize_filename('AT&T'), 'AT&T')
154 aumlaut = 'ä'
155 self.assertEqual(sanitize_filename(aumlaut), aumlaut)
156 tests = '\u043a\u0438\u0440\u0438\u043b\u043b\u0438\u0446\u0430'
157 self.assertEqual(sanitize_filename(tests), tests)
158
159 self.assertEqual(
160 sanitize_filename('New World record at 0:12:34'),
161 'New World record at 0_12_34')
162
163 self.assertEqual(sanitize_filename('--gasdgf'), '--gasdgf')
164 self.assertEqual(sanitize_filename('--gasdgf', is_id=True), '--gasdgf')
165 self.assertEqual(sanitize_filename('--gasdgf', is_id=False), '_-gasdgf')
166 self.assertEqual(sanitize_filename('.gasdgf'), '.gasdgf')
167 self.assertEqual(sanitize_filename('.gasdgf', is_id=True), '.gasdgf')
168 self.assertEqual(sanitize_filename('.gasdgf', is_id=False), 'gasdgf')
169
170 forbidden = '"\0\\/'
171 for fc in forbidden:
172 for fbc in forbidden:
173 self.assertTrue(fbc not in sanitize_filename(fc))
174
175 def test_sanitize_filename_restricted(self):
176 self.assertEqual(sanitize_filename('abc', restricted=True), 'abc')
177 self.assertEqual(sanitize_filename('abc_d-e', restricted=True), 'abc_d-e')
178
179 self.assertEqual(sanitize_filename('123', restricted=True), '123')
180
181 self.assertEqual('abc_de', sanitize_filename('abc/de', restricted=True))
182 self.assertFalse('/' in sanitize_filename('abc/de///', restricted=True))
183
184 self.assertEqual('abc_de', sanitize_filename('abc/<>\\*|de', restricted=True))
185 self.assertEqual('xxx', sanitize_filename('xxx/<>\\*|', restricted=True))
186 self.assertEqual('yes_no', sanitize_filename('yes? no', restricted=True))
187 self.assertEqual('this_-_that', sanitize_filename('this: that', restricted=True))
188
189 tests = 'aäb\u4e2d\u56fd\u7684c'
190 self.assertEqual(sanitize_filename(tests, restricted=True), 'aab_c')
191 self.assertTrue(sanitize_filename('\xf6', restricted=True) != '') # No empty filename
192
193 forbidden = '"\0\\/&!: \'\t\n()[]{}$;`^,#'
194 for fc in forbidden:
195 for fbc in forbidden:
196 self.assertTrue(fbc not in sanitize_filename(fc, restricted=True))
197
198 # Handle a common case more neatly
199 self.assertEqual(sanitize_filename('\u5927\u58f0\u5e26 - Song', restricted=True), 'Song')
200 self.assertEqual(sanitize_filename('\u603b\u7edf: Speech', restricted=True), 'Speech')
201 # .. but make sure the file name is never empty
202 self.assertTrue(sanitize_filename('-', restricted=True) != '')
203 self.assertTrue(sanitize_filename(':', restricted=True) != '')
204
205 self.assertEqual(sanitize_filename(
206 'ÂÃÄÀÁÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖŐØŒÙÚÛÜŰÝÞßàáâãäåæçèéêëìíîïðñòóôõöőøœùúûüűýþÿ', restricted=True),
207 'AAAAAAAECEEEEIIIIDNOOOOOOOOEUUUUUYTHssaaaaaaaeceeeeiiiionooooooooeuuuuuythy')
208
209 def test_sanitize_ids(self):
210 self.assertEqual(sanitize_filename('_n_cd26wFpw', is_id=True), '_n_cd26wFpw')
211 self.assertEqual(sanitize_filename('_BD_eEpuzXw', is_id=True), '_BD_eEpuzXw')
212 self.assertEqual(sanitize_filename('N0Y__7-UOdI', is_id=True), 'N0Y__7-UOdI')
213
214 def test_sanitize_path(self):
215 if sys.platform != 'win32':
216 return
217
218 self.assertEqual(sanitize_path('abc'), 'abc')
219 self.assertEqual(sanitize_path('abc/def'), 'abc\\def')
220 self.assertEqual(sanitize_path('abc\\def'), 'abc\\def')
221 self.assertEqual(sanitize_path('abc|def'), 'abc#def')
222 self.assertEqual(sanitize_path('<>:"|?*'), '#######')
223 self.assertEqual(sanitize_path('C:/abc/def'), 'C:\\abc\\def')
224 self.assertEqual(sanitize_path('C?:/abc/def'), 'C##\\abc\\def')
225
226 self.assertEqual(sanitize_path('\\\\?\\UNC\\ComputerName\\abc'), '\\\\?\\UNC\\ComputerName\\abc')
227 self.assertEqual(sanitize_path('\\\\?\\UNC/ComputerName/abc'), '\\\\?\\UNC\\ComputerName\\abc')
228
229 self.assertEqual(sanitize_path('\\\\?\\C:\\abc'), '\\\\?\\C:\\abc')
230 self.assertEqual(sanitize_path('\\\\?\\C:/abc'), '\\\\?\\C:\\abc')
231 self.assertEqual(sanitize_path('\\\\?\\C:\\ab?c\\de:f'), '\\\\?\\C:\\ab#c\\de#f')
232 self.assertEqual(sanitize_path('\\\\?\\C:\\abc'), '\\\\?\\C:\\abc')
233
234 self.assertEqual(
235 sanitize_path('youtube/%(uploader)s/%(autonumber)s-%(title)s-%(upload_date)s.%(ext)s'),
236 'youtube\\%(uploader)s\\%(autonumber)s-%(title)s-%(upload_date)s.%(ext)s')
237
238 self.assertEqual(
239 sanitize_path('youtube/TheWreckingYard ./00001-Not bad, Especially for Free! (1987 Yamaha 700)-20141116.mp4.part'),
240 'youtube\\TheWreckingYard #\\00001-Not bad, Especially for Free! (1987 Yamaha 700)-20141116.mp4.part')
241 self.assertEqual(sanitize_path('abc/def...'), 'abc\\def..#')
242 self.assertEqual(sanitize_path('abc.../def'), 'abc..#\\def')
243 self.assertEqual(sanitize_path('abc.../def...'), 'abc..#\\def..#')
244
245 self.assertEqual(sanitize_path('../abc'), '..\\abc')
246 self.assertEqual(sanitize_path('../../abc'), '..\\..\\abc')
247 self.assertEqual(sanitize_path('./abc'), 'abc')
248 self.assertEqual(sanitize_path('./../abc'), '..\\abc')
249
250 def test_sanitize_url(self):
251 self.assertEqual(sanitize_url('//foo.bar'), 'http://foo.bar')
252 self.assertEqual(sanitize_url('httpss://foo.bar'), 'https://foo.bar')
253 self.assertEqual(sanitize_url('rmtps://foo.bar'), 'rtmps://foo.bar')
254 self.assertEqual(sanitize_url('https://foo.bar'), 'https://foo.bar')
255 self.assertEqual(sanitize_url('foo bar'), 'foo bar')
256
257 def test_extract_basic_auth(self):
258 auth_header = lambda url: sanitized_Request(url).get_header('Authorization')
259 self.assertFalse(auth_header('http://foo.bar'))
260 self.assertFalse(auth_header('http://:foo.bar'))
261 self.assertEqual(auth_header('http://@foo.bar'), 'Basic Og==')
262 self.assertEqual(auth_header('http://:pass@foo.bar'), 'Basic OnBhc3M=')
263 self.assertEqual(auth_header('http://user:@foo.bar'), 'Basic dXNlcjo=')
264 self.assertEqual(auth_header('http://user:pass@foo.bar'), 'Basic dXNlcjpwYXNz')
265
266 def test_expand_path(self):
267 def env(var):
268 return f'%{var}%' if sys.platform == 'win32' else f'${var}'
269
270 os.environ['yt_dlp_EXPATH_PATH'] = 'expanded'
271 self.assertEqual(expand_path(env('yt_dlp_EXPATH_PATH')), 'expanded')
272
273 old_home = os.environ.get('HOME')
274 test_str = R'C:\Documents and Settings\тест\Application Data'
275 try:
276 os.environ['HOME'] = test_str
277 self.assertEqual(expand_path(env('HOME')), os.getenv('HOME'))
278 self.assertEqual(expand_path('~'), os.getenv('HOME'))
279 self.assertEqual(
280 expand_path('~/%s' % env('yt_dlp_EXPATH_PATH')),
281 '%s/expanded' % os.getenv('HOME'))
282 finally:
283 os.environ['HOME'] = old_home or ''
284
285 def test_prepend_extension(self):
286 self.assertEqual(prepend_extension('abc.ext', 'temp'), 'abc.temp.ext')
287 self.assertEqual(prepend_extension('abc.ext', 'temp', 'ext'), 'abc.temp.ext')
288 self.assertEqual(prepend_extension('abc.unexpected_ext', 'temp', 'ext'), 'abc.unexpected_ext.temp')
289 self.assertEqual(prepend_extension('abc', 'temp'), 'abc.temp')
290 self.assertEqual(prepend_extension('.abc', 'temp'), '.abc.temp')
291 self.assertEqual(prepend_extension('.abc.ext', 'temp'), '.abc.temp.ext')
292
293 def test_replace_extension(self):
294 self.assertEqual(replace_extension('abc.ext', 'temp'), 'abc.temp')
295 self.assertEqual(replace_extension('abc.ext', 'temp', 'ext'), 'abc.temp')
296 self.assertEqual(replace_extension('abc.unexpected_ext', 'temp', 'ext'), 'abc.unexpected_ext.temp')
297 self.assertEqual(replace_extension('abc', 'temp'), 'abc.temp')
298 self.assertEqual(replace_extension('.abc', 'temp'), '.abc.temp')
299 self.assertEqual(replace_extension('.abc.ext', 'temp'), '.abc.temp')
300
301 def test_subtitles_filename(self):
302 self.assertEqual(subtitles_filename('abc.ext', 'en', 'vtt'), 'abc.en.vtt')
303 self.assertEqual(subtitles_filename('abc.ext', 'en', 'vtt', 'ext'), 'abc.en.vtt')
304 self.assertEqual(subtitles_filename('abc.unexpected_ext', 'en', 'vtt', 'ext'), 'abc.unexpected_ext.en.vtt')
305
306 def test_remove_start(self):
307 self.assertEqual(remove_start(None, 'A - '), None)
308 self.assertEqual(remove_start('A - B', 'A - '), 'B')
309 self.assertEqual(remove_start('B - A', 'A - '), 'B - A')
310
311 def test_remove_end(self):
312 self.assertEqual(remove_end(None, ' - B'), None)
313 self.assertEqual(remove_end('A - B', ' - B'), 'A')
314 self.assertEqual(remove_end('B - A', ' - B'), 'B - A')
315
316 def test_remove_quotes(self):
317 self.assertEqual(remove_quotes(None), None)
318 self.assertEqual(remove_quotes('"'), '"')
319 self.assertEqual(remove_quotes("'"), "'")
320 self.assertEqual(remove_quotes(';'), ';')
321 self.assertEqual(remove_quotes('";'), '";')
322 self.assertEqual(remove_quotes('""'), '')
323 self.assertEqual(remove_quotes('";"'), ';')
324
325 def test_ordered_set(self):
326 self.assertEqual(orderedSet([1, 1, 2, 3, 4, 4, 5, 6, 7, 3, 5]), [1, 2, 3, 4, 5, 6, 7])
327 self.assertEqual(orderedSet([]), [])
328 self.assertEqual(orderedSet([1]), [1])
329 # keep the list ordered
330 self.assertEqual(orderedSet([135, 1, 1, 1]), [135, 1])
331
332 def test_unescape_html(self):
333 self.assertEqual(unescapeHTML('%20;'), '%20;')
334 self.assertEqual(unescapeHTML('&#x2F;'), '/')
335 self.assertEqual(unescapeHTML('&#47;'), '/')
336 self.assertEqual(unescapeHTML('&eacute;'), 'é')
337 self.assertEqual(unescapeHTML('&#2013266066;'), '&#2013266066;')
338 self.assertEqual(unescapeHTML('&a&quot;'), '&a"')
339 # HTML5 entities
340 self.assertEqual(unescapeHTML('&period;&apos;'), '.\'')
341
342 def test_date_from_str(self):
343 self.assertEqual(date_from_str('yesterday'), date_from_str('now-1day'))
344 self.assertEqual(date_from_str('now+7day'), date_from_str('now+1week'))
345 self.assertEqual(date_from_str('now+14day'), date_from_str('now+2week'))
346 self.assertEqual(date_from_str('20200229+365day'), date_from_str('20200229+1year'))
347 self.assertEqual(date_from_str('20210131+28day'), date_from_str('20210131+1month'))
348
349 def test_datetime_from_str(self):
350 self.assertEqual(datetime_from_str('yesterday', precision='day'), datetime_from_str('now-1day', precision='auto'))
351 self.assertEqual(datetime_from_str('now+7day', precision='day'), datetime_from_str('now+1week', precision='auto'))
352 self.assertEqual(datetime_from_str('now+14day', precision='day'), datetime_from_str('now+2week', precision='auto'))
353 self.assertEqual(datetime_from_str('20200229+365day', precision='day'), datetime_from_str('20200229+1year', precision='auto'))
354 self.assertEqual(datetime_from_str('20210131+28day', precision='day'), datetime_from_str('20210131+1month', precision='auto'))
355 self.assertEqual(datetime_from_str('20210131+59day', precision='day'), datetime_from_str('20210131+2month', precision='auto'))
356 self.assertEqual(datetime_from_str('now+1day', precision='hour'), datetime_from_str('now+24hours', precision='auto'))
357 self.assertEqual(datetime_from_str('now+23hours', precision='hour'), datetime_from_str('now+23hours', precision='auto'))
358
359 def test_daterange(self):
360 _20century = DateRange("19000101", "20000101")
361 self.assertFalse("17890714" in _20century)
362 _ac = DateRange("00010101")
363 self.assertTrue("19690721" in _ac)
364 _firstmilenium = DateRange(end="10000101")
365 self.assertTrue("07110427" in _firstmilenium)
366
367 def test_unified_dates(self):
368 self.assertEqual(unified_strdate('December 21, 2010'), '20101221')
369 self.assertEqual(unified_strdate('8/7/2009'), '20090708')
370 self.assertEqual(unified_strdate('Dec 14, 2012'), '20121214')
371 self.assertEqual(unified_strdate('2012/10/11 01:56:38 +0000'), '20121011')
372 self.assertEqual(unified_strdate('1968 12 10'), '19681210')
373 self.assertEqual(unified_strdate('1968-12-10'), '19681210')
374 self.assertEqual(unified_strdate('31-07-2022 20:00'), '20220731')
375 self.assertEqual(unified_strdate('28/01/2014 21:00:00 +0100'), '20140128')
376 self.assertEqual(
377 unified_strdate('11/26/2014 11:30:00 AM PST', day_first=False),
378 '20141126')
379 self.assertEqual(
380 unified_strdate('2/2/2015 6:47:40 PM', day_first=False),
381 '20150202')
382 self.assertEqual(unified_strdate('Feb 14th 2016 5:45PM'), '20160214')
383 self.assertEqual(unified_strdate('25-09-2014'), '20140925')
384 self.assertEqual(unified_strdate('27.02.2016 17:30'), '20160227')
385 self.assertEqual(unified_strdate('UNKNOWN DATE FORMAT'), None)
386 self.assertEqual(unified_strdate('Feb 7, 2016 at 6:35 pm'), '20160207')
387 self.assertEqual(unified_strdate('July 15th, 2013'), '20130715')
388 self.assertEqual(unified_strdate('September 1st, 2013'), '20130901')
389 self.assertEqual(unified_strdate('Sep 2nd, 2013'), '20130902')
390 self.assertEqual(unified_strdate('November 3rd, 2019'), '20191103')
391 self.assertEqual(unified_strdate('October 23rd, 2005'), '20051023')
392
393 def test_unified_timestamps(self):
394 self.assertEqual(unified_timestamp('December 21, 2010'), 1292889600)
395 self.assertEqual(unified_timestamp('8/7/2009'), 1247011200)
396 self.assertEqual(unified_timestamp('Dec 14, 2012'), 1355443200)
397 self.assertEqual(unified_timestamp('2012/10/11 01:56:38 +0000'), 1349920598)
398 self.assertEqual(unified_timestamp('1968 12 10'), -33436800)
399 self.assertEqual(unified_timestamp('1968-12-10'), -33436800)
400 self.assertEqual(unified_timestamp('28/01/2014 21:00:00 +0100'), 1390939200)
401 self.assertEqual(
402 unified_timestamp('11/26/2014 11:30:00 AM PST', day_first=False),
403 1417001400)
404 self.assertEqual(
405 unified_timestamp('2/2/2015 6:47:40 PM', day_first=False),
406 1422902860)
407 self.assertEqual(unified_timestamp('Feb 14th 2016 5:45PM'), 1455471900)
408 self.assertEqual(unified_timestamp('25-09-2014'), 1411603200)
409 self.assertEqual(unified_timestamp('27.02.2016 17:30'), 1456594200)
410 self.assertEqual(unified_timestamp('UNKNOWN DATE FORMAT'), None)
411 self.assertEqual(unified_timestamp('May 16, 2016 11:15 PM'), 1463440500)
412 self.assertEqual(unified_timestamp('Feb 7, 2016 at 6:35 pm'), 1454870100)
413 self.assertEqual(unified_timestamp('2017-03-30T17:52:41Q'), 1490896361)
414 self.assertEqual(unified_timestamp('Sep 11, 2013 | 5:49 AM'), 1378878540)
415 self.assertEqual(unified_timestamp('December 15, 2017 at 7:49 am'), 1513324140)
416 self.assertEqual(unified_timestamp('2018-03-14T08:32:43.1493874+00:00'), 1521016363)
417
418 self.assertEqual(unified_timestamp('December 31 1969 20:00:01 EDT'), 1)
419 self.assertEqual(unified_timestamp('Wednesday 31 December 1969 18:01:26 MDT'), 86)
420 self.assertEqual(unified_timestamp('12/31/1969 20:01:18 EDT', False), 78)
421
422 def test_determine_ext(self):
423 self.assertEqual(determine_ext('http://example.com/foo/bar.mp4/?download'), 'mp4')
424 self.assertEqual(determine_ext('http://example.com/foo/bar/?download', None), None)
425 self.assertEqual(determine_ext('http://example.com/foo/bar.nonext/?download', None), None)
426 self.assertEqual(determine_ext('http://example.com/foo/bar/mp4?download', None), None)
427 self.assertEqual(determine_ext('http://example.com/foo/bar.m3u8//?download'), 'm3u8')
428 self.assertEqual(determine_ext('foobar', None), None)
429
430 def test_find_xpath_attr(self):
431 testxml = '''<root>
432 <node/>
433 <node x="a"/>
434 <node x="a" y="c" />
435 <node x="b" y="d" />
436 <node x="" />
437 </root>'''
438 doc = compat_etree_fromstring(testxml)
439
440 self.assertEqual(find_xpath_attr(doc, './/fourohfour', 'n'), None)
441 self.assertEqual(find_xpath_attr(doc, './/fourohfour', 'n', 'v'), None)
442 self.assertEqual(find_xpath_attr(doc, './/node', 'n'), None)
443 self.assertEqual(find_xpath_attr(doc, './/node', 'n', 'v'), None)
444 self.assertEqual(find_xpath_attr(doc, './/node', 'x'), doc[1])
445 self.assertEqual(find_xpath_attr(doc, './/node', 'x', 'a'), doc[1])
446 self.assertEqual(find_xpath_attr(doc, './/node', 'x', 'b'), doc[3])
447 self.assertEqual(find_xpath_attr(doc, './/node', 'y'), doc[2])
448 self.assertEqual(find_xpath_attr(doc, './/node', 'y', 'c'), doc[2])
449 self.assertEqual(find_xpath_attr(doc, './/node', 'y', 'd'), doc[3])
450 self.assertEqual(find_xpath_attr(doc, './/node', 'x', ''), doc[4])
451
452 def test_xpath_with_ns(self):
453 testxml = '''<root xmlns:media="http://example.com/">
454 <media:song>
455 <media:author>The Author</media:author>
456 <url>http://server.com/download.mp3</url>
457 </media:song>
458 </root>'''
459 doc = compat_etree_fromstring(testxml)
460 find = lambda p: doc.find(xpath_with_ns(p, {'media': 'http://example.com/'}))
461 self.assertTrue(find('media:song') is not None)
462 self.assertEqual(find('media:song/media:author').text, 'The Author')
463 self.assertEqual(find('media:song/url').text, 'http://server.com/download.mp3')
464
465 def test_xpath_element(self):
466 doc = xml.etree.ElementTree.Element('root')
467 div = xml.etree.ElementTree.SubElement(doc, 'div')
468 p = xml.etree.ElementTree.SubElement(div, 'p')
469 p.text = 'Foo'
470 self.assertEqual(xpath_element(doc, 'div/p'), p)
471 self.assertEqual(xpath_element(doc, ['div/p']), p)
472 self.assertEqual(xpath_element(doc, ['div/bar', 'div/p']), p)
473 self.assertEqual(xpath_element(doc, 'div/bar', default='default'), 'default')
474 self.assertEqual(xpath_element(doc, ['div/bar'], default='default'), 'default')
475 self.assertTrue(xpath_element(doc, 'div/bar') is None)
476 self.assertTrue(xpath_element(doc, ['div/bar']) is None)
477 self.assertTrue(xpath_element(doc, ['div/bar'], 'div/baz') is None)
478 self.assertRaises(ExtractorError, xpath_element, doc, 'div/bar', fatal=True)
479 self.assertRaises(ExtractorError, xpath_element, doc, ['div/bar'], fatal=True)
480 self.assertRaises(ExtractorError, xpath_element, doc, ['div/bar', 'div/baz'], fatal=True)
481
482 def test_xpath_text(self):
483 testxml = '''<root>
484 <div>
485 <p>Foo</p>
486 </div>
487 </root>'''
488 doc = compat_etree_fromstring(testxml)
489 self.assertEqual(xpath_text(doc, 'div/p'), 'Foo')
490 self.assertEqual(xpath_text(doc, 'div/bar', default='default'), 'default')
491 self.assertTrue(xpath_text(doc, 'div/bar') is None)
492 self.assertRaises(ExtractorError, xpath_text, doc, 'div/bar', fatal=True)
493
494 def test_xpath_attr(self):
495 testxml = '''<root>
496 <div>
497 <p x="a">Foo</p>
498 </div>
499 </root>'''
500 doc = compat_etree_fromstring(testxml)
501 self.assertEqual(xpath_attr(doc, 'div/p', 'x'), 'a')
502 self.assertEqual(xpath_attr(doc, 'div/bar', 'x'), None)
503 self.assertEqual(xpath_attr(doc, 'div/p', 'y'), None)
504 self.assertEqual(xpath_attr(doc, 'div/bar', 'x', default='default'), 'default')
505 self.assertEqual(xpath_attr(doc, 'div/p', 'y', default='default'), 'default')
506 self.assertRaises(ExtractorError, xpath_attr, doc, 'div/bar', 'x', fatal=True)
507 self.assertRaises(ExtractorError, xpath_attr, doc, 'div/p', 'y', fatal=True)
508
509 def test_smuggle_url(self):
510 data = {"ö": "ö", "abc": [3]}
511 url = 'https://foo.bar/baz?x=y#a'
512 smug_url = smuggle_url(url, data)
513 unsmug_url, unsmug_data = unsmuggle_url(smug_url)
514 self.assertEqual(url, unsmug_url)
515 self.assertEqual(data, unsmug_data)
516
517 res_url, res_data = unsmuggle_url(url)
518 self.assertEqual(res_url, url)
519 self.assertEqual(res_data, None)
520
521 smug_url = smuggle_url(url, {'a': 'b'})
522 smug_smug_url = smuggle_url(smug_url, {'c': 'd'})
523 res_url, res_data = unsmuggle_url(smug_smug_url)
524 self.assertEqual(res_url, url)
525 self.assertEqual(res_data, {'a': 'b', 'c': 'd'})
526
527 def test_shell_quote(self):
528 args = ['ffmpeg', '-i', encodeFilename('ñ€ß\'.mp4')]
529 self.assertEqual(
530 shell_quote(args),
531 """ffmpeg -i 'ñ€ß'"'"'.mp4'""" if compat_os_name != 'nt' else '''ffmpeg -i "ñ€ß'.mp4"''')
532
533 def test_float_or_none(self):
534 self.assertEqual(float_or_none('42.42'), 42.42)
535 self.assertEqual(float_or_none('42'), 42.0)
536 self.assertEqual(float_or_none(''), None)
537 self.assertEqual(float_or_none(None), None)
538 self.assertEqual(float_or_none([]), None)
539 self.assertEqual(float_or_none(set()), None)
540
541 def test_int_or_none(self):
542 self.assertEqual(int_or_none('42'), 42)
543 self.assertEqual(int_or_none(''), None)
544 self.assertEqual(int_or_none(None), None)
545 self.assertEqual(int_or_none([]), None)
546 self.assertEqual(int_or_none(set()), None)
547
548 def test_str_to_int(self):
549 self.assertEqual(str_to_int('123,456'), 123456)
550 self.assertEqual(str_to_int('123.456'), 123456)
551 self.assertEqual(str_to_int(523), 523)
552 self.assertEqual(str_to_int('noninteger'), None)
553 self.assertEqual(str_to_int([]), None)
554
555 def test_url_basename(self):
556 self.assertEqual(url_basename('http://foo.de/'), '')
557 self.assertEqual(url_basename('http://foo.de/bar/baz'), 'baz')
558 self.assertEqual(url_basename('http://foo.de/bar/baz?x=y'), 'baz')
559 self.assertEqual(url_basename('http://foo.de/bar/baz#x=y'), 'baz')
560 self.assertEqual(url_basename('http://foo.de/bar/baz/'), 'baz')
561 self.assertEqual(
562 url_basename('http://media.w3.org/2010/05/sintel/trailer.mp4'),
563 'trailer.mp4')
564
565 def test_base_url(self):
566 self.assertEqual(base_url('http://foo.de/'), 'http://foo.de/')
567 self.assertEqual(base_url('http://foo.de/bar'), 'http://foo.de/')
568 self.assertEqual(base_url('http://foo.de/bar/'), 'http://foo.de/bar/')
569 self.assertEqual(base_url('http://foo.de/bar/baz'), 'http://foo.de/bar/')
570 self.assertEqual(base_url('http://foo.de/bar/baz?x=z/x/c'), 'http://foo.de/bar/')
571 self.assertEqual(base_url('http://foo.de/bar/baz&x=z&w=y/x/c'), 'http://foo.de/bar/baz&x=z&w=y/x/')
572
573 def test_urljoin(self):
574 self.assertEqual(urljoin('http://foo.de/', '/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
575 self.assertEqual(urljoin(b'http://foo.de/', '/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
576 self.assertEqual(urljoin('http://foo.de/', b'/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
577 self.assertEqual(urljoin(b'http://foo.de/', b'/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
578 self.assertEqual(urljoin('//foo.de/', '/a/b/c.txt'), '//foo.de/a/b/c.txt')
579 self.assertEqual(urljoin('http://foo.de/', 'a/b/c.txt'), 'http://foo.de/a/b/c.txt')
580 self.assertEqual(urljoin('http://foo.de', '/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
581 self.assertEqual(urljoin('http://foo.de', 'a/b/c.txt'), 'http://foo.de/a/b/c.txt')
582 self.assertEqual(urljoin('http://foo.de/', 'http://foo.de/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
583 self.assertEqual(urljoin('http://foo.de/', '//foo.de/a/b/c.txt'), '//foo.de/a/b/c.txt')
584 self.assertEqual(urljoin(None, 'http://foo.de/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
585 self.assertEqual(urljoin(None, '//foo.de/a/b/c.txt'), '//foo.de/a/b/c.txt')
586 self.assertEqual(urljoin('', 'http://foo.de/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
587 self.assertEqual(urljoin(['foobar'], 'http://foo.de/a/b/c.txt'), 'http://foo.de/a/b/c.txt')
588 self.assertEqual(urljoin('http://foo.de/', None), None)
589 self.assertEqual(urljoin('http://foo.de/', ''), None)
590 self.assertEqual(urljoin('http://foo.de/', ['foobar']), None)
591 self.assertEqual(urljoin('http://foo.de/a/b/c.txt', '.././../d.txt'), 'http://foo.de/d.txt')
592 self.assertEqual(urljoin('http://foo.de/a/b/c.txt', 'rtmp://foo.de'), 'rtmp://foo.de')
593 self.assertEqual(urljoin(None, 'rtmp://foo.de'), 'rtmp://foo.de')
594
595 def test_url_or_none(self):
596 self.assertEqual(url_or_none(None), None)
597 self.assertEqual(url_or_none(''), None)
598 self.assertEqual(url_or_none('foo'), None)
599 self.assertEqual(url_or_none('http://foo.de'), 'http://foo.de')
600 self.assertEqual(url_or_none('https://foo.de'), 'https://foo.de')
601 self.assertEqual(url_or_none('http$://foo.de'), None)
602 self.assertEqual(url_or_none('http://foo.de'), 'http://foo.de')
603 self.assertEqual(url_or_none('//foo.de'), '//foo.de')
604 self.assertEqual(url_or_none('s3://foo.de'), None)
605 self.assertEqual(url_or_none('rtmpte://foo.de'), 'rtmpte://foo.de')
606 self.assertEqual(url_or_none('mms://foo.de'), 'mms://foo.de')
607 self.assertEqual(url_or_none('rtspu://foo.de'), 'rtspu://foo.de')
608 self.assertEqual(url_or_none('ftps://foo.de'), 'ftps://foo.de')
609
610 def test_parse_age_limit(self):
611 self.assertEqual(parse_age_limit(None), None)
612 self.assertEqual(parse_age_limit(False), None)
613 self.assertEqual(parse_age_limit('invalid'), None)
614 self.assertEqual(parse_age_limit(0), 0)
615 self.assertEqual(parse_age_limit(18), 18)
616 self.assertEqual(parse_age_limit(21), 21)
617 self.assertEqual(parse_age_limit(22), None)
618 self.assertEqual(parse_age_limit('18'), 18)
619 self.assertEqual(parse_age_limit('18+'), 18)
620 self.assertEqual(parse_age_limit('PG-13'), 13)
621 self.assertEqual(parse_age_limit('TV-14'), 14)
622 self.assertEqual(parse_age_limit('TV-MA'), 17)
623 self.assertEqual(parse_age_limit('TV14'), 14)
624 self.assertEqual(parse_age_limit('TV_G'), 0)
625
626 def test_parse_duration(self):
627 self.assertEqual(parse_duration(None), None)
628 self.assertEqual(parse_duration(False), None)
629 self.assertEqual(parse_duration('invalid'), None)
630 self.assertEqual(parse_duration('1'), 1)
631 self.assertEqual(parse_duration('1337:12'), 80232)
632 self.assertEqual(parse_duration('9:12:43'), 33163)
633 self.assertEqual(parse_duration('12:00'), 720)
634 self.assertEqual(parse_duration('00:01:01'), 61)
635 self.assertEqual(parse_duration('x:y'), None)
636 self.assertEqual(parse_duration('3h11m53s'), 11513)
637 self.assertEqual(parse_duration('3h 11m 53s'), 11513)
638 self.assertEqual(parse_duration('3 hours 11 minutes 53 seconds'), 11513)
639 self.assertEqual(parse_duration('3 hours 11 mins 53 secs'), 11513)
640 self.assertEqual(parse_duration('3 hours, 11 minutes, 53 seconds'), 11513)
641 self.assertEqual(parse_duration('3 hours, 11 mins, 53 secs'), 11513)
642 self.assertEqual(parse_duration('62m45s'), 3765)
643 self.assertEqual(parse_duration('6m59s'), 419)
644 self.assertEqual(parse_duration('49s'), 49)
645 self.assertEqual(parse_duration('0h0m0s'), 0)
646 self.assertEqual(parse_duration('0m0s'), 0)
647 self.assertEqual(parse_duration('0s'), 0)
648 self.assertEqual(parse_duration('01:02:03.05'), 3723.05)
649 self.assertEqual(parse_duration('T30M38S'), 1838)
650 self.assertEqual(parse_duration('5 s'), 5)
651 self.assertEqual(parse_duration('3 min'), 180)
652 self.assertEqual(parse_duration('2.5 hours'), 9000)
653 self.assertEqual(parse_duration('02:03:04'), 7384)
654 self.assertEqual(parse_duration('01:02:03:04'), 93784)
655 self.assertEqual(parse_duration('1 hour 3 minutes'), 3780)
656 self.assertEqual(parse_duration('87 Min.'), 5220)
657 self.assertEqual(parse_duration('PT1H0.040S'), 3600.04)
658 self.assertEqual(parse_duration('PT00H03M30SZ'), 210)
659 self.assertEqual(parse_duration('P0Y0M0DT0H4M20.880S'), 260.88)
660 self.assertEqual(parse_duration('01:02:03:050'), 3723.05)
661 self.assertEqual(parse_duration('103:050'), 103.05)
662
663 def test_fix_xml_ampersands(self):
664 self.assertEqual(
665 fix_xml_ampersands('"&x=y&z=a'), '"&amp;x=y&amp;z=a')
666 self.assertEqual(
667 fix_xml_ampersands('"&amp;x=y&wrong;&z=a'),
668 '"&amp;x=y&amp;wrong;&amp;z=a')
669 self.assertEqual(
670 fix_xml_ampersands('&amp;&apos;&gt;&lt;&quot;'),
671 '&amp;&apos;&gt;&lt;&quot;')
672 self.assertEqual(
673 fix_xml_ampersands('&#1234;&#x1abC;'), '&#1234;&#x1abC;')
674 self.assertEqual(fix_xml_ampersands('&#&#'), '&amp;#&amp;#')
675
676 def test_paged_list(self):
677 def testPL(size, pagesize, sliceargs, expected):
678 def get_page(pagenum):
679 firstid = pagenum * pagesize
680 upto = min(size, pagenum * pagesize + pagesize)
681 yield from range(firstid, upto)
682
683 pl = OnDemandPagedList(get_page, pagesize)
684 got = pl.getslice(*sliceargs)
685 self.assertEqual(got, expected)
686
687 iapl = InAdvancePagedList(get_page, size // pagesize + 1, pagesize)
688 got = iapl.getslice(*sliceargs)
689 self.assertEqual(got, expected)
690
691 testPL(5, 2, (), [0, 1, 2, 3, 4])
692 testPL(5, 2, (1,), [1, 2, 3, 4])
693 testPL(5, 2, (2,), [2, 3, 4])
694 testPL(5, 2, (4,), [4])
695 testPL(5, 2, (0, 3), [0, 1, 2])
696 testPL(5, 2, (1, 4), [1, 2, 3])
697 testPL(5, 2, (2, 99), [2, 3, 4])
698 testPL(5, 2, (20, 99), [])
699
700 def test_read_batch_urls(self):
701 f = io.StringIO('''\xef\xbb\xbf foo
702 bar\r
703 baz
704 # More after this line\r
705 ; or after this
706 bam''')
707 self.assertEqual(read_batch_urls(f), ['foo', 'bar', 'baz', 'bam'])
708
709 def test_urlencode_postdata(self):
710 data = urlencode_postdata({'username': 'foo@bar.com', 'password': '1234'})
711 self.assertTrue(isinstance(data, bytes))
712
713 def test_update_url_query(self):
714 self.assertEqual(parse_qs(update_url_query(
715 'http://example.com/path', {'quality': ['HD'], 'format': ['mp4']})),
716 parse_qs('http://example.com/path?quality=HD&format=mp4'))
717 self.assertEqual(parse_qs(update_url_query(
718 'http://example.com/path', {'system': ['LINUX', 'WINDOWS']})),
719 parse_qs('http://example.com/path?system=LINUX&system=WINDOWS'))
720 self.assertEqual(parse_qs(update_url_query(
721 'http://example.com/path', {'fields': 'id,formats,subtitles'})),
722 parse_qs('http://example.com/path?fields=id,formats,subtitles'))
723 self.assertEqual(parse_qs(update_url_query(
724 'http://example.com/path', {'fields': ('id,formats,subtitles', 'thumbnails')})),
725 parse_qs('http://example.com/path?fields=id,formats,subtitles&fields=thumbnails'))
726 self.assertEqual(parse_qs(update_url_query(
727 'http://example.com/path?manifest=f4m', {'manifest': []})),
728 parse_qs('http://example.com/path'))
729 self.assertEqual(parse_qs(update_url_query(
730 'http://example.com/path?system=LINUX&system=WINDOWS', {'system': 'LINUX'})),
731 parse_qs('http://example.com/path?system=LINUX'))
732 self.assertEqual(parse_qs(update_url_query(
733 'http://example.com/path', {'fields': b'id,formats,subtitles'})),
734 parse_qs('http://example.com/path?fields=id,formats,subtitles'))
735 self.assertEqual(parse_qs(update_url_query(
736 'http://example.com/path', {'width': 1080, 'height': 720})),
737 parse_qs('http://example.com/path?width=1080&height=720'))
738 self.assertEqual(parse_qs(update_url_query(
739 'http://example.com/path', {'bitrate': 5020.43})),
740 parse_qs('http://example.com/path?bitrate=5020.43'))
741 self.assertEqual(parse_qs(update_url_query(
742 'http://example.com/path', {'test': '第二行тест'})),
743 parse_qs('http://example.com/path?test=%E7%AC%AC%E4%BA%8C%E8%A1%8C%D1%82%D0%B5%D1%81%D1%82'))
744
745 def test_multipart_encode(self):
746 self.assertEqual(
747 multipart_encode({b'field': b'value'}, boundary='AAAAAA')[0],
748 b'--AAAAAA\r\nContent-Disposition: form-data; name="field"\r\n\r\nvalue\r\n--AAAAAA--\r\n')
749 self.assertEqual(
750 multipart_encode({'欄位'.encode(): '值'.encode()}, boundary='AAAAAA')[0],
751 b'--AAAAAA\r\nContent-Disposition: form-data; name="\xe6\xac\x84\xe4\xbd\x8d"\r\n\r\n\xe5\x80\xbc\r\n--AAAAAA--\r\n')
752 self.assertRaises(
753 ValueError, multipart_encode, {b'field': b'value'}, boundary='value')
754
755 def test_dict_get(self):
756 FALSE_VALUES = {
757 'none': None,
758 'false': False,
759 'zero': 0,
760 'empty_string': '',
761 'empty_list': [],
762 }
763 d = FALSE_VALUES.copy()
764 d['a'] = 42
765 self.assertEqual(dict_get(d, 'a'), 42)
766 self.assertEqual(dict_get(d, 'b'), None)
767 self.assertEqual(dict_get(d, 'b', 42), 42)
768 self.assertEqual(dict_get(d, ('a', )), 42)
769 self.assertEqual(dict_get(d, ('b', 'a', )), 42)
770 self.assertEqual(dict_get(d, ('b', 'c', 'a', 'd', )), 42)
771 self.assertEqual(dict_get(d, ('b', 'c', )), None)
772 self.assertEqual(dict_get(d, ('b', 'c', ), 42), 42)
773 for key, false_value in FALSE_VALUES.items():
774 self.assertEqual(dict_get(d, ('b', 'c', key, )), None)
775 self.assertEqual(dict_get(d, ('b', 'c', key, ), skip_false_values=False), false_value)
776
777 def test_merge_dicts(self):
778 self.assertEqual(merge_dicts({'a': 1}, {'b': 2}), {'a': 1, 'b': 2})
779 self.assertEqual(merge_dicts({'a': 1}, {'a': 2}), {'a': 1})
780 self.assertEqual(merge_dicts({'a': 1}, {'a': None}), {'a': 1})
781 self.assertEqual(merge_dicts({'a': 1}, {'a': ''}), {'a': 1})
782 self.assertEqual(merge_dicts({'a': 1}, {}), {'a': 1})
783 self.assertEqual(merge_dicts({'a': None}, {'a': 1}), {'a': 1})
784 self.assertEqual(merge_dicts({'a': ''}, {'a': 1}), {'a': ''})
785 self.assertEqual(merge_dicts({'a': ''}, {'a': 'abc'}), {'a': 'abc'})
786 self.assertEqual(merge_dicts({'a': None}, {'a': ''}, {'a': 'abc'}), {'a': 'abc'})
787
788 def test_encode_compat_str(self):
789 self.assertEqual(encode_compat_str(b'\xd1\x82\xd0\xb5\xd1\x81\xd1\x82', 'utf-8'), 'тест')
790 self.assertEqual(encode_compat_str('тест', 'utf-8'), 'тест')
791
792 def test_parse_iso8601(self):
793 self.assertEqual(parse_iso8601('2014-03-23T23:04:26+0100'), 1395612266)
794 self.assertEqual(parse_iso8601('2014-03-23T22:04:26+0000'), 1395612266)
795 self.assertEqual(parse_iso8601('2014-03-23T22:04:26Z'), 1395612266)
796 self.assertEqual(parse_iso8601('2014-03-23T22:04:26.1234Z'), 1395612266)
797 self.assertEqual(parse_iso8601('2015-09-29T08:27:31.727'), 1443515251)
798 self.assertEqual(parse_iso8601('2015-09-29T08-27-31.727'), None)
799
800 def test_strip_jsonp(self):
801 stripped = strip_jsonp('cb ([ {"id":"532cb",\n\n\n"x":\n3}\n]\n);')
802 d = json.loads(stripped)
803 self.assertEqual(d, [{"id": "532cb", "x": 3}])
804
805 stripped = strip_jsonp('parseMetadata({"STATUS":"OK"})\n\n\n//epc')
806 d = json.loads(stripped)
807 self.assertEqual(d, {'STATUS': 'OK'})
808
809 stripped = strip_jsonp('ps.embedHandler({"status": "success"});')
810 d = json.loads(stripped)
811 self.assertEqual(d, {'status': 'success'})
812
813 stripped = strip_jsonp('window.cb && window.cb({"status": "success"});')
814 d = json.loads(stripped)
815 self.assertEqual(d, {'status': 'success'})
816
817 stripped = strip_jsonp('window.cb && cb({"status": "success"});')
818 d = json.loads(stripped)
819 self.assertEqual(d, {'status': 'success'})
820
821 stripped = strip_jsonp('({"status": "success"});')
822 d = json.loads(stripped)
823 self.assertEqual(d, {'status': 'success'})
824
825 def test_strip_or_none(self):
826 self.assertEqual(strip_or_none(' abc'), 'abc')
827 self.assertEqual(strip_or_none('abc '), 'abc')
828 self.assertEqual(strip_or_none(' abc '), 'abc')
829 self.assertEqual(strip_or_none('\tabc\t'), 'abc')
830 self.assertEqual(strip_or_none('\n\tabc\n\t'), 'abc')
831 self.assertEqual(strip_or_none('abc'), 'abc')
832 self.assertEqual(strip_or_none(''), '')
833 self.assertEqual(strip_or_none(None), None)
834 self.assertEqual(strip_or_none(42), None)
835 self.assertEqual(strip_or_none([]), None)
836
837 def test_uppercase_escape(self):
838 self.assertEqual(uppercase_escape('aä'), 'aä')
839 self.assertEqual(uppercase_escape('\\U0001d550'), '𝕐')
840
841 def test_lowercase_escape(self):
842 self.assertEqual(lowercase_escape('aä'), 'aä')
843 self.assertEqual(lowercase_escape('\\u0026'), '&')
844
845 def test_limit_length(self):
846 self.assertEqual(limit_length(None, 12), None)
847 self.assertEqual(limit_length('foo', 12), 'foo')
848 self.assertTrue(
849 limit_length('foo bar baz asd', 12).startswith('foo bar'))
850 self.assertTrue('...' in limit_length('foo bar baz asd', 12))
851
852 def test_mimetype2ext(self):
853 self.assertEqual(mimetype2ext(None), None)
854 self.assertEqual(mimetype2ext('video/x-flv'), 'flv')
855 self.assertEqual(mimetype2ext('application/x-mpegURL'), 'm3u8')
856 self.assertEqual(mimetype2ext('text/vtt'), 'vtt')
857 self.assertEqual(mimetype2ext('text/vtt;charset=utf-8'), 'vtt')
858 self.assertEqual(mimetype2ext('text/html; charset=utf-8'), 'html')
859 self.assertEqual(mimetype2ext('audio/x-wav'), 'wav')
860 self.assertEqual(mimetype2ext('audio/x-wav;codec=pcm'), 'wav')
861
862 def test_month_by_name(self):
863 self.assertEqual(month_by_name(None), None)
864 self.assertEqual(month_by_name('December', 'en'), 12)
865 self.assertEqual(month_by_name('décembre', 'fr'), 12)
866 self.assertEqual(month_by_name('December'), 12)
867 self.assertEqual(month_by_name('décembre'), None)
868 self.assertEqual(month_by_name('Unknown', 'unknown'), None)
869
870 def test_parse_codecs(self):
871 self.assertEqual(parse_codecs(''), {})
872 self.assertEqual(parse_codecs('avc1.77.30, mp4a.40.2'), {
873 'vcodec': 'avc1.77.30',
874 'acodec': 'mp4a.40.2',
875 'dynamic_range': None,
876 })
877 self.assertEqual(parse_codecs('mp4a.40.2'), {
878 'vcodec': 'none',
879 'acodec': 'mp4a.40.2',
880 'dynamic_range': None,
881 })
882 self.assertEqual(parse_codecs('mp4a.40.5,avc1.42001e'), {
883 'vcodec': 'avc1.42001e',
884 'acodec': 'mp4a.40.5',
885 'dynamic_range': None,
886 })
887 self.assertEqual(parse_codecs('avc3.640028'), {
888 'vcodec': 'avc3.640028',
889 'acodec': 'none',
890 'dynamic_range': None,
891 })
892 self.assertEqual(parse_codecs(', h264,,newcodec,aac'), {
893 'vcodec': 'h264',
894 'acodec': 'aac',
895 'dynamic_range': None,
896 })
897 self.assertEqual(parse_codecs('av01.0.05M.08'), {
898 'vcodec': 'av01.0.05M.08',
899 'acodec': 'none',
900 'dynamic_range': None,
901 })
902 self.assertEqual(parse_codecs('vp9.2'), {
903 'vcodec': 'vp9.2',
904 'acodec': 'none',
905 'dynamic_range': 'HDR10',
906 })
907 self.assertEqual(parse_codecs('av01.0.12M.10.0.110.09.16.09.0'), {
908 'vcodec': 'av01.0.12M.10.0.110.09.16.09.0',
909 'acodec': 'none',
910 'dynamic_range': 'HDR10',
911 })
912 self.assertEqual(parse_codecs('dvhe'), {
913 'vcodec': 'dvhe',
914 'acodec': 'none',
915 'dynamic_range': 'DV',
916 })
917 self.assertEqual(parse_codecs('theora, vorbis'), {
918 'vcodec': 'theora',
919 'acodec': 'vorbis',
920 'dynamic_range': None,
921 })
922 self.assertEqual(parse_codecs('unknownvcodec, unknownacodec'), {
923 'vcodec': 'unknownvcodec',
924 'acodec': 'unknownacodec',
925 })
926 self.assertEqual(parse_codecs('unknown'), {})
927
928 def test_escape_rfc3986(self):
929 reserved = "!*'();:@&=+$,/?#[]"
930 unreserved = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_.~'
931 self.assertEqual(escape_rfc3986(reserved), reserved)
932 self.assertEqual(escape_rfc3986(unreserved), unreserved)
933 self.assertEqual(escape_rfc3986('тест'), '%D1%82%D0%B5%D1%81%D1%82')
934 self.assertEqual(escape_rfc3986('%D1%82%D0%B5%D1%81%D1%82'), '%D1%82%D0%B5%D1%81%D1%82')
935 self.assertEqual(escape_rfc3986('foo bar'), 'foo%20bar')
936 self.assertEqual(escape_rfc3986('foo%20bar'), 'foo%20bar')
937
938 def test_escape_url(self):
939 self.assertEqual(
940 escape_url('http://wowza.imust.org/srv/vod/telemb/new/UPLOAD/UPLOAD/20224_IncendieHavré_FD.mp4'),
941 'http://wowza.imust.org/srv/vod/telemb/new/UPLOAD/UPLOAD/20224_IncendieHavre%CC%81_FD.mp4'
942 )
943 self.assertEqual(
944 escape_url('http://www.ardmediathek.de/tv/Sturm-der-Liebe/Folge-2036-Zu-Mann-und-Frau-erklärt/Das-Erste/Video?documentId=22673108&bcastId=5290'),
945 'http://www.ardmediathek.de/tv/Sturm-der-Liebe/Folge-2036-Zu-Mann-und-Frau-erkl%C3%A4rt/Das-Erste/Video?documentId=22673108&bcastId=5290'
946 )
947 self.assertEqual(
948 escape_url('http://тест.рф/фрагмент'),
949 'http://xn--e1aybc.xn--p1ai/%D1%84%D1%80%D0%B0%D0%B3%D0%BC%D0%B5%D0%BD%D1%82'
950 )
951 self.assertEqual(
952 escape_url('http://тест.рф/абв?абв=абв#абв'),
953 'http://xn--e1aybc.xn--p1ai/%D0%B0%D0%B1%D0%B2?%D0%B0%D0%B1%D0%B2=%D0%B0%D0%B1%D0%B2#%D0%B0%D0%B1%D0%B2'
954 )
955 self.assertEqual(escape_url('http://vimeo.com/56015672#at=0'), 'http://vimeo.com/56015672#at=0')
956
957 def test_js_to_json_realworld(self):
958 inp = '''{
959 'clip':{'provider':'pseudo'}
960 }'''
961 self.assertEqual(js_to_json(inp), '''{
962 "clip":{"provider":"pseudo"}
963 }''')
964 json.loads(js_to_json(inp))
965
966 inp = '''{
967 'playlist':[{'controls':{'all':null}}]
968 }'''
969 self.assertEqual(js_to_json(inp), '''{
970 "playlist":[{"controls":{"all":null}}]
971 }''')
972
973 inp = '''"The CW\\'s \\'Crazy Ex-Girlfriend\\'"'''
974 self.assertEqual(js_to_json(inp), '''"The CW's 'Crazy Ex-Girlfriend'"''')
975
976 inp = '"SAND Number: SAND 2013-7800P\\nPresenter: Tom Russo\\nHabanero Software Training - Xyce Software\\nXyce, Sandia\\u0027s"'
977 json_code = js_to_json(inp)
978 self.assertEqual(json.loads(json_code), json.loads(inp))
979
980 inp = '''{
981 0:{src:'skipped', type: 'application/dash+xml'},
982 1:{src:'skipped', type: 'application/vnd.apple.mpegURL'},
983 }'''
984 self.assertEqual(js_to_json(inp), '''{
985 "0":{"src":"skipped", "type": "application/dash+xml"},
986 "1":{"src":"skipped", "type": "application/vnd.apple.mpegURL"}
987 }''')
988
989 inp = '''{"foo":101}'''
990 self.assertEqual(js_to_json(inp), '''{"foo":101}''')
991
992 inp = '''{"duration": "00:01:07"}'''
993 self.assertEqual(js_to_json(inp), '''{"duration": "00:01:07"}''')
994
995 inp = '''{segments: [{"offset":-3.885780586188048e-16,"duration":39.75000000000001}]}'''
996 self.assertEqual(js_to_json(inp), '''{"segments": [{"offset":-3.885780586188048e-16,"duration":39.75000000000001}]}''')
997
998 def test_js_to_json_edgecases(self):
999 on = js_to_json("{abc_def:'1\\'\\\\2\\\\\\'3\"4'}")
1000 self.assertEqual(json.loads(on), {"abc_def": "1'\\2\\'3\"4"})
1001
1002 on = js_to_json('{"abc": true}')
1003 self.assertEqual(json.loads(on), {'abc': True})
1004
1005 # Ignore JavaScript code as well
1006 on = js_to_json('''{
1007 "x": 1,
1008 y: "a",
1009 z: some.code
1010 }''')
1011 d = json.loads(on)
1012 self.assertEqual(d['x'], 1)
1013 self.assertEqual(d['y'], 'a')
1014
1015 # Just drop ! prefix for now though this results in a wrong value
1016 on = js_to_json('''{
1017 a: !0,
1018 b: !1,
1019 c: !!0,
1020 d: !!42.42,
1021 e: !!![],
1022 f: !"abc",
1023 g: !"",
1024 !42: 42
1025 }''')
1026 self.assertEqual(json.loads(on), {
1027 'a': 0,
1028 'b': 1,
1029 'c': 0,
1030 'd': 42.42,
1031 'e': [],
1032 'f': "abc",
1033 'g': "",
1034 '42': 42
1035 })
1036
1037 on = js_to_json('["abc", "def",]')
1038 self.assertEqual(json.loads(on), ['abc', 'def'])
1039
1040 on = js_to_json('[/*comment\n*/"abc"/*comment\n*/,/*comment\n*/"def",/*comment\n*/]')
1041 self.assertEqual(json.loads(on), ['abc', 'def'])
1042
1043 on = js_to_json('[//comment\n"abc" //comment\n,//comment\n"def",//comment\n]')
1044 self.assertEqual(json.loads(on), ['abc', 'def'])
1045
1046 on = js_to_json('{"abc": "def",}')
1047 self.assertEqual(json.loads(on), {'abc': 'def'})
1048
1049 on = js_to_json('{/*comment\n*/"abc"/*comment\n*/:/*comment\n*/"def"/*comment\n*/,/*comment\n*/}')
1050 self.assertEqual(json.loads(on), {'abc': 'def'})
1051
1052 on = js_to_json('{ 0: /* " \n */ ",]" , }')
1053 self.assertEqual(json.loads(on), {'0': ',]'})
1054
1055 on = js_to_json('{ /*comment\n*/0/*comment\n*/: /* " \n */ ",]" , }')
1056 self.assertEqual(json.loads(on), {'0': ',]'})
1057
1058 on = js_to_json('{ 0: // comment\n1 }')
1059 self.assertEqual(json.loads(on), {'0': 1})
1060
1061 on = js_to_json(r'["<p>x<\/p>"]')
1062 self.assertEqual(json.loads(on), ['<p>x</p>'])
1063
1064 on = js_to_json(r'["\xaa"]')
1065 self.assertEqual(json.loads(on), ['\u00aa'])
1066
1067 on = js_to_json("['a\\\nb']")
1068 self.assertEqual(json.loads(on), ['ab'])
1069
1070 on = js_to_json("/*comment\n*/[/*comment\n*/'a\\\nb'/*comment\n*/]/*comment\n*/")
1071 self.assertEqual(json.loads(on), ['ab'])
1072
1073 on = js_to_json('{0xff:0xff}')
1074 self.assertEqual(json.loads(on), {'255': 255})
1075
1076 on = js_to_json('{/*comment\n*/0xff/*comment\n*/:/*comment\n*/0xff/*comment\n*/}')
1077 self.assertEqual(json.loads(on), {'255': 255})
1078
1079 on = js_to_json('{077:077}')
1080 self.assertEqual(json.loads(on), {'63': 63})
1081
1082 on = js_to_json('{/*comment\n*/077/*comment\n*/:/*comment\n*/077/*comment\n*/}')
1083 self.assertEqual(json.loads(on), {'63': 63})
1084
1085 on = js_to_json('{42:42}')
1086 self.assertEqual(json.loads(on), {'42': 42})
1087
1088 on = js_to_json('{/*comment\n*/42/*comment\n*/:/*comment\n*/42/*comment\n*/}')
1089 self.assertEqual(json.loads(on), {'42': 42})
1090
1091 on = js_to_json('{42:4.2e1}')
1092 self.assertEqual(json.loads(on), {'42': 42.0})
1093
1094 on = js_to_json('{ "0x40": "0x40" }')
1095 self.assertEqual(json.loads(on), {'0x40': '0x40'})
1096
1097 on = js_to_json('{ "040": "040" }')
1098 self.assertEqual(json.loads(on), {'040': '040'})
1099
1100 on = js_to_json('[1,//{},\n2]')
1101 self.assertEqual(json.loads(on), [1, 2])
1102
1103 on = js_to_json(R'"\^\$\#"')
1104 self.assertEqual(json.loads(on), R'^$#', msg='Unnecessary escapes should be stripped')
1105
1106 on = js_to_json('\'"\\""\'')
1107 self.assertEqual(json.loads(on), '"""', msg='Unnecessary quote escape should be escaped')
1108
1109 def test_js_to_json_malformed(self):
1110 self.assertEqual(js_to_json('42a1'), '42"a1"')
1111 self.assertEqual(js_to_json('42a-1'), '42"a"-1')
1112
1113 def test_extract_attributes(self):
1114 self.assertEqual(extract_attributes('<e x="y">'), {'x': 'y'})
1115 self.assertEqual(extract_attributes("<e x='y'>"), {'x': 'y'})
1116 self.assertEqual(extract_attributes('<e x=y>'), {'x': 'y'})
1117 self.assertEqual(extract_attributes('<e x="a \'b\' c">'), {'x': "a 'b' c"})
1118 self.assertEqual(extract_attributes('<e x=\'a "b" c\'>'), {'x': 'a "b" c'})
1119 self.assertEqual(extract_attributes('<e x="&#121;">'), {'x': 'y'})
1120 self.assertEqual(extract_attributes('<e x="&#x79;">'), {'x': 'y'})
1121 self.assertEqual(extract_attributes('<e x="&amp;">'), {'x': '&'}) # XML
1122 self.assertEqual(extract_attributes('<e x="&quot;">'), {'x': '"'})
1123 self.assertEqual(extract_attributes('<e x="&pound;">'), {'x': '£'}) # HTML 3.2
1124 self.assertEqual(extract_attributes('<e x="&lambda;">'), {'x': 'λ'}) # HTML 4.0
1125 self.assertEqual(extract_attributes('<e x="&foo">'), {'x': '&foo'})
1126 self.assertEqual(extract_attributes('<e x="\'">'), {'x': "'"})
1127 self.assertEqual(extract_attributes('<e x=\'"\'>'), {'x': '"'})
1128 self.assertEqual(extract_attributes('<e x >'), {'x': None})
1129 self.assertEqual(extract_attributes('<e x=y a>'), {'x': 'y', 'a': None})
1130 self.assertEqual(extract_attributes('<e x= y>'), {'x': 'y'})
1131 self.assertEqual(extract_attributes('<e x=1 y=2 x=3>'), {'y': '2', 'x': '3'})
1132 self.assertEqual(extract_attributes('<e \nx=\ny\n>'), {'x': 'y'})
1133 self.assertEqual(extract_attributes('<e \nx=\n"y"\n>'), {'x': 'y'})
1134 self.assertEqual(extract_attributes("<e \nx=\n'y'\n>"), {'x': 'y'})
1135 self.assertEqual(extract_attributes('<e \nx="\ny\n">'), {'x': '\ny\n'})
1136 self.assertEqual(extract_attributes('<e CAPS=x>'), {'caps': 'x'}) # Names lowercased
1137 self.assertEqual(extract_attributes('<e x=1 X=2>'), {'x': '2'})
1138 self.assertEqual(extract_attributes('<e X=1 x=2>'), {'x': '2'})
1139 self.assertEqual(extract_attributes('<e _:funny-name1=1>'), {'_:funny-name1': '1'})
1140 self.assertEqual(extract_attributes('<e x="Fáilte 世界 \U0001f600">'), {'x': 'Fáilte 世界 \U0001f600'})
1141 self.assertEqual(extract_attributes('<e x="décompose&#769;">'), {'x': 'décompose\u0301'})
1142 # "Narrow" Python builds don't support unicode code points outside BMP.
1143 try:
1144 chr(0x10000)
1145 supports_outside_bmp = True
1146 except ValueError:
1147 supports_outside_bmp = False
1148 if supports_outside_bmp:
1149 self.assertEqual(extract_attributes('<e x="Smile &#128512;!">'), {'x': 'Smile \U0001f600!'})
1150 # Malformed HTML should not break attributes extraction on older Python
1151 self.assertEqual(extract_attributes('<mal"formed/>'), {})
1152
1153 def test_clean_html(self):
1154 self.assertEqual(clean_html('a:\nb'), 'a: b')
1155 self.assertEqual(clean_html('a:\n "b"'), 'a: "b"')
1156 self.assertEqual(clean_html('a<br>\xa0b'), 'a\nb')
1157
1158 def test_intlist_to_bytes(self):
1159 self.assertEqual(
1160 intlist_to_bytes([0, 1, 127, 128, 255]),
1161 b'\x00\x01\x7f\x80\xff')
1162
1163 def test_args_to_str(self):
1164 self.assertEqual(
1165 args_to_str(['foo', 'ba/r', '-baz', '2 be', '']),
1166 'foo ba/r -baz \'2 be\' \'\'' if compat_os_name != 'nt' else 'foo ba/r -baz "2 be" ""'
1167 )
1168
1169 def test_parse_filesize(self):
1170 self.assertEqual(parse_filesize(None), None)
1171 self.assertEqual(parse_filesize(''), None)
1172 self.assertEqual(parse_filesize('91 B'), 91)
1173 self.assertEqual(parse_filesize('foobar'), None)
1174 self.assertEqual(parse_filesize('2 MiB'), 2097152)
1175 self.assertEqual(parse_filesize('5 GB'), 5000000000)
1176 self.assertEqual(parse_filesize('1.2Tb'), 1200000000000)
1177 self.assertEqual(parse_filesize('1.2tb'), 1200000000000)
1178 self.assertEqual(parse_filesize('1,24 KB'), 1240)
1179 self.assertEqual(parse_filesize('1,24 kb'), 1240)
1180 self.assertEqual(parse_filesize('8.5 megabytes'), 8500000)
1181
1182 def test_parse_count(self):
1183 self.assertEqual(parse_count(None), None)
1184 self.assertEqual(parse_count(''), None)
1185 self.assertEqual(parse_count('0'), 0)
1186 self.assertEqual(parse_count('1000'), 1000)
1187 self.assertEqual(parse_count('1.000'), 1000)
1188 self.assertEqual(parse_count('1.1k'), 1100)
1189 self.assertEqual(parse_count('1.1 k'), 1100)
1190 self.assertEqual(parse_count('1,1 k'), 1100)
1191 self.assertEqual(parse_count('1.1kk'), 1100000)
1192 self.assertEqual(parse_count('1.1kk '), 1100000)
1193 self.assertEqual(parse_count('1,1kk'), 1100000)
1194 self.assertEqual(parse_count('100 views'), 100)
1195 self.assertEqual(parse_count('1,100 views'), 1100)
1196 self.assertEqual(parse_count('1.1kk views'), 1100000)
1197 self.assertEqual(parse_count('10M views'), 10000000)
1198 self.assertEqual(parse_count('has 10M views'), 10000000)
1199
1200 def test_parse_resolution(self):
1201 self.assertEqual(parse_resolution(None), {})
1202 self.assertEqual(parse_resolution(''), {})
1203 self.assertEqual(parse_resolution(' 1920x1080'), {'width': 1920, 'height': 1080})
1204 self.assertEqual(parse_resolution('1920×1080 '), {'width': 1920, 'height': 1080})
1205 self.assertEqual(parse_resolution('1920 x 1080'), {'width': 1920, 'height': 1080})
1206 self.assertEqual(parse_resolution('720p'), {'height': 720})
1207 self.assertEqual(parse_resolution('4k'), {'height': 2160})
1208 self.assertEqual(parse_resolution('8K'), {'height': 4320})
1209 self.assertEqual(parse_resolution('pre_1920x1080_post'), {'width': 1920, 'height': 1080})
1210 self.assertEqual(parse_resolution('ep1x2'), {})
1211 self.assertEqual(parse_resolution('1920, 1080'), {'width': 1920, 'height': 1080})
1212
1213 def test_parse_bitrate(self):
1214 self.assertEqual(parse_bitrate(None), None)
1215 self.assertEqual(parse_bitrate(''), None)
1216 self.assertEqual(parse_bitrate('300kbps'), 300)
1217 self.assertEqual(parse_bitrate('1500kbps'), 1500)
1218 self.assertEqual(parse_bitrate('300 kbps'), 300)
1219
1220 def test_version_tuple(self):
1221 self.assertEqual(version_tuple('1'), (1,))
1222 self.assertEqual(version_tuple('10.23.344'), (10, 23, 344))
1223 self.assertEqual(version_tuple('10.1-6'), (10, 1, 6)) # avconv style
1224
1225 def test_detect_exe_version(self):
1226 self.assertEqual(detect_exe_version('''ffmpeg version 1.2.1
1227 built on May 27 2013 08:37:26 with gcc 4.7 (Debian 4.7.3-4)
1228 configuration: --prefix=/usr --extra-'''), '1.2.1')
1229 self.assertEqual(detect_exe_version('''ffmpeg version N-63176-g1fb4685
1230 built on May 15 2014 22:09:06 with gcc 4.8.2 (GCC)'''), 'N-63176-g1fb4685')
1231 self.assertEqual(detect_exe_version('''X server found. dri2 connection failed!
1232 Trying to open render node...
1233 Success at /dev/dri/renderD128.
1234 ffmpeg version 2.4.4 Copyright (c) 2000-2014 the FFmpeg ...'''), '2.4.4')
1235
1236 def test_age_restricted(self):
1237 self.assertFalse(age_restricted(None, 10)) # unrestricted content
1238 self.assertFalse(age_restricted(1, None)) # unrestricted policy
1239 self.assertFalse(age_restricted(8, 10))
1240 self.assertTrue(age_restricted(18, 14))
1241 self.assertFalse(age_restricted(18, 18))
1242
1243 def test_is_html(self):
1244 self.assertFalse(is_html(b'\x49\x44\x43<html'))
1245 self.assertTrue(is_html(b'<!DOCTYPE foo>\xaaa'))
1246 self.assertTrue(is_html( # UTF-8 with BOM
1247 b'\xef\xbb\xbf<!DOCTYPE foo>\xaaa'))
1248 self.assertTrue(is_html( # UTF-16-LE
1249 b'\xff\xfe<\x00h\x00t\x00m\x00l\x00>\x00\xe4\x00'
1250 ))
1251 self.assertTrue(is_html( # UTF-16-BE
1252 b'\xfe\xff\x00<\x00h\x00t\x00m\x00l\x00>\x00\xe4'
1253 ))
1254 self.assertTrue(is_html( # UTF-32-BE
1255 b'\x00\x00\xFE\xFF\x00\x00\x00<\x00\x00\x00h\x00\x00\x00t\x00\x00\x00m\x00\x00\x00l\x00\x00\x00>\x00\x00\x00\xe4'))
1256 self.assertTrue(is_html( # UTF-32-LE
1257 b'\xFF\xFE\x00\x00<\x00\x00\x00h\x00\x00\x00t\x00\x00\x00m\x00\x00\x00l\x00\x00\x00>\x00\x00\x00\xe4\x00\x00\x00'))
1258
1259 def test_render_table(self):
1260 self.assertEqual(
1261 render_table(
1262 ['a', 'empty', 'bcd'],
1263 [[123, '', 4], [9999, '', 51]]),
1264 'a empty bcd\n'
1265 '123 4\n'
1266 '9999 51')
1267
1268 self.assertEqual(
1269 render_table(
1270 ['a', 'empty', 'bcd'],
1271 [[123, '', 4], [9999, '', 51]],
1272 hide_empty=True),
1273 'a bcd\n'
1274 '123 4\n'
1275 '9999 51')
1276
1277 self.assertEqual(
1278 render_table(
1279 ['\ta', 'bcd'],
1280 [['1\t23', 4], ['\t9999', 51]]),
1281 ' a bcd\n'
1282 '1 23 4\n'
1283 '9999 51')
1284
1285 self.assertEqual(
1286 render_table(
1287 ['a', 'bcd'],
1288 [[123, 4], [9999, 51]],
1289 delim='-'),
1290 'a bcd\n'
1291 '--------\n'
1292 '123 4\n'
1293 '9999 51')
1294
1295 self.assertEqual(
1296 render_table(
1297 ['a', 'bcd'],
1298 [[123, 4], [9999, 51]],
1299 delim='-', extra_gap=2),
1300 'a bcd\n'
1301 '----------\n'
1302 '123 4\n'
1303 '9999 51')
1304
1305 def test_match_str(self):
1306 # Unary
1307 self.assertFalse(match_str('xy', {'x': 1200}))
1308 self.assertTrue(match_str('!xy', {'x': 1200}))
1309 self.assertTrue(match_str('x', {'x': 1200}))
1310 self.assertFalse(match_str('!x', {'x': 1200}))
1311 self.assertTrue(match_str('x', {'x': 0}))
1312 self.assertTrue(match_str('is_live', {'is_live': True}))
1313 self.assertFalse(match_str('is_live', {'is_live': False}))
1314 self.assertFalse(match_str('is_live', {'is_live': None}))
1315 self.assertFalse(match_str('is_live', {}))
1316 self.assertFalse(match_str('!is_live', {'is_live': True}))
1317 self.assertTrue(match_str('!is_live', {'is_live': False}))
1318 self.assertTrue(match_str('!is_live', {'is_live': None}))
1319 self.assertTrue(match_str('!is_live', {}))
1320 self.assertTrue(match_str('title', {'title': 'abc'}))
1321 self.assertTrue(match_str('title', {'title': ''}))
1322 self.assertFalse(match_str('!title', {'title': 'abc'}))
1323 self.assertFalse(match_str('!title', {'title': ''}))
1324
1325 # Numeric
1326 self.assertFalse(match_str('x>0', {'x': 0}))
1327 self.assertFalse(match_str('x>0', {}))
1328 self.assertTrue(match_str('x>?0', {}))
1329 self.assertTrue(match_str('x>1K', {'x': 1200}))
1330 self.assertFalse(match_str('x>2K', {'x': 1200}))
1331 self.assertTrue(match_str('x>=1200 & x < 1300', {'x': 1200}))
1332 self.assertFalse(match_str('x>=1100 & x < 1200', {'x': 1200}))
1333 self.assertTrue(match_str('x > 1:0:0', {'x': 3700}))
1334
1335 # String
1336 self.assertFalse(match_str('y=a212', {'y': 'foobar42'}))
1337 self.assertTrue(match_str('y=foobar42', {'y': 'foobar42'}))
1338 self.assertFalse(match_str('y!=foobar42', {'y': 'foobar42'}))
1339 self.assertTrue(match_str('y!=foobar2', {'y': 'foobar42'}))
1340 self.assertTrue(match_str('y^=foo', {'y': 'foobar42'}))
1341 self.assertFalse(match_str('y!^=foo', {'y': 'foobar42'}))
1342 self.assertFalse(match_str('y^=bar', {'y': 'foobar42'}))
1343 self.assertTrue(match_str('y!^=bar', {'y': 'foobar42'}))
1344 self.assertRaises(ValueError, match_str, 'x^=42', {'x': 42})
1345 self.assertTrue(match_str('y*=bar', {'y': 'foobar42'}))
1346 self.assertFalse(match_str('y!*=bar', {'y': 'foobar42'}))
1347 self.assertFalse(match_str('y*=baz', {'y': 'foobar42'}))
1348 self.assertTrue(match_str('y!*=baz', {'y': 'foobar42'}))
1349 self.assertTrue(match_str('y$=42', {'y': 'foobar42'}))
1350 self.assertFalse(match_str('y$=43', {'y': 'foobar42'}))
1351
1352 # And
1353 self.assertFalse(match_str(
1354 'like_count > 100 & dislike_count <? 50 & description',
1355 {'like_count': 90, 'description': 'foo'}))
1356 self.assertTrue(match_str(
1357 'like_count > 100 & dislike_count <? 50 & description',
1358 {'like_count': 190, 'description': 'foo'}))
1359 self.assertFalse(match_str(
1360 'like_count > 100 & dislike_count <? 50 & description',
1361 {'like_count': 190, 'dislike_count': 60, 'description': 'foo'}))
1362 self.assertFalse(match_str(
1363 'like_count > 100 & dislike_count <? 50 & description',
1364 {'like_count': 190, 'dislike_count': 10}))
1365
1366 # Regex
1367 self.assertTrue(match_str(r'x~=\bbar', {'x': 'foo bar'}))
1368 self.assertFalse(match_str(r'x~=\bbar.+', {'x': 'foo bar'}))
1369 self.assertFalse(match_str(r'x~=^FOO', {'x': 'foo bar'}))
1370 self.assertTrue(match_str(r'x~=(?i)^FOO', {'x': 'foo bar'}))
1371
1372 # Quotes
1373 self.assertTrue(match_str(r'x^="foo"', {'x': 'foo "bar"'}))
1374 self.assertFalse(match_str(r'x^="foo "', {'x': 'foo "bar"'}))
1375 self.assertFalse(match_str(r'x$="bar"', {'x': 'foo "bar"'}))
1376 self.assertTrue(match_str(r'x$=" \"bar\""', {'x': 'foo "bar"'}))
1377
1378 # Escaping &
1379 self.assertFalse(match_str(r'x=foo & bar', {'x': 'foo & bar'}))
1380 self.assertTrue(match_str(r'x=foo \& bar', {'x': 'foo & bar'}))
1381 self.assertTrue(match_str(r'x=foo \& bar & x^=foo', {'x': 'foo & bar'}))
1382 self.assertTrue(match_str(r'x="foo \& bar" & x^=foo', {'x': 'foo & bar'}))
1383
1384 # Example from docs
1385 self.assertTrue(match_str(
1386 r"!is_live & like_count>?100 & description~='(?i)\bcats \& dogs\b'",
1387 {'description': 'Raining Cats & Dogs'}))
1388
1389 # Incomplete
1390 self.assertFalse(match_str('id!=foo', {'id': 'foo'}, True))
1391 self.assertTrue(match_str('x', {'id': 'foo'}, True))
1392 self.assertTrue(match_str('!x', {'id': 'foo'}, True))
1393 self.assertFalse(match_str('x', {'id': 'foo'}, False))
1394
1395 def test_parse_dfxp_time_expr(self):
1396 self.assertEqual(parse_dfxp_time_expr(None), None)
1397 self.assertEqual(parse_dfxp_time_expr(''), None)
1398 self.assertEqual(parse_dfxp_time_expr('0.1'), 0.1)
1399 self.assertEqual(parse_dfxp_time_expr('0.1s'), 0.1)
1400 self.assertEqual(parse_dfxp_time_expr('00:00:01'), 1.0)
1401 self.assertEqual(parse_dfxp_time_expr('00:00:01.100'), 1.1)
1402 self.assertEqual(parse_dfxp_time_expr('00:00:01:100'), 1.1)
1403
1404 def test_dfxp2srt(self):
1405 dfxp_data = '''<?xml version="1.0" encoding="UTF-8"?>
1406 <tt xmlns="http://www.w3.org/ns/ttml" xml:lang="en" xmlns:tts="http://www.w3.org/ns/ttml#parameter">
1407 <body>
1408 <div xml:lang="en">
1409 <p begin="0" end="1">The following line contains Chinese characters and special symbols</p>
1410 <p begin="1" end="2">第二行<br/>♪♪</p>
1411 <p begin="2" dur="1"><span>Third<br/>Line</span></p>
1412 <p begin="3" end="-1">Lines with invalid timestamps are ignored</p>
1413 <p begin="-1" end="-1">Ignore, two</p>
1414 <p begin="3" dur="-1">Ignored, three</p>
1415 </div>
1416 </body>
1417 </tt>'''.encode()
1418 srt_data = '''1
1419 00:00:00,000 --> 00:00:01,000
1420 The following line contains Chinese characters and special symbols
1421
1422 2
1423 00:00:01,000 --> 00:00:02,000
1424 第二行
1425 ♪♪
1426
1427 3
1428 00:00:02,000 --> 00:00:03,000
1429 Third
1430 Line
1431
1432 '''
1433 self.assertEqual(dfxp2srt(dfxp_data), srt_data)
1434
1435 dfxp_data_no_default_namespace = b'''<?xml version="1.0" encoding="UTF-8"?>
1436 <tt xml:lang="en" xmlns:tts="http://www.w3.org/ns/ttml#parameter">
1437 <body>
1438 <div xml:lang="en">
1439 <p begin="0" end="1">The first line</p>
1440 </div>
1441 </body>
1442 </tt>'''
1443 srt_data = '''1
1444 00:00:00,000 --> 00:00:01,000
1445 The first line
1446
1447 '''
1448 self.assertEqual(dfxp2srt(dfxp_data_no_default_namespace), srt_data)
1449
1450 dfxp_data_with_style = b'''<?xml version="1.0" encoding="utf-8"?>
1451 <tt xmlns="http://www.w3.org/2006/10/ttaf1" xmlns:ttp="http://www.w3.org/2006/10/ttaf1#parameter" ttp:timeBase="media" xmlns:tts="http://www.w3.org/2006/10/ttaf1#style" xml:lang="en" xmlns:ttm="http://www.w3.org/2006/10/ttaf1#metadata">
1452 <head>
1453 <styling>
1454 <style id="s2" style="s0" tts:color="cyan" tts:fontWeight="bold" />
1455 <style id="s1" style="s0" tts:color="yellow" tts:fontStyle="italic" />
1456 <style id="s3" style="s0" tts:color="lime" tts:textDecoration="underline" />
1457 <style id="s0" tts:backgroundColor="black" tts:fontStyle="normal" tts:fontSize="16" tts:fontFamily="sansSerif" tts:color="white" />
1458 </styling>
1459 </head>
1460 <body tts:textAlign="center" style="s0">
1461 <div>
1462 <p begin="00:00:02.08" id="p0" end="00:00:05.84">default style<span tts:color="red">custom style</span></p>
1463 <p style="s2" begin="00:00:02.08" id="p0" end="00:00:05.84"><span tts:color="lime">part 1<br /></span><span tts:color="cyan">part 2</span></p>
1464 <p style="s3" begin="00:00:05.84" id="p1" end="00:00:09.56">line 3<br />part 3</p>
1465 <p style="s1" tts:textDecoration="underline" begin="00:00:09.56" id="p2" end="00:00:12.36"><span style="s2" tts:color="lime">inner<br /> </span>style</p>
1466 </div>
1467 </body>
1468 </tt>'''
1469 srt_data = '''1
1470 00:00:02,080 --> 00:00:05,840
1471 <font color="white" face="sansSerif" size="16">default style<font color="red">custom style</font></font>
1472
1473 2
1474 00:00:02,080 --> 00:00:05,840
1475 <b><font color="cyan" face="sansSerif" size="16"><font color="lime">part 1
1476 </font>part 2</font></b>
1477
1478 3
1479 00:00:05,840 --> 00:00:09,560
1480 <u><font color="lime">line 3
1481 part 3</font></u>
1482
1483 4
1484 00:00:09,560 --> 00:00:12,360
1485 <i><u><font color="yellow"><font color="lime">inner
1486 </font>style</font></u></i>
1487
1488 '''
1489 self.assertEqual(dfxp2srt(dfxp_data_with_style), srt_data)
1490
1491 dfxp_data_non_utf8 = '''<?xml version="1.0" encoding="UTF-16"?>
1492 <tt xmlns="http://www.w3.org/ns/ttml" xml:lang="en" xmlns:tts="http://www.w3.org/ns/ttml#parameter">
1493 <body>
1494 <div xml:lang="en">
1495 <p begin="0" end="1">Line 1</p>
1496 <p begin="1" end="2">第二行</p>
1497 </div>
1498 </body>
1499 </tt>'''.encode('utf-16')
1500 srt_data = '''1
1501 00:00:00,000 --> 00:00:01,000
1502 Line 1
1503
1504 2
1505 00:00:01,000 --> 00:00:02,000
1506 第二行
1507
1508 '''
1509 self.assertEqual(dfxp2srt(dfxp_data_non_utf8), srt_data)
1510
1511 def test_cli_option(self):
1512 self.assertEqual(cli_option({'proxy': '127.0.0.1:3128'}, '--proxy', 'proxy'), ['--proxy', '127.0.0.1:3128'])
1513 self.assertEqual(cli_option({'proxy': None}, '--proxy', 'proxy'), [])
1514 self.assertEqual(cli_option({}, '--proxy', 'proxy'), [])
1515 self.assertEqual(cli_option({'retries': 10}, '--retries', 'retries'), ['--retries', '10'])
1516
1517 def test_cli_valueless_option(self):
1518 self.assertEqual(cli_valueless_option(
1519 {'downloader': 'external'}, '--external-downloader', 'downloader', 'external'), ['--external-downloader'])
1520 self.assertEqual(cli_valueless_option(
1521 {'downloader': 'internal'}, '--external-downloader', 'downloader', 'external'), [])
1522 self.assertEqual(cli_valueless_option(
1523 {'nocheckcertificate': True}, '--no-check-certificate', 'nocheckcertificate'), ['--no-check-certificate'])
1524 self.assertEqual(cli_valueless_option(
1525 {'nocheckcertificate': False}, '--no-check-certificate', 'nocheckcertificate'), [])
1526 self.assertEqual(cli_valueless_option(
1527 {'checkcertificate': True}, '--no-check-certificate', 'checkcertificate', False), [])
1528 self.assertEqual(cli_valueless_option(
1529 {'checkcertificate': False}, '--no-check-certificate', 'checkcertificate', False), ['--no-check-certificate'])
1530
1531 def test_cli_bool_option(self):
1532 self.assertEqual(
1533 cli_bool_option(
1534 {'nocheckcertificate': True}, '--no-check-certificate', 'nocheckcertificate'),
1535 ['--no-check-certificate', 'true'])
1536 self.assertEqual(
1537 cli_bool_option(
1538 {'nocheckcertificate': True}, '--no-check-certificate', 'nocheckcertificate', separator='='),
1539 ['--no-check-certificate=true'])
1540 self.assertEqual(
1541 cli_bool_option(
1542 {'nocheckcertificate': True}, '--check-certificate', 'nocheckcertificate', 'false', 'true'),
1543 ['--check-certificate', 'false'])
1544 self.assertEqual(
1545 cli_bool_option(
1546 {'nocheckcertificate': True}, '--check-certificate', 'nocheckcertificate', 'false', 'true', '='),
1547 ['--check-certificate=false'])
1548 self.assertEqual(
1549 cli_bool_option(
1550 {'nocheckcertificate': False}, '--check-certificate', 'nocheckcertificate', 'false', 'true'),
1551 ['--check-certificate', 'true'])
1552 self.assertEqual(
1553 cli_bool_option(
1554 {'nocheckcertificate': False}, '--check-certificate', 'nocheckcertificate', 'false', 'true', '='),
1555 ['--check-certificate=true'])
1556 self.assertEqual(
1557 cli_bool_option(
1558 {}, '--check-certificate', 'nocheckcertificate', 'false', 'true', '='),
1559 [])
1560
1561 def test_ohdave_rsa_encrypt(self):
1562 N = 0xab86b6371b5318aaa1d3c9e612a9f1264f372323c8c0f19875b5fc3b3fd3afcc1e5bec527aa94bfa85bffc157e4245aebda05389a5357b75115ac94f074aefcd
1563 e = 65537
1564
1565 self.assertEqual(
1566 ohdave_rsa_encrypt(b'aa111222', e, N),
1567 '726664bd9a23fd0c70f9f1b84aab5e3905ce1e45a584e9cbcf9bcc7510338fc1986d6c599ff990d923aa43c51c0d9013cd572e13bc58f4ae48f2ed8c0b0ba881')
1568
1569 def test_pkcs1pad(self):
1570 data = [1, 2, 3]
1571 padded_data = pkcs1pad(data, 32)
1572 self.assertEqual(padded_data[:2], [0, 2])
1573 self.assertEqual(padded_data[28:], [0, 1, 2, 3])
1574
1575 self.assertRaises(ValueError, pkcs1pad, data, 8)
1576
1577 def test_encode_base_n(self):
1578 self.assertEqual(encode_base_n(0, 30), '0')
1579 self.assertEqual(encode_base_n(80, 30), '2k')
1580
1581 custom_table = '9876543210ZYXWVUTSRQPONMLKJIHGFEDCBA'
1582 self.assertEqual(encode_base_n(0, 30, custom_table), '9')
1583 self.assertEqual(encode_base_n(80, 30, custom_table), '7P')
1584
1585 self.assertRaises(ValueError, encode_base_n, 0, 70)
1586 self.assertRaises(ValueError, encode_base_n, 0, 60, custom_table)
1587
1588 def test_caesar(self):
1589 self.assertEqual(caesar('ace', 'abcdef', 2), 'cea')
1590 self.assertEqual(caesar('cea', 'abcdef', -2), 'ace')
1591 self.assertEqual(caesar('ace', 'abcdef', -2), 'eac')
1592 self.assertEqual(caesar('eac', 'abcdef', 2), 'ace')
1593 self.assertEqual(caesar('ace', 'abcdef', 0), 'ace')
1594 self.assertEqual(caesar('xyz', 'abcdef', 2), 'xyz')
1595 self.assertEqual(caesar('abc', 'acegik', 2), 'ebg')
1596 self.assertEqual(caesar('ebg', 'acegik', -2), 'abc')
1597
1598 def test_rot47(self):
1599 self.assertEqual(rot47('yt-dlp'), r'JE\5=A')
1600 self.assertEqual(rot47('YT-DLP'), r'*%\s{!')
1601
1602 def test_urshift(self):
1603 self.assertEqual(urshift(3, 1), 1)
1604 self.assertEqual(urshift(-3, 1), 2147483646)
1605
1606 GET_ELEMENT_BY_CLASS_TEST_STRING = '''
1607 <span class="foo bar">nice</span>
1608 '''
1609
1610 def test_get_element_by_class(self):
1611 html = self.GET_ELEMENT_BY_CLASS_TEST_STRING
1612
1613 self.assertEqual(get_element_by_class('foo', html), 'nice')
1614 self.assertEqual(get_element_by_class('no-such-class', html), None)
1615
1616 def test_get_element_html_by_class(self):
1617 html = self.GET_ELEMENT_BY_CLASS_TEST_STRING
1618
1619 self.assertEqual(get_element_html_by_class('foo', html), html.strip())
1620 self.assertEqual(get_element_by_class('no-such-class', html), None)
1621
1622 GET_ELEMENT_BY_ATTRIBUTE_TEST_STRING = '''
1623 <div itemprop="author" itemscope>foo</div>
1624 '''
1625
1626 def test_get_element_by_attribute(self):
1627 html = self.GET_ELEMENT_BY_CLASS_TEST_STRING
1628
1629 self.assertEqual(get_element_by_attribute('class', 'foo bar', html), 'nice')
1630 self.assertEqual(get_element_by_attribute('class', 'foo', html), None)
1631 self.assertEqual(get_element_by_attribute('class', 'no-such-foo', html), None)
1632
1633 html = self.GET_ELEMENT_BY_ATTRIBUTE_TEST_STRING
1634
1635 self.assertEqual(get_element_by_attribute('itemprop', 'author', html), 'foo')
1636
1637 def test_get_element_html_by_attribute(self):
1638 html = self.GET_ELEMENT_BY_CLASS_TEST_STRING
1639
1640 self.assertEqual(get_element_html_by_attribute('class', 'foo bar', html), html.strip())
1641 self.assertEqual(get_element_html_by_attribute('class', 'foo', html), None)
1642 self.assertEqual(get_element_html_by_attribute('class', 'no-such-foo', html), None)
1643
1644 html = self.GET_ELEMENT_BY_ATTRIBUTE_TEST_STRING
1645
1646 self.assertEqual(get_element_html_by_attribute('itemprop', 'author', html), html.strip())
1647
1648 GET_ELEMENTS_BY_CLASS_TEST_STRING = '''
1649 <span class="foo bar">nice</span><span class="foo bar">also nice</span>
1650 '''
1651 GET_ELEMENTS_BY_CLASS_RES = ['<span class="foo bar">nice</span>', '<span class="foo bar">also nice</span>']
1652
1653 def test_get_elements_by_class(self):
1654 html = self.GET_ELEMENTS_BY_CLASS_TEST_STRING
1655
1656 self.assertEqual(get_elements_by_class('foo', html), ['nice', 'also nice'])
1657 self.assertEqual(get_elements_by_class('no-such-class', html), [])
1658
1659 def test_get_elements_html_by_class(self):
1660 html = self.GET_ELEMENTS_BY_CLASS_TEST_STRING
1661
1662 self.assertEqual(get_elements_html_by_class('foo', html), self.GET_ELEMENTS_BY_CLASS_RES)
1663 self.assertEqual(get_elements_html_by_class('no-such-class', html), [])
1664
1665 def test_get_elements_by_attribute(self):
1666 html = self.GET_ELEMENTS_BY_CLASS_TEST_STRING
1667
1668 self.assertEqual(get_elements_by_attribute('class', 'foo bar', html), ['nice', 'also nice'])
1669 self.assertEqual(get_elements_by_attribute('class', 'foo', html), [])
1670 self.assertEqual(get_elements_by_attribute('class', 'no-such-foo', html), [])
1671
1672 def test_get_elements_html_by_attribute(self):
1673 html = self.GET_ELEMENTS_BY_CLASS_TEST_STRING
1674
1675 self.assertEqual(get_elements_html_by_attribute('class', 'foo bar', html), self.GET_ELEMENTS_BY_CLASS_RES)
1676 self.assertEqual(get_elements_html_by_attribute('class', 'foo', html), [])
1677 self.assertEqual(get_elements_html_by_attribute('class', 'no-such-foo', html), [])
1678
1679 def test_get_elements_text_and_html_by_attribute(self):
1680 html = self.GET_ELEMENTS_BY_CLASS_TEST_STRING
1681
1682 self.assertEqual(
1683 list(get_elements_text_and_html_by_attribute('class', 'foo bar', html)),
1684 list(zip(['nice', 'also nice'], self.GET_ELEMENTS_BY_CLASS_RES)))
1685 self.assertEqual(list(get_elements_text_and_html_by_attribute('class', 'foo', html)), [])
1686 self.assertEqual(list(get_elements_text_and_html_by_attribute('class', 'no-such-foo', html)), [])
1687
1688 self.assertEqual(list(get_elements_text_and_html_by_attribute(
1689 'class', 'foo', '<a class="foo">nice</a><span class="foo">nice</span>', tag='a')), [('nice', '<a class="foo">nice</a>')])
1690
1691 GET_ELEMENT_BY_TAG_TEST_STRING = '''
1692 random text lorem ipsum</p>
1693 <div>
1694 this should be returned
1695 <span>this should also be returned</span>
1696 <div>
1697 this should also be returned
1698 </div>
1699 closing tag above should not trick, so this should also be returned
1700 </div>
1701 but this text should not be returned
1702 '''
1703 GET_ELEMENT_BY_TAG_RES_OUTERDIV_HTML = GET_ELEMENT_BY_TAG_TEST_STRING.strip()[32:276]
1704 GET_ELEMENT_BY_TAG_RES_OUTERDIV_TEXT = GET_ELEMENT_BY_TAG_RES_OUTERDIV_HTML[5:-6]
1705 GET_ELEMENT_BY_TAG_RES_INNERSPAN_HTML = GET_ELEMENT_BY_TAG_TEST_STRING.strip()[78:119]
1706 GET_ELEMENT_BY_TAG_RES_INNERSPAN_TEXT = GET_ELEMENT_BY_TAG_RES_INNERSPAN_HTML[6:-7]
1707
1708 def test_get_element_text_and_html_by_tag(self):
1709 html = self.GET_ELEMENT_BY_TAG_TEST_STRING
1710
1711 self.assertEqual(
1712 get_element_text_and_html_by_tag('div', html),
1713 (self.GET_ELEMENT_BY_TAG_RES_OUTERDIV_TEXT, self.GET_ELEMENT_BY_TAG_RES_OUTERDIV_HTML))
1714 self.assertEqual(
1715 get_element_text_and_html_by_tag('span', html),
1716 (self.GET_ELEMENT_BY_TAG_RES_INNERSPAN_TEXT, self.GET_ELEMENT_BY_TAG_RES_INNERSPAN_HTML))
1717 self.assertRaises(compat_HTMLParseError, get_element_text_and_html_by_tag, 'article', html)
1718
1719 def test_iri_to_uri(self):
1720 self.assertEqual(
1721 iri_to_uri('https://www.google.com/search?q=foo&ie=utf-8&oe=utf-8&client=firefox-b'),
1722 'https://www.google.com/search?q=foo&ie=utf-8&oe=utf-8&client=firefox-b') # Same
1723 self.assertEqual(
1724 iri_to_uri('https://www.google.com/search?q=Käsesoßenrührlöffel'), # German for cheese sauce stirring spoon
1725 'https://www.google.com/search?q=K%C3%A4seso%C3%9Fenr%C3%BChrl%C3%B6ffel')
1726 self.assertEqual(
1727 iri_to_uri('https://www.google.com/search?q=lt<+gt>+eq%3D+amp%26+percent%25+hash%23+colon%3A+tilde~#trash=?&garbage=#'),
1728 'https://www.google.com/search?q=lt%3C+gt%3E+eq%3D+amp%26+percent%25+hash%23+colon%3A+tilde~#trash=?&garbage=#')
1729 self.assertEqual(
1730 iri_to_uri('http://правозащита38.рф/category/news/'),
1731 'http://xn--38-6kcaak9aj5chl4a3g.xn--p1ai/category/news/')
1732 self.assertEqual(
1733 iri_to_uri('http://www.правозащита38.рф/category/news/'),
1734 'http://www.xn--38-6kcaak9aj5chl4a3g.xn--p1ai/category/news/')
1735 self.assertEqual(
1736 iri_to_uri('https://i❤.ws/emojidomain/👍👏🤝💪'),
1737 'https://xn--i-7iq.ws/emojidomain/%F0%9F%91%8D%F0%9F%91%8F%F0%9F%A4%9D%F0%9F%92%AA')
1738 self.assertEqual(
1739 iri_to_uri('http://日本語.jp/'),
1740 'http://xn--wgv71a119e.jp/')
1741 self.assertEqual(
1742 iri_to_uri('http://导航.中国/'),
1743 'http://xn--fet810g.xn--fiqs8s/')
1744
1745 def test_clean_podcast_url(self):
1746 self.assertEqual(clean_podcast_url('https://www.podtrac.com/pts/redirect.mp3/chtbl.com/track/5899E/traffic.megaphone.fm/HSW7835899191.mp3'), 'https://traffic.megaphone.fm/HSW7835899191.mp3')
1747 self.assertEqual(clean_podcast_url('https://play.podtrac.com/npr-344098539/edge1.pod.npr.org/anon.npr-podcasts/podcast/npr/waitwait/2020/10/20201003_waitwait_wwdtmpodcast201003-015621a5-f035-4eca-a9a1-7c118d90bc3c.mp3'), 'https://edge1.pod.npr.org/anon.npr-podcasts/podcast/npr/waitwait/2020/10/20201003_waitwait_wwdtmpodcast201003-015621a5-f035-4eca-a9a1-7c118d90bc3c.mp3')
1748
1749 def test_LazyList(self):
1750 it = list(range(10))
1751
1752 self.assertEqual(list(LazyList(it)), it)
1753 self.assertEqual(LazyList(it).exhaust(), it)
1754 self.assertEqual(LazyList(it)[5], it[5])
1755
1756 self.assertEqual(LazyList(it)[5:], it[5:])
1757 self.assertEqual(LazyList(it)[:5], it[:5])
1758 self.assertEqual(LazyList(it)[::2], it[::2])
1759 self.assertEqual(LazyList(it)[1::2], it[1::2])
1760 self.assertEqual(LazyList(it)[5::-1], it[5::-1])
1761 self.assertEqual(LazyList(it)[6:2:-2], it[6:2:-2])
1762 self.assertEqual(LazyList(it)[::-1], it[::-1])
1763
1764 self.assertTrue(LazyList(it))
1765 self.assertFalse(LazyList(range(0)))
1766 self.assertEqual(len(LazyList(it)), len(it))
1767 self.assertEqual(repr(LazyList(it)), repr(it))
1768 self.assertEqual(str(LazyList(it)), str(it))
1769
1770 self.assertEqual(list(LazyList(it, reverse=True)), it[::-1])
1771 self.assertEqual(list(reversed(LazyList(it))[::-1]), it)
1772 self.assertEqual(list(reversed(LazyList(it))[1:3:7]), it[::-1][1:3:7])
1773
1774 def test_LazyList_laziness(self):
1775
1776 def test(ll, idx, val, cache):
1777 self.assertEqual(ll[idx], val)
1778 self.assertEqual(ll._cache, list(cache))
1779
1780 ll = LazyList(range(10))
1781 test(ll, 0, 0, range(1))
1782 test(ll, 5, 5, range(6))
1783 test(ll, -3, 7, range(10))
1784
1785 ll = LazyList(range(10), reverse=True)
1786 test(ll, -1, 0, range(1))
1787 test(ll, 3, 6, range(10))
1788
1789 ll = LazyList(itertools.count())
1790 test(ll, 10, 10, range(11))
1791 ll = reversed(ll)
1792 test(ll, -15, 14, range(15))
1793
1794 def test_format_bytes(self):
1795 self.assertEqual(format_bytes(0), '0.00B')
1796 self.assertEqual(format_bytes(1000), '1000.00B')
1797 self.assertEqual(format_bytes(1024), '1.00KiB')
1798 self.assertEqual(format_bytes(1024**2), '1.00MiB')
1799 self.assertEqual(format_bytes(1024**3), '1.00GiB')
1800 self.assertEqual(format_bytes(1024**4), '1.00TiB')
1801 self.assertEqual(format_bytes(1024**5), '1.00PiB')
1802 self.assertEqual(format_bytes(1024**6), '1.00EiB')
1803 self.assertEqual(format_bytes(1024**7), '1.00ZiB')
1804 self.assertEqual(format_bytes(1024**8), '1.00YiB')
1805 self.assertEqual(format_bytes(1024**9), '1024.00YiB')
1806
1807 def test_hide_login_info(self):
1808 self.assertEqual(Config.hide_login_info(['-u', 'foo', '-p', 'bar']),
1809 ['-u', 'PRIVATE', '-p', 'PRIVATE'])
1810 self.assertEqual(Config.hide_login_info(['-u']), ['-u'])
1811 self.assertEqual(Config.hide_login_info(['-u', 'foo', '-u', 'bar']),
1812 ['-u', 'PRIVATE', '-u', 'PRIVATE'])
1813 self.assertEqual(Config.hide_login_info(['--username=foo']),
1814 ['--username=PRIVATE'])
1815
1816 def test_locked_file(self):
1817 TEXT = 'test_locked_file\n'
1818 FILE = 'test_locked_file.ytdl'
1819 MODES = 'war' # Order is important
1820
1821 try:
1822 for lock_mode in MODES:
1823 with locked_file(FILE, lock_mode, False) as f:
1824 if lock_mode == 'r':
1825 self.assertEqual(f.read(), TEXT * 2, 'Wrong file content')
1826 else:
1827 f.write(TEXT)
1828 for test_mode in MODES:
1829 testing_write = test_mode != 'r'
1830 try:
1831 with locked_file(FILE, test_mode, False):
1832 pass
1833 except (BlockingIOError, PermissionError):
1834 if not testing_write: # FIXME
1835 print(f'Known issue: Exclusive lock ({lock_mode}) blocks read access ({test_mode})')
1836 continue
1837 self.assertTrue(testing_write, f'{test_mode} is blocked by {lock_mode}')
1838 else:
1839 self.assertFalse(testing_write, f'{test_mode} is not blocked by {lock_mode}')
1840 finally:
1841 with contextlib.suppress(OSError):
1842 os.remove(FILE)
1843
1844 def test_determine_file_encoding(self):
1845 self.assertEqual(determine_file_encoding(b''), (None, 0))
1846 self.assertEqual(determine_file_encoding(b'--verbose -x --audio-format mkv\n'), (None, 0))
1847
1848 self.assertEqual(determine_file_encoding(b'\xef\xbb\xbf'), ('utf-8', 3))
1849 self.assertEqual(determine_file_encoding(b'\x00\x00\xfe\xff'), ('utf-32-be', 4))
1850 self.assertEqual(determine_file_encoding(b'\xff\xfe'), ('utf-16-le', 2))
1851
1852 self.assertEqual(determine_file_encoding(b'\xff\xfe# coding: utf-8\n--verbose'), ('utf-16-le', 2))
1853
1854 self.assertEqual(determine_file_encoding(b'# coding: utf-8\n--verbose'), ('utf-8', 0))
1855 self.assertEqual(determine_file_encoding(b'# coding: someencodinghere-12345\n--verbose'), ('someencodinghere-12345', 0))
1856
1857 self.assertEqual(determine_file_encoding(b'#coding:utf-8\n--verbose'), ('utf-8', 0))
1858 self.assertEqual(determine_file_encoding(b'# coding: utf-8 \r\n--verbose'), ('utf-8', 0))
1859
1860 self.assertEqual(determine_file_encoding('# coding: utf-32-be'.encode('utf-32-be')), ('utf-32-be', 0))
1861 self.assertEqual(determine_file_encoding('# coding: utf-16-le'.encode('utf-16-le')), ('utf-16-le', 0))
1862
1863 def test_get_compatible_ext(self):
1864 self.assertEqual(get_compatible_ext(
1865 vcodecs=[None], acodecs=[None, None], vexts=['mp4'], aexts=['m4a', 'm4a']), 'mkv')
1866 self.assertEqual(get_compatible_ext(
1867 vcodecs=[None], acodecs=[None], vexts=['flv'], aexts=['flv']), 'flv')
1868
1869 self.assertEqual(get_compatible_ext(
1870 vcodecs=[None], acodecs=[None], vexts=['mp4'], aexts=['m4a']), 'mp4')
1871 self.assertEqual(get_compatible_ext(
1872 vcodecs=[None], acodecs=[None], vexts=['mp4'], aexts=['webm']), 'mkv')
1873 self.assertEqual(get_compatible_ext(
1874 vcodecs=[None], acodecs=[None], vexts=['webm'], aexts=['m4a']), 'mkv')
1875 self.assertEqual(get_compatible_ext(
1876 vcodecs=[None], acodecs=[None], vexts=['webm'], aexts=['webm']), 'webm')
1877
1878 self.assertEqual(get_compatible_ext(
1879 vcodecs=['h264'], acodecs=['mp4a'], vexts=['mov'], aexts=['m4a']), 'mp4')
1880 self.assertEqual(get_compatible_ext(
1881 vcodecs=['av01.0.12M.08'], acodecs=['opus'], vexts=['mp4'], aexts=['webm']), 'webm')
1882
1883 self.assertEqual(get_compatible_ext(
1884 vcodecs=['vp9'], acodecs=['opus'], vexts=['webm'], aexts=['webm'], preferences=['flv', 'mp4']), 'mp4')
1885 self.assertEqual(get_compatible_ext(
1886 vcodecs=['av1'], acodecs=['mp4a'], vexts=['webm'], aexts=['m4a'], preferences=('webm', 'mkv')), 'mkv')
1887
1888 def test_traverse_obj(self):
1889 _TEST_DATA = {
1890 100: 100,
1891 1.2: 1.2,
1892 'str': 'str',
1893 'None': None,
1894 '...': ...,
1895 'urls': [
1896 {'index': 0, 'url': 'https://www.example.com/0'},
1897 {'index': 1, 'url': 'https://www.example.com/1'},
1898 ],
1899 'data': (
1900 {'index': 2},
1901 {'index': 3},
1902 ),
1903 'dict': {},
1904 }
1905
1906 # Test base functionality
1907 self.assertEqual(traverse_obj(_TEST_DATA, ('str',)), 'str',
1908 msg='allow tuple path')
1909 self.assertEqual(traverse_obj(_TEST_DATA, ['str']), 'str',
1910 msg='allow list path')
1911 self.assertEqual(traverse_obj(_TEST_DATA, (value for value in ("str",))), 'str',
1912 msg='allow iterable path')
1913 self.assertEqual(traverse_obj(_TEST_DATA, 'str'), 'str',
1914 msg='single items should be treated as a path')
1915 self.assertEqual(traverse_obj(_TEST_DATA, None), _TEST_DATA)
1916 self.assertEqual(traverse_obj(_TEST_DATA, 100), 100)
1917 self.assertEqual(traverse_obj(_TEST_DATA, 1.2), 1.2)
1918
1919 # Test Ellipsis behavior
1920 self.assertCountEqual(traverse_obj(_TEST_DATA, ...),
1921 (item for item in _TEST_DATA.values() if item is not None),
1922 msg='`...` should give all values except `None`')
1923 self.assertCountEqual(traverse_obj(_TEST_DATA, ('urls', 0, ...)), _TEST_DATA['urls'][0].values(),
1924 msg='`...` selection for dicts should select all values')
1925 self.assertEqual(traverse_obj(_TEST_DATA, (..., ..., 'url')),
1926 ['https://www.example.com/0', 'https://www.example.com/1'],
1927 msg='nested `...` queries should work')
1928 self.assertCountEqual(traverse_obj(_TEST_DATA, (..., ..., 'index')), range(4),
1929 msg='`...` query result should be flattened')
1930
1931 # Test function as key
1932 self.assertEqual(traverse_obj(_TEST_DATA, lambda x, y: x == 'urls' and isinstance(y, list)),
1933 [_TEST_DATA['urls']],
1934 msg='function as query key should perform a filter based on (key, value)')
1935 self.assertCountEqual(traverse_obj(_TEST_DATA, lambda _, x: isinstance(x[0], str)), {'str'},
1936 msg='exceptions in the query function should be catched')
1937
1938 # Test alternative paths
1939 self.assertEqual(traverse_obj(_TEST_DATA, 'fail', 'str'), 'str',
1940 msg='multiple `paths` should be treated as alternative paths')
1941 self.assertEqual(traverse_obj(_TEST_DATA, 'str', 100), 'str',
1942 msg='alternatives should exit early')
1943 self.assertEqual(traverse_obj(_TEST_DATA, 'fail', 'fail'), None,
1944 msg='alternatives should return `default` if exhausted')
1945 self.assertEqual(traverse_obj(_TEST_DATA, (..., 'fail'), 100), 100,
1946 msg='alternatives should track their own branching return')
1947 self.assertEqual(traverse_obj(_TEST_DATA, ('dict', ...), ('data', ...)), list(_TEST_DATA['data']),
1948 msg='alternatives on empty objects should search further')
1949
1950 # Test branch and path nesting
1951 self.assertEqual(traverse_obj(_TEST_DATA, ('urls', (3, 0), 'url')), ['https://www.example.com/0'],
1952 msg='tuple as key should be treated as branches')
1953 self.assertEqual(traverse_obj(_TEST_DATA, ('urls', [3, 0], 'url')), ['https://www.example.com/0'],
1954 msg='list as key should be treated as branches')
1955 self.assertEqual(traverse_obj(_TEST_DATA, ('urls', ((1, 'fail'), (0, 'url')))), ['https://www.example.com/0'],
1956 msg='double nesting in path should be treated as paths')
1957 self.assertEqual(traverse_obj(['0', [1, 2]], [(0, 1), 0]), [1],
1958 msg='do not fail early on branching')
1959 self.assertCountEqual(traverse_obj(_TEST_DATA, ('urls', ((1, ('fail', 'url')), (0, 'url')))),
1960 ['https://www.example.com/0', 'https://www.example.com/1'],
1961 msg='tripple nesting in path should be treated as branches')
1962 self.assertEqual(traverse_obj(_TEST_DATA, ('urls', ('fail', (..., 'url')))),
1963 ['https://www.example.com/0', 'https://www.example.com/1'],
1964 msg='ellipsis as branch path start gets flattened')
1965
1966 # Test dictionary as key
1967 self.assertEqual(traverse_obj(_TEST_DATA, {0: 100, 1: 1.2}), {0: 100, 1: 1.2},
1968 msg='dict key should result in a dict with the same keys')
1969 self.assertEqual(traverse_obj(_TEST_DATA, {0: ('urls', 0, 'url')}),
1970 {0: 'https://www.example.com/0'},
1971 msg='dict key should allow paths')
1972 self.assertEqual(traverse_obj(_TEST_DATA, {0: ('urls', (3, 0), 'url')}),
1973 {0: ['https://www.example.com/0']},
1974 msg='tuple in dict path should be treated as branches')
1975 self.assertEqual(traverse_obj(_TEST_DATA, {0: ('urls', ((1, 'fail'), (0, 'url')))}),
1976 {0: ['https://www.example.com/0']},
1977 msg='double nesting in dict path should be treated as paths')
1978 self.assertEqual(traverse_obj(_TEST_DATA, {0: ('urls', ((1, ('fail', 'url')), (0, 'url')))}),
1979 {0: ['https://www.example.com/1', 'https://www.example.com/0']},
1980 msg='tripple nesting in dict path should be treated as branches')
1981 self.assertEqual(traverse_obj(_TEST_DATA, {0: 'fail'}), {},
1982 msg='remove `None` values when dict key')
1983 self.assertEqual(traverse_obj(_TEST_DATA, {0: 'fail'}, default=...), {0: ...},
1984 msg='do not remove `None` values if `default`')
1985 self.assertEqual(traverse_obj(_TEST_DATA, {0: 'dict'}), {0: {}},
1986 msg='do not remove empty values when dict key')
1987 self.assertEqual(traverse_obj(_TEST_DATA, {0: 'dict'}, default=...), {0: {}},
1988 msg='do not remove empty values when dict key and a default')
1989 self.assertEqual(traverse_obj(_TEST_DATA, {0: ('dict', ...)}), {0: []},
1990 msg='if branch in dict key not successful, return `[]`')
1991
1992 # Testing default parameter behavior
1993 _DEFAULT_DATA = {'None': None, 'int': 0, 'list': []}
1994 self.assertEqual(traverse_obj(_DEFAULT_DATA, 'fail'), None,
1995 msg='default value should be `None`')
1996 self.assertEqual(traverse_obj(_DEFAULT_DATA, 'fail', 'fail', default=...), ...,
1997 msg='chained fails should result in default')
1998 self.assertEqual(traverse_obj(_DEFAULT_DATA, 'None', 'int'), 0,
1999 msg='should not short cirquit on `None`')
2000 self.assertEqual(traverse_obj(_DEFAULT_DATA, 'fail', default=1), 1,
2001 msg='invalid dict key should result in `default`')
2002 self.assertEqual(traverse_obj(_DEFAULT_DATA, 'None', default=1), 1,
2003 msg='`None` is a deliberate sentinel and should become `default`')
2004 self.assertEqual(traverse_obj(_DEFAULT_DATA, ('list', 10)), None,
2005 msg='`IndexError` should result in `default`')
2006 self.assertEqual(traverse_obj(_DEFAULT_DATA, (..., 'fail'), default=1), 1,
2007 msg='if branched but not successful return `default` if defined, not `[]`')
2008 self.assertEqual(traverse_obj(_DEFAULT_DATA, (..., 'fail'), default=None), None,
2009 msg='if branched but not successful return `default` even if `default` is `None`')
2010 self.assertEqual(traverse_obj(_DEFAULT_DATA, (..., 'fail')), [],
2011 msg='if branched but not successful return `[]`, not `default`')
2012 self.assertEqual(traverse_obj(_DEFAULT_DATA, ('list', ...)), [],
2013 msg='if branched but object is empty return `[]`, not `default`')
2014
2015 # Testing expected_type behavior
2016 _EXPECTED_TYPE_DATA = {'str': 'str', 'int': 0}
2017 self.assertEqual(traverse_obj(_EXPECTED_TYPE_DATA, 'str', expected_type=str), 'str',
2018 msg='accept matching `expected_type` type')
2019 self.assertEqual(traverse_obj(_EXPECTED_TYPE_DATA, 'str', expected_type=int), None,
2020 msg='reject non matching `expected_type` type')
2021 self.assertEqual(traverse_obj(_EXPECTED_TYPE_DATA, 'int', expected_type=lambda x: str(x)), '0',
2022 msg='transform type using type function')
2023 self.assertEqual(traverse_obj(_EXPECTED_TYPE_DATA, 'str',
2024 expected_type=lambda _: 1 / 0), None,
2025 msg='wrap expected_type fuction in try_call')
2026 self.assertEqual(traverse_obj(_EXPECTED_TYPE_DATA, ..., expected_type=str), ['str'],
2027 msg='eliminate items that expected_type fails on')
2028
2029 # Test get_all behavior
2030 _GET_ALL_DATA = {'key': [0, 1, 2]}
2031 self.assertEqual(traverse_obj(_GET_ALL_DATA, ('key', ...), get_all=False), 0,
2032 msg='if not `get_all`, return only first matching value')
2033 self.assertEqual(traverse_obj(_GET_ALL_DATA, ..., get_all=False), [0, 1, 2],
2034 msg='do not overflatten if not `get_all`')
2035
2036 # Test casesense behavior
2037 _CASESENSE_DATA = {
2038 'KeY': 'value0',
2039 0: {
2040 'KeY': 'value1',
2041 0: {'KeY': 'value2'},
2042 },
2043 }
2044 self.assertEqual(traverse_obj(_CASESENSE_DATA, 'key'), None,
2045 msg='dict keys should be case sensitive unless `casesense`')
2046 self.assertEqual(traverse_obj(_CASESENSE_DATA, 'keY',
2047 casesense=False), 'value0',
2048 msg='allow non matching key case if `casesense`')
2049 self.assertEqual(traverse_obj(_CASESENSE_DATA, (0, ('keY',)),
2050 casesense=False), ['value1'],
2051 msg='allow non matching key case in branch if `casesense`')
2052 self.assertEqual(traverse_obj(_CASESENSE_DATA, (0, ((0, 'keY'),)),
2053 casesense=False), ['value2'],
2054 msg='allow non matching key case in branch path if `casesense`')
2055
2056 # Test traverse_string behavior
2057 _TRAVERSE_STRING_DATA = {'str': 'str', 1.2: 1.2}
2058 self.assertEqual(traverse_obj(_TRAVERSE_STRING_DATA, ('str', 0)), None,
2059 msg='do not traverse into string if not `traverse_string`')
2060 self.assertEqual(traverse_obj(_TRAVERSE_STRING_DATA, ('str', 0),
2061 traverse_string=True), 's',
2062 msg='traverse into string if `traverse_string`')
2063 self.assertEqual(traverse_obj(_TRAVERSE_STRING_DATA, (1.2, 1),
2064 traverse_string=True), '.',
2065 msg='traverse into converted data if `traverse_string`')
2066 self.assertEqual(traverse_obj(_TRAVERSE_STRING_DATA, ('str', ...),
2067 traverse_string=True), list('str'),
2068 msg='`...` branching into string should result in list')
2069 self.assertEqual(traverse_obj(_TRAVERSE_STRING_DATA, ('str', (0, 2)),
2070 traverse_string=True), ['s', 'r'],
2071 msg='branching into string should result in list')
2072 self.assertEqual(traverse_obj(_TRAVERSE_STRING_DATA, ('str', lambda _, x: x),
2073 traverse_string=True), list('str'),
2074 msg='function branching into string should result in list')
2075
2076 # Test is_user_input behavior
2077 _IS_USER_INPUT_DATA = {'range8': list(range(8))}
2078 self.assertEqual(traverse_obj(_IS_USER_INPUT_DATA, ('range8', '3'),
2079 is_user_input=True), 3,
2080 msg='allow for string indexing if `is_user_input`')
2081 self.assertCountEqual(traverse_obj(_IS_USER_INPUT_DATA, ('range8', '3:'),
2082 is_user_input=True), tuple(range(8))[3:],
2083 msg='allow for string slice if `is_user_input`')
2084 self.assertCountEqual(traverse_obj(_IS_USER_INPUT_DATA, ('range8', ':4:2'),
2085 is_user_input=True), tuple(range(8))[:4:2],
2086 msg='allow step in string slice if `is_user_input`')
2087 self.assertCountEqual(traverse_obj(_IS_USER_INPUT_DATA, ('range8', ':'),
2088 is_user_input=True), range(8),
2089 msg='`:` should be treated as `...` if `is_user_input`')
2090 with self.assertRaises(TypeError, msg='too many params should result in error'):
2091 traverse_obj(_IS_USER_INPUT_DATA, ('range8', ':::'), is_user_input=True)
2092
2093 # Test re.Match as input obj
2094 mobj = re.fullmatch(r'0(12)(?P<group>3)(4)?', '0123')
2095 self.assertEqual(traverse_obj(mobj, ...), [x for x in mobj.groups() if x is not None],
2096 msg='`...` on a `re.Match` should give its `groups()`')
2097 self.assertEqual(traverse_obj(mobj, lambda k, _: k in (0, 2)), ['0123', '3'],
2098 msg='function on a `re.Match` should give groupno, value starting at 0')
2099 self.assertEqual(traverse_obj(mobj, 'group'), '3',
2100 msg='str key on a `re.Match` should give group with that name')
2101 self.assertEqual(traverse_obj(mobj, 2), '3',
2102 msg='int key on a `re.Match` should give group with that name')
2103 self.assertEqual(traverse_obj(mobj, 'gRoUp', casesense=False), '3',
2104 msg='str key on a `re.Match` should respect casesense')
2105 self.assertEqual(traverse_obj(mobj, 'fail'), None,
2106 msg='failing str key on a `re.Match` should return `default`')
2107 self.assertEqual(traverse_obj(mobj, 'gRoUpS', casesense=False), None,
2108 msg='failing str key on a `re.Match` should return `default`')
2109 self.assertEqual(traverse_obj(mobj, 8), None,
2110 msg='failing int key on a `re.Match` should return `default`')
2111
2112
2113 if __name__ == '__main__':
2114 unittest.main()