Nelze vybrat více než 25 témat Téma musí začínat písmenem nebo číslem, může obsahovat pomlčky („-“) a může být dlouhé až 35 znaků.

173 lines
6.2KB

  1. import argparse
  2. import multiprocessing
  3. import pytest
  4. from pathlib import Path
  5. from concurrent import futures
  6. import shutil
  7. import sys
  8. from typing import NoReturn, Sequence, Optional
  9. from typing_extensions import Protocol
  10. import subprocess
  11. from . import paths, toolchain
  12. from .dds import DDSWrapper
  13. from .bootstrap import BootstrapMode, get_bootstrap_exe
  14. def make_argparser() -> argparse.ArgumentParser:
  15. """Create an argument parser for the dds-ci command-line"""
  16. parser = argparse.ArgumentParser()
  17. parser.add_argument('-B',
  18. '--bootstrap-with',
  19. help='How are we to obtain a bootstrapped DDS executable?',
  20. metavar='{download,build,skip,lazy}',
  21. type=BootstrapMode,
  22. default=BootstrapMode.Lazy)
  23. parser.add_argument('--rapid', help='Run CI for fast development iterations', action='store_true')
  24. parser.add_argument('--test-toolchain',
  25. '-TT',
  26. type=Path,
  27. metavar='<toolchain-file>',
  28. help='The toolchain to use for the first build, which will be passed through the tests')
  29. parser.add_argument('--main-toolchain',
  30. '-T',
  31. type=Path,
  32. dest='toolchain',
  33. metavar='<toolchain-file>',
  34. help='The toolchain to use for the final build')
  35. parser.add_argument('--jobs',
  36. '-j',
  37. type=int,
  38. help='Number of parallel jobs to use when building and testing',
  39. default=multiprocessing.cpu_count() + 2)
  40. parser.add_argument('--clean', action='store_true', help="Don't remove prior build/deps results")
  41. parser.add_argument('--no-test',
  42. action='store_false',
  43. dest='do_test',
  44. help='Skip testing and just build the final result')
  45. return parser
  46. class CommandArguments(Protocol):
  47. """
  48. The result of parsing argv with the dds-ci argument parser.
  49. """
  50. #: Whether the user wants us to clean result before building
  51. clean: bool
  52. #: The bootstrap method the user has requested
  53. bootstrap_with: BootstrapMode
  54. #: The toolchain to use when building the 'dds' executable that will be tested.
  55. test_toolchain: Optional[Path]
  56. #: The toolchain to use when building the main 'dds' executable to publish
  57. toolchain: Optional[Path]
  58. #: The maximum number of parallel jobs for build and test
  59. jobs: int
  60. #: Whether we should run the pytest tests
  61. do_test: bool
  62. #: Rapid-CI is for 'dds' development purposes
  63. rapid: bool
  64. def parse_argv(argv: Sequence[str]) -> CommandArguments:
  65. """Parse the given dds-ci command-line argument list"""
  66. return make_argparser().parse_args(argv)
  67. def test_build(dds: DDSWrapper, args: CommandArguments) -> DDSWrapper:
  68. """
  69. Execute the build that generates the test-mode executable. Uses the given 'dds'
  70. to build the new dds. Returns a DDSWrapper around the generated test executable.
  71. """
  72. test_tc = args.test_toolchain or toolchain.get_default_audit_toolchain()
  73. build_dir = paths.BUILD_DIR
  74. with toolchain.fixup_toolchain(test_tc) as new_tc:
  75. dds.build(toolchain=new_tc, root=paths.PROJECT_ROOT, build_root=build_dir, jobs=args.jobs, timeout=60 * 15)
  76. return DDSWrapper(build_dir / ('dds' + paths.EXE_SUFFIX))
  77. def run_pytest(dds: DDSWrapper, args: CommandArguments) -> int:
  78. """
  79. Execute pytest, testing against the given 'test_dds' executable. Returns
  80. the exit code of pytest.
  81. """
  82. basetemp = Path('/tmp/dds-ci')
  83. basetemp.mkdir(exist_ok=True, parents=True)
  84. return pytest.main([
  85. '-v',
  86. '--durations=10',
  87. '-n',
  88. str(args.jobs),
  89. f'--basetemp={basetemp}',
  90. f'--dds-exe={dds.path}',
  91. f'--junit-xml={paths.BUILD_DIR}/pytest-junit.xml',
  92. str(paths.PROJECT_ROOT / 'tests/'),
  93. ])
  94. def main_build(dds: DDSWrapper, args: CommandArguments) -> int:
  95. """
  96. Execute the main build of dds using the given 'dds' executable to build itself.
  97. """
  98. main_tc = args.toolchain or (
  99. # If we are in rapid-dev mode, use the test toolchain, which had audit/debug enabled
  100. toolchain.get_default_toolchain() if not args.rapid else toolchain.get_default_audit_toolchain())
  101. with toolchain.fixup_toolchain(main_tc) as new_tc:
  102. try:
  103. dds.build(toolchain=new_tc,
  104. root=paths.PROJECT_ROOT,
  105. build_root=paths.BUILD_DIR,
  106. jobs=args.jobs,
  107. timeout=60 * 15)
  108. except subprocess.CalledProcessError as e:
  109. if args.rapid:
  110. return e.returncode
  111. raise
  112. return 0
  113. def ci_with_dds(dds: DDSWrapper, args: CommandArguments) -> int:
  114. """
  115. Execute CI using the given prior 'dds' executable.
  116. """
  117. if args.clean:
  118. dds.clean(build_dir=paths.BUILD_DIR)
  119. dds.catalog_json_import(paths.PROJECT_ROOT / 'old-catalog.json')
  120. if args.rapid:
  121. return main_build(dds, args)
  122. pool = futures.ThreadPoolExecutor()
  123. test_fut = pool.submit(lambda: 0)
  124. if args.do_test:
  125. # Build the test executable:
  126. test_dds = test_build(dds, args)
  127. # Move the generated exe and start tests. We'll start building the main
  128. # EXE and don't want to overwrite the test one while the tests are running
  129. dds_cp = paths.BUILD_DIR / ('dds.test' + paths.EXE_SUFFIX)
  130. test_dds.path.rename(dds_cp)
  131. test_dds.path = dds_cp
  132. # Workaround: dds doesn't rebuild the test-driver on toolchain changes:
  133. shutil.rmtree(paths.BUILD_DIR / '_test-driver')
  134. test_fut = pool.submit(lambda: run_pytest(test_dds, args))
  135. main_fut = pool.submit(lambda: main_build(dds, args))
  136. for fut in futures.as_completed({test_fut, main_fut}):
  137. if fut.result():
  138. return fut.result()
  139. return 0
  140. def main(argv: Sequence[str]) -> int:
  141. args = parse_argv(argv)
  142. with get_bootstrap_exe(args.bootstrap_with) as f:
  143. return ci_with_dds(f, args)
  144. def start() -> NoReturn:
  145. sys.exit(main(sys.argv[1:]))
  146. if __name__ == "__main__":
  147. start()