1// Copyright 2018 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 15// The dexpreopt package converts a global dexpreopt config and a module dexpreopt config into rules to perform 16// dexpreopting. 17// 18// It is used in two places; in the dexpeopt_gen binary for modules defined in Make, and directly linked into Soong. 19// 20// For Make modules it is built into the dexpreopt_gen binary, which is executed as a Make rule using global config and 21// module config specified in JSON files. The binary writes out two shell scripts, only updating them if they have 22// changed. One script takes an APK or JAR as an input and produces a zip file containing any outputs of preopting, 23// in the location they should be on the device. The Make build rules will unzip the zip file into $(PRODUCT_OUT) when 24// installing the APK, which will install the preopt outputs into $(PRODUCT_OUT)/system or $(PRODUCT_OUT)/system_other 25// as necessary. The zip file may be empty if preopting was disabled for any reason. 26// 27// The intermediate shell scripts allow changes to this package or to the global config to regenerate the shell scripts 28// but only require re-executing preopting if the script has changed. 29// 30// For Soong modules this package is linked directly into Soong and run from the java package. It generates the same 31// commands as for make, using athe same global config JSON file used by make, but using a module config structure 32// provided by Soong. The generated commands are then converted into Soong rule and written directly to the ninja file, 33// with no extra shell scripts involved. 34package dexpreopt 35 36import ( 37 "fmt" 38 "path/filepath" 39 "runtime" 40 "strings" 41 42 "android/soong/android" 43 44 "github.com/google/blueprint/pathtools" 45) 46 47const SystemPartition = "/system/" 48const SystemOtherPartition = "/system_other/" 49 50var DexpreoptRunningInSoong = false 51 52// GenerateDexpreoptRule generates a set of commands that will preopt a module based on a GlobalConfig and a 53// ModuleConfig. The produced files and their install locations will be available through rule.Installs(). 54func GenerateDexpreoptRule(ctx android.BuilderContext, globalSoong *GlobalSoongConfig, 55 global *GlobalConfig, module *ModuleConfig, productPackages android.Path, copyApexSystemServerJarDex bool) ( 56 rule *android.RuleBuilder, err error) { 57 58 defer func() { 59 if r := recover(); r != nil { 60 if _, ok := r.(runtime.Error); ok { 61 panic(r) 62 } else if e, ok := r.(error); ok { 63 err = e 64 rule = nil 65 } else { 66 panic(r) 67 } 68 } 69 }() 70 71 rule = android.NewRuleBuilder(pctx, ctx) 72 73 generateProfile := module.ProfileClassListing.Valid() && !global.DisableGenerateProfile 74 generateBootProfile := module.ProfileBootListing.Valid() && !global.DisableGenerateProfile 75 76 var profile android.WritablePath 77 if generateProfile { 78 profile = profileCommand(ctx, globalSoong, global, module, rule) 79 } 80 if generateBootProfile { 81 bootProfileCommand(ctx, globalSoong, global, module, rule) 82 } 83 84 if !dexpreoptDisabled(ctx, global, module) { 85 if valid, err := validateClassLoaderContext(module.ClassLoaderContexts); err != nil { 86 android.ReportPathErrorf(ctx, err.Error()) 87 } else if valid { 88 fixClassLoaderContext(module.ClassLoaderContexts) 89 90 appImage := (generateProfile || module.ForceCreateAppImage || global.DefaultAppImages) && 91 !module.NoCreateAppImage 92 93 generateDM := shouldGenerateDM(module, global) 94 95 for archIdx, _ := range module.Archs { 96 dexpreoptCommand(ctx, globalSoong, global, module, rule, archIdx, profile, appImage, 97 generateDM, productPackages, copyApexSystemServerJarDex) 98 } 99 } 100 } 101 102 return rule, nil 103} 104 105// If dexpreopt is applicable to the module, returns whether dexpreopt is disabled. Otherwise, the 106// behavior is undefined. 107// When it returns true, dexpreopt artifacts will not be generated, but profile will still be 108// generated if profile-guided compilation is requested. 109func dexpreoptDisabled(ctx android.PathContext, global *GlobalConfig, module *ModuleConfig) bool { 110 if ctx.Config().UnbundledBuild() { 111 return true 112 } 113 114 if global.DisablePreopt { 115 return true 116 } 117 118 if contains(global.DisablePreoptModules, module.Name) { 119 return true 120 } 121 122 // Don't preopt individual boot jars, they will be preopted together. 123 if global.BootJars.ContainsJar(module.Name) { 124 return true 125 } 126 127 if global.OnlyPreoptArtBootImage { 128 return true 129 } 130 131 return false 132} 133 134func profileCommand(ctx android.PathContext, globalSoong *GlobalSoongConfig, global *GlobalConfig, 135 module *ModuleConfig, rule *android.RuleBuilder) android.WritablePath { 136 137 profilePath := module.BuildPath.InSameDir(ctx, "profile.prof") 138 profileInstalledPath := module.DexLocation + ".prof" 139 140 if !module.ProfileIsTextListing { 141 rule.Command().Text("rm -f").Output(profilePath) 142 rule.Command().Text("touch").Output(profilePath) 143 } 144 145 cmd := rule.Command(). 146 Text(`ANDROID_LOG_TAGS="*:e"`). 147 Tool(globalSoong.Profman) 148 149 if module.ProfileIsTextListing { 150 // The profile is a test listing of classes (used for framework jars). 151 // We need to generate the actual binary profile before being able to compile. 152 cmd.FlagWithInput("--create-profile-from=", module.ProfileClassListing.Path()) 153 } else { 154 // The profile is binary profile (used for apps). Run it through profman to 155 // ensure the profile keys match the apk. 156 cmd. 157 Flag("--copy-and-update-profile-key"). 158 FlagWithInput("--profile-file=", module.ProfileClassListing.Path()) 159 } 160 161 cmd. 162 Flag("--output-profile-type=app"). 163 FlagWithInput("--apk=", module.DexPath). 164 Flag("--dex-location="+module.DexLocation). 165 FlagWithOutput("--reference-profile-file=", profilePath) 166 167 if !module.ProfileIsTextListing { 168 cmd.Text(fmt.Sprintf(`|| echo "Profile out of date for %s"`, module.DexPath)) 169 } 170 rule.Install(profilePath, profileInstalledPath) 171 172 return profilePath 173} 174 175func bootProfileCommand(ctx android.PathContext, globalSoong *GlobalSoongConfig, global *GlobalConfig, 176 module *ModuleConfig, rule *android.RuleBuilder) android.WritablePath { 177 178 profilePath := module.BuildPath.InSameDir(ctx, "profile.bprof") 179 profileInstalledPath := module.DexLocation + ".bprof" 180 181 if !module.ProfileIsTextListing { 182 rule.Command().Text("rm -f").Output(profilePath) 183 rule.Command().Text("touch").Output(profilePath) 184 } 185 186 cmd := rule.Command(). 187 Text(`ANDROID_LOG_TAGS="*:e"`). 188 Tool(globalSoong.Profman) 189 190 // The profile is a test listing of methods. 191 // We need to generate the actual binary profile. 192 cmd.FlagWithInput("--create-profile-from=", module.ProfileBootListing.Path()) 193 194 cmd. 195 Flag("--output-profile-type=bprof"). 196 FlagWithInput("--apk=", module.DexPath). 197 Flag("--dex-location="+module.DexLocation). 198 FlagWithOutput("--reference-profile-file=", profilePath) 199 200 if !module.ProfileIsTextListing { 201 cmd.Text(fmt.Sprintf(`|| echo "Profile out of date for %s"`, module.DexPath)) 202 } 203 rule.Install(profilePath, profileInstalledPath) 204 205 return profilePath 206} 207 208// Returns the dex location of a system server java library. 209func GetSystemServerDexLocation(ctx android.PathContext, global *GlobalConfig, lib string) string { 210 if apex := global.AllApexSystemServerJars(ctx).ApexOfJar(lib); apex != "" { 211 return fmt.Sprintf("/apex/%s/javalib/%s.jar", apex, lib) 212 } 213 214 if apex := global.AllPlatformSystemServerJars(ctx).ApexOfJar(lib); apex == "system_ext" { 215 return fmt.Sprintf("/system_ext/framework/%s.jar", lib) 216 } 217 218 return fmt.Sprintf("/system/framework/%s.jar", lib) 219} 220 221// Returns the location to the odex file for the dex file at `path`. 222func ToOdexPath(path string, arch android.ArchType, partition string) string { 223 if strings.HasPrefix(path, "/apex/") { 224 return filepath.Join(partition, "framework/oat", arch.String(), 225 strings.ReplaceAll(path[1:], "/", "@")+"@classes.odex") 226 } 227 228 return filepath.Join(filepath.Dir(path), "oat", arch.String(), 229 pathtools.ReplaceExtension(filepath.Base(path), "odex")) 230} 231 232func dexpreoptCommand(ctx android.BuilderContext, globalSoong *GlobalSoongConfig, 233 global *GlobalConfig, module *ModuleConfig, rule *android.RuleBuilder, archIdx int, 234 profile android.WritablePath, appImage bool, generateDM bool, productPackages android.Path, copyApexSystemServerJarDex bool) { 235 236 arch := module.Archs[archIdx] 237 238 // HACK: make soname in Soong-generated .odex files match Make. 239 base := filepath.Base(module.DexLocation) 240 if filepath.Ext(base) == ".jar" { 241 base = "javalib.jar" 242 } else if filepath.Ext(base) == ".apk" { 243 base = "package.apk" 244 } 245 246 odexPath := module.BuildPath.InSameDir(ctx, "oat", arch.String(), pathtools.ReplaceExtension(base, "odex")) 247 odexSymbolsPath := odexPath.ReplaceExtension(ctx, "symbols.odex") 248 odexInstallPath := ToOdexPath(module.DexLocation, arch, module.ApexPartition) 249 if odexOnSystemOther(module, global) { 250 odexInstallPath = filepath.Join(SystemOtherPartition, odexInstallPath) 251 } 252 253 vdexPath := odexPath.ReplaceExtension(ctx, "vdex") 254 vdexInstallPath := pathtools.ReplaceExtension(odexInstallPath, "vdex") 255 256 invocationPath := odexPath.ReplaceExtension(ctx, "invocation") 257 258 systemServerJars := global.AllSystemServerJars(ctx) 259 systemServerClasspathJars := global.AllSystemServerClasspathJars(ctx) 260 261 rule.Command().FlagWithArg("mkdir -p ", filepath.Dir(odexPath.String())) 262 rule.Command().FlagWithOutput("rm -f ", odexPath). 263 FlagWithArg("rm -f ", odexSymbolsPath.String()) 264 265 if jarIndex := systemServerJars.IndexOfJar(module.Name); jarIndex >= 0 { 266 // System server jars should be dexpreopted together: class loader context of each jar 267 // should include all preceding jars on the system server classpath. 268 269 var clcHost android.Paths 270 var clcTarget []string 271 endIndex := systemServerClasspathJars.IndexOfJar(module.Name) 272 if endIndex < 0 { 273 // The jar is a standalone one. Use the full classpath as the class loader context. 274 endIndex = systemServerClasspathJars.Len() 275 } 276 for i := 0; i < endIndex; i++ { 277 lib := systemServerClasspathJars.Jar(i) 278 clcHost = append(clcHost, SystemServerDexJarHostPath(ctx, lib)) 279 clcTarget = append(clcTarget, GetSystemServerDexLocation(ctx, global, lib)) 280 } 281 282 if DexpreoptRunningInSoong && copyApexSystemServerJarDex { 283 // Copy the system server jar to a predefined location where dex2oat will find it. 284 dexPathHost := SystemServerDexJarHostPath(ctx, module.Name) 285 rule.Command().Text("mkdir -p").Flag(filepath.Dir(dexPathHost.String())) 286 rule.Command().Text("cp -f").Input(module.DexPath).Output(dexPathHost) 287 } else { 288 // For Make modules the copy rule is generated in the makefiles, not in dexpreopt.sh. 289 // This is necessary to expose the rule to Ninja, otherwise it has rules that depend on 290 // the jar (namely, dexpreopt commands for all subsequent system server jars that have 291 // this one in their class loader context), but no rule that creates it (because Ninja 292 // cannot see the rule in the generated dexpreopt.sh script). 293 } 294 295 clcHostString := "PCL[" + strings.Join(clcHost.Strings(), ":") + "]" 296 clcTargetString := "PCL[" + strings.Join(clcTarget, ":") + "]" 297 298 if systemServerClasspathJars.ContainsJar(module.Name) { 299 checkSystemServerOrder(ctx, jarIndex) 300 } else { 301 // Standalone jars are loaded by separate class loaders with SYSTEMSERVERCLASSPATH as the 302 // parent. 303 clcHostString = "PCL[];" + clcHostString 304 clcTargetString = "PCL[];" + clcTargetString 305 } 306 307 rule.Command(). 308 Text(`class_loader_context_arg=--class-loader-context="` + clcHostString + `"`). 309 Implicits(clcHost). 310 Text(`stored_class_loader_context_arg=--stored-class-loader-context="` + clcTargetString + `"`) 311 312 } else { 313 // There are three categories of Java modules handled here: 314 // 315 // - Modules that have passed verify_uses_libraries check. They are AOT-compiled and 316 // expected to be loaded on device without CLC mismatch errors. 317 // 318 // - Modules that have failed the check in relaxed mode, so it didn't cause a build error. 319 // They are dexpreopted with "verify" filter and not AOT-compiled. 320 // TODO(b/132357300): ensure that CLC mismatch errors are ignored with "verify" filter. 321 // 322 // - Modules that didn't run the check. They are AOT-compiled, but it's unknown if they 323 // will have CLC mismatch errors on device (the check is disabled by default). 324 // 325 // TODO(b/132357300): enable the check by default and eliminate the last category, so that 326 // no time/space is wasted on AOT-compiling modules that will fail CLC check on device. 327 328 var manifestOrApk android.Path 329 if module.ManifestPath.Valid() { 330 // Ok, there is an XML manifest. 331 manifestOrApk = module.ManifestPath.Path() 332 } else if filepath.Ext(base) == ".apk" { 333 // Ok, there is is an APK with the manifest inside. 334 manifestOrApk = module.DexPath 335 } 336 337 // Generate command that saves target SDK version in a shell variable. 338 if manifestOrApk == nil { 339 // There is neither an XML manifest nor APK => nowhere to extract targetSdkVersion from. 340 // Set the latest ("any") version: then construct_context will not add any compatibility 341 // libraries (if this is incorrect, there will be a CLC mismatch and dexopt on device). 342 rule.Command().Textf(`target_sdk_version=%d`, AnySdkVersion) 343 } else { 344 rule.Command().Text(`target_sdk_version="$(`). 345 Tool(globalSoong.ManifestCheck). 346 Flag("--extract-target-sdk-version"). 347 Input(manifestOrApk). 348 FlagWithInput("--aapt ", globalSoong.Aapt). 349 Text(`)"`) 350 } 351 352 // Generate command that saves host and target class loader context in shell variables. 353 _, paths := ComputeClassLoaderContextDependencies(module.ClassLoaderContexts) 354 rule.Command(). 355 Text(`eval "$(`).Tool(globalSoong.ConstructContext). 356 Text(` --target-sdk-version ${target_sdk_version}`). 357 FlagWithArg("--context-json=", module.ClassLoaderContexts.DumpForFlag()). 358 FlagWithInput("--product-packages=", productPackages). 359 Implicits(paths). 360 Text(`)"`) 361 } 362 363 // Devices that do not have a product partition use a symlink from /product to /system/product. 364 // Because on-device dexopt will see dex locations starting with /product, we change the paths 365 // to mimic this behavior. 366 dexLocationArg := module.DexLocation 367 if strings.HasPrefix(dexLocationArg, "/system/product/") { 368 dexLocationArg = strings.TrimPrefix(dexLocationArg, "/system") 369 } 370 371 cmd := rule.Command(). 372 Text(`ANDROID_LOG_TAGS="*:e"`). 373 Tool(globalSoong.Dex2oat). 374 Flag("--avoid-storing-invocation"). 375 FlagWithOutput("--write-invocation-to=", invocationPath).ImplicitOutput(invocationPath). 376 Flag("--runtime-arg").FlagWithArg("-Xms", global.Dex2oatXms). 377 Flag("--runtime-arg").FlagWithArg("-Xmx", global.Dex2oatXmx). 378 Flag("--runtime-arg").FlagWithInputList("-Xbootclasspath:", module.PreoptBootClassPathDexFiles, ":"). 379 Flag("--runtime-arg").FlagWithList("-Xbootclasspath-locations:", module.PreoptBootClassPathDexLocations, ":"). 380 Flag("${class_loader_context_arg}"). 381 Flag("${stored_class_loader_context_arg}"). 382 FlagWithArg("--boot-image=", strings.Join(module.DexPreoptImageLocationsOnHost, ":")).Implicits(module.DexPreoptImagesDeps[archIdx].Paths()). 383 FlagWithInput("--dex-file=", module.DexPath). 384 FlagWithArg("--dex-location=", dexLocationArg). 385 FlagWithOutput("--oat-file=", odexPath).ImplicitOutput(vdexPath). 386 // Pass an empty directory, dex2oat shouldn't be reading arbitrary files 387 FlagWithArg("--android-root=", global.EmptyDirectory). 388 FlagWithArg("--instruction-set=", arch.String()). 389 FlagWithArg("--instruction-set-variant=", global.CpuVariant[arch]). 390 FlagWithArg("--instruction-set-features=", global.InstructionSetFeatures[arch]). 391 FlagWithOutput("--oat-symbols=", odexSymbolsPath). 392 Flag("--generate-debug-info"). 393 Flag("--strip"). 394 Flag("--generate-build-id"). 395 Flag("--abort-on-hard-verifier-error"). 396 Flag("--force-determinism"). 397 FlagWithArg("--no-inline-from=", "core-oj.jar"). 398 Text("$(cat").Input(globalSoong.UffdGcFlag).Text(")") 399 400 var preoptFlags []string 401 if len(module.PreoptFlags) > 0 { 402 preoptFlags = module.PreoptFlags 403 } else if len(global.PreoptFlags) > 0 { 404 preoptFlags = global.PreoptFlags 405 } 406 407 if len(preoptFlags) > 0 { 408 cmd.Text(strings.Join(preoptFlags, " ")) 409 } 410 411 if module.UncompressedDex { 412 cmd.FlagWithArg("--copy-dex-files=", "false") 413 } 414 415 if !android.PrefixInList(preoptFlags, "--compiler-filter=") { 416 var compilerFilter string 417 if systemServerJars.ContainsJar(module.Name) { 418 if global.SystemServerCompilerFilter != "" { 419 // Use the product option if it is set. 420 compilerFilter = global.SystemServerCompilerFilter 421 } else if profile != nil { 422 // Use "speed-profile" for system server jars that have a profile. 423 compilerFilter = "speed-profile" 424 } else { 425 // Use "speed" for system server jars that do not have a profile. 426 compilerFilter = "speed" 427 } 428 } else if contains(global.SpeedApps, module.Name) || contains(global.SystemServerApps, module.Name) { 429 // Apps loaded into system server, and apps the product default to being compiled with the 430 // 'speed' compiler filter. 431 compilerFilter = "speed" 432 } else if profile != nil { 433 // For non system server jars, use speed-profile when we have a profile. 434 compilerFilter = "speed-profile" 435 } else if global.DefaultCompilerFilter != "" { 436 compilerFilter = global.DefaultCompilerFilter 437 } else { 438 compilerFilter = "quicken" 439 } 440 if module.EnforceUsesLibraries { 441 // If the verify_uses_libraries check failed (in this case status file contains a 442 // non-empty error message), then use "verify" compiler filter to avoid compiling any 443 // code (it would be rejected on device because of a class loader context mismatch). 444 cmd.Text("--compiler-filter=$(if test -s "). 445 Input(module.EnforceUsesLibrariesStatusFile). 446 Text(" ; then echo verify ; else echo " + compilerFilter + " ; fi)") 447 } else { 448 cmd.FlagWithArg("--compiler-filter=", compilerFilter) 449 } 450 } 451 452 if generateDM { 453 cmd.FlagWithArg("--copy-dex-files=", "false") 454 dmPath := module.BuildPath.InSameDir(ctx, "generated.dm") 455 dmInstalledPath := pathtools.ReplaceExtension(module.DexLocation, "dm") 456 tmpPath := module.BuildPath.InSameDir(ctx, "primary.vdex") 457 rule.Command().Text("cp -f").Input(vdexPath).Output(tmpPath) 458 rule.Command().Tool(globalSoong.SoongZip). 459 FlagWithArg("-L", "9"). 460 FlagWithOutput("-o", dmPath). 461 Flag("-j"). 462 Input(tmpPath) 463 rule.Install(dmPath, dmInstalledPath) 464 } 465 466 // By default, emit debug info. 467 debugInfo := true 468 if global.NoDebugInfo { 469 // If the global setting suppresses mini-debug-info, disable it. 470 debugInfo = false 471 } 472 473 // PRODUCT_SYSTEM_SERVER_DEBUG_INFO overrides WITH_DEXPREOPT_DEBUG_INFO. 474 // PRODUCT_OTHER_JAVA_DEBUG_INFO overrides WITH_DEXPREOPT_DEBUG_INFO. 475 if systemServerJars.ContainsJar(module.Name) { 476 if global.AlwaysSystemServerDebugInfo { 477 debugInfo = true 478 } else if global.NeverSystemServerDebugInfo { 479 debugInfo = false 480 } 481 } else { 482 if global.AlwaysOtherDebugInfo { 483 debugInfo = true 484 } else if global.NeverOtherDebugInfo { 485 debugInfo = false 486 } 487 } 488 489 if debugInfo { 490 cmd.Flag("--generate-mini-debug-info") 491 } else { 492 cmd.Flag("--no-generate-mini-debug-info") 493 } 494 495 // Set the compiler reason to 'prebuilt' to identify the oat files produced 496 // during the build, as opposed to compiled on the device. 497 cmd.FlagWithArg("--compilation-reason=", "prebuilt") 498 499 if appImage { 500 appImagePath := odexPath.ReplaceExtension(ctx, "art") 501 appImageInstallPath := pathtools.ReplaceExtension(odexInstallPath, "art") 502 cmd.FlagWithOutput("--app-image-file=", appImagePath). 503 FlagWithArg("--image-format=", "lz4") 504 if !global.DontResolveStartupStrings { 505 cmd.FlagWithArg("--resolve-startup-const-strings=", "true") 506 } 507 rule.Install(appImagePath, appImageInstallPath) 508 } 509 510 if profile != nil { 511 cmd.FlagWithInput("--profile-file=", profile) 512 } 513 514 rule.Install(odexPath, odexInstallPath) 515 rule.Install(vdexPath, vdexInstallPath) 516} 517 518func shouldGenerateDM(module *ModuleConfig, global *GlobalConfig) bool { 519 // Generating DM files only makes sense for verify, avoid doing for non verify compiler filter APKs. 520 // No reason to use a dm file if the dex is already uncompressed. 521 return global.GenerateDMFiles && !module.UncompressedDex && 522 contains(module.PreoptFlags, "--compiler-filter=verify") 523} 524 525func OdexOnSystemOtherByName(name string, dexLocation string, global *GlobalConfig) bool { 526 if !global.HasSystemOther { 527 return false 528 } 529 530 if global.SanitizeLite { 531 return false 532 } 533 534 if contains(global.SystemServerApps, name) { 535 return false 536 } 537 538 for _, f := range global.PatternsOnSystemOther { 539 if makefileMatch("/"+f, dexLocation) || makefileMatch(filepath.Join(SystemPartition, f), dexLocation) { 540 return true 541 } 542 } 543 544 return false 545} 546 547func odexOnSystemOther(module *ModuleConfig, global *GlobalConfig) bool { 548 return OdexOnSystemOtherByName(module.Name, module.DexLocation, global) 549} 550 551// PathToLocation converts .../system/framework/arm64/boot.art to .../system/framework/boot.art 552func PathToLocation(path android.Path, arch android.ArchType) string { 553 return PathStringToLocation(path.String(), arch) 554} 555 556// PathStringToLocation converts .../system/framework/arm64/boot.art to .../system/framework/boot.art 557func PathStringToLocation(path string, arch android.ArchType) string { 558 pathArch := filepath.Base(filepath.Dir(path)) 559 if pathArch != arch.String() { 560 panic(fmt.Errorf("last directory in %q must be %q", path, arch.String())) 561 } 562 return filepath.Join(filepath.Dir(filepath.Dir(path)), filepath.Base(path)) 563} 564 565func makefileMatch(pattern, s string) bool { 566 percent := strings.IndexByte(pattern, '%') 567 switch percent { 568 case -1: 569 return pattern == s 570 case len(pattern) - 1: 571 return strings.HasPrefix(s, pattern[:len(pattern)-1]) 572 default: 573 panic(fmt.Errorf("unsupported makefile pattern %q", pattern)) 574 } 575} 576 577// A predefined location for the system server dex jars. This is needed in order to generate 578// class loader context for dex2oat, as the path to the jar in the Soong module may be unknown 579// at that time (Soong processes the jars in dependency order, which may be different from the 580// the system server classpath order). 581func SystemServerDexJarHostPath(ctx android.PathContext, jar string) android.OutputPath { 582 if DexpreoptRunningInSoong { 583 // Soong module, just use the default output directory $OUT/soong. 584 return android.PathForOutput(ctx, "system_server_dexjars", jar+".jar") 585 } else { 586 // Make module, default output directory is $OUT (passed via the "null config" created 587 // by dexpreopt_gen). Append Soong subdirectory to match Soong module paths. 588 return android.PathForOutput(ctx, "soong", "system_server_dexjars", jar+".jar") 589 } 590} 591 592// Check the order of jars on the system server classpath and give a warning/error if a jar precedes 593// one of its dependencies. This is not an error, but a missed optimization, as dexpreopt won't 594// have the dependency jar in the class loader context, and it won't be able to resolve any 595// references to its classes and methods. 596func checkSystemServerOrder(ctx android.PathContext, jarIndex int) { 597 mctx, isModule := ctx.(android.ModuleContext) 598 if isModule { 599 config := GetGlobalConfig(ctx) 600 jars := config.AllSystemServerClasspathJars(ctx) 601 mctx.WalkDeps(func(dep android.Module, parent android.Module) bool { 602 depIndex := jars.IndexOfJar(dep.Name()) 603 if jarIndex < depIndex && !config.BrokenSuboptimalOrderOfSystemServerJars { 604 jar := jars.Jar(jarIndex) 605 dep := jars.Jar(depIndex) 606 mctx.ModuleErrorf("non-optimal order of jars on the system server classpath:"+ 607 " '%s' precedes its dependency '%s', so dexpreopt is unable to resolve any"+ 608 " references from '%s' to '%s'.\n", jar, dep, jar, dep) 609 } 610 return true 611 }) 612 } 613} 614 615// Returns path to a file containing the reult of verify_uses_libraries check (empty if the check 616// has succeeded, or an error message if it failed). 617func UsesLibrariesStatusFile(ctx android.ModuleContext) android.WritablePath { 618 return android.PathForModuleOut(ctx, "enforce_uses_libraries.status") 619} 620 621func contains(l []string, s string) bool { 622 for _, e := range l { 623 if e == s { 624 return true 625 } 626 } 627 return false 628} 629