11 from zipimport
import zipimporter
13 from .compat
import functools
# isort: split
14 from .compat
import compat_realpath
, compat_shlex_quote
27 from .version
import CHANNEL
, UPDATE_HINT
, VARIANT
, __version__
30 'stable': 'yt-dlp/yt-dlp',
31 'nightly': 'yt-dlp/yt-dlp-nightly-builds',
33 REPOSITORY
= UPDATE_SOURCES
['stable']
35 _VERSION_RE
= re
.compile(r
'(\d+\.)*\d+')
37 API_BASE_URL
= 'https://api.github.com/repos'
39 # Backwards compatibility variables for the current channel
40 API_URL
= f
'{API_BASE_URL}/{REPOSITORY}/releases'
44 def _get_variant_and_executable_path():
45 """@returns (variant, executable_path)"""
46 if getattr(sys
, 'frozen', False):
48 if not hasattr(sys
, '_MEIPASS'):
50 elif sys
._MEIPASS
== os
.path
.dirname(path
):
51 return f
'{sys.platform}_dir', path
52 elif sys
.platform
== 'darwin':
53 machine
= '_legacy' if version_tuple(platform
.mac_ver()[0]) < (10, 15) else ''
55 machine
= f
'_{platform.machine().lower()}'
56 # Ref: https://en.wikipedia.org/wiki/Uname#Examples
57 if machine
[1:] in ('x86', 'x86_64', 'amd64', 'i386', 'i686'):
58 machine
= '_x86' if platform
.architecture()[0][:2] == '32' else ''
59 return f
'{remove_end(sys.platform, "32")}{machine}_exe', path
61 path
= os
.path
.dirname(__file__
)
62 if isinstance(__loader__
, zipimporter
):
63 return 'zip', os
.path
.join(path
, '..')
64 elif (os
.path
.basename(sys
.argv
[0]) in ('__main__.py', '-m')
65 and os
.path
.exists(os
.path
.join(path
, '../.git/HEAD'))):
67 return 'unknown', path
71 return VARIANT
or _get_variant_and_executable_path()[0]
75 def current_git_head():
76 if detect_variant() != 'source':
78 with contextlib
.suppress(Exception):
79 stdout
, _
, _
= Popen
.run(
80 ['git', 'rev-parse', '--short', 'HEAD'],
81 text
=True, cwd
=os
.path
.dirname(os
.path
.abspath(__file__
)),
82 stdout
=subprocess
.PIPE
, stderr
=subprocess
.PIPE
)
83 if re
.fullmatch('[0-9a-f]+', stdout
.strip()):
91 'win_x86_exe': '_x86.exe',
92 'darwin_exe': '_macos',
93 'darwin_legacy_exe': '_macos_legacy',
94 'linux_exe': '_linux',
95 'linux_aarch64_exe': '_linux_aarch64',
96 'linux_armv7l_exe': '_linux_armv7l',
99 _NON_UPDATEABLE_REASONS
= {
100 **{variant
: None for variant
in _FILE_SUFFIXES
}, # Updatable
101 **{variant
: f
'Auto-update is not supported for unpackaged {name} executable; Re-download the latest release'
102 for variant
, name
in {'win32_dir': 'Windows', 'darwin_dir': 'MacOS', 'linux_dir': 'Linux'}.items()},
103 'source': 'You cannot update when running from source code; Use git to pull the latest changes',
104 'unknown': 'You installed yt-dlp with a package manager or setup.py; Use that to update',
105 'other': 'You are using an unofficial build of yt-dlp; Build the executable again',
109 def is_non_updateable():
112 return _NON_UPDATEABLE_REASONS
.get(
113 detect_variant(), _NON_UPDATEABLE_REASONS
['unknown' if VARIANT
else 'other'])
116 def _sha256_file(path
):
118 mv
= memoryview(bytearray(128 * 1024))
119 with
open(os
.path
.realpath(path
), 'rb', buffering
=0) as f
:
120 for n
in iter(lambda: f
.readinto(mv
), 0):
128 def __init__(self
, ydl
, target
=None):
131 self
.target_channel
, sep
, self
.target_tag
= (target
or CHANNEL
).rpartition('@')
132 if not sep
and self
.target_tag
in UPDATE_SOURCES
: # stable => stable@latest
133 self
.target_channel
, self
.target_tag
= self
.target_tag
, None
134 elif not self
.target_channel
:
135 self
.target_channel
= CHANNEL
137 if not self
.target_tag
:
138 self
.target_tag
, self
._exact
= 'latest', False
139 elif self
.target_tag
!= 'latest':
140 self
.target_tag
= f
'tags/{self.target_tag}'
143 def _target_repo(self
):
145 return UPDATE_SOURCES
[self
.target_channel
]
147 return self
._report
_error
(
148 f
'Invalid update channel {self.target_channel!r} requested. '
149 f
'Valid channels are {", ".join(UPDATE_SOURCES)}', True)
151 def _version_compare(self
, a
, b
, channel
=CHANNEL
):
152 if channel
!= self
.target_channel
:
155 if _VERSION_RE
.fullmatch(f
'{a}.{b}'):
156 a
, b
= version_tuple(a
), version_tuple(b
)
157 return a
== b
if self
._exact
else a
>= b
160 @functools.cached_property
162 if self
._version
_compare
(self
.current_version
, self
.latest_version
):
163 return self
.target_tag
165 identifier
= f
'{detect_variant()} {self.target_channel} {system_identifier()}'
166 for line
in self
._download
('_update_spec', 'latest').decode().splitlines():
167 if not line
.startswith('lock '):
169 _
, tag
, pattern
= line
.split(' ', 2)
170 if re
.match(pattern
, identifier
):
173 elif self
.target_tag
== 'latest' or not self
._version
_compare
(
174 tag
, self
.target_tag
[5:], channel
=self
.target_channel
):
176 f
'yt-dlp cannot be updated above {tag} since you are on an older Python version', True)
177 return f
'tags/{self.current_version}'
178 return self
.target_tag
181 def _get_version_info(self
, tag
):
182 url
= f
'{API_BASE_URL}/{self._target_repo}/releases/{tag}'
183 self
.ydl
.write_debug(f
'Fetching release info: {url}')
184 return json
.loads(self
.ydl
.urlopen(sanitized_Request(url
, headers
={
185 'Accept': 'application/vnd.github+json',
186 'User-Agent': 'yt-dlp',
187 'X-GitHub-Api-Version': '2022-11-28',
191 def current_version(self
):
192 """Current version"""
196 def _label(channel
, tag
):
197 """Label for a given channel and tag"""
198 return f
'{channel}@{remove_start(tag, "tags/")}'
200 def _get_actual_tag(self
, tag
):
201 if tag
.startswith('tags/'):
203 return self
._get
_version
_info
(tag
)['tag_name']
206 def new_version(self
):
207 """Version of the latest release we can update to"""
208 return self
._get
_actual
_tag
(self
._tag
)
211 def latest_version(self
):
212 """Version of the target release"""
213 return self
._get
_actual
_tag
(self
.target_tag
)
216 def has_update(self
):
217 """Whether there is an update available"""
218 return not self
._version
_compare
(self
.current_version
, self
.new_version
)
220 @functools.cached_property
222 """Filename of the executable"""
223 return compat_realpath(_get_variant_and_executable_path()[1])
225 def _download(self
, name
, tag
):
226 slug
= 'latest/download' if tag
== 'latest' else f
'download/{tag[5:]}'
227 url
= f
'https://github.com/{self._target_repo}/releases/{slug}/{name}'
228 self
.ydl
.write_debug(f
'Downloading {name} from {url}')
229 return self
.ydl
.urlopen(url
).read()
231 @functools.cached_property
232 def release_name(self
):
233 """The release filename"""
234 return f
'yt-dlp{_FILE_SUFFIXES[detect_variant()]}'
236 @functools.cached_property
237 def release_hash(self
):
238 """Hash of the latest release"""
239 hash_data
= dict(ln
.split()[::-1] for ln
in self
._download
('SHA2-256SUMS', self
._tag
).decode().splitlines())
240 return hash_data
[self
.release_name
]
242 def _report_error(self
, msg
, expected
=False):
243 self
.ydl
.report_error(msg
, tb
=False if expected
else None)
244 self
.ydl
._download
_retcode
= 100
246 def _report_permission_error(self
, file):
247 self
._report
_error
(f
'Unable to write to {file}; Try running as administrator', True)
249 def _report_network_error(self
, action
, delim
=';'):
251 f
'Unable to {action}{delim} visit '
252 f
'https://github.com/{self._target_repo}/releases/{self.target_tag.replace("tags/", "tag/")}', True)
254 def check_update(self
):
255 """Report whether there is an update available"""
256 if not self
._target
_repo
:
260 f
'Available version: {self._label(self.target_channel, self.latest_version)}, ' if self
.target_tag
== 'latest' else ''
261 ) + f
'Current version: {self._label(CHANNEL, self.current_version)}')
262 except network_exceptions
as e
:
263 return self
._report
_network
_error
(f
'obtain version info ({e})', delim
='; Please try again later or')
265 if not is_non_updateable():
266 self
.ydl
.to_screen(f
'Current Build Hash: {_sha256_file(self.filename)}')
271 if self
.target_tag
== self
._tag
:
272 self
.ydl
.to_screen(f
'yt-dlp is up to date ({self._label(CHANNEL, self.current_version)})')
273 elif not self
._exact
:
274 self
.ydl
.report_warning('yt-dlp cannot be updated any further since you are on an older Python version')
278 """Update yt-dlp executable to the latest version"""
279 if not self
.check_update():
281 err
= is_non_updateable()
283 return self
._report
_error
(err
, True)
284 self
.ydl
.to_screen(f
'Updating to {self._label(self.target_channel, self.new_version)} ...')
285 if (_VERSION_RE
.fullmatch(self
.target_tag
[5:])
286 and version_tuple(self
.target_tag
[5:]) < (2023, 3, 2)):
287 self
.ydl
.report_warning('You are downgrading to a version without --update-to')
289 directory
= os
.path
.dirname(self
.filename
)
290 if not os
.access(self
.filename
, os
.W_OK
):
291 return self
._report
_permission
_error
(self
.filename
)
292 elif not os
.access(directory
, os
.W_OK
):
293 return self
._report
_permission
_error
(directory
)
295 new_filename
, old_filename
= f
'{self.filename}.new', f
'{self.filename}.old'
296 if detect_variant() == 'zip': # Can be replaced in-place
297 new_filename
, old_filename
= self
.filename
, None
300 if os
.path
.exists(old_filename
or ''):
301 os
.remove(old_filename
)
303 return self
._report
_error
('Unable to remove the old version')
306 newcontent
= self
._download
(self
.release_name
, self
._tag
)
307 except network_exceptions
as e
:
308 if isinstance(e
, urllib
.error
.HTTPError
) and e
.code
== 404:
309 return self
._report
_error
(
310 f
'The requested tag {self._label(self.target_channel, self.target_tag)} does not exist', True)
311 return self
._report
_network
_error
(f
'fetch updates: {e}')
314 expected_hash
= self
.release_hash
316 self
.ydl
.report_warning('no hash information found for the release')
318 if hashlib
.sha256(newcontent
).hexdigest() != expected_hash
:
319 return self
._report
_network
_error
('verify the new executable')
322 with
open(new_filename
, 'wb') as outf
:
323 outf
.write(newcontent
)
325 return self
._report
_permission
_error
(new_filename
)
328 mask
= os
.stat(self
.filename
).st_mode
330 os
.rename(self
.filename
, old_filename
)
332 return self
._report
_error
('Unable to move current version')
335 os
.rename(new_filename
, self
.filename
)
337 self
._report
_error
('Unable to overwrite current version')
338 return os
.rename(old_filename
, self
.filename
)
340 variant
= detect_variant()
341 if variant
.startswith('win') or variant
== 'py2exe':
342 atexit
.register(Popen
, f
'ping 127.0.0.1 -n 5 -w 1000 & del /F "{old_filename}"',
343 shell
=True, stdout
=subprocess
.DEVNULL
, stderr
=subprocess
.DEVNULL
)
346 os
.remove(old_filename
)
348 self
._report
_error
('Unable to remove the old version')
351 os
.chmod(self
.filename
, mask
)
353 return self
._report
_error
(
354 f
'Unable to set permissions. Run: sudo chmod a+rx {compat_shlex_quote(self.filename)}')
356 self
.ydl
.to_screen(f
'Updated yt-dlp to {self._label(self.target_channel, self.new_version)}')
359 @functools.cached_property
361 """The command-line to run the executable, if known"""
362 # There is no sys.orig_argv in py < 3.10. Also, it can be [] when frozen
363 if getattr(sys
, 'orig_argv', None):
365 elif getattr(sys
, 'frozen', False):
369 """Restart the executable"""
370 assert self
.cmd
, 'Must be frozen or Py >= 3.10'
371 self
.ydl
.write_debug(f
'Restarting: {shell_quote(self.cmd)}')
372 _
, _
, returncode
= Popen
.run(self
.cmd
)
377 """Update the program file with the latest version from the repository
378 @returns Whether there was a successful update (No update = False)
380 return Updater(ydl
).update()
384 def update_self(to_screen
, verbose
, opener
):
387 deprecation_warning(f
'"{__name__}.update_self" is deprecated and may be removed '
388 f
'in a future version. Use "{__name__}.run_update(ydl)" instead')
395 def report_warning(self
, msg
, *args
, **kwargs
):
396 return printfn(f
'WARNING: {msg}', *args
, **kwargs
)
398 def report_error(self
, msg
, tb
=None):
399 printfn(f
'ERROR: {msg}')
403 # Copied from YoutubeDL.trouble
404 if sys
.exc_info()[0]:
406 if hasattr(sys
.exc_info()[1], 'exc_info') and sys
.exc_info()[1].exc_info
[0]:
407 tb
+= ''.join(traceback
.format_exception(*sys
.exc_info()[1].exc_info
))
408 tb
+= traceback
.format_exc()
410 tb_data
= traceback
.format_list(traceback
.extract_stack())
411 tb
= ''.join(tb_data
)
415 def write_debug(self
, msg
, *args
, **kwargs
):
416 printfn(f
'[debug] {msg}', *args
, **kwargs
)
418 def urlopen(self
, url
):
419 return opener
.open(url
)
421 return run_update(FakeYDL())
424 __all__
= ['Updater']