blob: 3f538c038172bcb49cbfca9a12e6efbc160132ee [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 (
Cole Faust34867402023-04-28 12:32:27 -070018 "android/soong/starlark_import"
Dan Albert30c9d6e2017-03-28 14:54:55 -070019 "encoding/json"
Jooyung Han29e91d22020-04-02 01:41:41 +090020 "fmt"
Dan Albert6bc5b832018-05-03 15:42:34 -070021 "strconv"
Todd Lee2ec7e1c2023-08-25 18:02:13 +000022 "strings"
Dan Albert30c9d6e2017-03-28 14:54:55 -070023)
24
25func init() {
LaMont Jones0c10e4d2023-05-16 00:58:37 +000026 RegisterParallelSingletonType("api_levels", ApiLevelsSingleton)
Dan Albert30c9d6e2017-03-28 14:54:55 -070027}
28
Jooyung Han11b0fbd2021-02-05 02:28:22 +090029const previewAPILevelBase = 9000
30
Dan Albert1a246272020-07-06 14:49:35 -070031// An API level, which may be a finalized (numbered) API, a preview (codenamed)
32// API, or the future API level (10000). Can be parsed from a string with
33// ApiLevelFromUser or ApiLevelOrPanic.
34//
35// The different *types* of API levels are handled separately. Currently only
Jiyong Parkf1691d22021-03-29 20:11:58 +090036// Java has these, and they're managed with the SdkKind enum of the SdkSpec. A
37// future cleanup should be to migrate SdkSpec to using ApiLevel instead of its
38// SdkVersion int, and to move SdkSpec into this package.
Dan Albert1a246272020-07-06 14:49:35 -070039type ApiLevel struct {
40 // The string representation of the API level.
41 value string
42
43 // A number associated with the API level. The exact value depends on
44 // whether this API level is a preview or final API.
45 //
46 // For final API levels, this is the assigned version number.
47 //
48 // For preview API levels, this value has no meaning except to index known
49 // previews to determine ordering.
50 number int
51
52 // Identifies this API level as either a preview or final API level.
53 isPreview bool
54}
55
Cole Fauste5bf3fb2022-07-01 19:39:14 +000056func (this ApiLevel) FinalInt() int {
Spandan Das15da5882023-03-02 23:36:39 +000057 if this.IsInvalid() {
58 panic(fmt.Errorf("%v is not a recognized api_level\n", this))
59 }
Cole Fauste5bf3fb2022-07-01 19:39:14 +000060 if this.IsPreview() {
61 panic("Requested a final int from a non-final ApiLevel")
62 } else {
63 return this.number
64 }
65}
66
Dan Albertc8060532020-07-22 22:32:17 -070067func (this ApiLevel) FinalOrFutureInt() int {
Spandan Das15da5882023-03-02 23:36:39 +000068 if this.IsInvalid() {
69 panic(fmt.Errorf("%v is not a recognized api_level\n", this))
70 }
Dan Albertc8060532020-07-22 22:32:17 -070071 if this.IsPreview() {
Dan Albert0b176c82020-07-23 16:43:25 -070072 return FutureApiLevelInt
Dan Albertc8060532020-07-22 22:32:17 -070073 } else {
74 return this.number
75 }
76}
77
Jooyung Han11b0fbd2021-02-05 02:28:22 +090078// FinalOrPreviewInt distinguishes preview versions from "current" (future).
79// This is for "native" stubs and should be in sync with ndkstubgen/getApiLevelsMap().
80// - "current" -> future (10000)
81// - preview codenames -> preview base (9000) + index
82// - otherwise -> cast to int
83func (this ApiLevel) FinalOrPreviewInt() int {
Spandan Das15da5882023-03-02 23:36:39 +000084 if this.IsInvalid() {
85 panic(fmt.Errorf("%v is not a recognized api_level\n", this))
86 }
Jooyung Han11b0fbd2021-02-05 02:28:22 +090087 if this.IsCurrent() {
88 return this.number
89 }
90 if this.IsPreview() {
91 return previewAPILevelBase + this.number
92 }
93 return this.number
94}
95
Dan Albert1a246272020-07-06 14:49:35 -070096// Returns the canonical name for this API level. For a finalized API level
97// this will be the API number as a string. For a preview API level this
98// will be the codename, or "current".
99func (this ApiLevel) String() string {
100 return this.value
101}
102
103// Returns true if this is a non-final API level.
104func (this ApiLevel) IsPreview() bool {
105 return this.isPreview
106}
107
Spandan Das15da5882023-03-02 23:36:39 +0000108// Returns true if the raw api level string is invalid
109func (this ApiLevel) IsInvalid() bool {
110 return this.EqualTo(InvalidApiLevel)
111}
112
Dan Albert1a246272020-07-06 14:49:35 -0700113// Returns true if this is the unfinalized "current" API level. This means
114// different things across Java and native. Java APIs do not use explicit
115// codenames, so all non-final codenames are grouped into "current". For native
116// explicit codenames are typically used, and current is the union of all
117// non-final APIs, including those that may not yet be in any codename.
118//
119// Note that in a build where the platform is final, "current" will not be a
120// preview API level but will instead be canonicalized to the final API level.
121func (this ApiLevel) IsCurrent() bool {
122 return this.value == "current"
123}
124
Jooyung Haned124c32021-01-26 11:43:46 +0900125func (this ApiLevel) IsNone() bool {
126 return this.number == -1
127}
128
Spandan Das15da5882023-03-02 23:36:39 +0000129// Returns true if an app is compiling against private apis.
130// e.g. if sdk_version = "" in Android.bp, then the ApiLevel of that "sdk" is at PrivateApiLevel.
131func (this ApiLevel) IsPrivate() bool {
132 return this.number == PrivateApiLevel.number
133}
134
Spandan Dasdd7057c2023-01-05 01:03:47 +0000135// EffectiveVersion converts an ApiLevel into the concrete ApiLevel that the module should use. For
136// modules targeting an unreleased SDK (meaning it does not yet have a number) it returns
137// FutureApiLevel(10000).
138func (l ApiLevel) EffectiveVersion(ctx EarlyModuleContext) (ApiLevel, error) {
139 if l.EqualTo(InvalidApiLevel) {
140 return l, fmt.Errorf("invalid version in sdk_version %q", l.value)
141 }
142 if !l.IsPreview() {
143 return l, nil
144 }
145 ret := ctx.Config().DefaultAppTargetSdk(ctx)
146 if ret.IsPreview() {
147 return FutureApiLevel, nil
148 }
149 return ret, nil
150}
151
152// EffectiveVersionString converts an SdkSpec into the concrete version string that the module
153// should use. For modules targeting an unreleased SDK (meaning it does not yet have a number)
154// it returns the codename (P, Q, R, etc.)
155func (l ApiLevel) EffectiveVersionString(ctx EarlyModuleContext) (string, error) {
156 if l.EqualTo(InvalidApiLevel) {
157 return l.value, fmt.Errorf("invalid version in sdk_version %q", l.value)
158 }
159 if !l.IsPreview() {
160 return l.String(), nil
161 }
162 // Determine the default sdk
163 ret := ctx.Config().DefaultAppTargetSdk(ctx)
164 if !ret.IsPreview() {
165 // If the default sdk has been finalized, return that
166 return ret.String(), nil
167 }
168 // There can be more than one active in-development sdks
169 // If an app is targeting an active sdk, but not the default one, return the requested active sdk.
170 // e.g.
171 // SETUP
172 // In-development: UpsideDownCake, VanillaIceCream
173 // Default: VanillaIceCream
174 // Android.bp
175 // min_sdk_version: `UpsideDownCake`
176 // RETURN
177 // UpsideDownCake and not VanillaIceCream
178 for _, preview := range ctx.Config().PreviewApiLevels() {
179 if l.String() == preview.String() {
180 return preview.String(), nil
181 }
182 }
183 // Otherwise return the default one
184 return ret.String(), nil
185}
186
Spandan Das8c9ae7e2023-03-03 21:20:36 +0000187// Specified returns true if the module is targeting a recognzized api_level.
188// It returns false if either
189// 1. min_sdk_version is not an int or a recognized codename
190// 2. both min_sdk_version and sdk_version are empty. In this case, MinSdkVersion() defaults to SdkSpecPrivate.ApiLevel
191func (this ApiLevel) Specified() bool {
192 return !this.IsInvalid() && !this.IsPrivate()
193}
194
Dan Albert1a246272020-07-06 14:49:35 -0700195// Returns -1 if the current API level is less than the argument, 0 if they
196// are equal, and 1 if it is greater than the argument.
197func (this ApiLevel) CompareTo(other ApiLevel) int {
198 if this.IsPreview() && !other.IsPreview() {
199 return 1
200 } else if !this.IsPreview() && other.IsPreview() {
201 return -1
202 }
203
204 if this.number < other.number {
205 return -1
206 } else if this.number == other.number {
207 return 0
208 } else {
209 return 1
210 }
211}
212
213func (this ApiLevel) EqualTo(other ApiLevel) bool {
214 return this.CompareTo(other) == 0
215}
216
217func (this ApiLevel) GreaterThan(other ApiLevel) bool {
218 return this.CompareTo(other) > 0
219}
220
221func (this ApiLevel) GreaterThanOrEqualTo(other ApiLevel) bool {
222 return this.CompareTo(other) >= 0
223}
224
225func (this ApiLevel) LessThan(other ApiLevel) bool {
226 return this.CompareTo(other) < 0
227}
228
229func (this ApiLevel) LessThanOrEqualTo(other ApiLevel) bool {
230 return this.CompareTo(other) <= 0
231}
232
233func uncheckedFinalApiLevel(num int) ApiLevel {
234 return ApiLevel{
235 value: strconv.Itoa(num),
236 number: num,
237 isPreview: false,
238 }
239}
240
Todd Lee2ec7e1c2023-08-25 18:02:13 +0000241func uncheckedFinalIncrementalApiLevel(num int, increment int) ApiLevel {
242 return ApiLevel{
243 value: strconv.Itoa(num) + "." + strconv.Itoa(increment),
244 number: num,
245 isPreview: false,
246 }
247}
248
Dan Albert1a246272020-07-06 14:49:35 -0700249var NoneApiLevel = ApiLevel{
250 value: "(no version)",
251 // Not 0 because we don't want this to compare equal with the first preview.
252 number: -1,
253 isPreview: true,
254}
255
Spandan Das15da5882023-03-02 23:36:39 +0000256// Sentinel ApiLevel to validate that an apiLevel is either an int or a recognized codename.
257var InvalidApiLevel = NewInvalidApiLevel("invalid")
258
259// Returns an apiLevel object at the same level as InvalidApiLevel.
260// The object contains the raw string provied in bp file, and can be used for error handling.
261func NewInvalidApiLevel(raw string) ApiLevel {
262 return ApiLevel{
263 value: raw,
264 number: -2, // One less than NoneApiLevel
265 isPreview: true,
266 }
267}
268
Dan Albert1a246272020-07-06 14:49:35 -0700269// The first version that introduced 64-bit ABIs.
270var FirstLp64Version = uncheckedFinalApiLevel(21)
271
Elliott Hughes0e9cdb02021-05-14 13:07:32 -0700272// Android has had various kinds of packed relocations over the years
273// (http://b/187907243).
274//
275// API level 30 is where the now-standard SHT_RELR is available.
276var FirstShtRelrVersion = uncheckedFinalApiLevel(30)
277
278// API level 28 introduced SHT_RELR when it was still Android-only, and used an
279// Android-specific relocation.
280var FirstAndroidRelrVersion = uncheckedFinalApiLevel(28)
281
282// API level 23 was when we first had the Chrome relocation packer, which is
283// obsolete and has been removed, but lld can now generate compatible packed
284// relocations itself.
285var FirstPackedRelocationsVersion = uncheckedFinalApiLevel(23)
286
Paul Duffin004547f2021-10-29 13:50:24 +0100287// LastWithoutModuleLibCoreSystemModules is the last API level where prebuilts/sdk does not contain
288// a core-for-system-modules.jar for the module-lib API scope.
289var LastWithoutModuleLibCoreSystemModules = uncheckedFinalApiLevel(31)
290
Vinh Tranf1924742022-06-24 16:40:11 -0400291// ReplaceFinalizedCodenames returns the API level number associated with that API level
292// if the `raw` input is the codename of an API level has been finalized.
293// If the input is *not* a finalized codename, the input is returned unmodified.
Cole Faust34867402023-04-28 12:32:27 -0700294func ReplaceFinalizedCodenames(config Config, raw string) (string, error) {
295 finalCodenamesMap, err := getFinalCodenamesMap(config)
296 if err != nil {
297 return raw, err
298 }
299 num, ok := finalCodenamesMap[raw]
Dan Albert1a246272020-07-06 14:49:35 -0700300 if !ok {
Cole Faust34867402023-04-28 12:32:27 -0700301 return raw, nil
Dan Albert1a246272020-07-06 14:49:35 -0700302 }
303
Cole Faust34867402023-04-28 12:32:27 -0700304 return strconv.Itoa(num), nil
Dan Albert1a246272020-07-06 14:49:35 -0700305}
306
Spandan Das8c9ae7e2023-03-03 21:20:36 +0000307// ApiLevelFrom converts the given string `raw` to an ApiLevel.
308// If `raw` is invalid (empty string, unrecognized codename etc.) it returns an invalid ApiLevel
309func ApiLevelFrom(ctx PathContext, raw string) ApiLevel {
310 ret, err := ApiLevelFromUser(ctx, raw)
311 if err != nil {
312 return NewInvalidApiLevel(raw)
313 }
314 return ret
315}
316
satayev0ee2f912021-12-01 17:39:48 +0000317// ApiLevelFromUser converts the given string `raw` to an ApiLevel, possibly returning an error.
Dan Albert1a246272020-07-06 14:49:35 -0700318//
319// `raw` must be non-empty. Passing an empty string results in a panic.
320//
321// "current" will return CurrentApiLevel, which is the ApiLevel associated with
322// an arbitrary future release (often referred to as API level 10000).
323//
324// Finalized codenames will be interpreted as their final API levels, not the
325// preview of the associated releases. R is now API 30, not the R preview.
326//
327// Future codenames return a preview API level that has no associated integer.
328//
329// Inputs that are not "current", known previews, or convertible to an integer
330// will return an error.
Colin Cross9f720ce2020-10-02 10:26:04 -0700331func ApiLevelFromUser(ctx PathContext, raw string) (ApiLevel, error) {
satayev0ee2f912021-12-01 17:39:48 +0000332 return ApiLevelFromUserWithConfig(ctx.Config(), raw)
333}
334
335// ApiLevelFromUserWithConfig implements ApiLevelFromUser, see comments for
336// ApiLevelFromUser for more details.
337func ApiLevelFromUserWithConfig(config Config, raw string) (ApiLevel, error) {
Alixfb7f7b92023-03-02 19:35:02 +0000338 // This logic is replicated in starlark, if changing logic here update starlark code too
339 // https://cs.android.com/android/platform/superproject/+/master:build/bazel/rules/common/api.bzl;l=42;drc=231c7e8c8038fd478a79eb68aa5b9f5c64e0e061
Dan Albert1a246272020-07-06 14:49:35 -0700340 if raw == "" {
341 panic("API level string must be non-empty")
342 }
343
344 if raw == "current" {
Dan Albert0b176c82020-07-23 16:43:25 -0700345 return FutureApiLevel, nil
Dan Albert1a246272020-07-06 14:49:35 -0700346 }
347
satayev0ee2f912021-12-01 17:39:48 +0000348 for _, preview := range config.PreviewApiLevels() {
Dan Albert1a246272020-07-06 14:49:35 -0700349 if raw == preview.String() {
350 return preview, nil
351 }
352 }
353
Cole Faust34867402023-04-28 12:32:27 -0700354 apiLevelsReleasedVersions, err := getApiLevelsMapReleasedVersions()
355 if err != nil {
356 return NoneApiLevel, err
357 }
358 canonical, ok := apiLevelsReleasedVersions[raw]
Alixfb502512023-03-06 21:04:30 +0000359 if !ok {
360 asInt, err := strconv.Atoi(raw)
361 if err != nil {
362 return NoneApiLevel, fmt.Errorf("%q could not be parsed as an integer and is not a recognized codename", raw)
363 }
364 return uncheckedFinalApiLevel(asInt), nil
Dan Albert1a246272020-07-06 14:49:35 -0700365 }
366
Alixfb502512023-03-06 21:04:30 +0000367 return uncheckedFinalApiLevel(canonical), nil
368
Dan Albert1a246272020-07-06 14:49:35 -0700369}
370
Paul Duffin004547f2021-10-29 13:50:24 +0100371// ApiLevelForTest returns an ApiLevel constructed from the supplied raw string.
372//
373// This only supports "current" and numeric levels, code names are not supported.
374func ApiLevelForTest(raw string) ApiLevel {
375 if raw == "" {
376 panic("API level string must be non-empty")
377 }
378
379 if raw == "current" {
380 return FutureApiLevel
381 }
382
Todd Lee2ec7e1c2023-08-25 18:02:13 +0000383 if strings.Contains(raw, ".") {
384 // Check prebuilt incremental API format MM.m for major (API level) and minor (incremental) revisions
385 parts := strings.Split(raw, ".")
386 if len(parts) != 2 {
387 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))
388 }
389 sdk, sdk_err := strconv.Atoi(parts[0])
390 qpr, qpr_err := strconv.Atoi(parts[1])
391 if sdk_err != nil || qpr_err != nil {
392 panic(fmt.Errorf("Unable to read version number for incremental api '%s'", raw))
393 }
394
395 apiLevel := uncheckedFinalIncrementalApiLevel(sdk, qpr)
396 return apiLevel
397 }
398
Paul Duffin004547f2021-10-29 13:50:24 +0100399 asInt, err := strconv.Atoi(raw)
400 if err != nil {
401 panic(fmt.Errorf("%q could not be parsed as an integer and is not a recognized codename", raw))
402 }
403
404 apiLevel := uncheckedFinalApiLevel(asInt)
405 return apiLevel
406}
407
Dan Albert1a246272020-07-06 14:49:35 -0700408// Converts an API level string `raw` into an ApiLevel in the same method as
409// `ApiLevelFromUser`, but the input is assumed to have no errors and any errors
410// will panic instead of returning an error.
Colin Cross9f720ce2020-10-02 10:26:04 -0700411func ApiLevelOrPanic(ctx PathContext, raw string) ApiLevel {
Dan Albert1a246272020-07-06 14:49:35 -0700412 value, err := ApiLevelFromUser(ctx, raw)
413 if err != nil {
414 panic(err.Error())
415 }
416 return value
417}
418
Colin Cross0875c522017-11-28 17:34:01 -0800419func ApiLevelsSingleton() Singleton {
Dan Albert30c9d6e2017-03-28 14:54:55 -0700420 return &apiLevelsSingleton{}
421}
422
423type apiLevelsSingleton struct{}
424
Colin Cross0875c522017-11-28 17:34:01 -0800425func createApiLevelsJson(ctx SingletonContext, file WritablePath,
Dan Albert30c9d6e2017-03-28 14:54:55 -0700426 apiLevelsMap map[string]int) {
427
428 jsonStr, err := json.Marshal(apiLevelsMap)
429 if err != nil {
430 ctx.Errorf(err.Error())
431 }
432
Colin Crosscf371cc2020-11-13 11:48:42 -0800433 WriteFileRule(ctx, file, string(jsonStr))
Dan Albert30c9d6e2017-03-28 14:54:55 -0700434}
435
Colin Cross0875c522017-11-28 17:34:01 -0800436func GetApiLevelsJson(ctx PathContext) WritablePath {
Dan Albert30c9d6e2017-03-28 14:54:55 -0700437 return PathForOutput(ctx, "api_levels.json")
438}
439
Cole Faust34867402023-04-28 12:32:27 -0700440func getApiLevelsMapReleasedVersions() (map[string]int, error) {
441 return starlark_import.GetStarlarkValue[map[string]int]("api_levels_released_versions")
Alix Espino4fd7e742023-02-24 14:46:43 +0000442}
443
Dan Albert1a246272020-07-06 14:49:35 -0700444var finalCodenamesMapKey = NewOnceKey("FinalCodenamesMap")
445
Cole Faust34867402023-04-28 12:32:27 -0700446func getFinalCodenamesMap(config Config) (map[string]int, error) {
447 type resultStruct struct {
448 result map[string]int
449 err error
450 }
Alixfb7f7b92023-03-02 19:35:02 +0000451 // This logic is replicated in starlark, if changing logic here update starlark code too
452 // https://cs.android.com/android/platform/superproject/+/master:build/bazel/rules/common/api.bzl;l=30;drc=231c7e8c8038fd478a79eb68aa5b9f5c64e0e061
Cole Faust34867402023-04-28 12:32:27 -0700453 result := config.Once(finalCodenamesMapKey, func() interface{} {
454 apiLevelsMap, err := getApiLevelsMapReleasedVersions()
Dan Albert1a246272020-07-06 14:49:35 -0700455
Dan Albertc8060532020-07-22 22:32:17 -0700456 // TODO: Differentiate "current" and "future".
457 // The code base calls it FutureApiLevel, but the spelling is "current",
458 // and these are really two different things. When defining APIs it
459 // means the API has not yet been added to a specific release. When
460 // choosing an API level to build for it means that the future API level
461 // should be used, except in the case where the build is finalized in
462 // which case the platform version should be used. This is *weird*,
463 // because in the circumstance where API foo was added in R and bar was
464 // added in S, both of these are usable when building for "current" when
465 // neither R nor S are final, but the S APIs stop being available in a
466 // final R build.
Cole Faust34867402023-04-28 12:32:27 -0700467 if err == nil && Bool(config.productVariables.Platform_sdk_final) {
Dan Albert4f378d72020-07-23 17:32:15 -0700468 apiLevelsMap["current"] = config.PlatformSdkVersion().FinalOrFutureInt()
Dan Albert1a246272020-07-06 14:49:35 -0700469 }
470
Cole Faust34867402023-04-28 12:32:27 -0700471 return resultStruct{apiLevelsMap, err}
472 }).(resultStruct)
473 return result.result, result.err
Dan Albert1a246272020-07-06 14:49:35 -0700474}
475
Colin Cross571cccf2019-02-04 11:22:08 -0800476var apiLevelsMapKey = NewOnceKey("ApiLevelsMap")
477
Alix Espino4fd7e742023-02-24 14:46:43 +0000478// ApiLevelsMap has entries for preview API levels
Cole Faust34867402023-04-28 12:32:27 -0700479func GetApiLevelsMap(config Config) (map[string]int, error) {
480 type resultStruct struct {
481 result map[string]int
482 err error
483 }
Alixfb7f7b92023-03-02 19:35:02 +0000484 // This logic is replicated in starlark, if changing logic here update starlark code too
485 // https://cs.android.com/android/platform/superproject/+/master:build/bazel/rules/common/api.bzl;l=23;drc=231c7e8c8038fd478a79eb68aa5b9f5c64e0e061
Cole Faust34867402023-04-28 12:32:27 -0700486 result := config.Once(apiLevelsMapKey, func() interface{} {
487 apiLevelsMap, err := getApiLevelsMapReleasedVersions()
488 if err == nil {
489 for i, codename := range config.PlatformVersionAllPreviewCodenames() {
490 apiLevelsMap[codename] = previewAPILevelBase + i
491 }
Dan Albert6bc5b832018-05-03 15:42:34 -0700492 }
Dan Albert30c9d6e2017-03-28 14:54:55 -0700493
Cole Faust34867402023-04-28 12:32:27 -0700494 return resultStruct{apiLevelsMap, err}
495 }).(resultStruct)
496 return result.result, result.err
Dan Albert6bc5b832018-05-03 15:42:34 -0700497}
498
Dan Albert6bc5b832018-05-03 15:42:34 -0700499func (a *apiLevelsSingleton) GenerateBuildActions(ctx SingletonContext) {
Cole Faust34867402023-04-28 12:32:27 -0700500 apiLevelsMap, err := GetApiLevelsMap(ctx.Config())
501 if err != nil {
502 ctx.Errorf("%s\n", err)
503 return
504 }
Dan Albert30c9d6e2017-03-28 14:54:55 -0700505 apiLevelsJson := GetApiLevelsJson(ctx)
Colin Cross0875c522017-11-28 17:34:01 -0800506 createApiLevelsJson(ctx, apiLevelsJson, apiLevelsMap)
Dan Albert30c9d6e2017-03-28 14:54:55 -0700507}