zcmake.py 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302
  1. # Copyright (c) 2018 Open Source Foundries Limited.
  2. #
  3. # SPDX-License-Identifier: Apache-2.0
  4. '''Common definitions for building Zephyr applications with CMake.
  5. This provides some default settings and convenience wrappers for
  6. building Zephyr applications needed by multiple commands.
  7. See build.py for the build command itself.
  8. '''
  9. from collections import OrderedDict
  10. import os.path
  11. import re
  12. import subprocess
  13. import shutil
  14. import sys
  15. import packaging.version
  16. from west import log
  17. from west.util import quote_sh_list
  18. DEFAULT_CACHE = 'CMakeCache.txt'
  19. DEFAULT_CMAKE_GENERATOR = 'Ninja'
  20. '''Name of the default CMake generator.'''
  21. def run_cmake(args, cwd=None, capture_output=False, dry_run=False):
  22. '''Run cmake to (re)generate a build system, a script, etc.
  23. :param args: arguments to pass to CMake
  24. :param cwd: directory to run CMake in, cwd is default
  25. :param capture_output: if True, the output is returned instead of being
  26. displayed (None is returned by default, or if
  27. dry_run is also True)
  28. :param dry_run: don't actually execute the command, just print what
  29. would have been run
  30. If capture_output is set to True, returns the output of the command instead
  31. of displaying it on stdout/stderr..'''
  32. cmake = shutil.which('cmake')
  33. if cmake is None and not dry_run:
  34. log.die('CMake is not installed or cannot be found; cannot build.')
  35. _ensure_min_version(cmake, dry_run)
  36. cmd = [cmake] + args
  37. kwargs = dict()
  38. if capture_output:
  39. kwargs['stdout'] = subprocess.PIPE
  40. # CMake sends the output of message() to stderr unless it's STATUS
  41. kwargs['stderr'] = subprocess.STDOUT
  42. if cwd:
  43. kwargs['cwd'] = cwd
  44. if dry_run:
  45. in_cwd = ' (in {})'.format(cwd) if cwd else ''
  46. log.inf('Dry run{}:'.format(in_cwd), quote_sh_list(cmd))
  47. return None
  48. log.dbg('Running CMake:', quote_sh_list(cmd), level=log.VERBOSE_NORMAL)
  49. p = subprocess.Popen(cmd, **kwargs)
  50. out, _ = p.communicate()
  51. if p.returncode == 0:
  52. if out:
  53. return out.decode(sys.getdefaultencoding()).splitlines()
  54. else:
  55. return None
  56. else:
  57. # A real error occurred, raise an exception
  58. raise subprocess.CalledProcessError(p.returncode, p.args)
  59. def run_build(build_directory, **kwargs):
  60. '''Run cmake in build tool mode.
  61. :param build_directory: runs "cmake --build build_directory"
  62. :param extra_args: optional kwarg. List of additional CMake arguments;
  63. these come after "--build <build_directory>"
  64. on the command line.
  65. Any additional keyword arguments are passed as-is to run_cmake().
  66. '''
  67. extra_args = kwargs.pop('extra_args', [])
  68. return run_cmake(['--build', build_directory] + extra_args, **kwargs)
  69. def make_c_identifier(string):
  70. '''Make a C identifier from a string in the same way CMake does.
  71. '''
  72. # The behavior of CMake's string(MAKE_C_IDENTIFIER ...) is not
  73. # precisely documented. This behavior matches the test case
  74. # that introduced the function:
  75. #
  76. # https://gitlab.kitware.com/cmake/cmake/commit/0ab50aea4c4d7099b339fb38b4459d0debbdbd85
  77. ret = []
  78. alpha_under = re.compile('[A-Za-z_]')
  79. alpha_num_under = re.compile('[A-Za-z0-9_]')
  80. if not alpha_under.match(string):
  81. ret.append('_')
  82. for c in string:
  83. if alpha_num_under.match(c):
  84. ret.append(c)
  85. else:
  86. ret.append('_')
  87. return ''.join(ret)
  88. class CMakeCacheEntry:
  89. '''Represents a CMake cache entry.
  90. This class understands the type system in a CMakeCache.txt, and
  91. converts the following cache types to Python types:
  92. Cache Type Python type
  93. ---------- -------------------------------------------
  94. FILEPATH str
  95. PATH str
  96. STRING str OR list of str (if ';' is in the value)
  97. BOOL bool
  98. INTERNAL str OR list of str (if ';' is in the value)
  99. STATIC str OR list of str (if ';' is in the value)
  100. ---------- -------------------------------------------
  101. '''
  102. # Regular expression for a cache entry.
  103. #
  104. # CMake variable names can include escape characters, allowing a
  105. # wider set of names than is easy to match with a regular
  106. # expression. To be permissive here, use a non-greedy match up to
  107. # the first colon (':'). This breaks if the variable name has a
  108. # colon inside, but it's good enough.
  109. CACHE_ENTRY = re.compile(
  110. r'''(?P<name>.*?) # name
  111. :(?P<type>FILEPATH|PATH|STRING|BOOL|INTERNAL|STATIC) # type
  112. =(?P<value>.*) # value
  113. ''', re.X)
  114. @classmethod
  115. def _to_bool(cls, val):
  116. # Convert a CMake BOOL string into a Python bool.
  117. #
  118. # "True if the constant is 1, ON, YES, TRUE, Y, or a
  119. # non-zero number. False if the constant is 0, OFF, NO,
  120. # FALSE, N, IGNORE, NOTFOUND, the empty string, or ends in
  121. # the suffix -NOTFOUND. Named boolean constants are
  122. # case-insensitive. If the argument is not one of these
  123. # constants, it is treated as a variable."
  124. #
  125. # https://cmake.org/cmake/help/v3.0/command/if.html
  126. val = val.upper()
  127. if val in ('ON', 'YES', 'TRUE', 'Y'):
  128. return True
  129. elif val in ('OFF', 'NO', 'FALSE', 'N', 'IGNORE', 'NOTFOUND', ''):
  130. return False
  131. elif val.endswith('-NOTFOUND'):
  132. return False
  133. else:
  134. try:
  135. v = int(val)
  136. return v != 0
  137. except ValueError as exc:
  138. raise ValueError('invalid bool {}'.format(val)) from exc
  139. @classmethod
  140. def from_line(cls, line, line_no):
  141. # Comments can only occur at the beginning of a line.
  142. # (The value of an entry could contain a comment character).
  143. if line.startswith('//') or line.startswith('#'):
  144. return None
  145. # Whitespace-only lines do not contain cache entries.
  146. if not line.strip():
  147. return None
  148. m = cls.CACHE_ENTRY.match(line)
  149. if not m:
  150. return None
  151. name, type_, value = (m.group(g) for g in ('name', 'type', 'value'))
  152. if type_ == 'BOOL':
  153. try:
  154. value = cls._to_bool(value)
  155. except ValueError as exc:
  156. args = exc.args + ('on line {}: {}'.format(line_no, line),)
  157. raise ValueError(args) from exc
  158. elif type_ in {'STRING', 'INTERNAL', 'STATIC'}:
  159. # If the value is a CMake list (i.e. is a string which
  160. # contains a ';'), convert to a Python list.
  161. if ';' in value:
  162. value = value.split(';')
  163. return CMakeCacheEntry(name, value)
  164. def __init__(self, name, value):
  165. self.name = name
  166. self.value = value
  167. def __str__(self):
  168. fmt = 'CMakeCacheEntry(name={}, value={})'
  169. return fmt.format(self.name, self.value)
  170. class CMakeCache:
  171. '''Parses and represents a CMake cache file.'''
  172. @staticmethod
  173. def from_build_dir(build_dir):
  174. return CMakeCache(os.path.join(build_dir, DEFAULT_CACHE))
  175. def __init__(self, cache_file):
  176. self.cache_file = cache_file
  177. self.load(cache_file)
  178. def load(self, cache_file):
  179. entries = []
  180. with open(cache_file, 'r', encoding="utf-8") as cache:
  181. for line_no, line in enumerate(cache):
  182. entry = CMakeCacheEntry.from_line(line, line_no)
  183. if entry:
  184. entries.append(entry)
  185. self._entries = OrderedDict((e.name, e) for e in entries)
  186. def get(self, name, default=None):
  187. entry = self._entries.get(name)
  188. if entry is not None:
  189. return entry.value
  190. else:
  191. return default
  192. def get_list(self, name, default=None):
  193. if default is None:
  194. default = []
  195. entry = self._entries.get(name)
  196. if entry is not None:
  197. value = entry.value
  198. if isinstance(value, list):
  199. return value
  200. elif isinstance(value, str):
  201. return [value] if value else []
  202. else:
  203. msg = 'invalid value {} type {}'
  204. raise RuntimeError(msg.format(value, type(value)))
  205. else:
  206. return default
  207. def __contains__(self, name):
  208. return name in self._entries
  209. def __getitem__(self, name):
  210. return self._entries[name].value
  211. def __setitem__(self, name, entry):
  212. if not isinstance(entry, CMakeCacheEntry):
  213. msg = 'improper type {} for value {}, expecting CMakeCacheEntry'
  214. raise TypeError(msg.format(type(entry), entry))
  215. self._entries[name] = entry
  216. def __delitem__(self, name):
  217. del self._entries[name]
  218. def __iter__(self):
  219. return iter(self._entries.values())
  220. def _ensure_min_version(cmake, dry_run):
  221. cmd = [cmake, '--version']
  222. if dry_run:
  223. log.inf('Dry run:', quote_sh_list(cmd))
  224. return
  225. try:
  226. version_out = subprocess.check_output(cmd, stderr=subprocess.DEVNULL)
  227. except subprocess.CalledProcessError as cpe:
  228. log.die('cannot get cmake version:', str(cpe))
  229. decoded = version_out.decode('utf-8')
  230. lines = decoded.splitlines()
  231. if not lines:
  232. log.die('can\'t get cmake version: ' +
  233. 'unexpected "cmake --version" output:\n{}\n'.
  234. format(decoded) +
  235. 'Please install CMake ' + _MIN_CMAKE_VERSION_STR +
  236. ' or higher (https://cmake.org/download/).')
  237. version = lines[0].split()[2]
  238. if '-' in version:
  239. # Handle semver cases like "3.19.20210206-g1e50ab6"
  240. # which Kitware uses for prerelease versions.
  241. version = version.split('-', 1)[0]
  242. if packaging.version.parse(version) < _MIN_CMAKE_VERSION:
  243. log.die('cmake version', version,
  244. 'is less than minimum version {};'.
  245. format(_MIN_CMAKE_VERSION_STR),
  246. 'please update your CMake (https://cmake.org/download/).')
  247. else:
  248. log.dbg('cmake version', version, 'is OK; minimum version is',
  249. _MIN_CMAKE_VERSION_STR)
  250. _MIN_CMAKE_VERSION_STR = '3.13.1'
  251. _MIN_CMAKE_VERSION = packaging.version.parse(_MIN_CMAKE_VERSION_STR)