blob: 1fbbc1597edd67214958d48a0bc17e3cfb91986f [file] [log] [blame]
Dan Albert30c9d6e2017-03-28 14:54:55 -07001// 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"
Jooyung Han29e91d22020-04-02 01:41:41 +090019 "fmt"
Dan Albert6bc5b832018-05-03 15:42:34 -070020 "strconv"
Dan Albert30c9d6e2017-03-28 14:54:55 -070021)
22
23func init() {
24 RegisterSingletonType("api_levels", ApiLevelsSingleton)
25}
26
Jooyung Han11b0fbd2021-02-05 02:28:22 +090027const previewAPILevelBase = 9000
28
Dan Albert1a246272020-07-06 14:49:35 -070029// An API level, which may be a finalized (numbered) API, a preview (codenamed)
30// API, or the future API level (10000). Can be parsed from a string with
31// ApiLevelFromUser or ApiLevelOrPanic.
32//
33// The different *types* of API levels are handled separately. Currently only
Jiyong Parkf1691d22021-03-29 20:11:58 +090034// Java has these, and they're managed with the SdkKind enum of the SdkSpec. A
35// future cleanup should be to migrate SdkSpec to using ApiLevel instead of its
36// SdkVersion int, and to move SdkSpec into this package.
Dan Albert1a246272020-07-06 14:49:35 -070037type ApiLevel struct {
38 // The string representation of the API level.
39 value string
40
41 // A number associated with the API level. The exact value depends on
42 // whether this API level is a preview or final API.
43 //
44 // For final API levels, this is the assigned version number.
45 //
46 // For preview API levels, this value has no meaning except to index known
47 // previews to determine ordering.
48 number int
49
50 // Identifies this API level as either a preview or final API level.
51 isPreview bool
52}
53
Dan Albertc8060532020-07-22 22:32:17 -070054func (this ApiLevel) FinalOrFutureInt() int {
55 if this.IsPreview() {
Dan Albert0b176c82020-07-23 16:43:25 -070056 return FutureApiLevelInt
Dan Albertc8060532020-07-22 22:32:17 -070057 } else {
58 return this.number
59 }
60}
61
Jooyung Han11b0fbd2021-02-05 02:28:22 +090062// FinalOrPreviewInt distinguishes preview versions from "current" (future).
63// This is for "native" stubs and should be in sync with ndkstubgen/getApiLevelsMap().
64// - "current" -> future (10000)
65// - preview codenames -> preview base (9000) + index
66// - otherwise -> cast to int
67func (this ApiLevel) FinalOrPreviewInt() int {
68 if this.IsCurrent() {
69 return this.number
70 }
71 if this.IsPreview() {
72 return previewAPILevelBase + this.number
73 }
74 return this.number
75}
76
Dan Albert1a246272020-07-06 14:49:35 -070077// Returns the canonical name for this API level. For a finalized API level
78// this will be the API number as a string. For a preview API level this
79// will be the codename, or "current".
80func (this ApiLevel) String() string {
81 return this.value
82}
83
84// Returns true if this is a non-final API level.
85func (this ApiLevel) IsPreview() bool {
86 return this.isPreview
87}
88
89// Returns true if this is the unfinalized "current" API level. This means
90// different things across Java and native. Java APIs do not use explicit
91// codenames, so all non-final codenames are grouped into "current". For native
92// explicit codenames are typically used, and current is the union of all
93// non-final APIs, including those that may not yet be in any codename.
94//
95// Note that in a build where the platform is final, "current" will not be a
96// preview API level but will instead be canonicalized to the final API level.
97func (this ApiLevel) IsCurrent() bool {
98 return this.value == "current"
99}
100
Jooyung Haned124c32021-01-26 11:43:46 +0900101func (this ApiLevel) IsNone() bool {
102 return this.number == -1
103}
104
Dan Albert1a246272020-07-06 14:49:35 -0700105// Returns -1 if the current API level is less than the argument, 0 if they
106// are equal, and 1 if it is greater than the argument.
107func (this ApiLevel) CompareTo(other ApiLevel) int {
108 if this.IsPreview() && !other.IsPreview() {
109 return 1
110 } else if !this.IsPreview() && other.IsPreview() {
111 return -1
112 }
113
114 if this.number < other.number {
115 return -1
116 } else if this.number == other.number {
117 return 0
118 } else {
119 return 1
120 }
121}
122
123func (this ApiLevel) EqualTo(other ApiLevel) bool {
124 return this.CompareTo(other) == 0
125}
126
127func (this ApiLevel) GreaterThan(other ApiLevel) bool {
128 return this.CompareTo(other) > 0
129}
130
131func (this ApiLevel) GreaterThanOrEqualTo(other ApiLevel) bool {
132 return this.CompareTo(other) >= 0
133}
134
135func (this ApiLevel) LessThan(other ApiLevel) bool {
136 return this.CompareTo(other) < 0
137}
138
139func (this ApiLevel) LessThanOrEqualTo(other ApiLevel) bool {
140 return this.CompareTo(other) <= 0
141}
142
143func uncheckedFinalApiLevel(num int) ApiLevel {
144 return ApiLevel{
145 value: strconv.Itoa(num),
146 number: num,
147 isPreview: false,
148 }
149}
150
Dan Albert1a246272020-07-06 14:49:35 -0700151var NoneApiLevel = ApiLevel{
152 value: "(no version)",
153 // Not 0 because we don't want this to compare equal with the first preview.
154 number: -1,
155 isPreview: true,
156}
157
158// The first version that introduced 64-bit ABIs.
159var FirstLp64Version = uncheckedFinalApiLevel(21)
160
Elliott Hughes0e9cdb02021-05-14 13:07:32 -0700161// Android has had various kinds of packed relocations over the years
162// (http://b/187907243).
163//
164// API level 30 is where the now-standard SHT_RELR is available.
165var FirstShtRelrVersion = uncheckedFinalApiLevel(30)
166
167// API level 28 introduced SHT_RELR when it was still Android-only, and used an
168// Android-specific relocation.
169var FirstAndroidRelrVersion = uncheckedFinalApiLevel(28)
170
171// API level 23 was when we first had the Chrome relocation packer, which is
172// obsolete and has been removed, but lld can now generate compatible packed
173// relocations itself.
174var FirstPackedRelocationsVersion = uncheckedFinalApiLevel(23)
175
Dan Albert1a246272020-07-06 14:49:35 -0700176// The first API level that does not require NDK code to link
177// libandroid_support.
178var FirstNonLibAndroidSupportVersion = uncheckedFinalApiLevel(21)
179
Paul Duffin004547f2021-10-29 13:50:24 +0100180// LastWithoutModuleLibCoreSystemModules is the last API level where prebuilts/sdk does not contain
181// a core-for-system-modules.jar for the module-lib API scope.
182var LastWithoutModuleLibCoreSystemModules = uncheckedFinalApiLevel(31)
183
Dan Albert1a246272020-07-06 14:49:35 -0700184// If the `raw` input is the codename of an API level has been finalized, this
185// function returns the API level number associated with that API level. If the
186// input is *not* a finalized codename, the input is returned unmodified.
187//
188// For example, at the time of writing, R has been finalized as API level 30,
189// but S is in development so it has no number assigned. For the following
190// inputs:
191//
192// * "30" -> "30"
193// * "R" -> "30"
194// * "S" -> "S"
satayev0ee2f912021-12-01 17:39:48 +0000195func ReplaceFinalizedCodenames(config Config, raw string) string {
196 num, ok := getFinalCodenamesMap(config)[raw]
Dan Albert1a246272020-07-06 14:49:35 -0700197 if !ok {
198 return raw
199 }
200
201 return strconv.Itoa(num)
202}
203
satayev0ee2f912021-12-01 17:39:48 +0000204// ApiLevelFromUser converts the given string `raw` to an ApiLevel, possibly returning an error.
Dan Albert1a246272020-07-06 14:49:35 -0700205//
206// `raw` must be non-empty. Passing an empty string results in a panic.
207//
208// "current" will return CurrentApiLevel, which is the ApiLevel associated with
209// an arbitrary future release (often referred to as API level 10000).
210//
211// Finalized codenames will be interpreted as their final API levels, not the
212// preview of the associated releases. R is now API 30, not the R preview.
213//
214// Future codenames return a preview API level that has no associated integer.
215//
216// Inputs that are not "current", known previews, or convertible to an integer
217// will return an error.
Colin Cross9f720ce2020-10-02 10:26:04 -0700218func ApiLevelFromUser(ctx PathContext, raw string) (ApiLevel, error) {
satayev0ee2f912021-12-01 17:39:48 +0000219 return ApiLevelFromUserWithConfig(ctx.Config(), raw)
220}
221
222// ApiLevelFromUserWithConfig implements ApiLevelFromUser, see comments for
223// ApiLevelFromUser for more details.
224func ApiLevelFromUserWithConfig(config Config, raw string) (ApiLevel, error) {
Dan Albert1a246272020-07-06 14:49:35 -0700225 if raw == "" {
226 panic("API level string must be non-empty")
227 }
228
229 if raw == "current" {
Dan Albert0b176c82020-07-23 16:43:25 -0700230 return FutureApiLevel, nil
Dan Albert1a246272020-07-06 14:49:35 -0700231 }
232
satayev0ee2f912021-12-01 17:39:48 +0000233 for _, preview := range config.PreviewApiLevels() {
Dan Albert1a246272020-07-06 14:49:35 -0700234 if raw == preview.String() {
235 return preview, nil
236 }
237 }
238
satayev0ee2f912021-12-01 17:39:48 +0000239 canonical := ReplaceFinalizedCodenames(config, raw)
Dan Albert1a246272020-07-06 14:49:35 -0700240 asInt, err := strconv.Atoi(canonical)
241 if err != nil {
242 return NoneApiLevel, fmt.Errorf("%q could not be parsed as an integer and is not a recognized codename", canonical)
243 }
244
245 apiLevel := uncheckedFinalApiLevel(asInt)
246 return apiLevel, nil
247}
248
Paul Duffin004547f2021-10-29 13:50:24 +0100249// ApiLevelForTest returns an ApiLevel constructed from the supplied raw string.
250//
251// This only supports "current" and numeric levels, code names are not supported.
252func ApiLevelForTest(raw string) ApiLevel {
253 if raw == "" {
254 panic("API level string must be non-empty")
255 }
256
257 if raw == "current" {
258 return FutureApiLevel
259 }
260
261 asInt, err := strconv.Atoi(raw)
262 if err != nil {
263 panic(fmt.Errorf("%q could not be parsed as an integer and is not a recognized codename", raw))
264 }
265
266 apiLevel := uncheckedFinalApiLevel(asInt)
267 return apiLevel
268}
269
Dan Albert1a246272020-07-06 14:49:35 -0700270// Converts an API level string `raw` into an ApiLevel in the same method as
271// `ApiLevelFromUser`, but the input is assumed to have no errors and any errors
272// will panic instead of returning an error.
Colin Cross9f720ce2020-10-02 10:26:04 -0700273func ApiLevelOrPanic(ctx PathContext, raw string) ApiLevel {
Dan Albert1a246272020-07-06 14:49:35 -0700274 value, err := ApiLevelFromUser(ctx, raw)
275 if err != nil {
276 panic(err.Error())
277 }
278 return value
279}
280
Colin Cross0875c522017-11-28 17:34:01 -0800281func ApiLevelsSingleton() Singleton {
Dan Albert30c9d6e2017-03-28 14:54:55 -0700282 return &apiLevelsSingleton{}
283}
284
285type apiLevelsSingleton struct{}
286
Colin Cross0875c522017-11-28 17:34:01 -0800287func createApiLevelsJson(ctx SingletonContext, file WritablePath,
Dan Albert30c9d6e2017-03-28 14:54:55 -0700288 apiLevelsMap map[string]int) {
289
290 jsonStr, err := json.Marshal(apiLevelsMap)
291 if err != nil {
292 ctx.Errorf(err.Error())
293 }
294
Colin Crosscf371cc2020-11-13 11:48:42 -0800295 WriteFileRule(ctx, file, string(jsonStr))
Dan Albert30c9d6e2017-03-28 14:54:55 -0700296}
297
Colin Cross0875c522017-11-28 17:34:01 -0800298func GetApiLevelsJson(ctx PathContext) WritablePath {
Dan Albert30c9d6e2017-03-28 14:54:55 -0700299 return PathForOutput(ctx, "api_levels.json")
300}
301
Dan Albert1a246272020-07-06 14:49:35 -0700302var finalCodenamesMapKey = NewOnceKey("FinalCodenamesMap")
303
304func getFinalCodenamesMap(config Config) map[string]int {
305 return config.Once(finalCodenamesMapKey, func() interface{} {
306 apiLevelsMap := map[string]int{
307 "G": 9,
308 "I": 14,
309 "J": 16,
310 "J-MR1": 17,
311 "J-MR2": 18,
312 "K": 19,
313 "L": 21,
314 "L-MR1": 22,
315 "M": 23,
316 "N": 24,
317 "N-MR1": 25,
318 "O": 26,
319 "O-MR1": 27,
320 "P": 28,
321 "Q": 29,
Dan Albertdbc008f2020-09-16 11:35:00 -0700322 "R": 30,
Jeff Sharkey74120912021-05-27 09:17:56 -0600323 "S": 31,
Dan Albert1a246272020-07-06 14:49:35 -0700324 }
325
Dan Albertc8060532020-07-22 22:32:17 -0700326 // TODO: Differentiate "current" and "future".
327 // The code base calls it FutureApiLevel, but the spelling is "current",
328 // and these are really two different things. When defining APIs it
329 // means the API has not yet been added to a specific release. When
330 // choosing an API level to build for it means that the future API level
331 // should be used, except in the case where the build is finalized in
332 // which case the platform version should be used. This is *weird*,
333 // because in the circumstance where API foo was added in R and bar was
334 // added in S, both of these are usable when building for "current" when
335 // neither R nor S are final, but the S APIs stop being available in a
336 // final R build.
Dan Albert1a246272020-07-06 14:49:35 -0700337 if Bool(config.productVariables.Platform_sdk_final) {
Dan Albert4f378d72020-07-23 17:32:15 -0700338 apiLevelsMap["current"] = config.PlatformSdkVersion().FinalOrFutureInt()
Dan Albert1a246272020-07-06 14:49:35 -0700339 }
340
341 return apiLevelsMap
342 }).(map[string]int)
343}
344
Colin Cross571cccf2019-02-04 11:22:08 -0800345var apiLevelsMapKey = NewOnceKey("ApiLevelsMap")
346
Dan Albert6bc5b832018-05-03 15:42:34 -0700347func getApiLevelsMap(config Config) map[string]int {
Colin Cross571cccf2019-02-04 11:22:08 -0800348 return config.Once(apiLevelsMapKey, func() interface{} {
Dan Albert6bc5b832018-05-03 15:42:34 -0700349 apiLevelsMap := map[string]int{
350 "G": 9,
351 "I": 14,
352 "J": 16,
353 "J-MR1": 17,
354 "J-MR2": 18,
355 "K": 19,
356 "L": 21,
357 "L-MR1": 22,
358 "M": 23,
359 "N": 24,
360 "N-MR1": 25,
361 "O": 26,
362 "O-MR1": 27,
363 "P": 28,
Ian Pedowitz851de712019-05-11 17:02:50 +0000364 "Q": 29,
Svet Ganov3b0b84b2020-04-29 17:14:15 -0700365 "R": 30,
Jeff Sharkey74120912021-05-27 09:17:56 -0600366 "S": 31,
Dan Albert6bc5b832018-05-03 15:42:34 -0700367 }
Jooyung Han424175d2020-04-08 09:22:26 +0900368 for i, codename := range config.PlatformVersionActiveCodenames() {
Jooyung Han11b0fbd2021-02-05 02:28:22 +0900369 apiLevelsMap[codename] = previewAPILevelBase + i
Dan Albert6bc5b832018-05-03 15:42:34 -0700370 }
Dan Albert30c9d6e2017-03-28 14:54:55 -0700371
Dan Albert6bc5b832018-05-03 15:42:34 -0700372 return apiLevelsMap
373 }).(map[string]int)
374}
375
Dan Albert6bc5b832018-05-03 15:42:34 -0700376func (a *apiLevelsSingleton) GenerateBuildActions(ctx SingletonContext) {
377 apiLevelsMap := getApiLevelsMap(ctx.Config())
Dan Albert30c9d6e2017-03-28 14:54:55 -0700378 apiLevelsJson := GetApiLevelsJson(ctx)
Colin Cross0875c522017-11-28 17:34:01 -0800379 createApiLevelsJson(ctx, apiLevelsJson, apiLevelsMap)
Dan Albert30c9d6e2017-03-28 14:54:55 -0700380}