• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1// Copyright 2016 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 cc
16
17import (
18	"path/filepath"
19
20	"github.com/google/blueprint"
21	"github.com/google/blueprint/proptools"
22
23	"android/soong/android"
24	"android/soong/bazel"
25)
26
27type BinaryLinkerProperties struct {
28	// compile executable with -static
29	Static_executable *bool `android:"arch_variant"`
30
31	// set the name of the output
32	Stem *string `android:"arch_variant"`
33
34	// append to the name of the output
35	Suffix *string `android:"arch_variant"`
36
37	// if set, add an extra objcopy --prefix-symbols= step
38	Prefix_symbols *string
39
40	// if set, install a symlink to the preferred architecture
41	Symlink_preferred_arch *bool `android:"arch_variant"`
42
43	// install symlinks to the binary.  Symlink names will have the suffix and the binary
44	// extension (if any) appended
45	Symlinks []string `android:"arch_variant"`
46
47	// override the dynamic linker
48	DynamicLinker string `blueprint:"mutated"`
49
50	// Names of modules to be overridden. Listed modules can only be other binaries
51	// (in Make or Soong).
52	// This does not completely prevent installation of the overridden binaries, but if both
53	// binaries would be installed by default (in PRODUCT_PACKAGES) the other binary will be removed
54	// from PRODUCT_PACKAGES.
55	Overrides []string
56
57	// Inject boringssl hash into the shared library.  This is only intended for use by external/boringssl.
58	Inject_bssl_hash *bool `android:"arch_variant"`
59}
60
61func init() {
62	RegisterBinaryBuildComponents(android.InitRegistrationContext)
63}
64
65func RegisterBinaryBuildComponents(ctx android.RegistrationContext) {
66	ctx.RegisterModuleType("cc_binary", BinaryFactory)
67	ctx.RegisterModuleType("cc_binary_host", BinaryHostFactory)
68}
69
70// cc_binary produces a binary that is runnable on a device.
71func BinaryFactory() android.Module {
72	module, _ := newBinary(android.HostAndDeviceSupported, true)
73	module.bazelHandler = &ccBinaryBazelHandler{module: module}
74	return module.Init()
75}
76
77// cc_binary_host produces a binary that is runnable on a host.
78func BinaryHostFactory() android.Module {
79	module, _ := newBinary(android.HostSupported, true)
80	return module.Init()
81}
82
83//
84// Executables
85//
86
87// binaryDecorator is a decorator containing information for C++ binary modules.
88type binaryDecorator struct {
89	*baseLinker
90	*baseInstaller
91	stripper Stripper
92
93	Properties BinaryLinkerProperties
94
95	toolPath android.OptionalPath
96
97	// Location of the linked, unstripped binary
98	unstrippedOutputFile android.Path
99
100	// Names of symlinks to be installed for use in LOCAL_MODULE_SYMLINKS
101	symlinks []string
102
103	// If the module has symlink_preferred_arch set, the name of the symlink to the
104	// binary for the preferred arch.
105	preferredArchSymlink string
106
107	// Output archive of gcno coverage information
108	coverageOutputFile android.OptionalPath
109
110	// Location of the files that should be copied to dist dir when requested
111	distFiles android.TaggedDistFiles
112
113	// Action command lines to run directly after the binary is installed. For example,
114	// may be used to symlink runtime dependencies (such as bionic) alongside installation.
115	postInstallCmds []string
116}
117
118var _ linker = (*binaryDecorator)(nil)
119
120// linkerProps returns the list of individual properties objects relevant
121// for this binary.
122func (binary *binaryDecorator) linkerProps() []interface{} {
123	return append(binary.baseLinker.linkerProps(),
124		&binary.Properties,
125		&binary.stripper.StripProperties)
126
127}
128
129// getStemWithoutSuffix returns the main section of the name to use for the symlink of
130// the main output file of this binary module. This may be derived from the module name
131// or other property overrides.
132// For the full symlink name, the `Suffix` property of a binary module must be appended.
133func (binary *binaryDecorator) getStemWithoutSuffix(ctx BaseModuleContext) string {
134	stem := ctx.baseModuleName()
135	if String(binary.Properties.Stem) != "" {
136		stem = String(binary.Properties.Stem)
137	}
138
139	return stem
140}
141
142// getStem returns the full name to use for the symlink of the main output file of this binary
143// module. This may be derived from the module name and/or other property overrides.
144func (binary *binaryDecorator) getStem(ctx BaseModuleContext) string {
145	return binary.getStemWithoutSuffix(ctx) + String(binary.Properties.Suffix)
146}
147
148// linkerDeps augments and returns the given `deps` to contain dependencies on
149// modules common to most binaries, such as bionic libraries.
150func (binary *binaryDecorator) linkerDeps(ctx DepsContext, deps Deps) Deps {
151	deps = binary.baseLinker.linkerDeps(ctx, deps)
152	if !Bool(binary.baseLinker.Properties.Nocrt) {
153		if binary.static() {
154			deps.CrtBegin = ctx.toolchain().CrtBeginStaticBinary()
155			deps.CrtEnd = ctx.toolchain().CrtEndStaticBinary()
156		} else {
157			deps.CrtBegin = ctx.toolchain().CrtBeginSharedBinary()
158			deps.CrtEnd = ctx.toolchain().CrtEndSharedBinary()
159		}
160	}
161
162	if binary.static() {
163		deps.StaticLibs = append(deps.StaticLibs, deps.SystemSharedLibs...)
164	}
165
166	if ctx.toolchain().Bionic() {
167		if binary.static() {
168			if ctx.selectedStl() == "libc++_static" {
169				deps.StaticLibs = append(deps.StaticLibs, "libm", "libc")
170			}
171			// static libraries libcompiler_rt, libc and libc_nomalloc need to be linked with
172			// --start-group/--end-group along with libgcc.  If they are in deps.StaticLibs,
173			// move them to the beginning of deps.LateStaticLibs
174			var groupLibs []string
175			deps.StaticLibs, groupLibs = filterList(deps.StaticLibs,
176				[]string{"libc", "libc_nomalloc", "libcompiler_rt"})
177			deps.LateStaticLibs = append(groupLibs, deps.LateStaticLibs...)
178		}
179
180		if ctx.Os() == android.LinuxBionic && !binary.static() {
181			deps.DynamicLinker = "linker"
182		}
183	}
184
185	if !binary.static() && inList("libc", deps.StaticLibs) && !ctx.BazelConversionMode() {
186		ctx.ModuleErrorf("statically linking libc to dynamic executable, please remove libc\n" +
187			"from static libs or set static_executable: true")
188	}
189
190	return deps
191}
192
193// NewBinary builds and returns a new Module corresponding to a C++ binary.
194// Individual module implementations which comprise a C++ binary should call this function,
195// set some fields on the result, and then call the Init function.
196func NewBinary(hod android.HostOrDeviceSupported) (*Module, *binaryDecorator) {
197	return newBinary(hod, true)
198}
199
200func newBinary(hod android.HostOrDeviceSupported, bazelable bool) (*Module, *binaryDecorator) {
201	module := newModule(hod, android.MultilibFirst)
202	binary := &binaryDecorator{
203		baseLinker:    NewBaseLinker(module.sanitize),
204		baseInstaller: NewBaseInstaller("bin", "", InstallInSystem),
205	}
206	module.compiler = NewBaseCompiler()
207	module.linker = binary
208	module.installer = binary
209	module.bazelable = bazelable
210
211	// Allow module to be added as member of an sdk/module_exports.
212	module.sdkMemberTypes = []android.SdkMemberType{
213		ccBinarySdkMemberType,
214	}
215	return module, binary
216}
217
218// linkerInit initializes dynamic properties of the linker (such as runpath) based
219// on properties of this binary.
220func (binary *binaryDecorator) linkerInit(ctx BaseModuleContext) {
221	binary.baseLinker.linkerInit(ctx)
222
223	if ctx.Os().Linux() && ctx.Host() {
224		// Unless explicitly specified otherwise, host static binaries are built with -static
225		// if HostStaticBinaries is true for the product configuration.
226		if binary.Properties.Static_executable == nil && ctx.Config().HostStaticBinaries() {
227			binary.Properties.Static_executable = BoolPtr(true)
228		}
229	}
230
231	if ctx.Darwin() || ctx.Windows() {
232		// Static executables are not supported on Darwin or Windows
233		binary.Properties.Static_executable = nil
234	}
235}
236
237func (binary *binaryDecorator) static() bool {
238	return Bool(binary.Properties.Static_executable)
239}
240
241func (binary *binaryDecorator) staticBinary() bool {
242	return binary.static()
243}
244
245func (binary *binaryDecorator) binary() bool {
246	return true
247}
248
249// linkerFlags returns a Flags object containing linker flags that are defined
250// by this binary, or that are implied by attributes of this binary. These flags are
251// combined with the given flags.
252func (binary *binaryDecorator) linkerFlags(ctx ModuleContext, flags Flags) Flags {
253	flags = binary.baseLinker.linkerFlags(ctx, flags)
254
255	// Passing -pie to clang for Windows binaries causes a warning that -pie is unused.
256	if ctx.Host() && !ctx.Windows() && !binary.static() {
257		if !ctx.Config().IsEnvTrue("DISABLE_HOST_PIE") {
258			flags.Global.LdFlags = append(flags.Global.LdFlags, "-pie")
259		}
260	}
261
262	// MinGW spits out warnings about -fPIC even for -fpie?!) being ignored because
263	// all code is position independent, and then those warnings get promoted to
264	// errors.
265	if !ctx.Windows() {
266		flags.Global.CFlags = append(flags.Global.CFlags, "-fPIE")
267	}
268
269	if ctx.toolchain().Bionic() {
270		if binary.static() {
271			// Clang driver needs -static to create static executable.
272			// However, bionic/linker uses -shared to overwrite.
273			// Linker for x86 targets does not allow coexistance of -static and -shared,
274			// so we add -static only if -shared is not used.
275			if !inList("-shared", flags.Local.LdFlags) {
276				flags.Global.LdFlags = append(flags.Global.LdFlags, "-static")
277			}
278
279			flags.Global.LdFlags = append(flags.Global.LdFlags,
280				"-nostdlib",
281				"-Bstatic",
282				"-Wl,--gc-sections",
283			)
284		} else { // not static
285			if flags.DynamicLinker == "" {
286				if binary.Properties.DynamicLinker != "" {
287					flags.DynamicLinker = binary.Properties.DynamicLinker
288				} else {
289					switch ctx.Os() {
290					case android.Android:
291						if ctx.bootstrap() && !ctx.inRecovery() && !ctx.inRamdisk() && !ctx.inVendorRamdisk() {
292							flags.DynamicLinker = "/system/bin/bootstrap/linker"
293						} else {
294							flags.DynamicLinker = "/system/bin/linker"
295						}
296						if flags.Toolchain.Is64Bit() {
297							flags.DynamicLinker += "64"
298						}
299					case android.LinuxBionic:
300						flags.DynamicLinker = ""
301					default:
302						ctx.ModuleErrorf("unknown dynamic linker")
303					}
304				}
305
306				if ctx.Os() == android.LinuxBionic {
307					// Use the dlwrap entry point, but keep _start around so
308					// that it can be used by host_bionic_inject
309					flags.Global.LdFlags = append(flags.Global.LdFlags,
310						"-Wl,--entry=__dlwrap__start",
311						"-Wl,--undefined=_start",
312					)
313				}
314			}
315
316			flags.Global.LdFlags = append(flags.Global.LdFlags,
317				"-pie",
318				"-nostdlib",
319				"-Bdynamic",
320				"-Wl,--gc-sections",
321				"-Wl,-z,nocopyreloc",
322			)
323		}
324	} else { // not bionic
325		if binary.static() {
326			flags.Global.LdFlags = append(flags.Global.LdFlags, "-static")
327		}
328		if ctx.Darwin() {
329			flags.Global.LdFlags = append(flags.Global.LdFlags, "-Wl,-headerpad_max_install_names")
330		}
331	}
332
333	return flags
334}
335
336// link registers actions to link this binary, and sets various fields
337// on this binary to reflect information that should be exported up the build
338// tree (for example, exported flags and include paths).
339func (binary *binaryDecorator) link(ctx ModuleContext,
340	flags Flags, deps PathDeps, objs Objects) android.Path {
341
342	fileName := binary.getStem(ctx) + flags.Toolchain.ExecutableSuffix()
343	outputFile := android.PathForModuleOut(ctx, fileName)
344	ret := outputFile
345
346	var linkerDeps android.Paths
347
348	if flags.DynamicLinker != "" {
349		flags.Local.LdFlags = append(flags.Local.LdFlags, "-Wl,-dynamic-linker,"+flags.DynamicLinker)
350	} else if (ctx.toolchain().Bionic() || ctx.toolchain().Musl()) && !binary.static() {
351		flags.Local.LdFlags = append(flags.Local.LdFlags, "-Wl,--no-dynamic-linker")
352	}
353
354	if ctx.Darwin() && deps.DarwinSecondArchOutput.Valid() {
355		fatOutputFile := outputFile
356		outputFile = android.PathForModuleOut(ctx, "pre-fat", fileName)
357		transformDarwinUniversalBinary(ctx, fatOutputFile, outputFile, deps.DarwinSecondArchOutput.Path())
358	}
359
360	builderFlags := flagsToBuilderFlags(flags)
361	stripFlags := flagsToStripFlags(flags)
362	if binary.stripper.NeedsStrip(ctx) {
363		if ctx.Darwin() {
364			stripFlags.StripUseGnuStrip = true
365		}
366		strippedOutputFile := outputFile
367		outputFile = android.PathForModuleOut(ctx, "unstripped", fileName)
368		binary.stripper.StripExecutableOrSharedLib(ctx, outputFile, strippedOutputFile, stripFlags)
369	}
370
371	binary.unstrippedOutputFile = outputFile
372
373	if String(binary.Properties.Prefix_symbols) != "" {
374		afterPrefixSymbols := outputFile
375		outputFile = android.PathForModuleOut(ctx, "unprefixed", fileName)
376		transformBinaryPrefixSymbols(ctx, String(binary.Properties.Prefix_symbols), outputFile,
377			builderFlags, afterPrefixSymbols)
378	}
379
380	outputFile = maybeInjectBoringSSLHash(ctx, outputFile, binary.Properties.Inject_bssl_hash, fileName)
381
382	// If use_version_lib is true, make an android::build::GetBuildNumber() function available.
383	if Bool(binary.baseLinker.Properties.Use_version_lib) {
384		if ctx.Host() {
385			versionedOutputFile := outputFile
386			outputFile = android.PathForModuleOut(ctx, "unversioned", fileName)
387			binary.injectVersionSymbol(ctx, outputFile, versionedOutputFile)
388		} else {
389			// When dist'ing a library or binary that has use_version_lib set, always
390			// distribute the stamped version, even for the device.
391			versionedOutputFile := android.PathForModuleOut(ctx, "versioned", fileName)
392			binary.distFiles = android.MakeDefaultDistFiles(versionedOutputFile)
393
394			if binary.stripper.NeedsStrip(ctx) {
395				out := android.PathForModuleOut(ctx, "versioned-stripped", fileName)
396				binary.distFiles = android.MakeDefaultDistFiles(out)
397				binary.stripper.StripExecutableOrSharedLib(ctx, versionedOutputFile, out, stripFlags)
398			}
399
400			binary.injectVersionSymbol(ctx, outputFile, versionedOutputFile)
401		}
402	}
403
404	var validations android.Paths
405
406	// Handle host bionic linker symbols.
407	if ctx.Os() == android.LinuxBionic && !binary.static() {
408		verifyFile := android.PathForModuleOut(ctx, "host_bionic_verify.stamp")
409
410		if !deps.DynamicLinker.Valid() {
411			panic("Non-static host bionic modules must have a dynamic linker")
412		}
413
414		binary.verifyHostBionicLinker(ctx, outputFile, deps.DynamicLinker.Path(), verifyFile)
415		validations = append(validations, verifyFile)
416	}
417
418	var sharedLibs android.Paths
419	// Ignore shared libs for static executables.
420	if !binary.static() {
421		sharedLibs = deps.EarlySharedLibs
422		sharedLibs = append(sharedLibs, deps.SharedLibs...)
423		sharedLibs = append(sharedLibs, deps.LateSharedLibs...)
424		linkerDeps = append(linkerDeps, deps.EarlySharedLibsDeps...)
425		linkerDeps = append(linkerDeps, deps.SharedLibsDeps...)
426		linkerDeps = append(linkerDeps, deps.LateSharedLibsDeps...)
427		linkerDeps = append(linkerDeps, ndkSharedLibDeps(ctx)...)
428	}
429
430	validations = append(validations, objs.tidyDepFiles...)
431	linkerDeps = append(linkerDeps, flags.LdFlagsDeps...)
432
433	// Register link action.
434	transformObjToDynamicBinary(ctx, objs.objFiles, sharedLibs, deps.StaticLibs,
435		deps.LateStaticLibs, deps.WholeStaticLibs, linkerDeps, deps.CrtBegin, deps.CrtEnd, true,
436		builderFlags, outputFile, nil, validations)
437
438	objs.coverageFiles = append(objs.coverageFiles, deps.StaticLibObjs.coverageFiles...)
439	objs.coverageFiles = append(objs.coverageFiles, deps.WholeStaticLibObjs.coverageFiles...)
440	binary.coverageOutputFile = transformCoverageFilesToZip(ctx, objs, binary.getStem(ctx))
441
442	// Need to determine symlinks early since some targets (ie APEX) need this
443	// information but will not call 'install'
444	binary.setSymlinkList(ctx)
445
446	return ret
447}
448
449func (binary *binaryDecorator) unstrippedOutputFilePath() android.Path {
450	return binary.unstrippedOutputFile
451}
452
453func (binary *binaryDecorator) setSymlinkList(ctx ModuleContext) {
454	for _, symlink := range binary.Properties.Symlinks {
455		binary.symlinks = append(binary.symlinks,
456			symlink+String(binary.Properties.Suffix)+ctx.toolchain().ExecutableSuffix())
457	}
458
459	if Bool(binary.Properties.Symlink_preferred_arch) {
460		if String(binary.Properties.Suffix) == "" {
461			ctx.PropertyErrorf("symlink_preferred_arch", "must also specify suffix")
462		}
463		if ctx.TargetPrimary() {
464			// Install a symlink to the preferred architecture
465			symlinkName := binary.getStemWithoutSuffix(ctx)
466			binary.symlinks = append(binary.symlinks, symlinkName)
467			binary.preferredArchSymlink = symlinkName
468		}
469	}
470}
471
472func (binary *binaryDecorator) symlinkList() []string {
473	return binary.symlinks
474}
475
476func (binary *binaryDecorator) nativeCoverage() bool {
477	return true
478}
479
480func (binary *binaryDecorator) coverageOutputFilePath() android.OptionalPath {
481	return binary.coverageOutputFile
482}
483
484// /system/bin/linker -> /apex/com.android.runtime/bin/linker
485func (binary *binaryDecorator) installSymlinkToRuntimeApex(ctx ModuleContext, file android.Path) {
486	dir := binary.baseInstaller.installDir(ctx)
487	dirOnDevice := android.InstallPathToOnDevicePath(ctx, dir)
488	target := "/" + filepath.Join("apex", "com.android.runtime", dir.Base(), file.Base())
489
490	ctx.InstallAbsoluteSymlink(dir, file.Base(), target)
491	binary.postInstallCmds = append(binary.postInstallCmds, makeSymlinkCmd(dirOnDevice, file.Base(), target))
492
493	for _, symlink := range binary.symlinks {
494		ctx.InstallAbsoluteSymlink(dir, symlink, target)
495		binary.postInstallCmds = append(binary.postInstallCmds, makeSymlinkCmd(dirOnDevice, symlink, target))
496	}
497}
498
499func (binary *binaryDecorator) install(ctx ModuleContext, file android.Path) {
500	// Bionic binaries (e.g. linker) is installed to the bootstrap subdirectory.
501	// The original path becomes a symlink to the corresponding file in the
502	// runtime APEX.
503	translatedArch := ctx.Target().NativeBridge == android.NativeBridgeEnabled
504	if InstallToBootstrap(ctx.baseModuleName(), ctx.Config()) && !ctx.Host() && ctx.directlyInAnyApex() &&
505		!translatedArch && ctx.apexVariationName() == "" && !ctx.inRamdisk() && !ctx.inRecovery() &&
506		!ctx.inVendorRamdisk() {
507
508		if ctx.Device() && isBionic(ctx.baseModuleName()) {
509			binary.installSymlinkToRuntimeApex(ctx, file)
510		}
511		binary.baseInstaller.subDir = "bootstrap"
512	}
513	binary.baseInstaller.install(ctx, file)
514
515	var preferredArchSymlinkPath android.OptionalPath
516	for _, symlink := range binary.symlinks {
517		installedSymlink := ctx.InstallSymlink(binary.baseInstaller.installDir(ctx), symlink,
518			binary.baseInstaller.path)
519		if symlink == binary.preferredArchSymlink {
520			// If this is the preferred arch symlink, save the installed path for use as the
521			// tool path.
522			preferredArchSymlinkPath = android.OptionalPathForPath(installedSymlink)
523		}
524	}
525
526	if ctx.Os().Class == android.Host {
527		// If the binary is multilib with a symlink to the preferred architecture, use the
528		// symlink instead of the binary because that's the more "canonical" name.
529		if preferredArchSymlinkPath.Valid() {
530			binary.toolPath = preferredArchSymlinkPath
531		} else {
532			binary.toolPath = android.OptionalPathForPath(binary.baseInstaller.path)
533		}
534	}
535}
536
537func (binary *binaryDecorator) hostToolPath() android.OptionalPath {
538	return binary.toolPath
539}
540
541func init() {
542	pctx.HostBinToolVariable("verifyHostBionicCmd", "host_bionic_verify")
543}
544
545var verifyHostBionic = pctx.AndroidStaticRule("verifyHostBionic",
546	blueprint.RuleParams{
547		Command:     "$verifyHostBionicCmd -i $in -l $linker && touch $out",
548		CommandDeps: []string{"$verifyHostBionicCmd"},
549	}, "linker")
550
551func (binary *binaryDecorator) verifyHostBionicLinker(ctx ModuleContext, in, linker android.Path, out android.WritablePath) {
552	ctx.Build(pctx, android.BuildParams{
553		Rule:        verifyHostBionic,
554		Description: "verify host bionic",
555		Input:       in,
556		Implicit:    linker,
557		Output:      out,
558		Args: map[string]string{
559			"linker": linker.String(),
560		},
561	})
562}
563
564type ccBinaryBazelHandler struct {
565	android.BazelHandler
566
567	module *Module
568}
569
570func (handler *ccBinaryBazelHandler) GenerateBazelBuildActions(ctx android.ModuleContext, label string) bool {
571	bazelCtx := ctx.Config().BazelContext
572	filePaths, ok := bazelCtx.GetOutputFiles(label, android.GetConfigKey(ctx))
573	if ok {
574		if len(filePaths) != 1 {
575			ctx.ModuleErrorf("expected exactly one output file for '%s', but got %s", label, filePaths)
576			return false
577		}
578		outputFilePath := android.PathForBazelOut(ctx, filePaths[0])
579		handler.module.outputFile = android.OptionalPathForPath(outputFilePath)
580		// TODO(b/220164721): We need to decide if we should return the stripped as the unstripped.
581		handler.module.linker.(*binaryDecorator).unstrippedOutputFile = outputFilePath
582	}
583	return ok
584}
585
586func binaryBp2build(ctx android.TopDownMutatorContext, m *Module, typ string) {
587	baseAttrs := bp2BuildParseBaseProps(ctx, m)
588	binaryLinkerAttrs := bp2buildBinaryLinkerProps(ctx, m)
589
590	if proptools.BoolDefault(binaryLinkerAttrs.Linkshared, true) {
591		baseAttrs.implementationDynamicDeps.Add(baseAttrs.protoDependency)
592	} else {
593		baseAttrs.implementationDeps.Add(baseAttrs.protoDependency)
594	}
595
596	attrs := &binaryAttributes{
597		binaryLinkerAttrs: binaryLinkerAttrs,
598
599		Srcs:    baseAttrs.srcs,
600		Srcs_c:  baseAttrs.cSrcs,
601		Srcs_as: baseAttrs.asSrcs,
602
603		Copts:      baseAttrs.copts,
604		Cppflags:   baseAttrs.cppFlags,
605		Conlyflags: baseAttrs.conlyFlags,
606		Asflags:    baseAttrs.asFlags,
607
608		Deps:               baseAttrs.implementationDeps,
609		Dynamic_deps:       baseAttrs.implementationDynamicDeps,
610		Whole_archive_deps: baseAttrs.wholeArchiveDeps,
611		System_deps:        baseAttrs.systemDynamicDeps,
612
613		Local_includes:    baseAttrs.localIncludes,
614		Absolute_includes: baseAttrs.absoluteIncludes,
615		Linkopts:          baseAttrs.linkopts,
616		Link_crt:          baseAttrs.linkCrt,
617		Use_libcrt:        baseAttrs.useLibcrt,
618		Use_version_lib:   baseAttrs.useVersionLib,
619		Rtti:              baseAttrs.rtti,
620		Stl:               baseAttrs.stl,
621		Cpp_std:           baseAttrs.cppStd,
622
623		Additional_linker_inputs: baseAttrs.additionalLinkerInputs,
624
625		Strip: stripAttributes{
626			Keep_symbols:                 baseAttrs.stripKeepSymbols,
627			Keep_symbols_and_debug_frame: baseAttrs.stripKeepSymbolsAndDebugFrame,
628			Keep_symbols_list:            baseAttrs.stripKeepSymbolsList,
629			All:                          baseAttrs.stripAll,
630			None:                         baseAttrs.stripNone,
631		},
632
633		Features: baseAttrs.features,
634
635		sdkAttributes: bp2BuildParseSdkAttributes(m),
636	}
637
638	ctx.CreateBazelTargetModule(bazel.BazelTargetModuleProperties{
639		Rule_class:        "cc_binary",
640		Bzl_load_location: "//build/bazel/rules/cc:cc_binary.bzl",
641	},
642		android.CommonAttributes{Name: m.Name()},
643		attrs)
644}
645
646// binaryAttributes contains Bazel attributes corresponding to a cc binary
647type binaryAttributes struct {
648	binaryLinkerAttrs
649	Srcs    bazel.LabelListAttribute
650	Srcs_c  bazel.LabelListAttribute
651	Srcs_as bazel.LabelListAttribute
652
653	Copts      bazel.StringListAttribute
654	Cppflags   bazel.StringListAttribute
655	Conlyflags bazel.StringListAttribute
656	Asflags    bazel.StringListAttribute
657
658	Deps               bazel.LabelListAttribute
659	Dynamic_deps       bazel.LabelListAttribute
660	Whole_archive_deps bazel.LabelListAttribute
661	System_deps        bazel.LabelListAttribute
662
663	Local_includes    bazel.StringListAttribute
664	Absolute_includes bazel.StringListAttribute
665
666	Linkopts                 bazel.StringListAttribute
667	Additional_linker_inputs bazel.LabelListAttribute
668
669	Link_crt        bazel.BoolAttribute
670	Use_libcrt      bazel.BoolAttribute
671	Use_version_lib bazel.BoolAttribute
672
673	Rtti    bazel.BoolAttribute
674	Stl     *string
675	Cpp_std *string
676
677	Strip stripAttributes
678
679	Features bazel.StringListAttribute
680
681	sdkAttributes
682}
683