1// Copyright 2017 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 python 16 17// This file contains the "Base" module type for building Python program. 18 19import ( 20 "fmt" 21 "path/filepath" 22 "regexp" 23 "strings" 24 25 "github.com/google/blueprint" 26 "github.com/google/blueprint/proptools" 27 28 "android/soong/android" 29) 30 31func init() { 32 registerPythonMutators(android.InitRegistrationContext) 33} 34 35func registerPythonMutators(ctx android.RegistrationContext) { 36 ctx.PreDepsMutators(RegisterPythonPreDepsMutators) 37} 38 39// Exported to support other packages using Python modules in tests. 40func RegisterPythonPreDepsMutators(ctx android.RegisterMutatorsContext) { 41 ctx.BottomUp("python_version", versionSplitMutator()).Parallel() 42} 43 44// the version-specific properties that apply to python modules. 45type VersionProperties struct { 46 // whether the module is required to be built with this version. 47 // Defaults to true for Python 3, and false otherwise. 48 Enabled *bool 49 50 // list of source files specific to this Python version. 51 // Using the syntax ":module", srcs may reference the outputs of other modules that produce source files, 52 // e.g. genrule or filegroup. 53 Srcs []string `android:"path,arch_variant"` 54 55 // list of source files that should not be used to build the Python module for this version. 56 // This is most useful to remove files that are not common to all Python versions. 57 Exclude_srcs []string `android:"path,arch_variant"` 58 59 // list of the Python libraries used only for this Python version. 60 Libs []string `android:"arch_variant"` 61 62 // whether the binary is required to be built with embedded launcher for this version, defaults to true. 63 Embedded_launcher *bool // TODO(b/174041232): Remove this property 64} 65 66// properties that apply to all python modules 67type BaseProperties struct { 68 // the package path prefix within the output artifact at which to place the source/data 69 // files of the current module. 70 // eg. Pkg_path = "a/b/c"; Other packages can reference this module by using 71 // (from a.b.c import ...) statement. 72 // if left unspecified, all the source/data files path is unchanged within zip file. 73 Pkg_path *string 74 75 // true, if the Python module is used internally, eg, Python std libs. 76 Is_internal *bool 77 78 // list of source (.py) files compatible both with Python2 and Python3 used to compile the 79 // Python module. 80 // srcs may reference the outputs of other modules that produce source files like genrule 81 // or filegroup using the syntax ":module". 82 // Srcs has to be non-empty. 83 Srcs []string `android:"path,arch_variant"` 84 85 // list of source files that should not be used to build the C/C++ module. 86 // This is most useful in the arch/multilib variants to remove non-common files 87 Exclude_srcs []string `android:"path,arch_variant"` 88 89 // list of files or filegroup modules that provide data that should be installed alongside 90 // the test. the file extension can be arbitrary except for (.py). 91 Data []string `android:"path,arch_variant"` 92 93 // list of java modules that provide data that should be installed alongside the test. 94 Java_data []string 95 96 // list of the Python libraries compatible both with Python2 and Python3. 97 Libs []string `android:"arch_variant"` 98 99 Version struct { 100 // Python2-specific properties, including whether Python2 is supported for this module 101 // and version-specific sources, exclusions and dependencies. 102 Py2 VersionProperties `android:"arch_variant"` 103 104 // Python3-specific properties, including whether Python3 is supported for this module 105 // and version-specific sources, exclusions and dependencies. 106 Py3 VersionProperties `android:"arch_variant"` 107 } `android:"arch_variant"` 108 109 // the actual version each module uses after variations created. 110 // this property name is hidden from users' perspectives, and soong will populate it during 111 // runtime. 112 Actual_version string `blueprint:"mutated"` 113 114 // whether the module is required to be built with actual_version. 115 // this is set by the python version mutator based on version-specific properties 116 Enabled *bool `blueprint:"mutated"` 117 118 // whether the binary is required to be built with embedded launcher for this actual_version. 119 // this is set by the python version mutator based on version-specific properties 120 Embedded_launcher *bool `blueprint:"mutated"` 121} 122 123// Used to store files of current module after expanding dependencies 124type pathMapping struct { 125 dest string 126 src android.Path 127} 128 129type PythonLibraryModule struct { 130 android.ModuleBase 131 android.DefaultableModuleBase 132 133 properties BaseProperties 134 protoProperties android.ProtoProperties 135 136 // initialize before calling Init 137 hod android.HostOrDeviceSupported 138 multilib android.Multilib 139 140 // the Python files of current module after expanding source dependencies. 141 // pathMapping: <dest: runfile_path, src: source_path> 142 srcsPathMappings []pathMapping 143 144 // the data files of current module after expanding source dependencies. 145 // pathMapping: <dest: runfile_path, src: source_path> 146 dataPathMappings []pathMapping 147 148 // The zip file containing the current module's source/data files. 149 srcsZip android.Path 150 151 // The zip file containing the current module's source/data files, with the 152 // source files precompiled. 153 precompiledSrcsZip android.Path 154 155 sourceProperties android.SourceProperties 156} 157 158// newModule generates new Python base module 159func newModule(hod android.HostOrDeviceSupported, multilib android.Multilib) *PythonLibraryModule { 160 return &PythonLibraryModule{ 161 hod: hod, 162 multilib: multilib, 163 } 164} 165 166// interface implemented by Python modules to provide source and data mappings and zip to python 167// modules that depend on it 168type pythonDependency interface { 169 getSrcsPathMappings() []pathMapping 170 getDataPathMappings() []pathMapping 171 getSrcsZip() android.Path 172 getPrecompiledSrcsZip() android.Path 173 getPkgPath() string 174} 175 176// getSrcsPathMappings gets this module's path mapping of src source path : runfiles destination 177func (p *PythonLibraryModule) getSrcsPathMappings() []pathMapping { 178 return p.srcsPathMappings 179} 180 181// getSrcsPathMappings gets this module's path mapping of data source path : runfiles destination 182func (p *PythonLibraryModule) getDataPathMappings() []pathMapping { 183 return p.dataPathMappings 184} 185 186// getSrcsZip returns the filepath where the current module's source/data files are zipped. 187func (p *PythonLibraryModule) getSrcsZip() android.Path { 188 return p.srcsZip 189} 190 191// getSrcsZip returns the filepath where the current module's source/data files are zipped. 192func (p *PythonLibraryModule) getPrecompiledSrcsZip() android.Path { 193 return p.precompiledSrcsZip 194} 195 196// getPkgPath returns the pkg_path value 197func (p *PythonLibraryModule) getPkgPath() string { 198 return String(p.properties.Pkg_path) 199} 200 201func (p *PythonLibraryModule) getBaseProperties() *BaseProperties { 202 return &p.properties 203} 204 205var _ pythonDependency = (*PythonLibraryModule)(nil) 206 207func (p *PythonLibraryModule) init() android.Module { 208 p.AddProperties(&p.properties, &p.protoProperties, &p.sourceProperties) 209 android.InitAndroidArchModule(p, p.hod, p.multilib) 210 android.InitDefaultableModule(p) 211 return p 212} 213 214// Python-specific tag to transfer information on the purpose of a dependency. 215// This is used when adding a dependency on a module, which can later be accessed when visiting 216// dependencies. 217type dependencyTag struct { 218 blueprint.BaseDependencyTag 219 name string 220} 221 222// Python-specific tag that indicates that installed files of this module should depend on installed 223// files of the dependency 224type installDependencyTag struct { 225 blueprint.BaseDependencyTag 226 // embedding this struct provides the installation dependency requirement 227 android.InstallAlwaysNeededDependencyTag 228 name string 229} 230 231var ( 232 pythonLibTag = dependencyTag{name: "pythonLib"} 233 javaDataTag = dependencyTag{name: "javaData"} 234 // The python interpreter, with soong module name "py3-launcher" or "py3-launcher-autorun". 235 launcherTag = dependencyTag{name: "launcher"} 236 launcherSharedLibTag = installDependencyTag{name: "launcherSharedLib"} 237 // The python interpreter built for host so that we can precompile python sources. 238 // This only works because the precompiled sources don't vary by architecture. 239 // The soong module name is "py3-launcher". 240 hostLauncherTag = dependencyTag{name: "hostLauncher"} 241 hostlauncherSharedLibTag = dependencyTag{name: "hostlauncherSharedLib"} 242 hostStdLibTag = dependencyTag{name: "hostStdLib"} 243 pathComponentRegexp = regexp.MustCompile(`^[a-zA-Z_][a-zA-Z0-9_-]*$`) 244 pyExt = ".py" 245 protoExt = ".proto" 246 pyVersion2 = "PY2" 247 pyVersion3 = "PY3" 248 pyVersion2And3 = "PY2ANDPY3" 249 internalPath = "internal" 250) 251 252type basePropertiesProvider interface { 253 getBaseProperties() *BaseProperties 254} 255 256// versionSplitMutator creates version variants for modules and appends the version-specific 257// properties for a given variant to the properties in the variant module 258func versionSplitMutator() func(android.BottomUpMutatorContext) { 259 return func(mctx android.BottomUpMutatorContext) { 260 if base, ok := mctx.Module().(basePropertiesProvider); ok { 261 props := base.getBaseProperties() 262 var versionNames []string 263 // collect version specific properties, so that we can merge version-specific properties 264 // into the module's overall properties 265 var versionProps []VersionProperties 266 // PY3 is first so that we alias the PY3 variant rather than PY2 if both 267 // are available 268 if proptools.BoolDefault(props.Version.Py3.Enabled, true) { 269 versionNames = append(versionNames, pyVersion3) 270 versionProps = append(versionProps, props.Version.Py3) 271 } 272 if proptools.BoolDefault(props.Version.Py2.Enabled, false) { 273 if !mctx.DeviceConfig().BuildBrokenUsesSoongPython2Modules() && 274 mctx.ModuleName() != "py2-cmd" && 275 mctx.ModuleName() != "py2-stdlib" { 276 mctx.PropertyErrorf("version.py2.enabled", "Python 2 is no longer supported, please convert to python 3. This error can be temporarily overridden by setting BUILD_BROKEN_USES_SOONG_PYTHON2_MODULES := true in the product configuration") 277 } 278 versionNames = append(versionNames, pyVersion2) 279 versionProps = append(versionProps, props.Version.Py2) 280 } 281 modules := mctx.CreateLocalVariations(versionNames...) 282 // Alias module to the first variant 283 if len(versionNames) > 0 { 284 mctx.AliasVariation(versionNames[0]) 285 } 286 for i, v := range versionNames { 287 // set the actual version for Python module. 288 newProps := modules[i].(basePropertiesProvider).getBaseProperties() 289 newProps.Actual_version = v 290 // append versioned properties for the Python module to the overall properties 291 err := proptools.AppendMatchingProperties([]interface{}{newProps}, &versionProps[i], nil) 292 if err != nil { 293 panic(err) 294 } 295 } 296 } 297 } 298} 299 300func anyHasExt(paths []string, ext string) bool { 301 for _, p := range paths { 302 if filepath.Ext(p) == ext { 303 return true 304 } 305 } 306 307 return false 308} 309 310func (p *PythonLibraryModule) anySrcHasExt(ctx android.BottomUpMutatorContext, ext string) bool { 311 return anyHasExt(p.properties.Srcs, ext) 312} 313 314// DepsMutator mutates dependencies for this module: 315// - handles proto dependencies, 316// - if required, specifies launcher and adds launcher dependencies, 317// - applies python version mutations to Python dependencies 318func (p *PythonLibraryModule) DepsMutator(ctx android.BottomUpMutatorContext) { 319 android.ProtoDeps(ctx, &p.protoProperties) 320 321 versionVariation := []blueprint.Variation{ 322 {"python_version", p.properties.Actual_version}, 323 } 324 325 // If sources contain a proto file, add dependency on libprotobuf-python 326 if p.anySrcHasExt(ctx, protoExt) && p.Name() != "libprotobuf-python" { 327 ctx.AddVariationDependencies(versionVariation, pythonLibTag, "libprotobuf-python") 328 } 329 330 // Add python library dependencies for this python version variation 331 ctx.AddVariationDependencies(versionVariation, pythonLibTag, android.LastUniqueStrings(p.properties.Libs)...) 332 333 // Emulate the data property for java_data but with the arch variation overridden to "common" 334 // so that it can point to java modules. 335 javaDataVariation := []blueprint.Variation{{"arch", android.Common.String()}} 336 ctx.AddVariationDependencies(javaDataVariation, javaDataTag, p.properties.Java_data...) 337 338 p.AddDepsOnPythonLauncherAndStdlib(ctx, hostStdLibTag, hostLauncherTag, hostlauncherSharedLibTag, false, ctx.Config().BuildOSTarget) 339} 340 341// AddDepsOnPythonLauncherAndStdlib will make the current module depend on the python stdlib, 342// launcher (interpreter), and the launcher's shared libraries. If autorun is true, it will use 343// the autorun launcher instead of the regular one. This function acceps a targetForDeps argument 344// as the target to use for these dependencies. For embedded launcher python binaries, the launcher 345// that will be embedded will be under the same target as the python module itself. But when 346// precompiling python code, we need to get the python launcher built for host, even if we're 347// compiling the python module for device, so we pass a different target to this function. 348func (p *PythonLibraryModule) AddDepsOnPythonLauncherAndStdlib(ctx android.BottomUpMutatorContext, 349 stdLibTag, launcherTag, launcherSharedLibTag blueprint.DependencyTag, 350 autorun bool, targetForDeps android.Target) { 351 var stdLib string 352 var launcherModule string 353 // Add launcher shared lib dependencies. Ideally, these should be 354 // derived from the `shared_libs` property of the launcher. TODO: read these from 355 // the python launcher itself using ctx.OtherModuleProvider() or similar on the result 356 // of ctx.AddFarVariationDependencies() 357 launcherSharedLibDeps := []string{ 358 "libsqlite", 359 } 360 // Add launcher-specific dependencies for bionic 361 if targetForDeps.Os.Bionic() { 362 launcherSharedLibDeps = append(launcherSharedLibDeps, "libc", "libdl", "libm") 363 } 364 if targetForDeps.Os == android.LinuxMusl && !ctx.Config().HostStaticBinaries() { 365 launcherSharedLibDeps = append(launcherSharedLibDeps, "libc_musl") 366 } 367 368 switch p.properties.Actual_version { 369 case pyVersion2: 370 stdLib = "py2-stdlib" 371 372 launcherModule = "py2-launcher" 373 if autorun { 374 launcherModule = "py2-launcher-autorun" 375 } 376 377 launcherSharedLibDeps = append(launcherSharedLibDeps, "libc++") 378 case pyVersion3: 379 var prebuiltStdLib bool 380 if targetForDeps.Os.Bionic() { 381 prebuiltStdLib = false 382 } else if ctx.Config().VendorConfig("cpython3").Bool("force_build_host") { 383 prebuiltStdLib = false 384 } else { 385 prebuiltStdLib = true 386 } 387 388 if prebuiltStdLib { 389 stdLib = "py3-stdlib-prebuilt" 390 } else { 391 stdLib = "py3-stdlib" 392 } 393 394 launcherModule = "py3-launcher" 395 if autorun { 396 launcherModule = "py3-launcher-autorun" 397 } 398 if ctx.Config().HostStaticBinaries() && targetForDeps.Os == android.LinuxMusl { 399 launcherModule += "-static" 400 } 401 if ctx.Device() { 402 launcherSharedLibDeps = append(launcherSharedLibDeps, "liblog") 403 } 404 default: 405 panic(fmt.Errorf("unknown Python Actual_version: %q for module: %q.", 406 p.properties.Actual_version, ctx.ModuleName())) 407 } 408 targetVariations := targetForDeps.Variations() 409 if ctx.ModuleName() != stdLib { 410 stdLibVariations := make([]blueprint.Variation, 0, len(targetVariations)+1) 411 stdLibVariations = append(stdLibVariations, blueprint.Variation{Mutator: "python_version", Variation: p.properties.Actual_version}) 412 stdLibVariations = append(stdLibVariations, targetVariations...) 413 // Using AddFarVariationDependencies for all of these because they can be for a different 414 // platform, like if the python module itself was being compiled for device, we may want 415 // the python interpreter built for host so that we can precompile python sources. 416 ctx.AddFarVariationDependencies(stdLibVariations, stdLibTag, stdLib) 417 } 418 ctx.AddFarVariationDependencies(targetVariations, launcherTag, launcherModule) 419 ctx.AddFarVariationDependencies(targetVariations, launcherSharedLibTag, launcherSharedLibDeps...) 420} 421 422// GenerateAndroidBuildActions performs build actions common to all Python modules 423func (p *PythonLibraryModule) GenerateAndroidBuildActions(ctx android.ModuleContext) { 424 expandedSrcs := android.PathsForModuleSrcExcludes(ctx, p.properties.Srcs, p.properties.Exclude_srcs) 425 android.SetProvider(ctx, blueprint.SrcsFileProviderKey, blueprint.SrcsFileProviderData{SrcPaths: expandedSrcs.Strings()}) 426 // Keep before any early returns. 427 android.SetProvider(ctx, android.TestOnlyProviderKey, android.TestModuleInformation{ 428 TestOnly: Bool(p.sourceProperties.Test_only), 429 TopLevelTarget: p.sourceProperties.Top_level_test_target, 430 }) 431 432 // expand data files from "data" property. 433 expandedData := android.PathsForModuleSrc(ctx, p.properties.Data) 434 435 // Emulate the data property for java_data dependencies. 436 for _, javaData := range ctx.GetDirectDepsWithTag(javaDataTag) { 437 expandedData = append(expandedData, android.OutputFilesForModule(ctx, javaData, "")...) 438 } 439 440 // Validate pkg_path property 441 pkgPath := String(p.properties.Pkg_path) 442 if pkgPath != "" { 443 // TODO: export validation from android/paths.go handling to replace this duplicated functionality 444 pkgPath = filepath.Clean(String(p.properties.Pkg_path)) 445 if pkgPath == ".." || strings.HasPrefix(pkgPath, "../") || 446 strings.HasPrefix(pkgPath, "/") { 447 ctx.PropertyErrorf("pkg_path", 448 "%q must be a relative path contained in par file.", 449 String(p.properties.Pkg_path)) 450 return 451 } 452 } 453 // If property Is_internal is set, prepend pkgPath with internalPath 454 if proptools.BoolDefault(p.properties.Is_internal, false) { 455 pkgPath = filepath.Join(internalPath, pkgPath) 456 } 457 458 // generate src:destination path mappings for this module 459 p.genModulePathMappings(ctx, pkgPath, expandedSrcs, expandedData) 460 461 // generate the zipfile of all source and data files 462 p.srcsZip = p.createSrcsZip(ctx, pkgPath) 463 p.precompiledSrcsZip = p.precompileSrcs(ctx) 464} 465 466func isValidPythonPath(path string) error { 467 identifiers := strings.Split(strings.TrimSuffix(path, filepath.Ext(path)), "/") 468 for _, token := range identifiers { 469 if !pathComponentRegexp.MatchString(token) { 470 return fmt.Errorf("the path %q contains invalid subpath %q. "+ 471 "Subpaths must be at least one character long. "+ 472 "The first character must an underscore or letter. "+ 473 "Following characters may be any of: letter, digit, underscore, hyphen.", 474 path, token) 475 } 476 } 477 return nil 478} 479 480// For this module, generate unique pathMappings: <dest: runfiles_path, src: source_path> 481// for python/data files expanded from properties. 482func (p *PythonLibraryModule) genModulePathMappings(ctx android.ModuleContext, pkgPath string, 483 expandedSrcs, expandedData android.Paths) { 484 // fetch <runfiles_path, source_path> pairs from "src" and "data" properties to 485 // check current module duplicates. 486 destToPySrcs := make(map[string]string) 487 destToPyData := make(map[string]string) 488 489 // Disable path checks for the stdlib, as it includes a "." in the version string 490 isInternal := proptools.BoolDefault(p.properties.Is_internal, false) 491 492 for _, s := range expandedSrcs { 493 if s.Ext() != pyExt && s.Ext() != protoExt { 494 ctx.PropertyErrorf("srcs", "found non (.py|.proto) file: %q!", s.String()) 495 continue 496 } 497 runfilesPath := filepath.Join(pkgPath, s.Rel()) 498 if !isInternal { 499 if err := isValidPythonPath(runfilesPath); err != nil { 500 ctx.PropertyErrorf("srcs", err.Error()) 501 } 502 } 503 if !checkForDuplicateOutputPath(ctx, destToPySrcs, runfilesPath, s.String(), p.Name(), p.Name()) { 504 p.srcsPathMappings = append(p.srcsPathMappings, pathMapping{dest: runfilesPath, src: s}) 505 } 506 } 507 508 for _, d := range expandedData { 509 if d.Ext() == pyExt { 510 ctx.PropertyErrorf("data", "found (.py) file: %q!", d.String()) 511 continue 512 } 513 runfilesPath := filepath.Join(pkgPath, d.Rel()) 514 if !checkForDuplicateOutputPath(ctx, destToPyData, runfilesPath, d.String(), p.Name(), p.Name()) { 515 p.dataPathMappings = append(p.dataPathMappings, 516 pathMapping{dest: runfilesPath, src: d}) 517 } 518 } 519} 520 521// createSrcsZip registers build actions to zip current module's sources and data. 522func (p *PythonLibraryModule) createSrcsZip(ctx android.ModuleContext, pkgPath string) android.Path { 523 relativeRootMap := make(map[string]android.Paths) 524 var protoSrcs android.Paths 525 addPathMapping := func(path pathMapping) { 526 relativeRoot := strings.TrimSuffix(path.src.String(), path.src.Rel()) 527 relativeRootMap[relativeRoot] = append(relativeRootMap[relativeRoot], path.src) 528 } 529 530 // "srcs" or "data" properties may contain filegroups so it might happen that 531 // the root directory for each source path is different. 532 for _, path := range p.srcsPathMappings { 533 // handle proto sources separately 534 if path.src.Ext() == protoExt { 535 protoSrcs = append(protoSrcs, path.src) 536 } else { 537 addPathMapping(path) 538 } 539 } 540 for _, path := range p.dataPathMappings { 541 addPathMapping(path) 542 } 543 544 var zips android.Paths 545 if len(protoSrcs) > 0 { 546 protoFlags := android.GetProtoFlags(ctx, &p.protoProperties) 547 protoFlags.OutTypeFlag = "--python_out" 548 549 if pkgPath != "" { 550 pkgPathStagingDir := android.PathForModuleGen(ctx, "protos_staged_for_pkg_path") 551 rule := android.NewRuleBuilder(pctx, ctx) 552 var stagedProtoSrcs android.Paths 553 for _, srcFile := range protoSrcs { 554 stagedProtoSrc := pkgPathStagingDir.Join(ctx, pkgPath, srcFile.Rel()) 555 rule.Command().Text("cp -f").Input(srcFile).Output(stagedProtoSrc) 556 stagedProtoSrcs = append(stagedProtoSrcs, stagedProtoSrc) 557 } 558 rule.Build("stage_protos_for_pkg_path", "Stage protos for pkg_path") 559 protoSrcs = stagedProtoSrcs 560 } 561 562 for _, srcFile := range protoSrcs { 563 zip := genProto(ctx, srcFile, protoFlags) 564 zips = append(zips, zip) 565 } 566 } 567 568 if len(relativeRootMap) > 0 { 569 // in order to keep stable order of soong_zip params, we sort the keys here. 570 roots := android.SortedKeys(relativeRootMap) 571 572 // Use -symlinks=false so that the symlinks in the bazel output directory are followed 573 parArgs := []string{"-symlinks=false"} 574 if pkgPath != "" { 575 // use package path as path prefix 576 parArgs = append(parArgs, `-P `+pkgPath) 577 } 578 paths := android.Paths{} 579 for _, root := range roots { 580 // specify relative root of file in following -f arguments 581 parArgs = append(parArgs, `-C `+root) 582 for _, path := range relativeRootMap[root] { 583 parArgs = append(parArgs, `-f `+path.String()) 584 paths = append(paths, path) 585 } 586 } 587 588 origSrcsZip := android.PathForModuleOut(ctx, ctx.ModuleName()+".py.srcszip") 589 ctx.Build(pctx, android.BuildParams{ 590 Rule: zip, 591 Description: "python library archive", 592 Output: origSrcsZip, 593 // as zip rule does not use $in, there is no real need to distinguish between Inputs and Implicits 594 Implicits: paths, 595 Args: map[string]string{ 596 "args": strings.Join(parArgs, " "), 597 }, 598 }) 599 zips = append(zips, origSrcsZip) 600 } 601 // we may have multiple zips due to separate handling of proto source files 602 if len(zips) == 1 { 603 return zips[0] 604 } else { 605 combinedSrcsZip := android.PathForModuleOut(ctx, ctx.ModuleName()+".srcszip") 606 ctx.Build(pctx, android.BuildParams{ 607 Rule: combineZip, 608 Description: "combine python library archive", 609 Output: combinedSrcsZip, 610 Inputs: zips, 611 }) 612 return combinedSrcsZip 613 } 614} 615 616func (p *PythonLibraryModule) precompileSrcs(ctx android.ModuleContext) android.Path { 617 // To precompile the python sources, we need a python interpreter and stdlib built 618 // for host. We then use those to compile the python sources, which may be used on either 619 // host of device. Python bytecode is architecture agnostic, so we're essentially 620 // "cross compiling" for device here purely by virtue of host and device python bytecode 621 // being the same. 622 var stdLib android.Path 623 var stdLibPkg string 624 var launcher android.Path 625 if proptools.BoolDefault(p.properties.Is_internal, false) { 626 stdLib = p.srcsZip 627 stdLibPkg = p.getPkgPath() 628 } else { 629 ctx.VisitDirectDepsWithTag(hostStdLibTag, func(module android.Module) { 630 if dep, ok := module.(pythonDependency); ok { 631 stdLib = dep.getPrecompiledSrcsZip() 632 stdLibPkg = dep.getPkgPath() 633 } 634 }) 635 } 636 ctx.VisitDirectDepsWithTag(hostLauncherTag, func(module android.Module) { 637 if dep, ok := module.(IntermPathProvider); ok { 638 optionalLauncher := dep.IntermPathForModuleOut() 639 if optionalLauncher.Valid() { 640 launcher = optionalLauncher.Path() 641 } 642 } 643 }) 644 var launcherSharedLibs android.Paths 645 var ldLibraryPath []string 646 ctx.VisitDirectDepsWithTag(hostlauncherSharedLibTag, func(module android.Module) { 647 if dep, ok := module.(IntermPathProvider); ok { 648 optionalPath := dep.IntermPathForModuleOut() 649 if optionalPath.Valid() { 650 launcherSharedLibs = append(launcherSharedLibs, optionalPath.Path()) 651 ldLibraryPath = append(ldLibraryPath, filepath.Dir(optionalPath.Path().String())) 652 } 653 } 654 }) 655 656 out := android.PathForModuleOut(ctx, ctx.ModuleName()+".srcszipprecompiled") 657 if stdLib == nil || launcher == nil { 658 // This shouldn't happen in a real build because we'll error out when adding dependencies 659 // on the stdlib and launcher if they don't exist. But some tests set 660 // AllowMissingDependencies. 661 return out 662 } 663 ctx.Build(pctx, android.BuildParams{ 664 Rule: precompile, 665 Input: p.srcsZip, 666 Output: out, 667 Implicits: launcherSharedLibs, 668 Description: "Precompile the python sources of " + ctx.ModuleName(), 669 Args: map[string]string{ 670 "stdlibZip": stdLib.String(), 671 "stdlibPkg": stdLibPkg, 672 "launcher": launcher.String(), 673 "ldLibraryPath": strings.Join(ldLibraryPath, ":"), 674 }, 675 }) 676 return out 677} 678 679// isPythonLibModule returns whether the given module is a Python library PythonLibraryModule or not 680func isPythonLibModule(module blueprint.Module) bool { 681 if _, ok := module.(*PythonLibraryModule); ok { 682 if _, ok := module.(*PythonBinaryModule); !ok { 683 return true 684 } 685 } 686 return false 687} 688 689// collectPathsFromTransitiveDeps checks for source/data files for duplicate paths 690// for module and its transitive dependencies and collects list of data/source file 691// zips for transitive dependencies. 692func (p *PythonLibraryModule) collectPathsFromTransitiveDeps(ctx android.ModuleContext, precompiled bool) android.Paths { 693 // fetch <runfiles_path, source_path> pairs from "src" and "data" properties to 694 // check duplicates. 695 destToPySrcs := make(map[string]string) 696 destToPyData := make(map[string]string) 697 for _, path := range p.srcsPathMappings { 698 destToPySrcs[path.dest] = path.src.String() 699 } 700 for _, path := range p.dataPathMappings { 701 destToPyData[path.dest] = path.src.String() 702 } 703 704 seen := make(map[android.Module]bool) 705 706 var result android.Paths 707 708 // visit all its dependencies in depth first. 709 ctx.WalkDeps(func(child, parent android.Module) bool { 710 // we only collect dependencies tagged as python library deps 711 if ctx.OtherModuleDependencyTag(child) != pythonLibTag { 712 return false 713 } 714 if seen[child] { 715 return false 716 } 717 seen[child] = true 718 // Python modules only can depend on Python libraries. 719 if !isPythonLibModule(child) { 720 ctx.PropertyErrorf("libs", 721 "the dependency %q of module %q is not Python library!", 722 ctx.OtherModuleName(child), ctx.ModuleName()) 723 } 724 // collect source and data paths, checking that there are no duplicate output file conflicts 725 if dep, ok := child.(pythonDependency); ok { 726 srcs := dep.getSrcsPathMappings() 727 for _, path := range srcs { 728 checkForDuplicateOutputPath(ctx, destToPySrcs, 729 path.dest, path.src.String(), ctx.ModuleName(), ctx.OtherModuleName(child)) 730 } 731 data := dep.getDataPathMappings() 732 for _, path := range data { 733 checkForDuplicateOutputPath(ctx, destToPyData, 734 path.dest, path.src.String(), ctx.ModuleName(), ctx.OtherModuleName(child)) 735 } 736 if precompiled { 737 result = append(result, dep.getPrecompiledSrcsZip()) 738 } else { 739 result = append(result, dep.getSrcsZip()) 740 } 741 } 742 return true 743 }) 744 return result 745} 746 747// chckForDuplicateOutputPath checks whether outputPath has already been included in map m, which 748// would result in two files being placed in the same location. 749// If there is a duplicate path, an error is thrown and true is returned 750// Otherwise, outputPath: srcPath is added to m and returns false 751func checkForDuplicateOutputPath(ctx android.ModuleContext, m map[string]string, outputPath, srcPath, curModule, otherModule string) bool { 752 if oldSrcPath, found := m[outputPath]; found { 753 ctx.ModuleErrorf("found two files to be placed at the same location within zip %q."+ 754 " First file: in module %s at path %q."+ 755 " Second file: in module %s at path %q.", 756 outputPath, curModule, oldSrcPath, otherModule, srcPath) 757 return true 758 } 759 m[outputPath] = srcPath 760 761 return false 762} 763 764// InstallInData returns true as Python is not supported in the system partition 765func (p *PythonLibraryModule) InstallInData() bool { 766 return true 767} 768 769var Bool = proptools.Bool 770var BoolDefault = proptools.BoolDefault 771var String = proptools.String 772