2
2
from __future__ import print_function
3
3
4
4
from distutils .spawn import find_executable
5
+ from glob import glob
5
6
6
7
import argparse
7
8
import contextlib
18
19
import sys
19
20
import distutils .util
20
21
import time
22
+ import zipfile
23
+ import tarfile
21
24
22
25
############################################################
23
26
# Helpers for printing output
@@ -359,6 +362,127 @@ def RunMakeZipArchive(context):
359
362
PrintError ("Failed to write to directory {pkgDir} : {exp}" .format (pkgDir = pkgDir ,exp = exp ))
360
363
sys .exit (1 )
361
364
365
+ def SetupMayaQt (context ):
366
+ def haveQtHeaders (rootPath ):
367
+ if os .path .exists (rootPath ):
368
+ # MayaUsd uses these components from Qt (so at a minimum we must find them).
369
+ qtComponentsToFind = ['QtCore' , 'QtGui' , 'QtWidgets' ]
370
+ # Qt6 includes the entire Qt in a single zip file, which when extracted ends in folder 'Qt'.
371
+ startDir = os .path .join (rootPath , 'Qt' , 'include' ) if os .path .exists (os .path .join (rootPath , 'Qt' )) else os .path .join (rootPath , 'include' )
372
+ for root ,dirs ,files in os .walk (startDir ):
373
+ if 'qt' not in root .lower () or not files :
374
+ continue
375
+ if not any (root .endswith (qtComp ) for qtComp in qtComponentsToFind ):
376
+ # Skip any folders that aren't the components we are looking for.
377
+ continue
378
+
379
+ for qtComp in qtComponentsToFind [:]: # Loop over slice copy as we remove items
380
+ if qtComp in root and '{comp}version.h' .format (comp = qtComp .lower ()) in files :
381
+ qtComponentsToFind .remove (qtComp )
382
+ PrintInfo ('Found {comp} in {dir}' .format (comp = qtComp , dir = root ))
383
+ break # Once we've found (and removed) a component, move to the next os.walk
384
+
385
+ if not qtComponentsToFind : # Once we've found them all, we are done.
386
+ return True
387
+
388
+ def safeTarfileExtract (members ):
389
+ """Use a function to look for bad paths in the tarfile archive to fix
390
+ security/bandit B202: tarfile_unsafe_members."""
391
+
392
+ def isBadPath (path , base ):
393
+ return not os .path .realpath (os .path .abspath (os .path .join (base , path ))).startswith (base )
394
+ def isBadLink (info , base ):
395
+ # Links are interpreted relative to the directory containing the link.
396
+ tip = os .path .realpath (os .path .abspath (os .path .join (base , os .path .dirname (info .name ))))
397
+ return isBadPath (info .linkname , base = tip )
398
+
399
+ base = os .path .realpath (os .path .abspath ('.' ))
400
+ result = []
401
+ for finfo in members :
402
+ # If any bad paths for links are found in the tarfile, print an error
403
+ # and don't extract anything from tarfile.
404
+ if isBadPath (finfo .name , base ):
405
+ PrintError ('Found illegal path {path} in tarfile, blocking tarfile extraction.' .format (path = finfo .name ))
406
+ return []
407
+ elif (finfo .issym () or finfo .islnk ()) and isBadLink (finfo , base ):
408
+ PrintError ('Found illegal link {link} in tarfile, blocking tarfile extraction.' .format (link = finfo .linkname ))
409
+ return []
410
+ else :
411
+ result .append (finfo )
412
+ return result
413
+
414
+ # The list of directories (in order) that we'll search. This list matches the one
415
+ # in FindMayaQt.cmake.
416
+ dirsToSearch = [context .devkitLocation ]
417
+ if 'MAYA_DEVKIT_LOCATION' in os .environ :
418
+ dirsToSearch .append (os .path .expandvars ('$MAYA_DEVKIT_LOCATION' ))
419
+ dirsToSearch .append (context .mayaLocation )
420
+ if 'MAYA_LOCATION' in os .environ :
421
+ dirsToSearch .append (os .path .expandvars ('$MAYA_LOCATION' ))
422
+
423
+ # Check if the Qt zip file has been extracted (we need the Qt headers).
424
+ for dirToSearch in dirsToSearch :
425
+ if haveQtHeaders (dirToSearch ):
426
+ PrintStatus ('Found Maya Qt headers in: {dir}' .format (dir = dirToSearch ))
427
+ return
428
+
429
+ # Qt5
430
+ # Didn't find Qt headers, so try and extract qt_5.x-include.zip (the first one we find).
431
+ qtIncludeArchiveName = 'qt_5*-include.zip' if Windows () else 'qt_5*-include.tar.gz'
432
+ for dirToSearch in dirsToSearch :
433
+ qtZipFiles = glob (os .path .join (dirToSearch , 'include' , qtIncludeArchiveName ))
434
+ if qtZipFiles :
435
+ qtZipFile = qtZipFiles [0 ]
436
+ baseDir = os .path .dirname (qtZipFile )
437
+ if os .access (baseDir , os .W_OK ):
438
+ qtZipDirName = os .path .basename (qtZipFile )
439
+ qtZipDirName = qtZipDirName .replace ('.zip' , '' ).replace ('.tar.gz' , '' )
440
+ qtZipDirFolder = os .path .join (baseDir , qtZipDirName )
441
+ PrintStatus ("Could not find Maya Qt headers." )
442
+ PrintStatus (" Extracting '{zip}' to '{dir}'" .format (zip = qtZipFile , dir = qtZipDirFolder ))
443
+ if not os .path .exists (qtZipDirFolder ):
444
+ os .makedirs (os .path .join (baseDir , qtZipDirFolder ))
445
+ try :
446
+ # We only need certain Qt components so we only extract the headers for those.
447
+ if Windows ():
448
+ zipArchive = zipfile .ZipFile (qtZipFile , mode = 'r' )
449
+ files = [n for n in zipArchive .namelist ()
450
+ if (n .startswith ('QtCore/' ) or n .startswith ('QtGui/' ) or n .startswith ('QtWidgets/' ))]
451
+ zipArchive .extractall (qtZipDirFolder , files )
452
+ zipArchive .close ()
453
+ else :
454
+ tarArchive = tarfile .open (qtZipFile , mode = 'r' )
455
+ files = [n for n in tarArchive .getmembers ()
456
+ if (n .name .startswith ('./QtCore/' ) or n .name .startswith ('./QtGui/' ) or n .name .startswith ('./QtWidgets/' ))]
457
+ tarArchive .extractall (qtZipDirFolder , members = safeTarfileExtract (files ))
458
+ tarArchive .close ()
459
+ except zipfile .BadZipfile as error :
460
+ PrintError (str (error ))
461
+ except tarfile .TarError as error :
462
+ PrintError (str (error ))
463
+
464
+ # We found and extracted the Qt5 include zip - we are done.
465
+ return
466
+
467
+ # Qt6
468
+ # The entire Qt is in a single zip file, which we extract to 'Qt'.
469
+ # Then we can simply use find_package(Qt6) on it.
470
+ for dirToSearch in dirsToSearch :
471
+ # Qt archive has same name on all platforms.
472
+ qtArchive = os .path .join (dirToSearch , 'Qt.tar.gz' )
473
+ if os .path .exists (qtArchive ):
474
+ qtZipDirFolder = os .path .dirname (qtArchive )
475
+ if os .access (qtZipDirFolder , os .W_OK ):
476
+ PrintStatus ("Could not find Maya Qt6." )
477
+ PrintStatus (" Extracting '{zip}' to '{dir}'" .format (zip = qtArchive , dir = qtZipDirFolder ))
478
+ try :
479
+ archive = tarfile .open (qtArchive , mode = 'r' )
480
+ archive .extractall (qtZipDirFolder , members = safeTarfileExtract (archive .getmembers ()))
481
+ archive .close ()
482
+ except tarfile .TarError as error :
483
+ PrintError (str (error ))
484
+ return
485
+
362
486
def BuildAndInstall (context , buildArgs , stages ):
363
487
with CurrentWorkingDirectory (context .mayaUsdSrcDir ):
364
488
extraArgs = []
@@ -389,10 +513,6 @@ def BuildAndInstall(context, buildArgs, stages):
389
513
else :
390
514
extraArgs .append ('-DMAYAUSD_DEFINE_BOOST_DEBUG_PYTHON_FLAG=OFF' )
391
515
392
- if context .qtLocation :
393
- extraArgs .append ('-DQT_LOCATION="{qtLocation}"'
394
- .format (qtLocation = context .qtLocation ))
395
-
396
516
extraArgs += buildArgs
397
517
stagesArgs += stages
398
518
@@ -477,7 +597,7 @@ def Package(context):
477
597
help = "Define Boost Python Debug if your Python library comes with Debugging symbols (default: %(default)s)." )
478
598
479
599
parser .add_argument ("--qt-location" , type = str ,
480
- help = "Directory where Qt is installed ." )
600
+ help = "DEPRECATED: Qt is found automatically in Maya devkit ." )
481
601
482
602
parser .add_argument ("--build-args" , type = str , nargs = "*" , default = [],
483
603
help = ("Comma-separated list of arguments passed into CMake when building libraries" ))
@@ -486,7 +606,7 @@ def Package(context):
486
606
help = ("Comma-separated list of arguments passed into CTest.(e.g -VV, --output-on-failure)" ))
487
607
488
608
parser .add_argument ("--stages" , type = str , nargs = "*" , default = ['clean' ,'configure' ,'build' ,'install' ],
489
- help = ("Comma-separated list of stages to execute.(possible stages: clean, configure, build, install, test, package) " ))
609
+ help = ("Comma-separated list of stages to execute. Possible stages: clean, configure, build, install, test, package. " ))
490
610
491
611
parser .add_argument ("-j" , "--jobs" , type = int , default = GetCPUCount (),
492
612
help = ("Number of build jobs to run in parallel. "
@@ -550,9 +670,9 @@ def __init__(self, args):
550
670
self .devkitLocation = (os .path .abspath (args .devkit_location )
551
671
if args .devkit_location else None )
552
672
553
- # Qt Location
554
- self . qtLocation = ( os . path . abspath ( args .qt_location )
555
- if args . qt_location else None )
673
+ # DEPRECATED: Qt Location
674
+ if args .qt_location :
675
+ PrintWarning ( "--qt-location flag is deprecated as Qt is found automatically in Maya devkit." )
556
676
557
677
# MaterialX
558
678
self .materialxEnabled = args .build_materialx
@@ -632,6 +752,10 @@ def __init__(self, args):
632
752
633
753
Print (summaryMsg )
634
754
755
+ # Make sure Qt from Maya devkit is ready.
756
+ if 'configure' in context .stagesArgs :
757
+ SetupMayaQt (context )
758
+
635
759
# BuildAndInstall
636
760
if any (stage in ['clean' , 'configure' , 'build' , 'install' ] for stage in context .stagesArgs ):
637
761
StartBuild ()
0 commit comments