blob: 44e2b8ad2c3e5870d9368e4fb5e61a3a557f5c7e [file] [log] [blame]
Scott Toddd0a06292020-01-24 14:41:50 -08001#!/usr/bin/env python3
Geoffrey Martin-Noble552d3f82021-05-25 17:56:09 -07002# Copyright 2020 The IREE Authors
Scott Toddd0a06292020-01-24 14:41:50 -08003#
Geoffrey Martin-Noble552d3f82021-05-25 17:56:09 -07004# Licensed under the Apache License v2.0 with LLVM Exceptions.
5# See https://llvm.org/LICENSE.txt for license information.
6# SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
Geoffrey Martin-Noblebdeb1ab2020-03-31 13:27:14 -07007"""This script assists with converting from Bazel BUILD files to CMakeLists.txt.
Scott Toddd0a06292020-01-24 14:41:50 -08008
Geoffrey Martin-Noblebdeb1ab2020-03-31 13:27:14 -07009Bazel BUILD files should, where possible, be written to use simple features
10that can be directly evaluated and avoid more advanced features like
11variables, list comprehensions, etc.
Scott Toddd0a06292020-01-24 14:41:50 -080012
Geoffrey Martin-Noblebdeb1ab2020-03-31 13:27:14 -070013Generated CMake files will be similar in structure to their source BUILD
14files by using the functions in build_tools/cmake/ that imitate corresponding
15Bazel rules (e.g. cc_library -> iree_cc_library.cmake).
16
17For usage, see:
18 python3 build_tools/bazel_to_cmake/bazel_to_cmake.py --help
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -070019
20Configuration
21-------------
22When invoked, bazel_to_cmake will traverse up from the current directory until
23it finds a ".bazel_to_cmake.cfg.py" file. This file both serves as a marker
24for the repository root and provides repository specific configuration.
25
26The file is evaluated as a module and can have the following customizations:
27
28* DEFAULT_ROOT_DIRS: A list of root directory names that should be processed
29 (relative to the repository root) when invoked without a --repo_root or --dir.
30* REPO_MAP: Mapping of canonical Bazel repo name (i.e. "@iree_core") to what it
31 is known as locally (most commonly the empty string). This is used in global
32 target rules to make sure that they work either in the defining or referencing
33 repository.
34* CustomBuildFileFunctions: A class that extends
35 `bazel_to_cmake_converter.BuildFileFunctions` and injects globals for
36 processing the BUILD file. All symbols that do not start with "_" are
37 available.
38* CustomTargetConverter: A class that extends
39 `bazel_to_cmake_targets.TargetConverter` and customizes target mapping.
40 Typically, this is used for purely local targets in leaf projects (as global
41 targets will be encoded in the main bazel_to_cmake_targets.py file).
Geoffrey Martin-Noblebdeb1ab2020-03-31 13:27:14 -070042"""
Geoffrey Martin-Nobleea9c6832020-02-29 20:26:35 -080043# pylint: disable=missing-docstring
Geoffrey Martin-Nobleea9c6832020-02-29 20:26:35 -080044
Scott Toddd0a06292020-01-24 14:41:50 -080045import argparse
Scott Toddd0a06292020-01-24 14:41:50 -080046import datetime
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -070047import importlib
48import importlib.util
Scott Toddd0a06292020-01-24 14:41:50 -080049import os
Geoffrey Martin-Noble2a36c382020-01-28 15:04:30 -080050import re
Geoffrey Martin-Noblebdeb1ab2020-03-31 13:27:14 -070051import sys
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -080052import textwrap
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -070053import types
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -080054from enum import Enum
Geoffrey Martin-Nobleea9c6832020-02-29 20:26:35 -080055
Geoffrey Martin-Noblebdeb1ab2020-03-31 13:27:14 -070056import bazel_to_cmake_converter
Scott Toddd0a06292020-01-24 14:41:50 -080057
58repo_root = None
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -070059repo_cfg = None
Scott Toddd0a06292020-01-24 14:41:50 -080060
Geoffrey Martin-Noble2a36c382020-01-28 15:04:30 -080061EDIT_BLOCKING_PATTERN = re.compile(
Geoffrey Martin-Noblec9784d62020-02-18 13:49:49 -080062 r"bazel[\s_]*to[\s_]*cmake[\s_]*:?[\s_]*do[\s_]*not[\s_]*edit",
Geoffrey Martin-Noble2a36c382020-01-28 15:04:30 -080063 flags=re.IGNORECASE)
64
Stella Laurenzobe0f1e12023-04-03 13:34:38 -070065PRESERVE_ABOVE_TAG = "### BAZEL_TO_CMAKE_PRESERVES_ALL_CONTENT_ABOVE_THIS_LINE ###"
66PRESERVE_BELOW_TAG = "### BAZEL_TO_CMAKE_PRESERVES_ALL_CONTENT_BELOW_THIS_LINE ###"
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -070067REPO_CFG_FILE = ".bazel_to_cmake.cfg.py"
68REPO_CFG_MODULE_NAME = "bazel_to_cmake_repo_config"
Geoffrey Martin-Noble98a806c2021-02-25 16:57:31 -080069
Scott Toddd0a06292020-01-24 14:41:50 -080070
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -080071class Status(Enum):
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -080072 UPDATED = 1
73 NOOP = 2
74 FAILED = 3
75 SKIPPED = 4
76 NO_BUILD_FILE = 5
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -080077
78
Scott Toddd0a06292020-01-24 14:41:50 -080079def parse_arguments():
Scott Toddd0a06292020-01-24 14:41:50 -080080 parser = argparse.ArgumentParser(
81 description="Bazel to CMake conversion helper.")
Phoenix Meadowlark9e63d752020-10-16 16:28:33 -070082 parser.add_argument("--preview",
83 help="Prints results instead of writing files",
84 action="store_true",
85 default=False)
Scott Toddbb797172020-04-15 17:20:33 -070086 parser.add_argument(
87 "--allow_partial_conversion",
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -080088 help="Generates partial files, ignoring errors during conversion.",
Geoffrey Martin-Noblef7be55a2020-01-28 17:47:42 -080089 action="store_true",
90 default=False)
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -080091 parser.add_argument(
92 "--verbosity",
93 "-v",
94 type=int,
95 default=0,
96 help="Specify verbosity level where higher verbosity emits more logging."
97 " 0 (default): Only output errors and summary statistics."
98 " 1: Also output the name of each directory as it's being processed and"
99 " whether the directory is skipped."
100 " 2: Also output when conversion was successful.")
Scott Toddd0a06292020-01-24 14:41:50 -0800101
Stella Laurenzo9bde61b2022-04-21 15:37:14 -0700102 # Specify only one of these (defaults to --root_dir=<main source dirs>).
Scott Toddd0a06292020-01-24 14:41:50 -0800103 group = parser.add_mutually_exclusive_group()
Phoenix Meadowlark9e63d752020-10-16 16:28:33 -0700104 group.add_argument("--dir",
105 help="Converts the BUILD file in the given directory",
106 default=None)
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -0700107 default_root_dirs = (repo_cfg.DEFAULT_ROOT_DIRS if hasattr(
108 repo_cfg, "DEFAULT_ROOT_DIRS") else [])
109 group.add_argument("--root_dir",
110 nargs="+",
111 help="Converts all BUILD files under a root directory",
112 default=default_root_dirs)
Scott Toddd0a06292020-01-24 14:41:50 -0800113
Scott Toddd0a06292020-01-24 14:41:50 -0800114 args = parser.parse_args()
115
116 # --dir takes precedence over --root_dir.
117 # They are mutually exclusive, but the default value is still set.
118 if args.dir:
119 args.root_dir = None
120
121 return args
122
123
124def setup_environment():
125 """Sets up some environment globals."""
126 global repo_root
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -0700127 global repo_cfg
Scott Toddd0a06292020-01-24 14:41:50 -0800128
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -0700129 # Scan up the directory tree for a repo config file.
130 check_dir = os.getcwd()
131 while not os.path.exists(os.path.join(check_dir, REPO_CFG_FILE)):
132 new_check_dir = os.path.dirname(check_dir)
133 if not new_check_dir or new_check_dir == check_dir:
134 print(f"ERROR: Could not find {REPO_CFG_FILE} in a parent directory "
135 f"of {os.getcwd()}")
136 sys.exit(1)
137 check_dir = new_check_dir
138 repo_root = check_dir
139 log(f"Using repo root {repo_root}")
140
141 # Dynamically load the config file as a module.
142 orig_dont_write_bytecode = sys.dont_write_bytecode
143 sys.dont_write_bytecode = True # Don't generate __pycache__ dir
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700144 repo_cfg_path = os.path.join(repo_root, REPO_CFG_FILE)
145 spec = importlib.util.spec_from_file_location(REPO_CFG_MODULE_NAME,
146 repo_cfg_path)
147 if spec and spec.loader:
148 repo_cfg = importlib.util.module_from_spec(spec)
149 sys.modules[REPO_CFG_MODULE_NAME] = repo_cfg
150 spec.loader.exec_module(repo_cfg)
151 sys.dont_write_bytecode = orig_dont_write_bytecode
152 else:
153 print(f"INTERNAL ERROR: Could not evaluate {repo_cfg_path} as module")
154 sys.exit(1)
Scott Toddd0a06292020-01-24 14:41:50 -0800155
156
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800157def repo_relpath(path):
Ben Vanik370e6722021-03-02 16:35:48 -0800158 return os.path.relpath(path, repo_root).replace("\\", "/")
Scott Toddd0a06292020-01-24 14:41:50 -0800159
160
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800161def log(string, *args, indent=0, **kwargs):
162 print(textwrap.indent(string, prefix=(indent * " ")),
163 *args,
164 **kwargs,
165 file=sys.stderr)
166
167
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800168def convert_directories(directories, write_files, allow_partial_conversion,
169 verbosity):
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800170 failure_dirs = []
171 skip_count = 0
172 success_count = 0
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800173 noop_count = 0
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800174 for directory in directories:
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800175 status = convert_directory(
176 directory,
177 write_files=write_files,
178 allow_partial_conversion=allow_partial_conversion,
179 verbosity=verbosity)
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800180 if status == Status.FAILED:
181 failure_dirs.append(repo_relpath(directory))
182 elif status == Status.SKIPPED:
183 skip_count += 1
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800184 elif status == Status.UPDATED:
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800185 success_count += 1
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800186 elif status == Status.NOOP:
187 noop_count += 1
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800188
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800189 log(f"{success_count} CMakeLists.txt files were updated, {skip_count} were"
190 f" skipped, and {noop_count} required no change.")
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800191 if failure_dirs:
192 log(f"ERROR: Encountered unexpected errors converting {len(failure_dirs)}"
193 " directories:")
194 log("\n".join(failure_dirs), indent=2)
195 sys.exit(1)
Scott Toddd0a06292020-01-24 14:41:50 -0800196
197
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800198def convert_directory(directory_path, write_files, allow_partial_conversion,
199 verbosity):
Scott Toddd0a06292020-01-24 14:41:50 -0800200 if not os.path.isdir(directory_path):
Phoenix Meadowlark01bbb6c2020-03-30 14:20:11 -0700201 raise FileNotFoundError(f"Cannot find directory '{directory_path}'")
Scott Toddd0a06292020-01-24 14:41:50 -0800202
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800203 rel_dir_path = repo_relpath(directory_path)
204 if verbosity >= 1:
205 log(f"Processing {rel_dir_path}")
206
Stella Laurenzoa9d23f62022-12-27 17:28:58 -0800207 # Scan for a BUILD file.
208 build_file_found = False
209 build_file_basenames = ["BUILD", "BUILD.bazel"]
210 for build_file_basename in build_file_basenames:
211 build_file_path = os.path.join(directory_path, build_file_basename)
212
213 rel_build_file_path = repo_relpath(build_file_path)
214 if os.path.isfile(build_file_path):
215 build_file_found = True
216 break
Scott Toddd0a06292020-01-24 14:41:50 -0800217 cmakelists_file_path = os.path.join(directory_path, "CMakeLists.txt")
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800218 rel_cmakelists_file_path = repo_relpath(cmakelists_file_path)
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800219
Stella Laurenzoa9d23f62022-12-27 17:28:58 -0800220 if not build_file_found:
Geoffrey Martin-Nobled2cb9962021-02-19 17:30:26 -0800221 return Status.NO_BUILD_FILE
Scott Toddd0a06292020-01-24 14:41:50 -0800222
Geoffrey Martin-Noble98a806c2021-02-25 16:57:31 -0800223 autogeneration_tag = f"Autogenerated by {repo_relpath(os.path.abspath(__file__))}"
Scott Toddd0a06292020-01-24 14:41:50 -0800224
Geoffrey Martin-Noble98a806c2021-02-25 16:57:31 -0800225 header = "\n".join(["#" * 80] + [
226 l.ljust(79) + "#" for l in [
227 f"# {autogeneration_tag} from",
228 f"# {rel_build_file_path}",
229 "#",
230 "# Use iree_cmake_extra_content from iree/build_defs.oss.bzl to add arbitrary",
231 "# CMake-only content.",
232 "#",
233 f"# To disable autogeneration for this file entirely, delete this header.",
234 ]
235 ] + ["#" * 80])
236
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800237 old_lines = []
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700238 possible_preserved_header_lines = []
239 preserved_footer_lines = ["\n" + PRESERVE_BELOW_TAG + "\n"]
Stella Laurenzoa9d23f62022-12-27 17:28:58 -0800240
241 # Read CMakeLists.txt and check if it has the auto-generated header.
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700242 found_preserve_below_tag = False
243 found_preserve_above_tag = False
Geoffrey Martin-Noble98a806c2021-02-25 16:57:31 -0800244 if os.path.isfile(cmakelists_file_path):
245 found_autogeneration_tag = False
Geoffrey Martin-Noble98a806c2021-02-25 16:57:31 -0800246 with open(cmakelists_file_path) as f:
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800247 old_lines = f.readlines()
248
249 for line in old_lines:
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700250 if not found_preserve_above_tag:
251 possible_preserved_header_lines.append(line)
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800252 if not found_autogeneration_tag and autogeneration_tag in line:
253 found_autogeneration_tag = True
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700254 if not found_preserve_below_tag and PRESERVE_BELOW_TAG in line:
255 found_preserve_below_tag = True
256 elif not found_preserve_above_tag and PRESERVE_ABOVE_TAG in line:
257 found_preserve_above_tag = True
258 elif found_preserve_below_tag:
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800259 preserved_footer_lines.append(line)
Geoffrey Martin-Noble98a806c2021-02-25 16:57:31 -0800260 if not found_autogeneration_tag:
261 if verbosity >= 1:
262 log(f"Skipped. Did not find autogeneration line.", indent=2)
263 return Status.SKIPPED
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700264 preserved_header = ("".join(possible_preserved_header_lines)
265 if found_preserve_above_tag else "")
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800266 preserved_footer = "".join(preserved_footer_lines)
Geoffrey Martin-Noble870dd422021-02-23 09:14:36 -0800267
Stella Laurenzoa9d23f62022-12-27 17:28:58 -0800268 # Read the Bazel BUILD file and interpret it.
Scott Toddd0a06292020-01-24 14:41:50 -0800269 with open(build_file_path, "rt") as build_file:
Stella Laurenzoa9d23f62022-12-27 17:28:58 -0800270 build_file_contents = build_file.read()
271 if "bazel-to-cmake: skip" in build_file_contents:
272 return Status.SKIPPED
273 build_file_code = compile(build_file_contents, build_file_path, "exec")
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800274 try:
275 converted_build_file = bazel_to_cmake_converter.convert_build_file(
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -0700276 build_file_code,
277 repo_cfg=repo_cfg,
278 allow_partial_conversion=allow_partial_conversion)
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800279 except (NameError, NotImplementedError) as e:
280 log(
281 f"ERROR generating {rel_dir_path}.\n"
282 f"Missing a rule handler in bazel_to_cmake_converter.py?\n"
283 f"Reason: `{type(e).__name__}: {e}`",
284 indent=2)
285 return Status.FAILED
286 except KeyError as e:
287 log(
288 f"ERROR generating {rel_dir_path}.\n"
289 f"Missing a conversion in bazel_to_cmake_targets.py?\n"
290 f"Reason: `{type(e).__name__}: {e}`",
291 indent=2)
292 return Status.FAILED
Stella Laurenzobe0f1e12023-04-03 13:34:38 -0700293 converted_content = (preserved_header + header + converted_build_file +
294 preserved_footer)
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800295 if write_files:
296 with open(cmakelists_file_path, "wt") as cmakelists_file:
297 cmakelists_file.write(converted_content)
298 else:
299 print(converted_content, end="")
300
301 if converted_content == "".join(old_lines):
302 if verbosity >= 2:
303 log(f"{rel_cmakelists_file_path} required no update", indent=2)
304 return Status.NOOP
305
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800306 if verbosity >= 2:
307 log(
308 f"Successfly generated {rel_cmakelists_file_path}"
309 f" from {rel_build_file_path}",
310 indent=2)
Geoffrey Martin-Noble0e34ffa2021-02-25 18:16:45 -0800311 return Status.UPDATED
Scott Toddd0a06292020-01-24 14:41:50 -0800312
313
314def main(args):
315 """Runs Bazel to CMake conversion."""
316 global repo_root
317
318 write_files = not args.preview
319
320 if args.root_dir:
Stella Laurenzo9bde61b2022-04-21 15:37:14 -0700321 for root_dir in args.root_dir:
322 root_directory_path = os.path.join(repo_root, root_dir)
323 log(f"Converting directory tree rooted at: {root_directory_path}")
324 convert_directories(
325 (root for root, _, _ in os.walk(root_directory_path)),
326 write_files=write_files,
327 allow_partial_conversion=args.allow_partial_conversion,
328 verbosity=args.verbosity)
Scott Toddd0a06292020-01-24 14:41:50 -0800329 elif args.dir:
Geoffrey Martin-Noble4bc84902021-02-22 19:12:04 -0800330 convert_directories([os.path.join(repo_root, args.dir)],
331 write_files=write_files,
332 allow_partial_conversion=args.allow_partial_conversion,
333 verbosity=args.verbosity)
Stella Laurenzo6f24a2f2023-03-27 17:08:20 -0700334 else:
335 log(f"ERROR: None of --root-dir, --dir arguments or DEFAULT_ROOT_DIRS in "
336 f".bazel_to_cmake.cfg.py: No conversion will be done")
337 sys.exit(1)
Scott Toddd0a06292020-01-24 14:41:50 -0800338
339
340if __name__ == "__main__":
341 setup_environment()
342 main(parse_arguments())