blob: 6c6631abe3c1ae39394af81259340f39b6f87767 [file] [log] [blame]
Liz Kammer2dd9ca42020-11-25 16:06:39 -08001// Copyright 2020 Google Inc. All rights reserved.
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15package bp2build
16
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux0da7ce62021-08-23 17:04:20 +000017/*
18For shareable/common functionality for conversion from soong-module to build files
19for queryview/bp2build
20*/
21
Liz Kammer2dd9ca42020-11-25 16:06:39 -080022import (
Liz Kammer2dd9ca42020-11-25 16:06:39 -080023 "fmt"
24 "reflect"
Jingwen Chen49109762021-05-25 05:16:48 +000025 "sort"
Liz Kammer2dd9ca42020-11-25 16:06:39 -080026 "strings"
27
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux0da7ce62021-08-23 17:04:20 +000028 "android/soong/android"
29 "android/soong/bazel"
Liz Kammer72beb342022-02-03 08:42:10 -050030 "android/soong/starlark_fmt"
Liz Kammer2dd9ca42020-11-25 16:06:39 -080031 "github.com/google/blueprint"
32 "github.com/google/blueprint/proptools"
33)
34
35type BazelAttributes struct {
36 Attrs map[string]string
37}
38
39type BazelTarget struct {
Jingwen Chen40067de2021-01-26 21:58:43 -050040 name string
Jingwen Chenc63677b2021-06-17 05:43:19 +000041 packageName string
Jingwen Chen40067de2021-01-26 21:58:43 -050042 content string
43 ruleClass string
44 bzlLoadLocation string
45}
46
47// IsLoadedFromStarlark determines if the BazelTarget's rule class is loaded from a .bzl file,
48// as opposed to a native rule built into Bazel.
49func (t BazelTarget) IsLoadedFromStarlark() bool {
50 return t.bzlLoadLocation != ""
51}
52
Jingwen Chenc63677b2021-06-17 05:43:19 +000053// Label is the fully qualified Bazel label constructed from the BazelTarget's
54// package name and target name.
55func (t BazelTarget) Label() string {
56 if t.packageName == "." {
57 return "//:" + t.name
58 } else {
59 return "//" + t.packageName + ":" + t.name
60 }
61}
62
Jingwen Chen40067de2021-01-26 21:58:43 -050063// BazelTargets is a typedef for a slice of BazelTarget objects.
64type BazelTargets []BazelTarget
65
Sasha Smundak8bea2672022-08-04 13:31:14 -070066func (targets BazelTargets) packageRule() *BazelTarget {
67 for _, target := range targets {
68 if target.ruleClass == "package" {
69 return &target
70 }
71 }
72 return nil
73}
74
75// sort a list of BazelTargets in-place, by name, and by generated/handcrafted types.
Jingwen Chen49109762021-05-25 05:16:48 +000076func (targets BazelTargets) sort() {
77 sort.Slice(targets, func(i, j int) bool {
Jingwen Chen49109762021-05-25 05:16:48 +000078 return targets[i].name < targets[j].name
79 })
80}
81
Jingwen Chen40067de2021-01-26 21:58:43 -050082// String returns the string representation of BazelTargets, without load
83// statements (use LoadStatements for that), since the targets are usually not
84// adjacent to the load statements at the top of the BUILD file.
85func (targets BazelTargets) String() string {
86 var res string
87 for i, target := range targets {
Sasha Smundak8bea2672022-08-04 13:31:14 -070088 if target.ruleClass != "package" {
89 res += target.content
90 }
Jingwen Chen40067de2021-01-26 21:58:43 -050091 if i != len(targets)-1 {
92 res += "\n\n"
93 }
94 }
95 return res
96}
97
98// LoadStatements return the string representation of the sorted and deduplicated
99// Starlark rule load statements needed by a group of BazelTargets.
100func (targets BazelTargets) LoadStatements() string {
101 bzlToLoadedSymbols := map[string][]string{}
102 for _, target := range targets {
103 if target.IsLoadedFromStarlark() {
104 bzlToLoadedSymbols[target.bzlLoadLocation] =
105 append(bzlToLoadedSymbols[target.bzlLoadLocation], target.ruleClass)
106 }
107 }
108
109 var loadStatements []string
110 for bzl, ruleClasses := range bzlToLoadedSymbols {
111 loadStatement := "load(\""
112 loadStatement += bzl
113 loadStatement += "\", "
114 ruleClasses = android.SortedUniqueStrings(ruleClasses)
115 for i, ruleClass := range ruleClasses {
116 loadStatement += "\"" + ruleClass + "\""
117 if i != len(ruleClasses)-1 {
118 loadStatement += ", "
119 }
120 }
121 loadStatement += ")"
122 loadStatements = append(loadStatements, loadStatement)
123 }
124 return strings.Join(android.SortedUniqueStrings(loadStatements), "\n")
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800125}
126
127type bpToBuildContext interface {
128 ModuleName(module blueprint.Module) string
129 ModuleDir(module blueprint.Module) string
130 ModuleSubDir(module blueprint.Module) string
131 ModuleType(module blueprint.Module) string
132
Jingwen Chendaa54bc2020-12-14 02:58:54 -0500133 VisitAllModules(visit func(blueprint.Module))
134 VisitDirectDeps(module blueprint.Module, visit func(blueprint.Module))
135}
136
137type CodegenContext struct {
Jingwen Chen16d90a82021-09-17 07:16:13 +0000138 config android.Config
Paul Duffinc6390592022-11-04 13:35:21 +0000139 context *android.Context
Jingwen Chen16d90a82021-09-17 07:16:13 +0000140 mode CodegenMode
141 additionalDeps []string
Liz Kammer6eff3232021-08-26 08:37:59 -0400142 unconvertedDepMode unconvertedDepsMode
Cole Faustb85d1a12022-11-08 18:14:01 -0800143 topDir string
Jingwen Chendaa54bc2020-12-14 02:58:54 -0500144}
145
Usta Shresthadb46a9b2022-07-11 11:29:56 -0400146func (ctx *CodegenContext) Mode() CodegenMode {
147 return ctx.mode
Jingwen Chen164e0862021-02-19 00:48:40 -0500148}
149
Jingwen Chen33832f92021-01-24 22:55:54 -0500150// CodegenMode is an enum to differentiate code-generation modes.
151type CodegenMode int
152
153const (
Usta Shresthadb46a9b2022-07-11 11:29:56 -0400154 // Bp2Build - generate BUILD files with targets buildable by Bazel directly.
Jingwen Chen33832f92021-01-24 22:55:54 -0500155 //
156 // This mode is used for the Soong->Bazel build definition conversion.
157 Bp2Build CodegenMode = iota
158
Usta Shresthadb46a9b2022-07-11 11:29:56 -0400159 // QueryView - generate BUILD files with targets representing fully mutated
Jingwen Chen33832f92021-01-24 22:55:54 -0500160 // Soong modules, representing the fully configured Soong module graph with
Usta Shresthadb46a9b2022-07-11 11:29:56 -0400161 // variants and dependency edges.
Jingwen Chen33832f92021-01-24 22:55:54 -0500162 //
163 // This mode is used for discovering and introspecting the existing Soong
164 // module graph.
165 QueryView
Spandan Das5af0bd32022-09-28 20:43:08 +0000166
167 // ApiBp2build - generate BUILD files for API contribution targets
168 ApiBp2build
Jingwen Chen33832f92021-01-24 22:55:54 -0500169)
170
Liz Kammer6eff3232021-08-26 08:37:59 -0400171type unconvertedDepsMode int
172
173const (
174 // Include a warning in conversion metrics about converted modules with unconverted direct deps
175 warnUnconvertedDeps unconvertedDepsMode = iota
176 // Error and fail conversion if encountering a module with unconverted direct deps
177 // Enabled by setting environment variable `BP2BUILD_ERROR_UNCONVERTED`
178 errorModulesUnconvertedDeps
179)
180
Jingwen Chendcc329a2021-01-26 02:49:03 -0500181func (mode CodegenMode) String() string {
182 switch mode {
183 case Bp2Build:
184 return "Bp2Build"
185 case QueryView:
186 return "QueryView"
Spandan Das5af0bd32022-09-28 20:43:08 +0000187 case ApiBp2build:
188 return "ApiBp2build"
Jingwen Chendcc329a2021-01-26 02:49:03 -0500189 default:
190 return fmt.Sprintf("%d", mode)
191 }
192}
193
Liz Kammerba3ea162021-02-17 13:22:03 -0500194// AddNinjaFileDeps adds dependencies on the specified files to be added to the ninja manifest. The
195// primary builder will be rerun whenever the specified files are modified. Allows us to fulfill the
196// PathContext interface in order to add dependencies on hand-crafted BUILD files. Note: must also
197// call AdditionalNinjaDeps and add them manually to the ninja file.
198func (ctx *CodegenContext) AddNinjaFileDeps(deps ...string) {
199 ctx.additionalDeps = append(ctx.additionalDeps, deps...)
200}
201
202// AdditionalNinjaDeps returns additional ninja deps added by CodegenContext
203func (ctx *CodegenContext) AdditionalNinjaDeps() []string {
204 return ctx.additionalDeps
205}
206
Paul Duffinc6390592022-11-04 13:35:21 +0000207func (ctx *CodegenContext) Config() android.Config { return ctx.config }
208func (ctx *CodegenContext) Context() *android.Context { return ctx.context }
Jingwen Chendaa54bc2020-12-14 02:58:54 -0500209
210// NewCodegenContext creates a wrapper context that conforms to PathContext for
211// writing BUILD files in the output directory.
Cole Faustb85d1a12022-11-08 18:14:01 -0800212func NewCodegenContext(config android.Config, context *android.Context, mode CodegenMode, topDir string) *CodegenContext {
Liz Kammer6eff3232021-08-26 08:37:59 -0400213 var unconvertedDeps unconvertedDepsMode
214 if config.IsEnvTrue("BP2BUILD_ERROR_UNCONVERTED") {
215 unconvertedDeps = errorModulesUnconvertedDeps
216 }
Liz Kammerba3ea162021-02-17 13:22:03 -0500217 return &CodegenContext{
Liz Kammer6eff3232021-08-26 08:37:59 -0400218 context: context,
219 config: config,
220 mode: mode,
221 unconvertedDepMode: unconvertedDeps,
Cole Faustb85d1a12022-11-08 18:14:01 -0800222 topDir: topDir,
Jingwen Chendaa54bc2020-12-14 02:58:54 -0500223 }
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800224}
225
226// props is an unsorted map. This function ensures that
227// the generated attributes are sorted to ensure determinism.
228func propsToAttributes(props map[string]string) string {
229 var attributes string
230 for _, propName := range android.SortedStringKeys(props) {
Liz Kammer0eae52e2021-10-06 10:32:26 -0400231 attributes += fmt.Sprintf(" %s = %s,\n", propName, props[propName])
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800232 }
233 return attributes
234}
235
Liz Kammer6eff3232021-08-26 08:37:59 -0400236type conversionResults struct {
237 buildFileToTargets map[string]BazelTargets
238 metrics CodegenMetrics
Liz Kammer6eff3232021-08-26 08:37:59 -0400239}
240
241func (r conversionResults) BuildDirToTargets() map[string]BazelTargets {
242 return r.buildFileToTargets
243}
244
245func GenerateBazelTargets(ctx *CodegenContext, generateFilegroups bool) (conversionResults, []error) {
Jingwen Chen40067de2021-01-26 21:58:43 -0500246 buildFileToTargets := make(map[string]BazelTargets)
Jingwen Chen164e0862021-02-19 00:48:40 -0500247
248 // Simple metrics tracking for bp2build
usta4f5d2c12022-10-28 23:32:01 -0400249 metrics := CreateCodegenMetrics()
Jingwen Chen164e0862021-02-19 00:48:40 -0500250
Rupert Shuttleworth2a4fc3e2021-04-21 07:10:09 -0400251 dirs := make(map[string]bool)
252
Liz Kammer6eff3232021-08-26 08:37:59 -0400253 var errs []error
254
Jingwen Chen164e0862021-02-19 00:48:40 -0500255 bpCtx := ctx.Context()
256 bpCtx.VisitAllModules(func(m blueprint.Module) {
257 dir := bpCtx.ModuleDir(m)
Chris Parsons492bd912022-01-20 12:55:05 -0500258 moduleType := bpCtx.ModuleType(m)
Rupert Shuttleworth2a4fc3e2021-04-21 07:10:09 -0400259 dirs[dir] = true
260
Liz Kammer2ada09a2021-08-11 00:17:36 -0400261 var targets []BazelTarget
Jingwen Chen73850672020-12-14 08:25:34 -0500262
Jingwen Chen164e0862021-02-19 00:48:40 -0500263 switch ctx.Mode() {
Jingwen Chen33832f92021-01-24 22:55:54 -0500264 case Bp2Build:
Jingwen Chen310bc8f2021-09-20 10:54:27 +0000265 // There are two main ways of converting a Soong module to Bazel:
266 // 1) Manually handcrafting a Bazel target and associating the module with its label
267 // 2) Automatically generating with bp2build converters
268 //
269 // bp2build converters are used for the majority of modules.
Liz Kammerba3ea162021-02-17 13:22:03 -0500270 if b, ok := m.(android.Bazelable); ok && b.HasHandcraftedLabel() {
Jingwen Chen310bc8f2021-09-20 10:54:27 +0000271 // Handle modules converted to handcrafted targets.
272 //
273 // Since these modules are associated with some handcrafted
Cole Faustea602c52022-08-31 14:48:26 -0700274 // target in a BUILD file, we don't autoconvert them.
Jingwen Chen310bc8f2021-09-20 10:54:27 +0000275
276 // Log the module.
Kevin Dagostino60f562a2022-09-20 03:54:47 +0000277 metrics.AddConvertedModule(m, moduleType, dir, Handcrafted)
Liz Kammer2ada09a2021-08-11 00:17:36 -0400278 } else if aModule, ok := m.(android.Module); ok && aModule.IsConvertedByBp2build() {
Jingwen Chen310bc8f2021-09-20 10:54:27 +0000279 // Handle modules converted to generated targets.
280
281 // Log the module.
Kevin Dagostino60f562a2022-09-20 03:54:47 +0000282 metrics.AddConvertedModule(aModule, moduleType, dir, Generated)
Jingwen Chen310bc8f2021-09-20 10:54:27 +0000283
284 // Handle modules with unconverted deps. By default, emit a warning.
Liz Kammer6eff3232021-08-26 08:37:59 -0400285 if unconvertedDeps := aModule.GetUnconvertedBp2buildDeps(); len(unconvertedDeps) > 0 {
Sasha Smundakf2bb26f2022-08-04 11:28:15 -0700286 msg := fmt.Sprintf("%s %s:%s depends on unconverted modules: %s",
287 moduleType, bpCtx.ModuleDir(m), m.Name(), strings.Join(unconvertedDeps, ", "))
Usta Shresthac6057152022-09-24 00:23:31 -0400288 switch ctx.unconvertedDepMode {
289 case warnUnconvertedDeps:
Liz Kammer6eff3232021-08-26 08:37:59 -0400290 metrics.moduleWithUnconvertedDepsMsgs = append(metrics.moduleWithUnconvertedDepsMsgs, msg)
Usta Shresthac6057152022-09-24 00:23:31 -0400291 case errorModulesUnconvertedDeps:
Liz Kammer6eff3232021-08-26 08:37:59 -0400292 errs = append(errs, fmt.Errorf(msg))
293 return
294 }
295 }
Liz Kammerdaa09ef2021-12-15 15:35:38 -0500296 if unconvertedDeps := aModule.GetMissingBp2buildDeps(); len(unconvertedDeps) > 0 {
Sasha Smundakf2bb26f2022-08-04 11:28:15 -0700297 msg := fmt.Sprintf("%s %s:%s depends on missing modules: %s",
298 moduleType, bpCtx.ModuleDir(m), m.Name(), strings.Join(unconvertedDeps, ", "))
Usta Shresthac6057152022-09-24 00:23:31 -0400299 switch ctx.unconvertedDepMode {
300 case warnUnconvertedDeps:
Liz Kammerdaa09ef2021-12-15 15:35:38 -0500301 metrics.moduleWithMissingDepsMsgs = append(metrics.moduleWithMissingDepsMsgs, msg)
Usta Shresthac6057152022-09-24 00:23:31 -0400302 case errorModulesUnconvertedDeps:
Liz Kammerdaa09ef2021-12-15 15:35:38 -0500303 errs = append(errs, fmt.Errorf(msg))
304 return
305 }
306 }
Alix94e26032022-08-16 20:37:33 +0000307 var targetErrs []error
308 targets, targetErrs = generateBazelTargets(bpCtx, aModule)
309 errs = append(errs, targetErrs...)
Liz Kammer2ada09a2021-08-11 00:17:36 -0400310 for _, t := range targets {
Jingwen Chen310bc8f2021-09-20 10:54:27 +0000311 // A module can potentially generate more than 1 Bazel
312 // target, each of a different rule class.
313 metrics.IncrementRuleClassCount(t.ruleClass)
Liz Kammer2ada09a2021-08-11 00:17:36 -0400314 }
Liz Kammerfc46bc12021-02-19 11:06:17 -0500315 } else {
Chris Parsons492bd912022-01-20 12:55:05 -0500316 metrics.AddUnconvertedModule(moduleType)
Liz Kammerba3ea162021-02-17 13:22:03 -0500317 return
Jingwen Chen73850672020-12-14 08:25:34 -0500318 }
Jingwen Chen33832f92021-01-24 22:55:54 -0500319 case QueryView:
Jingwen Chen96af35b2021-02-08 00:49:32 -0500320 // Blocklist certain module types from being generated.
Jingwen Chen164e0862021-02-19 00:48:40 -0500321 if canonicalizeModuleType(bpCtx.ModuleType(m)) == "package" {
Jingwen Chen96af35b2021-02-08 00:49:32 -0500322 // package module name contain slashes, and thus cannot
323 // be mapped cleanly to a bazel label.
324 return
325 }
Alix94e26032022-08-16 20:37:33 +0000326 t, err := generateSoongModuleTarget(bpCtx, m)
327 if err != nil {
328 errs = append(errs, err)
329 }
Liz Kammer2ada09a2021-08-11 00:17:36 -0400330 targets = append(targets, t)
Spandan Das5af0bd32022-09-28 20:43:08 +0000331 case ApiBp2build:
332 if aModule, ok := m.(android.Module); ok && aModule.IsConvertedByBp2build() {
333 targets, errs = generateBazelTargets(bpCtx, aModule)
334 }
Jingwen Chen33832f92021-01-24 22:55:54 -0500335 default:
Liz Kammer6eff3232021-08-26 08:37:59 -0400336 errs = append(errs, fmt.Errorf("Unknown code-generation mode: %s", ctx.Mode()))
337 return
Jingwen Chen73850672020-12-14 08:25:34 -0500338 }
339
Liz Kammer2ada09a2021-08-11 00:17:36 -0400340 buildFileToTargets[dir] = append(buildFileToTargets[dir], targets...)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800341 })
Liz Kammer6eff3232021-08-26 08:37:59 -0400342
343 if len(errs) > 0 {
344 return conversionResults{}, errs
345 }
346
Rupert Shuttleworth2a4fc3e2021-04-21 07:10:09 -0400347 if generateFilegroups {
348 // Add a filegroup target that exposes all sources in the subtree of this package
349 // NOTE: This also means we generate a BUILD file for every Android.bp file (as long as it has at least one module)
Cole Faust324a92e2022-08-23 15:29:05 -0700350 //
351 // This works because: https://bazel.build/reference/be/functions#exports_files
352 // "As a legacy behaviour, also files mentioned as input to a rule are exported with the
353 // default visibility until the flag --incompatible_no_implicit_file_export is flipped. However, this behavior
354 // should not be relied upon and actively migrated away from."
355 //
356 // TODO(b/198619163): We should change this to export_files(glob(["**/*"])) instead, but doing that causes these errors:
357 // "Error in exports_files: generated label '//external/avb:avbtool' conflicts with existing py_binary rule"
358 // So we need to solve all the "target ... is both a rule and a file" warnings first.
Usta Shresthac6057152022-09-24 00:23:31 -0400359 for dir := range dirs {
Rupert Shuttleworth2a4fc3e2021-04-21 07:10:09 -0400360 buildFileToTargets[dir] = append(buildFileToTargets[dir], BazelTarget{
361 name: "bp2build_all_srcs",
362 content: `filegroup(name = "bp2build_all_srcs", srcs = glob(["**/*"]))`,
363 ruleClass: "filegroup",
364 })
365 }
366 }
Jingwen Chen164e0862021-02-19 00:48:40 -0500367
Liz Kammer6eff3232021-08-26 08:37:59 -0400368 return conversionResults{
369 buildFileToTargets: buildFileToTargets,
370 metrics: metrics,
Liz Kammer6eff3232021-08-26 08:37:59 -0400371 }, errs
Jingwen Chen164e0862021-02-19 00:48:40 -0500372}
373
Alix94e26032022-08-16 20:37:33 +0000374func generateBazelTargets(ctx bpToBuildContext, m android.Module) ([]BazelTarget, []error) {
Liz Kammer2ada09a2021-08-11 00:17:36 -0400375 var targets []BazelTarget
Alix94e26032022-08-16 20:37:33 +0000376 var errs []error
Liz Kammer2ada09a2021-08-11 00:17:36 -0400377 for _, m := range m.Bp2buildTargets() {
Alix94e26032022-08-16 20:37:33 +0000378 target, err := generateBazelTarget(ctx, m)
379 if err != nil {
380 errs = append(errs, err)
381 return targets, errs
382 }
383 targets = append(targets, target)
Liz Kammer2ada09a2021-08-11 00:17:36 -0400384 }
Alix94e26032022-08-16 20:37:33 +0000385 return targets, errs
Liz Kammer2ada09a2021-08-11 00:17:36 -0400386}
387
388type bp2buildModule interface {
389 TargetName() string
390 TargetPackage() string
391 BazelRuleClass() string
392 BazelRuleLoadLocation() string
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux447f6c92021-08-31 20:30:36 +0000393 BazelAttributes() []interface{}
Liz Kammer2ada09a2021-08-11 00:17:36 -0400394}
395
Alix94e26032022-08-16 20:37:33 +0000396func generateBazelTarget(ctx bpToBuildContext, m bp2buildModule) (BazelTarget, error) {
Liz Kammer2ada09a2021-08-11 00:17:36 -0400397 ruleClass := m.BazelRuleClass()
398 bzlLoadLocation := m.BazelRuleLoadLocation()
Jingwen Chen40067de2021-01-26 21:58:43 -0500399
Jingwen Chen73850672020-12-14 08:25:34 -0500400 // extract the bazel attributes from the module.
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux447f6c92021-08-31 20:30:36 +0000401 attrs := m.BazelAttributes()
Alix94e26032022-08-16 20:37:33 +0000402 props, err := extractModuleProperties(attrs, true)
403 if err != nil {
404 return BazelTarget{}, err
405 }
Jingwen Chen73850672020-12-14 08:25:34 -0500406
Liz Kammer0eae52e2021-10-06 10:32:26 -0400407 // name is handled in a special manner
408 delete(props.Attrs, "name")
Jingwen Chen77e8b7b2021-02-05 03:03:24 -0500409
Jingwen Chen73850672020-12-14 08:25:34 -0500410 // Return the Bazel target with rule class and attributes, ready to be
411 // code-generated.
412 attributes := propsToAttributes(props.Attrs)
Sasha Smundakfb589492022-08-04 11:13:27 -0700413 var content string
Liz Kammer2ada09a2021-08-11 00:17:36 -0400414 targetName := m.TargetName()
Sasha Smundakfb589492022-08-04 11:13:27 -0700415 if targetName != "" {
416 content = fmt.Sprintf(ruleTargetTemplate, ruleClass, targetName, attributes)
417 } else {
418 content = fmt.Sprintf(unnamedRuleTargetTemplate, ruleClass, attributes)
419 }
Jingwen Chen73850672020-12-14 08:25:34 -0500420 return BazelTarget{
Jingwen Chen40067de2021-01-26 21:58:43 -0500421 name: targetName,
Liz Kammer2ada09a2021-08-11 00:17:36 -0400422 packageName: m.TargetPackage(),
Jingwen Chen40067de2021-01-26 21:58:43 -0500423 ruleClass: ruleClass,
424 bzlLoadLocation: bzlLoadLocation,
Sasha Smundakfb589492022-08-04 11:13:27 -0700425 content: content,
Alix94e26032022-08-16 20:37:33 +0000426 }, nil
Jingwen Chen73850672020-12-14 08:25:34 -0500427}
428
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800429// Convert a module and its deps and props into a Bazel macro/rule
430// representation in the BUILD file.
Alix94e26032022-08-16 20:37:33 +0000431func generateSoongModuleTarget(ctx bpToBuildContext, m blueprint.Module) (BazelTarget, error) {
432 props, err := getBuildProperties(ctx, m)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800433
434 // TODO(b/163018919): DirectDeps can have duplicate (module, variant)
435 // items, if the modules are added using different DependencyTag. Figure
436 // out the implications of that.
437 depLabels := map[string]bool{}
438 if aModule, ok := m.(android.Module); ok {
Jingwen Chendaa54bc2020-12-14 02:58:54 -0500439 ctx.VisitDirectDeps(aModule, func(depModule blueprint.Module) {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800440 depLabels[qualifiedTargetLabel(ctx, depModule)] = true
441 })
442 }
Liz Kammer0eae52e2021-10-06 10:32:26 -0400443
Usta Shresthadb46a9b2022-07-11 11:29:56 -0400444 for p := range ignoredPropNames {
Liz Kammer0eae52e2021-10-06 10:32:26 -0400445 delete(props.Attrs, p)
446 }
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800447 attributes := propsToAttributes(props.Attrs)
448
449 depLabelList := "[\n"
Usta Shresthadb46a9b2022-07-11 11:29:56 -0400450 for depLabel := range depLabels {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800451 depLabelList += fmt.Sprintf(" %q,\n", depLabel)
452 }
453 depLabelList += " ]"
454
455 targetName := targetNameWithVariant(ctx, m)
456 return BazelTarget{
457 name: targetName,
458 content: fmt.Sprintf(
Sasha Smundakfb589492022-08-04 11:13:27 -0700459 soongModuleTargetTemplate,
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800460 targetName,
461 ctx.ModuleName(m),
462 canonicalizeModuleType(ctx.ModuleType(m)),
463 ctx.ModuleSubDir(m),
464 depLabelList,
465 attributes),
Alix94e26032022-08-16 20:37:33 +0000466 }, err
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800467}
468
Alix94e26032022-08-16 20:37:33 +0000469func getBuildProperties(ctx bpToBuildContext, m blueprint.Module) (BazelAttributes, error) {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800470 // TODO: this omits properties for blueprint modules (blueprint_go_binary,
471 // bootstrap_go_binary, bootstrap_go_package), which will have to be handled separately.
472 if aModule, ok := m.(android.Module); ok {
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux447f6c92021-08-31 20:30:36 +0000473 return extractModuleProperties(aModule.GetProperties(), false)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800474 }
475
Alix94e26032022-08-16 20:37:33 +0000476 return BazelAttributes{}, nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800477}
478
479// Generically extract module properties and types into a map, keyed by the module property name.
Alix94e26032022-08-16 20:37:33 +0000480func extractModuleProperties(props []interface{}, checkForDuplicateProperties bool) (BazelAttributes, error) {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800481 ret := map[string]string{}
482
483 // Iterate over this android.Module's property structs.
Liz Kammer2ada09a2021-08-11 00:17:36 -0400484 for _, properties := range props {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800485 propertiesValue := reflect.ValueOf(properties)
486 // Check that propertiesValue is a pointer to the Properties struct, like
487 // *cc.BaseLinkerProperties or *java.CompilerProperties.
488 //
489 // propertiesValue can also be type-asserted to the structs to
490 // manipulate internal props, if needed.
491 if isStructPtr(propertiesValue.Type()) {
492 structValue := propertiesValue.Elem()
Alix94e26032022-08-16 20:37:33 +0000493 ok, err := extractStructProperties(structValue, 0)
494 if err != nil {
495 return BazelAttributes{}, err
496 }
497 for k, v := range ok {
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux447f6c92021-08-31 20:30:36 +0000498 if existing, exists := ret[k]; checkForDuplicateProperties && exists {
Alix94e26032022-08-16 20:37:33 +0000499 return BazelAttributes{}, fmt.Errorf(
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux447f6c92021-08-31 20:30:36 +0000500 "%s (%v) is present in properties whereas it should be consolidated into a commonAttributes",
Alix94e26032022-08-16 20:37:33 +0000501 k, existing)
Alex Márquez Pérez Muñíz Díaz Púras Thaureaux447f6c92021-08-31 20:30:36 +0000502 }
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800503 ret[k] = v
504 }
505 } else {
Alix94e26032022-08-16 20:37:33 +0000506 return BazelAttributes{},
507 fmt.Errorf(
508 "properties must be a pointer to a struct, got %T",
509 propertiesValue.Interface())
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800510 }
511 }
512
Liz Kammer2ada09a2021-08-11 00:17:36 -0400513 return BazelAttributes{
514 Attrs: ret,
Alix94e26032022-08-16 20:37:33 +0000515 }, nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800516}
517
518func isStructPtr(t reflect.Type) bool {
519 return t.Kind() == reflect.Ptr && t.Elem().Kind() == reflect.Struct
520}
521
522// prettyPrint a property value into the equivalent Starlark representation
523// recursively.
Jingwen Chen58ff6802021-11-17 12:14:41 +0000524func prettyPrint(propertyValue reflect.Value, indent int, emitZeroValues bool) (string, error) {
525 if !emitZeroValues && isZero(propertyValue) {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800526 // A property value being set or unset actually matters -- Soong does set default
527 // values for unset properties, like system_shared_libs = ["libc", "libm", "libdl"] at
528 // https://cs.android.com/android/platform/superproject/+/master:build/soong/cc/linker.go;l=281-287;drc=f70926eef0b9b57faf04c17a1062ce50d209e480
529 //
Jingwen Chenfc490bd2021-03-30 10:24:19 +0000530 // In Bazel-parlance, we would use "attr.<type>(default = <default
531 // value>)" to set the default value of unset attributes. In the cases
532 // where the bp2build converter didn't set the default value within the
533 // mutator when creating the BazelTargetModule, this would be a zero
Jingwen Chen63930982021-03-24 10:04:33 -0400534 // value. For those cases, we return an empty string so we don't
535 // unnecessarily generate empty values.
536 return "", nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800537 }
538
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800539 switch propertyValue.Kind() {
540 case reflect.String:
Liz Kammer72beb342022-02-03 08:42:10 -0500541 return fmt.Sprintf("\"%v\"", escapeString(propertyValue.String())), nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800542 case reflect.Bool:
Liz Kammer72beb342022-02-03 08:42:10 -0500543 return starlark_fmt.PrintBool(propertyValue.Bool()), nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800544 case reflect.Int, reflect.Uint, reflect.Int64:
Liz Kammer72beb342022-02-03 08:42:10 -0500545 return fmt.Sprintf("%v", propertyValue.Interface()), nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800546 case reflect.Ptr:
Jingwen Chen58ff6802021-11-17 12:14:41 +0000547 return prettyPrint(propertyValue.Elem(), indent, emitZeroValues)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800548 case reflect.Slice:
Liz Kammer72beb342022-02-03 08:42:10 -0500549 elements := make([]string, 0, propertyValue.Len())
550 for i := 0; i < propertyValue.Len(); i++ {
551 val, err := prettyPrint(propertyValue.Index(i), indent, emitZeroValues)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800552 if err != nil {
553 return "", err
554 }
Liz Kammer72beb342022-02-03 08:42:10 -0500555 if val != "" {
556 elements = append(elements, val)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800557 }
558 }
Sam Delmerico932c01c2022-03-25 16:33:26 +0000559 return starlark_fmt.PrintList(elements, indent, func(s string) string {
560 return "%s"
561 }), nil
Jingwen Chenb4628eb2021-04-08 14:40:57 +0000562
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800563 case reflect.Struct:
Jingwen Chen5d864492021-02-24 07:20:12 -0500564 // Special cases where the bp2build sends additional information to the codegenerator
565 // by wrapping the attributes in a custom struct type.
Jingwen Chenc1c26502021-04-05 10:35:13 +0000566 if attr, ok := propertyValue.Interface().(bazel.Attribute); ok {
567 return prettyPrintAttribute(attr, indent)
Liz Kammer356f7d42021-01-26 09:18:53 -0500568 } else if label, ok := propertyValue.Interface().(bazel.Label); ok {
569 return fmt.Sprintf("%q", label.Label), nil
570 }
571
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800572 // Sort and print the struct props by the key.
Alix94e26032022-08-16 20:37:33 +0000573 structProps, err := extractStructProperties(propertyValue, indent)
574
575 if err != nil {
576 return "", err
577 }
578
Jingwen Chen3d383bb2021-06-09 07:18:37 +0000579 if len(structProps) == 0 {
580 return "", nil
581 }
Liz Kammer72beb342022-02-03 08:42:10 -0500582 return starlark_fmt.PrintDict(structProps, indent), nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800583 case reflect.Interface:
584 // TODO(b/164227191): implement pretty print for interfaces.
585 // Interfaces are used for for arch, multilib and target properties.
586 return "", nil
587 default:
588 return "", fmt.Errorf(
589 "unexpected kind for property struct field: %s", propertyValue.Kind())
590 }
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800591}
592
593// Converts a reflected property struct value into a map of property names and property values,
594// which each property value correctly pretty-printed and indented at the right nest level,
595// since property structs can be nested. In Starlark, nested structs are represented as nested
596// dicts: https://docs.bazel.build/skylark/lib/dict.html
Alix94e26032022-08-16 20:37:33 +0000597func extractStructProperties(structValue reflect.Value, indent int) (map[string]string, error) {
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800598 if structValue.Kind() != reflect.Struct {
Alix94e26032022-08-16 20:37:33 +0000599 return map[string]string{}, fmt.Errorf("Expected a reflect.Struct type, but got %s", structValue.Kind())
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800600 }
601
Alix94e26032022-08-16 20:37:33 +0000602 var err error
603
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800604 ret := map[string]string{}
605 structType := structValue.Type()
606 for i := 0; i < structValue.NumField(); i++ {
607 field := structType.Field(i)
608 if shouldSkipStructField(field) {
609 continue
610 }
611
612 fieldValue := structValue.Field(i)
613 if isZero(fieldValue) {
614 // Ignore zero-valued fields
615 continue
616 }
Liz Kammer7a210ac2021-09-22 15:52:58 -0400617
Liz Kammer32a03392021-09-14 11:17:21 -0400618 // if the struct is embedded (anonymous), flatten the properties into the containing struct
619 if field.Anonymous {
620 if field.Type.Kind() == reflect.Ptr {
621 fieldValue = fieldValue.Elem()
622 }
623 if fieldValue.Type().Kind() == reflect.Struct {
Alix94e26032022-08-16 20:37:33 +0000624 propsToMerge, err := extractStructProperties(fieldValue, indent)
625 if err != nil {
626 return map[string]string{}, err
627 }
Liz Kammer32a03392021-09-14 11:17:21 -0400628 for prop, value := range propsToMerge {
629 ret[prop] = value
630 }
631 continue
632 }
633 }
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800634
635 propertyName := proptools.PropertyNameForField(field.Name)
Alix94e26032022-08-16 20:37:33 +0000636 var prettyPrintedValue string
637 prettyPrintedValue, err = prettyPrint(fieldValue, indent+1, false)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800638 if err != nil {
Alix94e26032022-08-16 20:37:33 +0000639 return map[string]string{}, fmt.Errorf(
640 "Error while parsing property: %q. %s",
641 propertyName,
642 err)
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800643 }
644 if prettyPrintedValue != "" {
645 ret[propertyName] = prettyPrintedValue
646 }
647 }
648
Alix94e26032022-08-16 20:37:33 +0000649 return ret, nil
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800650}
651
652func isZero(value reflect.Value) bool {
653 switch value.Kind() {
654 case reflect.Func, reflect.Map, reflect.Slice:
655 return value.IsNil()
656 case reflect.Array:
657 valueIsZero := true
658 for i := 0; i < value.Len(); i++ {
659 valueIsZero = valueIsZero && isZero(value.Index(i))
660 }
661 return valueIsZero
662 case reflect.Struct:
663 valueIsZero := true
664 for i := 0; i < value.NumField(); i++ {
Lukacs T. Berki1353e592021-04-30 15:35:09 +0200665 valueIsZero = valueIsZero && isZero(value.Field(i))
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800666 }
667 return valueIsZero
668 case reflect.Ptr:
669 if !value.IsNil() {
670 return isZero(reflect.Indirect(value))
671 } else {
672 return true
673 }
Liz Kammer46fb7ab2021-12-01 10:09:34 -0500674 // Always print bool/strings, if you want a bool/string attribute to be able to take the default value, use a
675 // pointer instead
676 case reflect.Bool, reflect.String:
Liz Kammerd366c902021-06-03 13:43:01 -0400677 return false
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800678 default:
Rupert Shuttleworthc194ffb2021-05-19 06:49:02 -0400679 if !value.IsValid() {
680 return true
681 }
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800682 zeroValue := reflect.Zero(value.Type())
683 result := value.Interface() == zeroValue.Interface()
684 return result
685 }
686}
687
688func escapeString(s string) string {
689 s = strings.ReplaceAll(s, "\\", "\\\\")
Jingwen Chen58a12b82021-03-30 13:08:36 +0000690
691 // b/184026959: Reverse the application of some common control sequences.
692 // These must be generated literally in the BUILD file.
693 s = strings.ReplaceAll(s, "\t", "\\t")
694 s = strings.ReplaceAll(s, "\n", "\\n")
695 s = strings.ReplaceAll(s, "\r", "\\r")
696
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800697 return strings.ReplaceAll(s, "\"", "\\\"")
698}
699
Liz Kammer2dd9ca42020-11-25 16:06:39 -0800700func targetNameWithVariant(c bpToBuildContext, logicModule blueprint.Module) string {
701 name := ""
702 if c.ModuleSubDir(logicModule) != "" {
703 // TODO(b/162720883): Figure out a way to drop the "--" variant suffixes.
704 name = c.ModuleName(logicModule) + "--" + c.ModuleSubDir(logicModule)
705 } else {
706 name = c.ModuleName(logicModule)
707 }
708
709 return strings.Replace(name, "//", "", 1)
710}
711
712func qualifiedTargetLabel(c bpToBuildContext, logicModule blueprint.Module) string {
713 return fmt.Sprintf("//%s:%s", c.ModuleDir(logicModule), targetNameWithVariant(c, logicModule))
714}