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 android 16 17import ( 18 "encoding/json" 19 "fmt" 20 "strconv" 21 "strings" 22) 23 24func init() { 25 RegisterParallelSingletonType("api_levels", ApiLevelsSingleton) 26} 27 28const previewAPILevelBase = 9000 29 30// An API level, which may be a finalized (numbered) API, a preview (codenamed) 31// API, or the future API level (10000). Can be parsed from a string with 32// ApiLevelFromUser or ApiLevelOrPanic. 33// 34// The different *types* of API levels are handled separately. Currently only 35// Java has these, and they're managed with the SdkKind enum of the SdkSpec. A 36// future cleanup should be to migrate SdkSpec to using ApiLevel instead of its 37// SdkVersion int, and to move SdkSpec into this package. 38type ApiLevel struct { 39 // The string representation of the API level. 40 value string 41 42 // A number associated with the API level. The exact value depends on 43 // whether this API level is a preview or final API. 44 // 45 // For final API levels, this is the assigned version number. 46 // 47 // For preview API levels, this value has no meaning except to index known 48 // previews to determine ordering. 49 number int 50 51 // Identifies this API level as either a preview or final API level. 52 isPreview bool 53} 54 55func (this ApiLevel) FinalInt() int { 56 if this.IsInvalid() { 57 panic(fmt.Errorf("%v is not a recognized api_level\n", this)) 58 } 59 if this.IsPreview() { 60 panic("Requested a final int from a non-final ApiLevel") 61 } else { 62 return this.number 63 } 64} 65 66func (this ApiLevel) FinalOrFutureInt() int { 67 if this.IsInvalid() { 68 panic(fmt.Errorf("%v is not a recognized api_level\n", this)) 69 } 70 if this.IsPreview() { 71 return FutureApiLevelInt 72 } else { 73 return this.number 74 } 75} 76 77// FinalOrPreviewInt distinguishes preview versions from "current" (future). 78// This is for "native" stubs and should be in sync with ndkstubgen/getApiLevelsMap(). 79// - "current" -> future (10000) 80// - preview codenames -> preview base (9000) + index 81// - otherwise -> cast to int 82func (this ApiLevel) FinalOrPreviewInt() int { 83 if this.IsInvalid() { 84 panic(fmt.Errorf("%v is not a recognized api_level\n", this)) 85 } 86 if this.IsCurrent() { 87 return this.number 88 } 89 if this.IsPreview() { 90 return previewAPILevelBase + this.number 91 } 92 return this.number 93} 94 95// Returns the canonical name for this API level. For a finalized API level 96// this will be the API number as a string. For a preview API level this 97// will be the codename, or "current". 98func (this ApiLevel) String() string { 99 return this.value 100} 101 102// Returns true if this is a non-final API level. 103func (this ApiLevel) IsPreview() bool { 104 return this.isPreview 105} 106 107// Returns true if the raw api level string is invalid 108func (this ApiLevel) IsInvalid() bool { 109 return this.EqualTo(InvalidApiLevel) 110} 111 112// Returns true if this is the unfinalized "current" API level. This means 113// different things across Java and native. Java APIs do not use explicit 114// codenames, so all non-final codenames are grouped into "current". For native 115// explicit codenames are typically used, and current is the union of all 116// non-final APIs, including those that may not yet be in any codename. 117// 118// Note that in a build where the platform is final, "current" will not be a 119// preview API level but will instead be canonicalized to the final API level. 120func (this ApiLevel) IsCurrent() bool { 121 return this.value == "current" 122} 123 124func (this ApiLevel) IsNone() bool { 125 return this.number == -1 126} 127 128// Returns true if an app is compiling against private apis. 129// e.g. if sdk_version = "" in Android.bp, then the ApiLevel of that "sdk" is at PrivateApiLevel. 130func (this ApiLevel) IsPrivate() bool { 131 return this.number == PrivateApiLevel.number 132} 133 134// EffectiveVersion converts an ApiLevel into the concrete ApiLevel that the module should use. For 135// modules targeting an unreleased SDK (meaning it does not yet have a number) it returns 136// FutureApiLevel(10000). 137func (l ApiLevel) EffectiveVersion(ctx EarlyModuleContext) (ApiLevel, error) { 138 if l.EqualTo(InvalidApiLevel) { 139 return l, fmt.Errorf("invalid version in sdk_version %q", l.value) 140 } 141 if !l.IsPreview() { 142 return l, nil 143 } 144 ret := ctx.Config().DefaultAppTargetSdk(ctx) 145 if ret.IsPreview() { 146 return FutureApiLevel, nil 147 } 148 return ret, nil 149} 150 151// EffectiveVersionString converts an SdkSpec into the concrete version string that the module 152// should use. For modules targeting an unreleased SDK (meaning it does not yet have a number) 153// it returns the codename (P, Q, R, etc.) 154func (l ApiLevel) EffectiveVersionString(ctx EarlyModuleContext) (string, error) { 155 if l.EqualTo(InvalidApiLevel) { 156 return l.value, fmt.Errorf("invalid version in sdk_version %q", l.value) 157 } 158 if !l.IsPreview() { 159 return l.String(), nil 160 } 161 // Determine the default sdk 162 ret := ctx.Config().DefaultAppTargetSdk(ctx) 163 if !ret.IsPreview() { 164 // If the default sdk has been finalized, return that 165 return ret.String(), nil 166 } 167 // There can be more than one active in-development sdks 168 // If an app is targeting an active sdk, but not the default one, return the requested active sdk. 169 // e.g. 170 // SETUP 171 // In-development: UpsideDownCake, VanillaIceCream 172 // Default: VanillaIceCream 173 // Android.bp 174 // min_sdk_version: `UpsideDownCake` 175 // RETURN 176 // UpsideDownCake and not VanillaIceCream 177 for _, preview := range ctx.Config().PreviewApiLevels() { 178 if l.String() == preview.String() { 179 return preview.String(), nil 180 } 181 } 182 // Otherwise return the default one 183 return ret.String(), nil 184} 185 186// Specified returns true if the module is targeting a recognzized api_level. 187// It returns false if either 188// 1. min_sdk_version is not an int or a recognized codename 189// 2. both min_sdk_version and sdk_version are empty. In this case, MinSdkVersion() defaults to SdkSpecPrivate.ApiLevel 190func (this ApiLevel) Specified() bool { 191 return !this.IsInvalid() && !this.IsPrivate() 192} 193 194// Returns -1 if the current API level is less than the argument, 0 if they 195// are equal, and 1 if it is greater than the argument. 196func (this ApiLevel) CompareTo(other ApiLevel) int { 197 if this.IsPreview() && !other.IsPreview() { 198 return 1 199 } else if !this.IsPreview() && other.IsPreview() { 200 return -1 201 } 202 203 if this.number < other.number { 204 return -1 205 } else if this.number == other.number { 206 return 0 207 } else { 208 return 1 209 } 210} 211 212func (this ApiLevel) EqualTo(other ApiLevel) bool { 213 return this.CompareTo(other) == 0 214} 215 216func (this ApiLevel) GreaterThan(other ApiLevel) bool { 217 return this.CompareTo(other) > 0 218} 219 220func (this ApiLevel) GreaterThanOrEqualTo(other ApiLevel) bool { 221 return this.CompareTo(other) >= 0 222} 223 224func (this ApiLevel) LessThan(other ApiLevel) bool { 225 return this.CompareTo(other) < 0 226} 227 228func (this ApiLevel) LessThanOrEqualTo(other ApiLevel) bool { 229 return this.CompareTo(other) <= 0 230} 231 232func uncheckedFinalApiLevel(num int) ApiLevel { 233 return ApiLevel{ 234 value: strconv.Itoa(num), 235 number: num, 236 isPreview: false, 237 } 238} 239 240func uncheckedFinalIncrementalApiLevel(num int, increment int) ApiLevel { 241 return ApiLevel{ 242 value: strconv.Itoa(num) + "." + strconv.Itoa(increment), 243 number: num, 244 isPreview: false, 245 } 246} 247 248var NoneApiLevel = ApiLevel{ 249 value: "(no version)", 250 // Not 0 because we don't want this to compare equal with the first preview. 251 number: -1, 252 isPreview: true, 253} 254 255// Sentinel ApiLevel to validate that an apiLevel is either an int or a recognized codename. 256var InvalidApiLevel = NewInvalidApiLevel("invalid") 257 258// Returns an apiLevel object at the same level as InvalidApiLevel. 259// The object contains the raw string provied in bp file, and can be used for error handling. 260func NewInvalidApiLevel(raw string) ApiLevel { 261 return ApiLevel{ 262 value: raw, 263 number: -2, // One less than NoneApiLevel 264 isPreview: true, 265 } 266} 267 268// The first version that introduced 64-bit ABIs. 269var FirstLp64Version = uncheckedFinalApiLevel(21) 270 271// Android has had various kinds of packed relocations over the years 272// (http://b/187907243). 273// 274// API level 30 is where the now-standard SHT_RELR is available. 275var FirstShtRelrVersion = uncheckedFinalApiLevel(30) 276 277// API level 28 introduced SHT_RELR when it was still Android-only, and used an 278// Android-specific relocation. 279var FirstAndroidRelrVersion = uncheckedFinalApiLevel(28) 280 281// API level 23 was when we first had the Chrome relocation packer, which is 282// obsolete and has been removed, but lld can now generate compatible packed 283// relocations itself. 284var FirstPackedRelocationsVersion = uncheckedFinalApiLevel(23) 285 286// LastWithoutModuleLibCoreSystemModules is the last API level where prebuilts/sdk does not contain 287// a core-for-system-modules.jar for the module-lib API scope. 288var LastWithoutModuleLibCoreSystemModules = uncheckedFinalApiLevel(31) 289 290var ApiLevelR = uncheckedFinalApiLevel(30) 291 292var ApiLevelUpsideDownCake = uncheckedFinalApiLevel(34) 293 294var ApiLevelVanillaIceCream = uncheckedFinalApiLevel(35) 295 296// ReplaceFinalizedCodenames returns the API level number associated with that API level 297// if the `raw` input is the codename of an API level has been finalized. 298// If the input is *not* a finalized codename, the input is returned unmodified. 299func ReplaceFinalizedCodenames(config Config, raw string) (string, error) { 300 finalCodenamesMap, err := getFinalCodenamesMap(config) 301 if err != nil { 302 return raw, err 303 } 304 num, ok := finalCodenamesMap[raw] 305 if !ok { 306 return raw, nil 307 } 308 309 return strconv.Itoa(num), nil 310} 311 312// ApiLevelFrom converts the given string `raw` to an ApiLevel. 313// If `raw` is invalid (empty string, unrecognized codename etc.) it returns an invalid ApiLevel 314func ApiLevelFrom(ctx PathContext, raw string) ApiLevel { 315 ret, err := ApiLevelFromUser(ctx, raw) 316 if err != nil { 317 return NewInvalidApiLevel(raw) 318 } 319 return ret 320} 321 322// ApiLevelFromUser converts the given string `raw` to an ApiLevel, possibly returning an error. 323// 324// `raw` must be non-empty. Passing an empty string results in a panic. 325// 326// "current" will return CurrentApiLevel, which is the ApiLevel associated with 327// an arbitrary future release (often referred to as API level 10000). 328// 329// Finalized codenames will be interpreted as their final API levels, not the 330// preview of the associated releases. R is now API 30, not the R preview. 331// 332// Future codenames return a preview API level that has no associated integer. 333// 334// Inputs that are not "current", known previews, or convertible to an integer 335// will return an error. 336func ApiLevelFromUser(ctx PathContext, raw string) (ApiLevel, error) { 337 return ApiLevelFromUserWithConfig(ctx.Config(), raw) 338} 339 340// ApiLevelFromUserWithConfig implements ApiLevelFromUser, see comments for 341// ApiLevelFromUser for more details. 342func ApiLevelFromUserWithConfig(config Config, raw string) (ApiLevel, error) { 343 // This logic is replicated in starlark, if changing logic here update starlark code too 344 // https://cs.android.com/android/platform/superproject/+/main:build/bazel/rules/common/api.bzl;l=42;drc=231c7e8c8038fd478a79eb68aa5b9f5c64e0e061 345 if raw == "" { 346 panic("API level string must be non-empty") 347 } 348 349 if raw == "current" { 350 return FutureApiLevel, nil 351 } 352 353 for _, preview := range config.PreviewApiLevels() { 354 if raw == preview.String() { 355 return preview, nil 356 } 357 } 358 359 apiLevelsReleasedVersions, err := getApiLevelsMapReleasedVersions() 360 if err != nil { 361 return NoneApiLevel, err 362 } 363 canonical, ok := apiLevelsReleasedVersions[raw] 364 if !ok { 365 asInt, err := strconv.Atoi(raw) 366 if err != nil { 367 return NoneApiLevel, fmt.Errorf("%q could not be parsed as an integer and is not a recognized codename", raw) 368 } 369 return uncheckedFinalApiLevel(asInt), nil 370 } 371 372 return uncheckedFinalApiLevel(canonical), nil 373 374} 375 376// ApiLevelForTest returns an ApiLevel constructed from the supplied raw string. 377// 378// This only supports "current" and numeric levels, code names are not supported. 379func ApiLevelForTest(raw string) ApiLevel { 380 if raw == "" { 381 panic("API level string must be non-empty") 382 } 383 384 if raw == "current" { 385 return FutureApiLevel 386 } 387 388 if strings.Contains(raw, ".") { 389 // Check prebuilt incremental API format MM.m for major (API level) and minor (incremental) revisions 390 parts := strings.Split(raw, ".") 391 if len(parts) != 2 { 392 panic(fmt.Errorf("Found unexpected version '%s' for incremental API - expect MM.m format for incremental API with both major (MM) an minor (m) revision.", raw)) 393 } 394 sdk, sdk_err := strconv.Atoi(parts[0]) 395 qpr, qpr_err := strconv.Atoi(parts[1]) 396 if sdk_err != nil || qpr_err != nil { 397 panic(fmt.Errorf("Unable to read version number for incremental api '%s'", raw)) 398 } 399 400 apiLevel := uncheckedFinalIncrementalApiLevel(sdk, qpr) 401 return apiLevel 402 } 403 404 asInt, err := strconv.Atoi(raw) 405 if err != nil { 406 panic(fmt.Errorf("%q could not be parsed as an integer and is not a recognized codename", raw)) 407 } 408 409 apiLevel := uncheckedFinalApiLevel(asInt) 410 return apiLevel 411} 412 413// Converts an API level string `raw` into an ApiLevel in the same method as 414// `ApiLevelFromUser`, but the input is assumed to have no errors and any errors 415// will panic instead of returning an error. 416func ApiLevelOrPanic(ctx PathContext, raw string) ApiLevel { 417 value, err := ApiLevelFromUser(ctx, raw) 418 if err != nil { 419 panic(err.Error()) 420 } 421 return value 422} 423 424func ApiLevelsSingleton() Singleton { 425 return &apiLevelsSingleton{} 426} 427 428type apiLevelsSingleton struct{} 429 430func createApiLevelsJson(ctx SingletonContext, file WritablePath, 431 apiLevelsMap map[string]int) { 432 433 jsonStr, err := json.Marshal(apiLevelsMap) 434 if err != nil { 435 ctx.Errorf(err.Error()) 436 } 437 438 WriteFileRule(ctx, file, string(jsonStr)) 439} 440 441func GetApiLevelsJson(ctx PathContext) WritablePath { 442 return PathForOutput(ctx, "api_levels.json") 443} 444 445func getApiLevelsMapReleasedVersions() (map[string]int, error) { 446 return map[string]int{ 447 "G": 9, 448 "I": 14, 449 "J": 16, 450 "J-MR1": 17, 451 "J-MR2": 18, 452 "K": 19, 453 "L": 21, 454 "L-MR1": 22, 455 "M": 23, 456 "N": 24, 457 "N-MR1": 25, 458 "O": 26, 459 "O-MR1": 27, 460 "P": 28, 461 "Q": 29, 462 "R": 30, 463 "S": 31, 464 "S-V2": 32, 465 "Tiramisu": 33, 466 "UpsideDownCake": 34, 467 "VanillaIceCream": 35, 468 }, nil 469} 470 471var finalCodenamesMapKey = NewOnceKey("FinalCodenamesMap") 472 473func getFinalCodenamesMap(config Config) (map[string]int, error) { 474 type resultStruct struct { 475 result map[string]int 476 err error 477 } 478 // This logic is replicated in starlark, if changing logic here update starlark code too 479 // https://cs.android.com/android/platform/superproject/+/main:build/bazel/rules/common/api.bzl;l=30;drc=231c7e8c8038fd478a79eb68aa5b9f5c64e0e061 480 result := config.Once(finalCodenamesMapKey, func() interface{} { 481 apiLevelsMap, err := getApiLevelsMapReleasedVersions() 482 483 // TODO: Differentiate "current" and "future". 484 // The code base calls it FutureApiLevel, but the spelling is "current", 485 // and these are really two different things. When defining APIs it 486 // means the API has not yet been added to a specific release. When 487 // choosing an API level to build for it means that the future API level 488 // should be used, except in the case where the build is finalized in 489 // which case the platform version should be used. This is *weird*, 490 // because in the circumstance where API foo was added in R and bar was 491 // added in S, both of these are usable when building for "current" when 492 // neither R nor S are final, but the S APIs stop being available in a 493 // final R build. 494 if err == nil && Bool(config.productVariables.Platform_sdk_final) { 495 apiLevelsMap["current"] = config.PlatformSdkVersion().FinalOrFutureInt() 496 } 497 498 return resultStruct{apiLevelsMap, err} 499 }).(resultStruct) 500 return result.result, result.err 501} 502 503var apiLevelsMapKey = NewOnceKey("ApiLevelsMap") 504 505// ApiLevelsMap has entries for preview API levels 506func GetApiLevelsMap(config Config) (map[string]int, error) { 507 type resultStruct struct { 508 result map[string]int 509 err error 510 } 511 // This logic is replicated in starlark, if changing logic here update starlark code too 512 // https://cs.android.com/android/platform/superproject/+/main:build/bazel/rules/common/api.bzl;l=23;drc=231c7e8c8038fd478a79eb68aa5b9f5c64e0e061 513 result := config.Once(apiLevelsMapKey, func() interface{} { 514 apiLevelsMap, err := getApiLevelsMapReleasedVersions() 515 if err == nil { 516 for i, codename := range config.PlatformVersionAllPreviewCodenames() { 517 apiLevelsMap[codename] = previewAPILevelBase + i 518 } 519 } 520 521 return resultStruct{apiLevelsMap, err} 522 }).(resultStruct) 523 return result.result, result.err 524} 525 526func (a *apiLevelsSingleton) GenerateBuildActions(ctx SingletonContext) { 527 apiLevelsMap, err := GetApiLevelsMap(ctx.Config()) 528 if err != nil { 529 ctx.Errorf("%s\n", err) 530 return 531 } 532 apiLevelsJson := GetApiLevelsJson(ctx) 533 createApiLevelsJson(ctx, apiLevelsJson, apiLevelsMap) 534} 535