Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(61)

Side by Side Diff: win_toolchain/get_toolchain_if_necessary.py

Issue 1634923002: Add the possibility to keep several version of the VS toolchain. (Closed) Base URL: https://chromium.googlesource.com/chromium/tools/depot_tools.git@master
Patch Set: Use the VS_VERSION file instead of the .timestamp one. Created 4 years, 10 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View unified diff | Download patch
« no previous file with comments | « no previous file | win_toolchain/package_from_installed.py » ('j') | no next file with comments »
Toggle Intra-line Diffs ('i') | Expand Comments ('e') | Collapse Comments ('c') | Show Comments Hide Comments ('s')
OLDNEW
1 #!/usr/bin/env python 1 #!/usr/bin/env python
2 # Copyright 2013 The Chromium Authors. All rights reserved. 2 # Copyright 2013 The Chromium Authors. All rights reserved.
3 # Use of this source code is governed by a BSD-style license that can be 3 # Use of this source code is governed by a BSD-style license that can be
4 # found in the LICENSE file. 4 # found in the LICENSE file.
5 5
6 """Downloads and unpacks a toolchain for building on Windows. The contents are 6 """Downloads and unpacks a toolchain for building on Windows. The contents are
7 matched by sha1 which will be updated when the toolchain is updated. 7 matched by sha1 which will be updated when the toolchain is updated.
8 8
9 Having a toolchain script in depot_tools means that it's not versioned 9 Having a toolchain script in depot_tools means that it's not versioned
10 directly with the source code. That is, if the toolchain is upgraded, but 10 directly with the source code. That is, if the toolchain is upgraded, but
(...skipping 60 matching lines...) Expand 10 before | Expand all | Expand 10 after
71 """Gets a normalized list of files under |root|.""" 71 """Gets a normalized list of files under |root|."""
72 assert not os.path.isabs(root) 72 assert not os.path.isabs(root)
73 assert os.path.normpath(root) == root 73 assert os.path.normpath(root) == root
74 file_list = [] 74 file_list = []
75 for base, _, files in os.walk(root): 75 for base, _, files in os.walk(root):
76 paths = [os.path.join(base, f) for f in files] 76 paths = [os.path.join(base, f) for f in files]
77 file_list.extend(x.lower() for x in paths) 77 file_list.extend(x.lower() for x in paths)
78 return sorted(file_list, key=lambda s: s.replace('/', '\\')) 78 return sorted(file_list, key=lambda s: s.replace('/', '\\'))
79 79
80 80
81 def MakeTimestampsFileName(root): 81 def MakeTimestampsFileName(root, sha1):
82 return os.path.join(root, '..', '.timestamps') 82 return os.path.join(root, os.pardir, '%s.timestamps' % sha1)
83 83
84 84
85 def CalculateHash(root): 85 def CalculateHash(root, expected_hash):
86 """Calculates the sha1 of the paths to all files in the given |root| and the 86 """Calculates the sha1 of the paths to all files in the given |root| and the
87 contents of those files, and returns as a hex string.""" 87 contents of those files, and returns as a hex string.
88 file_list = GetFileList(root)
89 88
90 # Check whether we previously saved timestamps in $root/../.timestamps. If 89 |expected_hash| is the expected hash value for this toolchain if it has
91 # we didn't, or they don't match, then do the full calculation, otherwise 90 already been installed.
91 """
92 if expected_hash:
93 full_root_path = os.path.join(root, expected_hash)
94 else:
95 full_root_path = root
96 file_list = GetFileList(full_root_path)
97 # Check whether we previously saved timestamps in $root/../{sha1}.timestamps.
98 # If we didn't, or they don't match, then do the full calculation, otherwise
92 # return the saved value. 99 # return the saved value.
93 timestamps_file = MakeTimestampsFileName(root) 100 timestamps_file = MakeTimestampsFileName(root, expected_hash)
94 timestamps_data = {'files': [], 'sha1': ''} 101 timestamps_data = {'files': [], 'sha1': ''}
95 if os.path.exists(timestamps_file): 102 if os.path.exists(timestamps_file):
96 with open(timestamps_file, 'rb') as f: 103 with open(timestamps_file, 'rb') as f:
97 try: 104 try:
98 timestamps_data = json.load(f) 105 timestamps_data = json.load(f)
99 except ValueError: 106 except ValueError:
100 # json couldn't be loaded, empty data will force a re-hash. 107 # json couldn't be loaded, empty data will force a re-hash.
101 pass 108 pass
102 109
103 matches = len(file_list) == len(timestamps_data['files']) 110 matches = len(file_list) == len(timestamps_data['files'])
111 # Don't check the timestamp of the version file as we touch this file to
112 # indicates which versions of the toolchain are still being used.
113 version_file = os.path.join(full_root_path, 'VS_VERSION').lower()
104 if matches: 114 if matches:
105 for disk, cached in zip(file_list, timestamps_data['files']): 115 for disk, cached in zip(file_list, timestamps_data['files']):
106 if disk != cached[0] or os.stat(disk).st_mtime != cached[1]: 116 if disk != cached[0] or (
117 disk != version_file and os.stat(disk).st_mtime != cached[1]):
107 matches = False 118 matches = False
108 break 119 break
109 if matches: 120 if matches:
110 return timestamps_data['sha1'] 121 return timestamps_data['sha1']
111 122
112 digest = hashlib.sha1() 123 digest = hashlib.sha1()
113 for path in file_list: 124 for path in file_list:
114 digest.update(str(path).replace('/', '\\')) 125 path_without_hash = str(path).replace('/', '\\')
126 if expected_hash:
127 path_without_hash = path_without_hash.replace(
128 os.path.join(root, expected_hash), root)
129 digest.update(path_without_hash)
115 with open(path, 'rb') as f: 130 with open(path, 'rb') as f:
116 digest.update(f.read()) 131 digest.update(f.read())
117 return digest.hexdigest() 132 return digest.hexdigest()
118 133
119 134
135 def CalculateToolchainHashes(root):
136 """Calculate the hash of the different toolchains installed in the |root|
137 directory."""
138 hashes = []
139 dir_list = [
140 d for d in os.listdir(root) if os.path.isdir(os.path.join(root, d))]
141 for d in dir_list:
142 hashes.append(CalculateHash(root, d))
143 return hashes
144
145
120 def SaveTimestampsAndHash(root, sha1): 146 def SaveTimestampsAndHash(root, sha1):
121 """Saves timestamps and the final hash to be able to early-out more quickly 147 """Saves timestamps and the final hash to be able to early-out more quickly
122 next time.""" 148 next time."""
123 file_list = GetFileList(root) 149 file_list = GetFileList(os.path.join(root, sha1))
124 timestamps_data = { 150 timestamps_data = {
125 'files': [[f, os.stat(f).st_mtime] for f in file_list], 151 'files': [[f, os.stat(f).st_mtime] for f in file_list],
126 'sha1': sha1, 152 'sha1': sha1,
127 } 153 }
128 with open(MakeTimestampsFileName(root), 'wb') as f: 154 with open(MakeTimestampsFileName(root, sha1), 'wb') as f:
129 json.dump(timestamps_data, f) 155 json.dump(timestamps_data, f)
130 156
131 157
132 def HaveSrcInternalAccess(): 158 def HaveSrcInternalAccess():
133 """Checks whether access to src-internal is available.""" 159 """Checks whether access to src-internal is available."""
134 with open(os.devnull, 'w') as nul: 160 with open(os.devnull, 'w') as nul:
135 if subprocess.call( 161 if subprocess.call(
136 ['svn', 'ls', '--non-interactive', 162 ['svn', 'ls', '--non-interactive',
137 'svn://svn.chromium.org/chrome-internal/trunk/src-internal/'], 163 'svn://svn.chromium.org/chrome-internal/trunk/src-internal/'],
138 shell=True, stdin=nul, stdout=nul, stderr=nul) == 0: 164 shell=True, stdin=nul, stdout=nul, stderr=nul) == 0:
(...skipping 89 matching lines...) Expand 10 before | Expand all | Expand 10 after
228 else: 254 else:
229 temp_dir, local_zip = DownloadUsingGsutil(tree_sha1 + '.zip') 255 temp_dir, local_zip = DownloadUsingGsutil(tree_sha1 + '.zip')
230 sys.stdout.write('Extracting %s...\n' % local_zip) 256 sys.stdout.write('Extracting %s...\n' % local_zip)
231 sys.stdout.flush() 257 sys.stdout.flush()
232 with zipfile.ZipFile(local_zip, 'r', zipfile.ZIP_DEFLATED, True) as zf: 258 with zipfile.ZipFile(local_zip, 'r', zipfile.ZIP_DEFLATED, True) as zf:
233 zf.extractall(target_dir) 259 zf.extractall(target_dir)
234 if temp_dir: 260 if temp_dir:
235 RmDir(temp_dir) 261 RmDir(temp_dir)
236 262
237 263
264 def RemoveToolchain(root, sha1, delay_before_removing):
265 """Remove the |sha1| version of the toolchain from |root|."""
266 toolchain_target_dir = os.path.join(root, sha1)
267 if delay_before_removing:
268 DelayBeforeRemoving(toolchain_target_dir)
269 if sys.platform == 'win32':
270 # These stay resident and will make the rmdir below fail.
271 kill_list = [
272 'mspdbsrv.exe',
273 'vctip.exe', # Compiler and tools experience improvement data uploader.
274 ]
275 for process_name in kill_list:
276 with open(os.devnull, 'wb') as nul:
277 subprocess.call(['taskkill', '/f', '/im', process_name],
278 stdin=nul, stdout=nul, stderr=nul)
279 if os.path.isdir(toolchain_target_dir):
280 RmDir(toolchain_target_dir)
281
282 timestamp_file = MakeTimestampsFileName(root, sha1)
283 if os.path.exists(timestamp_file):
284 os.remove(timestamp_file)
285
286
287 def RemoveUnusedToolchains(root):
288 """Remove the versions of the toolchain that haven't been used recently."""
289 valid_toolchains = []
290 dirs_to_remove = []
291
292 for d in os.listdir(root):
293 full_path = os.path.join(root, d)
294 if os.path.isdir(full_path):
295 if not os.path.exists(MakeTimestampsFileName(root, d)):
296 dirs_to_remove.append(d)
297 else:
298 version_file = os.path.join(full_path, 'VS_VERSION')
299 valid_toolchains.append((os.path.getatime(version_file), d))
scottmg 2016/02/02 17:34:07 Let's use mtime here because it's the one more com
Sébastien Marchand 2016/02/02 18:37:26 Done.
300 elif os.path.isfile(full_path):
301 os.remove(full_path)
302
303 for d in dirs_to_remove:
304 print ('Removing %s as it doesn\'t correspond to any known toolchain.' %
305 os.path.join(root, d))
306 # Use the RemoveToolchain function to remove these directories as they might
307 # contain an older version of the toolchain.
308 RemoveToolchain(root, d, False)
309
310 # Remove the versions of the toolchains that haven't been used in the past 30
311 # days.
312 toolchain_expiration_time = 60 * 60 * 24 * 30
313 for toolchain in valid_toolchains:
314 toolchain_age_in_sec = time.time() - toolchain[0]
315 if toolchain_age_in_sec > toolchain_expiration_time:
316 print ('Removing version %s of the Win toolchain has it hasn\'t been used'
317 ' in the past %d days.' % (toolchain[1],
318 toolchain_age_in_sec / 60 / 60 / 24))
319 RemoveToolchain(root, toolchain[1], True)
320
321
238 def GetInstallerName(): 322 def GetInstallerName():
239 """Return the name of the Windows 10 Universal C Runtime installer for the 323 """Return the name of the Windows 10 Universal C Runtime installer for the
240 current platform, or None if installer is not needed or not applicable. 324 current platform, or None if installer is not needed or not applicable.
241 The registry has to be used instead of sys.getwindowsversion() because 325 The registry has to be used instead of sys.getwindowsversion() because
242 Python 2.7 is only manifested as being compatible up to Windows 8, so the 326 Python 2.7 is only manifested as being compatible up to Windows 8, so the
243 version APIs helpfully return a maximum of 6.2 (Windows 8). 327 version APIs helpfully return a maximum of 6.2 (Windows 8).
244 """ 328 """
245 key_name = r'Software\Microsoft\Windows NT\CurrentVersion' 329 key_name = r'Software\Microsoft\Windows NT\CurrentVersion'
246 key = winreg.OpenKey(winreg.HKEY_LOCAL_MACHINE, key_name) 330 key = winreg.OpenKey(winreg.HKEY_LOCAL_MACHINE, key_name)
247 value, keytype = winreg.QueryValueEx(key, "CurrentVersion") 331 value, keytype = winreg.QueryValueEx(key, "CurrentVersion")
(...skipping 72 matching lines...) Expand 10 before | Expand all | Expand 10 after
320 def winpath(path): 404 def winpath(path):
321 return subprocess.check_output(['cygpath', '-w', path]).strip() 405 return subprocess.check_output(['cygpath', '-w', path]).strip()
322 python = os.path.join(DEPOT_TOOLS_PATH, 'python.bat') 406 python = os.path.join(DEPOT_TOOLS_PATH, 'python.bat')
323 cmd = [python, winpath(__file__)] 407 cmd = [python, winpath(__file__)]
324 if options.output_json: 408 if options.output_json:
325 cmd.extend(['--output-json', winpath(options.output_json)]) 409 cmd.extend(['--output-json', winpath(options.output_json)])
326 cmd.extend(args) 410 cmd.extend(args)
327 sys.exit(subprocess.call(cmd)) 411 sys.exit(subprocess.call(cmd))
328 assert sys.platform != 'cygwin' 412 assert sys.platform != 'cygwin'
329 413
330 # We assume that the Pro hash is the first one. 414 if len(args) == 0:
331 desired_hashes = args 415 sys.exit('Desired hash is required.')
332 if len(desired_hashes) == 0: 416 desired_hash = args[0]
333 sys.exit('Desired hashes are required.')
334 417
335 # Move to depot_tools\win_toolchain where we'll store our files, and where 418 # Move to depot_tools\win_toolchain where we'll store our files, and where
336 # the downloader script is. 419 # the downloader script is.
337 os.chdir(os.path.normpath(os.path.join(BASEDIR))) 420 os.chdir(os.path.normpath(os.path.join(BASEDIR)))
338 toolchain_dir = '.' 421 toolchain_dir = '.'
339 if os.environ.get('GYP_MSVS_VERSION') == '2015': 422 if os.environ.get('GYP_MSVS_VERSION') == '2015':
340 target_dir = os.path.normpath(os.path.join(toolchain_dir, 'vs_files')) 423 target_dir = os.path.normpath(os.path.join(toolchain_dir, 'vs_files'))
341 else: 424 else:
342 target_dir = os.path.normpath(os.path.join(toolchain_dir, 'vs2013_files')) 425 target_dir = os.path.normpath(os.path.join(toolchain_dir, 'vs2013_files'))
343 abs_target_dir = os.path.abspath(target_dir) 426 if not os.path.isdir(target_dir):
427 os.mkdir(target_dir)
428 toolchain_target_dir = os.path.join(target_dir, desired_hash)
429
430 abs_toolchain_target_dir = os.path.abspath(toolchain_target_dir)
344 431
345 got_new_toolchain = False 432 got_new_toolchain = False
346 433
347 # If the current hash doesn't match what we want in the file, nuke and pave. 434 # If the current hash doesn't match what we want in the file, nuke and pave.
348 # Typically this script is only run when the .sha1 one file is updated, but 435 # Typically this script is only run when the .sha1 one file is updated, but
349 # directly calling "gclient runhooks" will also run it, so we cache 436 # directly calling "gclient runhooks" will also run it, so we cache
350 # based on timestamps to make that case fast. 437 # based on timestamps to make that case fast.
351 current_hash = CalculateHash(target_dir) 438 current_hashes = CalculateToolchainHashes(target_dir)
352 if current_hash not in desired_hashes: 439 if desired_hash not in current_hashes:
353 should_use_gs = False 440 should_use_gs = False
354 if (HaveSrcInternalAccess() or 441 if (HaveSrcInternalAccess() or
355 LooksLikeGoogler() or 442 LooksLikeGoogler() or
356 CanAccessToolchainBucket()): 443 CanAccessToolchainBucket()):
357 should_use_gs = True 444 should_use_gs = True
358 if not CanAccessToolchainBucket(): 445 if not CanAccessToolchainBucket():
359 RequestGsAuthentication() 446 RequestGsAuthentication()
360 if not should_use_gs: 447 if not should_use_gs:
361 print('\n\n\nPlease follow the instructions at ' 448 print('\n\n\nPlease follow the instructions at '
362 'https://www.chromium.org/developers/how-tos/' 449 'https://www.chromium.org/developers/how-tos/'
363 'build-instructions-windows\n\n') 450 'build-instructions-windows\n\n')
364 return 1 451 return 1
365 print('Windows toolchain out of date or doesn\'t exist, updating (Pro)...') 452 print('Windows toolchain out of date or doesn\'t exist, updating (Pro)...')
366 print(' current_hash: %s' % current_hash) 453 print(' current_hashes: %s' % ', '.join(current_hashes))
367 print(' desired_hashes: %s' % ', '.join(desired_hashes)) 454 print(' desired_hash: %s' % desired_hash)
368 sys.stdout.flush() 455 sys.stdout.flush()
369 DelayBeforeRemoving(target_dir)
370 if sys.platform == 'win32':
371 # These stay resident and will make the rmdir below fail.
372 kill_list = [
373 'mspdbsrv.exe',
374 'vctip.exe', # Compiler and tools experience improvement data uploader.
375 ]
376 for process_name in kill_list:
377 with open(os.devnull, 'wb') as nul:
378 subprocess.call(['taskkill', '/f', '/im', process_name],
379 stdin=nul, stdout=nul, stderr=nul)
380 if os.path.isdir(target_dir):
381 RmDir(target_dir)
382 456
383 DoTreeMirror(target_dir, desired_hashes[0]) 457 DoTreeMirror(toolchain_target_dir, desired_hash)
384 458
385 got_new_toolchain = True 459 got_new_toolchain = True
386 460
387 win_sdk = os.path.join(abs_target_dir, 'win_sdk') 461 win_sdk = os.path.join(abs_toolchain_target_dir, 'win_sdk')
388 try: 462 try:
389 with open(os.path.join(target_dir, 'VS_VERSION'), 'rb') as f: 463 version_file = os.path.join(toolchain_target_dir, 'VS_VERSION')
464 with open(version_file, 'rb') as f:
390 vs_version = f.read().strip() 465 vs_version = f.read().strip()
466 # Touch the version file, has reading it isn't always enough to update its
scottmg 2016/02/02 17:34:07 has -> as
Sébastien Marchand 2016/02/02 18:37:26 Oops.
467 # timestamp.
468 os.utime(version_file, None)
391 except IOError: 469 except IOError:
392 # Older toolchains didn't have the VS_VERSION file, and used 'win8sdk' 470 # Older toolchains didn't have the VS_VERSION file, and used 'win8sdk'
393 # instead of just 'win_sdk'. 471 # instead of just 'win_sdk'.
394 vs_version = '2013' 472 vs_version = '2013'
395 win_sdk = os.path.join(abs_target_dir, 'win8sdk') 473 win_sdk = os.path.join(abs_toolchain_target_dir, 'win8sdk')
396 474
397 data = { 475 data = {
398 'path': abs_target_dir, 476 'path': abs_toolchain_target_dir,
399 'version': vs_version, 477 'version': vs_version,
400 'win_sdk': win_sdk, 478 'win_sdk': win_sdk,
401 # Added for backwards compatibility with old toolchain packages. 479 # Added for backwards compatibility with old toolchain packages.
402 'win8sdk': win_sdk, 480 'win8sdk': win_sdk,
403 'wdk': os.path.join(abs_target_dir, 'wdk'), 481 'wdk': os.path.join(abs_toolchain_target_dir, 'wdk'),
404 'runtime_dirs': [ 482 'runtime_dirs': [
405 os.path.join(abs_target_dir, 'sys64'), 483 os.path.join(abs_toolchain_target_dir, 'sys64'),
406 os.path.join(abs_target_dir, 'sys32'), 484 os.path.join(abs_toolchain_target_dir, 'sys32'),
407 ], 485 ],
408 } 486 }
409 with open(os.path.join(target_dir, '..', 'data.json'), 'w') as f: 487 with open(os.path.join(target_dir, '..', 'data.json'), 'w') as f:
410 json.dump(data, f) 488 json.dump(data, f)
411 489
412 if got_new_toolchain: 490 if got_new_toolchain:
413 current_hash = CalculateHash(target_dir) 491 current_hashes = CalculateToolchainHashes(target_dir)
414 if current_hash not in desired_hashes: 492 if desired_hash not in current_hashes:
415 print >> sys.stderr, ( 493 print >> sys.stderr, (
416 'Got wrong hash after pulling a new toolchain. ' 494 'Got wrong hash after pulling a new toolchain. '
417 'Wanted one of \'%s\', got \'%s\'.' % ( 495 'Wanted \'%s\', got one of \'%s\'.' % (
418 ', '.join(desired_hashes), current_hash)) 496 desired_hash, ', '.join(current_hashes)))
419 return 1 497 return 1
420 SaveTimestampsAndHash(target_dir, current_hash) 498 SaveTimestampsAndHash(target_dir, desired_hash)
421 499
422 if options.output_json: 500 if options.output_json:
423 shutil.copyfile(os.path.join(target_dir, '..', 'data.json'), 501 shutil.copyfile(os.path.join(target_dir, '..', 'data.json'),
424 options.output_json) 502 options.output_json)
425 503
426 if os.environ.get('GYP_MSVS_VERSION') == '2015': 504 if os.environ.get('GYP_MSVS_VERSION') == '2015':
427 InstallUniversalCRTIfNeeded(abs_target_dir) 505 InstallUniversalCRTIfNeeded(abs_toolchain_target_dir)
506
507 RemoveUnusedToolchains(target_dir)
428 508
429 return 0 509 return 0
430 510
431 511
432 if __name__ == '__main__': 512 if __name__ == '__main__':
433 sys.exit(main()) 513 sys.exit(main())
OLDNEW
« no previous file with comments | « no previous file | win_toolchain/package_from_installed.py » ('j') | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698