├── .eslintrc.json ├── .github └── workflows │ ├── action-types.yml │ ├── main.yml │ ├── manually.yml │ └── pr-comment.yml ├── .gitignore ├── CHANGELOG.md ├── LICENSE ├── README.md ├── RELEASING.md ├── __tests__ ├── channel-id-mapper.test.ts ├── input-validator.test.ts └── script-parser.test.ts ├── action-types.yml ├── action.yml ├── jest.config.js ├── lib ├── channel-id-mapper.js ├── emulator-manager.js ├── input-validator.js ├── main.js ├── script-parser.js └── sdk-installer.js ├── package-lock.json ├── package.json ├── renovate.json ├── src ├── channel-id-mapper.ts ├── emulator-manager.ts ├── input-validator.ts ├── main.ts ├── script-parser.ts └── sdk-installer.ts ├── test-fixture ├── .gitignore ├── app │ ├── .gitignore │ ├── build.gradle │ └── src │ │ ├── androidTest │ │ └── java │ │ │ └── com │ │ │ └── example │ │ │ └── testapp │ │ │ └── ExampleInstrumentedTest.kt │ │ └── main │ │ ├── AndroidManifest.xml │ │ ├── java │ │ └── com │ │ │ └── example │ │ │ └── testapp │ │ │ └── MainActivity.kt │ │ └── res │ │ ├── drawable-v24 │ │ └── ic_launcher_foreground.xml │ │ ├── drawable │ │ └── ic_launcher_background.xml │ │ ├── layout │ │ └── activity_main.xml │ │ ├── mipmap-anydpi-v26 │ │ ├── ic_launcher.xml │ │ └── ic_launcher_round.xml │ │ ├── mipmap-hdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-mdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-xhdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-xxhdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ ├── mipmap-xxxhdpi │ │ ├── ic_launcher.png │ │ └── ic_launcher_round.png │ │ └── values │ │ ├── colors.xml │ │ ├── strings.xml │ │ └── styles.xml ├── build.gradle ├── gradle.properties ├── gradle │ └── wrapper │ │ ├── gradle-wrapper.jar │ │ └── gradle-wrapper.properties ├── gradlew ├── gradlew.bat ├── local.properties └── settings.gradle └── tsconfig.json /.eslintrc.json: -------------------------------------------------------------------------------- 1 | { 2 | "env": { 3 | "node": true, 4 | "jest": true, 5 | "es6": true 6 | }, 7 | "extends": [ 8 | "plugin:prettier/recommended" 9 | ], 10 | "globals": { 11 | "Atomics": "readonly", 12 | "SharedArrayBuffer": "readonly" 13 | }, 14 | "parser": "@typescript-eslint/parser", 15 | "parserOptions": { 16 | "ecmaVersion": 2018, 17 | "sourceType": "module" 18 | }, 19 | "plugins": [ 20 | "@typescript-eslint", 21 | "prettier" 22 | ], 23 | "rules": { 24 | "prettier/prettier": [ 25 | "error", 26 | { 27 | "singleQuote": true, 28 | "printWidth": 200 29 | } 30 | ], 31 | "@typescript-eslint/explicit-function-return-type": "off", 32 | "@typescript-eslint/no-use-before-define": [ 33 | "error", 34 | { 35 | "functions": false 36 | } 37 | ] 38 | } 39 | } -------------------------------------------------------------------------------- /.github/workflows/action-types.yml: -------------------------------------------------------------------------------- 1 | name: Validate action typings 2 | 3 | on: 4 | push: 5 | pull_request: 6 | workflow_dispatch: 7 | 8 | jobs: 9 | validate-typings: 10 | runs-on: "ubuntu-latest" 11 | steps: 12 | - uses: actions/checkout@v4 13 | - uses: krzema12/github-actions-typing@v0 14 | -------------------------------------------------------------------------------- /.github/workflows/main.yml: -------------------------------------------------------------------------------- 1 | name: Main workflow 2 | on: 3 | workflow_call: 4 | pull_request: 5 | paths-ignore: 6 | - '**.md' 7 | push: 8 | branches: 9 | - main 10 | paths-ignore: 11 | - '**.md' 12 | 13 | jobs: 14 | test: 15 | runs-on: ${{ matrix.os }} 16 | env: 17 | JAVA_TOOL_OPTIONS: -Xmx4g 18 | timeout-minutes: 15 19 | strategy: 20 | matrix: 21 | include: 22 | - os: ubuntu-22.04 23 | api-level: 23 24 | target: default 25 | arch: x86 26 | - os: ubuntu-24.04 27 | api-level: 24 28 | target: playstore 29 | arch: x86 30 | - os: macos-13 31 | api-level: 31 32 | target: default 33 | arch: x86_64 34 | - os: ubuntu-24.04 35 | api-level: 34 36 | target: aosp_atd 37 | arch: x86_64 38 | - os: ubuntu-latest 39 | api-level: 35 40 | target: google_apis 41 | arch: x86_64 42 | - os: ubuntu-latest 43 | api-level: 34-ext10 44 | target: android-automotive 45 | arch: x86_64 46 | system-image-api-level: 34-ext9 47 | 48 | steps: 49 | - name: checkout 50 | uses: actions/checkout@v4 51 | 52 | - name: build, test and lint 53 | run: | 54 | npm install 55 | npm run build 56 | npm run lint 57 | npm test 58 | 59 | - uses: actions/setup-java@v4 60 | with: 61 | distribution: 'zulu' 62 | java-version: 23 63 | 64 | - uses: actions/cache@v4 65 | id: avd-cache 66 | with: 67 | path: | 68 | ~/.android/avd/* 69 | ~/.android/adb* 70 | ~/.android/debug.keystore 71 | key: avd-${{ matrix.api-level }}-${{ matrix.os }}-${{ matrix.target }}-${{ matrix.arch }} 72 | 73 | - uses: gradle/actions/setup-gradle@v4 74 | 75 | - name: assemble tests 76 | working-directory: test-fixture 77 | run: ./gradlew assembleAndroidTest 78 | 79 | - name: enable KVM for linux runners 80 | if: runner.os == 'Linux' 81 | run: | 82 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 83 | sudo udevadm control --reload-rules 84 | sudo udevadm trigger --name-match=kvm 85 | 86 | - name: run emulator to generate snapshot for caching 87 | if: steps.avd-cache.outputs.cache-hit != 'true' 88 | uses: ./ 89 | with: 90 | api-level: ${{ matrix.api-level }} 91 | target: ${{ matrix.target }} 92 | arch: ${{ matrix.arch }} 93 | system-image-api-level: ${{ matrix.system-image-api-level }} 94 | profile: Galaxy Nexus 95 | cores: 2 96 | sdcard-path-or-size: 100M 97 | avd-name: test 98 | force-avd-creation: false 99 | emulator-options: -no-window -gpu swiftshader_indirect -noaudio -no-boot-anim -camera-back none 100 | disable-animations: false 101 | working-directory: ./test-fixture/ 102 | channel: canary 103 | script: echo "Generated AVD snapshot for caching." 104 | 105 | - name: run action 106 | uses: ./ 107 | with: 108 | api-level: ${{ matrix.api-level }} 109 | target: ${{ matrix.target }} 110 | arch: ${{ matrix.arch }} 111 | system-image-api-level: ${{ matrix.system-image-api-level }} 112 | profile: Galaxy Nexus 113 | cores: 2 114 | ram-size: 2048M 115 | sdcard-path-or-size: 100M 116 | avd-name: test 117 | force-avd-creation: false 118 | emulator-options: -no-snapshot-save -no-window -gpu swiftshader_indirect -noaudio -no-boot-anim -camera-back none 119 | disable-animations: true 120 | working-directory: ./test-fixture/ 121 | channel: canary 122 | pre-emulator-launch-script: | 123 | echo "Running pre emulator launch script. Printing the working directory now:" 124 | pwd 125 | script: | 126 | echo $GITHUB_REPOSITORY 127 | adb devices 128 | ./gradlew connectedDebugAndroidTest 129 | -------------------------------------------------------------------------------- /.github/workflows/manually.yml: -------------------------------------------------------------------------------- 1 | name: Manually triggered workflow 2 | on: 3 | workflow_dispatch: 4 | inputs: 5 | os: 6 | description: 'OS' 7 | required: true 8 | default: 'ubuntu-latest' 9 | api-level: 10 | description: 'API level of the platform and system image (if not overridden with system-image-api-level input) - e.g. 33, 35-ext15, Baklava' 11 | required: true 12 | default: '34' 13 | system-image-api-level: 14 | description: 'API level of the system image - e.g. 34-ext10, 35-ext15' 15 | target: 16 | description: 'target of the system image - default, google_apis, google_apis_playstore, aosp_atd, google_atd, android-wear, android-wear-cn, android-tv, google-tv, android-automotive, android-automotive-playstore or android-desktop' 17 | required: true 18 | default: 'default' 19 | arch: 20 | description: 'CPU architecture of the system image - x86, x86_64 or arm64-v8a' 21 | default: 'x86_64' 22 | emulator-options: 23 | description: 'command-line options used when launching the emulator' 24 | default: '-no-window -gpu swiftshader_indirect -no-snapshot -noaudio -no-boot-anim' 25 | emulator-build: 26 | description: 'build number of a specific version of the emulator binary to use' 27 | channel: 28 | description: 'Channel to download the SDK components from - `stable`, `beta`, `dev`, `canary`' 29 | default: 'stable' 30 | script: 31 | description: 'custom script to run - e.g. `./gradlew connectedCheck`' 32 | required: true 33 | default: './gradlew connectedDebugAndroidTest' 34 | 35 | jobs: 36 | test: 37 | runs-on: ${{ github.event.inputs.os }} 38 | env: 39 | JAVA_TOOL_OPTIONS: -Xmx4g 40 | timeout-minutes: 15 41 | 42 | steps: 43 | - name: checkout 44 | uses: actions/checkout@v4 45 | 46 | - name: build, test and lint 47 | run: | 48 | npm install 49 | npm run build 50 | npm run lint 51 | npm test 52 | 53 | - uses: actions/setup-java@v4 54 | with: 55 | distribution: 'zulu' 56 | java-version: 23 57 | 58 | - uses: gradle/actions/setup-gradle@v4 59 | 60 | - name: enable KVM for linux runners 61 | if: runner.os == 'Linux' 62 | run: | 63 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 64 | sudo udevadm control --reload-rules 65 | sudo udevadm trigger --name-match=kvm 66 | 67 | - name: run action 68 | uses: ./ 69 | with: 70 | api-level: ${{ github.event.inputs.api-level }} 71 | target: ${{ github.event.inputs.target }} 72 | arch: ${{ github.event.inputs.arch }} 73 | system-image-api-level: ${{ github.event.inputs.system-image-api-level }} 74 | profile: Galaxy Nexus 75 | emulator-options: ${{ github.event.inputs.emulator-options }} 76 | emulator-build: ${{ github.event.inputs.emulator-build }} 77 | channel: ${{ github.event.inputs.channel }} 78 | working-directory: ./test-fixture/ 79 | script: ${{ github.event.inputs.script }} 80 | -------------------------------------------------------------------------------- /.github/workflows/pr-comment.yml: -------------------------------------------------------------------------------- 1 | name: Re-Run Tests on PR Comment Workflow 2 | on: 3 | issue_comment: 4 | types: [created] 5 | 6 | jobs: 7 | rerun-tests-job: 8 | if: github.event.issue.pull_request && contains(github.event.comment.body, 'run tests') # if comment is created on a PR, can also use the syntax if: contains(github.event.comment.html_url, '/pull/') 9 | uses: ./.github/workflows/main.yml -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | __tests__/runner/* 2 | 3 | # comment out in distribution branches 4 | node_modules/ 5 | 6 | # Rest pulled from https://github.com/github/gitignore/blob/master/Node.gitignore 7 | # Logs 8 | logs 9 | *.log 10 | npm-debug.log* 11 | yarn-debug.log* 12 | yarn-error.log* 13 | lerna-debug.log* 14 | 15 | # Diagnostic reports (https://nodejs.org/api/report.html) 16 | report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json 17 | 18 | # Runtime data 19 | pids 20 | *.pid 21 | *.seed 22 | *.pid.lock 23 | 24 | # Directory for instrumented libs generated by jscoverage/JSCover 25 | lib-cov 26 | 27 | # Coverage directory used by tools like istanbul 28 | coverage 29 | *.lcov 30 | 31 | # nyc test coverage 32 | .nyc_output 33 | 34 | # Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files) 35 | .grunt 36 | 37 | # Bower dependency directory (https://bower.io/) 38 | bower_components 39 | 40 | # node-waf configuration 41 | .lock-wscript 42 | 43 | # Compiled binary addons (https://nodejs.org/api/addons.html) 44 | build/Release 45 | 46 | # Dependency directories 47 | jspm_packages/ 48 | 49 | # TypeScript v1 declaration files 50 | typings/ 51 | 52 | # TypeScript cache 53 | *.tsbuildinfo 54 | 55 | # Optional npm cache directory 56 | .npm 57 | 58 | # Optional eslint cache 59 | .eslintcache 60 | 61 | # Optional REPL history 62 | .node_repl_history 63 | 64 | # Output of 'npm pack' 65 | *.tgz 66 | 67 | # Yarn Integrity file 68 | .yarn-integrity 69 | 70 | # dotenv environment variables file 71 | .env 72 | .env.test 73 | 74 | # parcel-bundler cache (https://parceljs.org/) 75 | .cache 76 | 77 | # next.js build output 78 | .next 79 | 80 | # nuxt.js build output 81 | .nuxt 82 | 83 | # vuepress build output 84 | .vuepress/dist 85 | 86 | # Serverless directories 87 | .serverless/ 88 | 89 | # FuseBox cache 90 | .fusebox/ 91 | 92 | # DynamoDB Local files 93 | .dynamodb/ 94 | 95 | # Mac 96 | .DS_Store 97 | 98 | # Vscode 99 | .vscode 100 | 101 | # IntelliJ IDEA 102 | .idea 103 | *.iml 104 | -------------------------------------------------------------------------------- /CHANGELOG.md: -------------------------------------------------------------------------------- 1 | # Change Log 2 | 3 | ## Unreleased 4 | 5 | No changes yet. 6 | 7 | ## v2.34.0 8 | 9 | * Allow arbitrary value for `api-level` such as `Baklava` and `35-ext15`. - [428](https://github.com/ReactiveCircus/android-emulator-runner/pull/428) 10 | * Add option to specify `system-image-api-level` to use a system image with a different API level than the platform. - [428](https://github.com/ReactiveCircus/android-emulator-runner/pull/428) 11 | * Support automotive and desktop targets: `android-automotive`, `android-automotive-playstore`, `android-desktop`. - [428](https://github.com/ReactiveCircus/android-emulator-runner/pull/428) 12 | 13 | ## v2.33.0 14 | 15 | * Fix missing AVD directory in `ubuntu-24.04` runner. - [415](https://github.com/ReactiveCircus/android-emulator-runner/pull/415) 16 | * Update SDK build tools to `35.0.0`, update SDK command-line tools to `16.0`. - [#356](https://github.com/ReactiveCircus/android-emulator-runner/pull/356) 17 | * Stop changing owner of the SDK directory. - [406](https://github.com/ReactiveCircus/android-emulator-runner/pull/406) [#409](https://github.com/ReactiveCircus/android-emulator-runner/pull/409) 18 | * Upgrade to latest npm dependencies. - [#401](https://github.com/ReactiveCircus/android-emulator-runner/pull/401) 19 | 20 | ## v2.32.0 21 | 22 | * Add `port` parameter for customizing the emulator port to use. - [#383](https://github.com/ReactiveCircus/android-emulator-runner/pull/383) 23 | 24 | 25 | ## v2.31.0 26 | 27 | * Support setting `VanillaIceCream` as `api-level`. - [#378](https://github.com/ReactiveCircus/android-emulator-runner/pull/378) 28 | * Install `platforms` for the specified `api-level`. - [#384](https://github.com/ReactiveCircus/android-emulator-runner/pull/384) 29 | 30 | ## v2.30.1 31 | 32 | * Run action on Node 20. - [#371](https://github.com/ReactiveCircus/android-emulator-runner/pull/371) 33 | 34 | ## v2.30.0 35 | 36 | * Update to Node 20. - [#369](https://github.com/ReactiveCircus/android-emulator-runner/pull/369) 37 | 38 | ## v2.29.0 39 | 40 | * Fixed emulator download URL. - [#343](https://github.com/ReactiveCircus/android-emulator-runner/pull/343) 41 | * Upgrade to latest npm dependencies. - [#347](https://github.com/ReactiveCircus/android-emulator-runner/pull/347) [#355](https://github.com/ReactiveCircus/android-emulator-runner/pull/355) 42 | * Update SDK command-line tools to `11.0`. - [#356](https://github.com/ReactiveCircus/android-emulator-runner/pull/356) 43 | * Update SDK build tools to `34.0.0`. - [#356](https://github.com/ReactiveCircus/android-emulator-runner/pull/356) 44 | 45 | ## v2.28.0 46 | 47 | * Add `emulator-boot-timeout` to support configuring maximum time waiting for emulator boot. - [#326](https://github.com/ReactiveCircus/android-emulator-runner/pull/326) 48 | * Support non-integer `api-level`. - [#317](https://github.com/ReactiveCircus/android-emulator-runner/pull/317) 49 | * Replace deprecated `ANDROID_SDK_ROOT` with `ANDROID_HOME`. - [304](https://github.com/ReactiveCircus/android-emulator-runner/pull/304) 50 | * Update SDK command-line tools to `9.0`. - [#331](https://github.com/ReactiveCircus/android-emulator-runner/pull/331) 51 | * Update SDK build tools to `33.0.2`. - [#331](https://github.com/ReactiveCircus/android-emulator-runner/pull/331) 52 | 53 | ## v2.27.0 54 | 55 | * Added `pre-emulator-launch-script` to support running script after creating the AVD and before launching the emulator. - [#247](https://github.com/ReactiveCircus/android-emulator-runner/pull/247) @nilsreichardt. 56 | * Update to Node 16. - [#276](https://github.com/ReactiveCircus/android-emulator-runner/pull/276) @mattjohnsonpint. 57 | * Update NPM dependencies. - [#282](https://github.com/ReactiveCircus/android-emulator-runner/pull/282) @mattjohnsonpint. 58 | * Update README with more context on hardware acceleration on GitHub hosted runners. - [#279](https://github.com/ReactiveCircus/android-emulator-runner/pull/279) @mrk-han. 59 | 60 | 61 | ## v2.26.0 62 | 63 | * Support [github-actions-typing](https://github.com/krzema12/github-actions-typing). - [#257](https://github.com/ReactiveCircus/android-emulator-runner/pull/257) @LeoColman. 64 | 65 | ## v2.25.0 66 | 67 | * Auto detect hardware acceleration on Linux. - [#254](https://github.com/ReactiveCircus/android-emulator-runner/pull/254) @notbigdata. 68 | * Update build tools to `33.0.0`. 69 | * Update SDK command-line tools to `7.0`. 70 | 71 | ## v2.24.0 72 | 73 | * Add option to specify `heap-size` for the AVD. - [#245](https://github.com/ReactiveCircus/android-emulator-runner/pull/245) @timusus. 74 | 75 | ## v2.23.0 76 | 77 | * Update build tools to `32.0.0`. - [#212](https://github.com/ReactiveCircus/android-emulator-runner/pull/212) 78 | * Update SDK command-line tools to `6.0`. - [#213](https://github.com/ReactiveCircus/android-emulator-runner/pull/213) 79 | * Add option to specify `disk-size` for the AVD. - [#219](https://github.com/ReactiveCircus/android-emulator-runner/pull/219) @ViliusSutkus89. 80 | * Improve logging by grouping log lines. - [#224](https://github.com/ReactiveCircus/android-emulator-runner/pull/224) @michaelkaye. 81 | 82 | ## v2.22.0 83 | 84 | * Add option to enable hardware keyboard. - [#209](https://github.com/ReactiveCircus/android-emulator-runner/pull/209) (upstreamed from the [Doist fork](https://github.com/Doist/android-emulator-runner/commit/4b6ca99f0d657662beca3eb0c22d8e254fbd5b31)). 85 | * Update README and fix typos. - [#203](https://github.com/ReactiveCircus/android-emulator-runner/pull/203) @JPrendy. 86 | 87 | ## v2.21.0 88 | 89 | * Support new [ATD](https://developer.android.com/studio/preview/features#gmd-atd) targets optimized to reduce CPU and memory resources when running instrumented tests: `aosp_atd`, `google_atd`. - [#198](https://github.com/ReactiveCircus/android-emulator-runner/pull/198). Note that currently these targets require the following: 90 | * `api-level: 30` 91 | * `arch: x86` or `arch: arm64-v8a` 92 | * `channel: canary` 93 | 94 | ## v2.20.0 95 | 96 | * Support non-mobile targets: `android-wear`, `android-wear-cn`, `android-tv` and `google-tv`. - [#180](https://github.com/ReactiveCircus/android-emulator-runner/pull/180) @alexvanyo. 97 | * Update SDK command-line tools to `5.0`. - [#174](https://github.com/ReactiveCircus/android-emulator-runner/pull/174) 98 | * Update build tools to `31.0.0`. - [#174](https://github.com/ReactiveCircus/android-emulator-runner/pull/174) 99 | * Add option to specify the `channel` to download SDK components from: `stable` (default), `beta`, `dev` and `canary`. - [#185](https://github.com/ReactiveCircus/android-emulator-runner/pull/185) 100 | 101 | ## v2.19.1 102 | 103 | * Accept all Android SDK Licenses to fix `sdkmanager` installation. - [#172](https://github.com/ReactiveCircus/android-emulator-runner/pull/172) @marcuspridham. 104 | 105 | ## v2.19.0 106 | 107 | * Add option to specify `ram-size` for the AVD. - [#165](https://github.com/ReactiveCircus/android-emulator-runner/pull/165). 108 | 109 | 110 | ## v2.18.1 111 | 112 | * Added support for setting modern emulator build ids for `emulator-build`. Not all build ids are supported until we are able to figure out at which build id the download URL pattern changed. `7425822` (version 30.7.3) is currently the last known working build id. 113 | 114 | ## v2.18.0 115 | 116 | * Add `force-avd-creation` which when set to `false` will skip avd creation if avd with same name exists. This enables AVD snapshot caching which can significantly reduce emulator startup time. See [README.md](https://github.com/ReactiveCircus/android-emulator-runner/blob/main/README.md#usage) for a sample workflow. - [#159](https://github.com/ReactiveCircus/android-emulator-runner/pull/159) 117 | 118 | ## v2.17.0 119 | 120 | * Add option to toggle Linux hardware acceleration - [#154](https://github.com/ReactiveCircus/android-emulator-runner/pull/154) @stevestotter 121 | 122 | ## v2.16.0 123 | 124 | * Avoid wrapping script code in quotes - [#134](https://github.com/ReactiveCircus/android-emulator-runner/pull/134) @hostilefork 125 | * Add option to disable spellcheck - [#143](https://github.com/ReactiveCircus/android-emulator-runner/pull/143) @AfzalivE 126 | * Add support for arm64-v8a for Apple Silicon Macs - [#146](https://github.com/ReactiveCircus/android-emulator-runner/pull/146) @Jeehut 127 | 128 | ## v2.15.0 129 | 130 | * Added support for specifying the number of cores to use for the emulator - [#130](https://github.com/ReactiveCircus/android-emulator-runner/pull/130). 131 | 132 | ## v2.14.3 133 | 134 | * Support `macos-11.0` (Big Sur) runner - [#124](https://github.com/ReactiveCircus/android-emulator-runner/pull/124). 135 | 136 | ## v2.14.2 137 | 138 | * Support API 28 system images with `google_apis` or `google_apis_playstore` target - [#117](https://github.com/ReactiveCircus/android-emulator-runner/pull/117). 139 | 140 | ## v2.14.1 141 | 142 | * Fix hang during AVD creation when `profile` is not specified - [#113](https://github.com/ReactiveCircus/android-emulator-runner/issues/113). 143 | 144 | ## v2.14.0 145 | 146 | * Support specifying SD card path or size via `sdcard-path-or-size`. 147 | * Update npm packages. 148 | * Remove usages of deprecated `$ANDROID_HOME`. 149 | 150 | ## v2.13.0 151 | 152 | * Updated to SDK command-line tools `3.0`. 153 | 154 | ## v2.12.0 155 | 156 | Added support for using the `playstore` system images: 157 | 158 | ``` 159 | - name: run tests 160 | uses: reactivecircus/android-emulator-runner@v2 161 | with: 162 | api-level: 30 163 | target: playstore 164 | arch: x86 165 | script: ./gradlew connectedCheck 166 | ``` 167 | 168 | ## v2.11.1 169 | 170 | * Update SDK command-line tools to `2.1`. 171 | * Update @actions/core to `1.2.6`. 172 | 173 | ## v2.11.0 174 | 175 | * Support running multiple instances of the action sequentially in a single job - [#73](https://github.com/ReactiveCircus/android-emulator-runner/issues/73). 176 | 177 | ## v2.10.0 178 | 179 | * Support Android 11 (API 30) system images. 180 | * Bump build tools to `30.0.0`. 181 | 182 | ## v2.9.0 183 | 184 | * Updated to SDK command-line tools `2.0`. 185 | 186 | ## v2.8.0 187 | 188 | * Added support for specifying a custom name used for creating the **AVD** - [#59](https://github.com/ReactiveCircus/android-emulator-runner/issues/59). 189 | 190 | ## v2.7.0 191 | 192 | * Added support for specifying versions of **NDK** and **CMake** to install. 193 | 194 | ## v2.6.2 195 | 196 | * Fixed an issue where the Linux command-line tools binary is used for `macos`. 197 | 198 | ## v2.6.1 199 | 200 | * Fixed SDK license issue on Linux when downloading API 28+ system images - [#42](https://github.com/ReactiveCircus/android-emulator-runner/issues/42). 201 | 202 | ## v2.6.0 203 | 204 | * Added support for Linux VMs (no hardware acceleration) - [#15](https://github.com/ReactiveCircus/android-emulator-runner/issues/15). 205 | 206 | ## v2.5.0 207 | 208 | * Added support for API 15-19 system images - [#26](https://github.com/ReactiveCircus/android-emulator-runner/issues/26). 209 | * Switched to the new SDK command-line tools which supports running `sdkmanager` and `avdmanager` with Java 9+ - [#25](https://github.com/ReactiveCircus/android-emulator-runner/issues/25). 210 | 211 | ## v2.4.0 212 | 213 | * Added support for setting custom `working-directory` - e.g. `./android` if your root Gradle project is under the `./android` sub-directory within your repository - [#22](https://github.com/ReactiveCircus/android-emulator-runner/issues/22). 214 | 215 | ## v2.3.2 216 | 217 | * Fixed an issue where environment variables are escaped in script - [#19](https://github.com/ReactiveCircus/android-emulator-runner/issues/19). 218 | 219 | ## v2.3.1 220 | 221 | * Bumped Android Build tools to 29.0.3. 222 | 223 | ## v2.3.0 224 | 225 | * Added support for running the action with Java 9+ by forcing SDK manager and AVD manager to use Java 8. 226 | 227 | ## v2.2.0 228 | 229 | * Fixed an issue where emulator is killed prematurely. 230 | * Added `-gpu swiftshader_indirect` to default `launch-options`. 231 | * Added support for pinning a specific `emulator-build` - e.g. `6061023` for emulator **v29.3.0.0**. 232 | 233 | ## v2.1.0 234 | 235 | * Added support for multi-line script. 236 | 237 | ## v2.0.0 238 | 239 | * Added action input `emulator-options` for providing command-line options used when launching the emulator. Default value is `-no-window -no-snapshot -noaudio -no-boot-anim`. 240 | * Removed `headless` action input which is equivalent to specifying `-no-window` in the new `emulator-options` action input (included by default). 241 | 242 | ## v1.0.2 243 | 244 | * Increased emulator boot timeout to **5 mins**. 245 | 246 | ## v1.0.1 247 | 248 | * Fixed docs. 249 | * Minor internal changes. 250 | 251 | ## v1.0.0 252 | 253 | Initial release. 254 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [2019] [Yang Chen] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # GitHub Action - Android Emulator Runner 2 | 3 |
6 | 7 | A GitHub Action for installing, configuring and running hardware-accelerated Android Emulators on Linux and macOS virtual machines. 8 | 9 | The old ARM-based emulators were slow and are no longer supported by Google. The modern Intel Atom (x86 and x86_64) emulators can be fast, but rely on two forms of hardware acceleration to reach their peak potential: [Graphics Acceleration](https://developer.android.com/studio/run/emulator-acceleration#accel-graphics), e.g. `emulator -gpu host` and [Virtual Machine(VM) Acceleration](https://developer.android.com/studio/run/emulator-acceleration#accel-vm), e.g. `emulator -accel on`. **Note:** GPU and VM Acceleration are two different and non-mutually exclusive forms of Hardware Acceleration. 10 | 11 | This presents a challenge when running emulators on CI especially when running emulators within a docker container, because **Nested Virtualization** must be supported by the host VM which isn't the case for most cloud-based CI providers due to infrastructural limits. If you want to learn more about Emulators on CI, here's an article [Yang](https://github.com/ychescale9) wrote: [Running Android Instrumented Tests on CI](https://dev.to/ychescale9/running-android-emulators-on-ci-from-bitrise-io-to-github-actions-3j76). 12 | 13 | ## Running hardware accelerated emulators on Linux runners 14 | 15 | GitHub's [larger Linux runners support running hardware accelerated emulators](https://github.blog/changelog/2023-02-23-hardware-accelerated-android-virtualization-on-actions-windows-and-linux-larger-hosted-runners/) which is [free for public GitHub repos](https://github.blog/2024-01-17-github-hosted-runners-double-the-power-for-open-source/). It is now recommended to use the **Ubuntu** (`ubuntu-latest`) runners which are 2-3 times faster than the **macOS** ones which are also a lot more expensive. Remember to enable KVM in your workflow before running this action: 16 | 17 | ``` 18 | - name: Enable KVM group perms 19 | run: | 20 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 21 | sudo udevadm control --reload-rules 22 | sudo udevadm trigger --name-match=kvm 23 | ``` 24 | 25 | ## A note on VM Acceleration and why we don't need HAXM anymore 26 | 27 | According to [this documentation](https://developer.android.com/studio/run/emulator-acceleration#vm-mac), "on Mac OS X v10.10 Yosemite and higher, the Android Emulator uses the built-in [Hypervisor.Framework](https://developer.apple.com/documentation/hypervisor) by default, and falls back to using Intel HAXM if Hypervisor.Framework fails to initialize." This means that **HAXM is only needed to achieve VM Acceleration if this default Hypervisor is not available on macOS machines.** 28 | 29 | **Note**: Manually enabling and downloading HAXM is not recommended because it is redundant and not needed (see above), and for users of macOS 10.13 High Sierra and higher: macOS 10.13 [disables installation of kernel extensions by default](https://developer.apple.com/library/archive/technotes/tn2459/_index.html#//apple_ref/doc/uid/DTS40017658). Because Intel HAXM is a kernel extension, we would need to manually enable its installation on the base runner VM. Furthermore, manually trying to install HAXM on a Github Runner [brings up a popup](https://github.com/ReactiveCircus/android-emulator-runner/discussions/286#discussioncomment-4026120) which further hinders tests from running. 30 | 31 | ## Purpose 32 | 33 | This action helps automate and configure the process of setting up an emulator and running your tests by doing the following: 34 | 35 | - Install / update the required **Android SDK** components including `build-tools`, `platform-tools`, `platform` (for the required API level), `emulator` and `system-images` (for the required API level). 36 | - Create a new instance of **AVD** with the provided [configurations](#configurations). 37 | - Launch a new Emulator with the provided [configurations](#configurations). 38 | - Wait until the Emulator is booted and ready for use. 39 | - Run a custom script provided by user once the Emulator is up and running - e.g. `./gradlew connectedCheck`. 40 | - Kill the Emulator and finish the action. 41 | 42 | ## Usage & Examples 43 | 44 | A workflow that uses **android-emulator-runner** to run your instrumented tests on **API 29**: 45 | 46 | ```yml 47 | jobs: 48 | test: 49 | runs-on: ubuntu-latest 50 | steps: 51 | - name: checkout 52 | uses: actions/checkout@v4 53 | 54 | - name: Enable KVM 55 | run: | 56 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 57 | sudo udevadm control --reload-rules 58 | sudo udevadm trigger --name-match=kvm 59 | 60 | - name: run tests 61 | uses: reactivecircus/android-emulator-runner@v2 62 | with: 63 | api-level: 29 64 | script: ./gradlew connectedCheck 65 | ``` 66 | 67 | We can also leverage GitHub Actions's build matrix to test across multiple configurations: 68 | 69 | ```yml 70 | jobs: 71 | test: 72 | runs-on: ubuntu-latest 73 | strategy: 74 | matrix: 75 | api-level: [21, 23, 29] 76 | target: [default, google_apis] 77 | steps: 78 | - name: checkout 79 | uses: actions/checkout@v4 80 | 81 | - name: Enable KVM 82 | run: | 83 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 84 | sudo udevadm control --reload-rules 85 | sudo udevadm trigger --name-match=kvm 86 | 87 | - name: run tests 88 | uses: reactivecircus/android-emulator-runner@v2 89 | with: 90 | api-level: ${{ matrix.api-level }} 91 | target: ${{ matrix.target }} 92 | arch: x86_64 93 | profile: Nexus 6 94 | script: ./gradlew connectedCheck 95 | ``` 96 | 97 | If you need specific versions of **NDK** and **CMake** installed: 98 | 99 | ```yml 100 | jobs: 101 | test: 102 | runs-on: ubuntu-latest 103 | steps: 104 | - name: checkout 105 | uses: actions/checkout@v4 106 | 107 | - name: Enable KVM 108 | run: | 109 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 110 | sudo udevadm control --reload-rules 111 | sudo udevadm trigger --name-match=kvm 112 | 113 | - name: run tests 114 | uses: reactivecircus/android-emulator-runner@v2 115 | with: 116 | api-level: 29 117 | ndk: 21.0.6113669 118 | cmake: 3.10.2.4988404 119 | script: ./gradlew connectedCheck 120 | ``` 121 | 122 | If you need a specific [SDK Extensions](https://developer.android.com/guide/sdk-extensions) for the system image but not the platform: 123 | 124 | ```yml 125 | jobs: 126 | test: 127 | runs-on: ubuntu-latest 128 | steps: 129 | - name: checkout 130 | uses: actions/checkout@v4 131 | 132 | - name: Enable KVM 133 | run: | 134 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 135 | sudo udevadm control --reload-rules 136 | sudo udevadm trigger --name-match=kvm 137 | 138 | - name: run tests 139 | uses: reactivecircus/android-emulator-runner@v2 140 | with: 141 | api-level: 34 142 | system-image-api-level: 34-ext9 143 | target: android-automotive 144 | script: ./gradlew connectedCheck 145 | ``` 146 | 147 | We can significantly reduce emulator startup time by setting up AVD snapshot caching: 148 | 149 | 1. add a `gradle/actions/setup-gradle@v4` step for caching Gradle, more details see [#229](https://github.com/ReactiveCircus/android-emulator-runner/issues/229) 150 | 2. add an `actions/cache@v4` step for caching the `avd` 151 | 3. add a `reactivecircus/android-emulator-runner@v2` step to generate a clean snapshot - specify `emulator-options` without `no-snapshot` 152 | 4. add another `reactivecircus/android-emulator-runner@v2` step to run your tests using existing AVD / snapshot - specify `emulator-options` with `no-snapshot-save` 153 | 154 | ```yml 155 | jobs: 156 | test: 157 | runs-on: ubuntu-latest 158 | strategy: 159 | matrix: 160 | api-level: [21, 23, 29] 161 | steps: 162 | - name: checkout 163 | uses: actions/checkout@v4 164 | 165 | - name: Enable KVM 166 | run: | 167 | echo 'KERNEL=="kvm", GROUP="kvm", MODE="0666", OPTIONS+="static_node=kvm"' | sudo tee /etc/udev/rules.d/99-kvm4all.rules 168 | sudo udevadm control --reload-rules 169 | sudo udevadm trigger --name-match=kvm 170 | 171 | - name: Gradle cache 172 | uses: gradle/actions/setup-gradle@v3 173 | 174 | - name: AVD cache 175 | uses: actions/cache@v4 176 | id: avd-cache 177 | with: 178 | path: | 179 | ~/.android/avd/* 180 | ~/.android/adb* 181 | key: avd-${{ matrix.api-level }} 182 | 183 | - name: create AVD and generate snapshot for caching 184 | if: steps.avd-cache.outputs.cache-hit != 'true' 185 | uses: reactivecircus/android-emulator-runner@v2 186 | with: 187 | api-level: ${{ matrix.api-level }} 188 | force-avd-creation: false 189 | emulator-options: -no-window -gpu swiftshader_indirect -noaudio -no-boot-anim -camera-back none 190 | disable-animations: false 191 | script: echo "Generated AVD snapshot for caching." 192 | 193 | - name: run tests 194 | uses: reactivecircus/android-emulator-runner@v2 195 | with: 196 | api-level: ${{ matrix.api-level }} 197 | force-avd-creation: false 198 | emulator-options: -no-snapshot-save -no-window -gpu swiftshader_indirect -noaudio -no-boot-anim -camera-back none 199 | disable-animations: true 200 | script: ./gradlew connectedCheck 201 | ``` 202 | 203 | ## Configurations 204 | 205 | | **Input** | **Required** | **Default** | **Description** | 206 | |-|-|-|-| 207 | | `api-level` | Required | N/A | API level of the platform and system image - e.g. `23`, `33`, `35-ext15`, `Baklava`. **Minimum API level supported is 15**. | 208 | | `system-image-api-level` | Optional | same as `api-level` | API level of the system image - e.g. `34-ext10`, `35-ext15`. | 209 | | `target` | Optional | `default` | Target of the system image - `default`, `google_apis`, `playstore`, `android-wear`, `android-wear-cn`, `android-tv`, `google-tv`, `aosp_atd`, `google_atd`, `android-automotive`, `android-automotive-playstore` or `android-desktop`. Note that `aosp_atd` and `google_atd` currently require the following: `api-level: 30`, `arch: x86` or `arch: arm64-v8` and `channel: canary`. | 210 | | `arch` | Optional | `x86` | CPU architecture of the system image - `x86`, `x86_64` or `arm64-v8a`. Note that `x86_64` image is only available for API 21+. `arm64-v8a` images require Android 4.2+ and are limited to fewer API levels (e.g. 30). | 211 | | `profile` | Optional | N/A | Hardware profile used for creating the AVD - e.g. `Nexus 6`. For a list of all profiles available, run `avdmanager list device`. | 212 | | `cores` | Optional | 2 | Number of cores to use for the emulator (`hw.cpu.ncore` in config.ini). | 213 | | `ram-size` | Optional | N/A | Size of RAM to use for this AVD, in KB or MB, denoted with K or M. - e.g. `2048M` | 214 | | `heap-size` | Optional | N/A | Heap size to use for this AVD, in KB or MB, denoted with K or M. - e.g. `512M` | 215 | | `sdcard-path-or-size` | Optional | N/A | Path to the SD card image for this AVD or the size of a new SD card image to create for this AVD, in KB or MB, denoted with K or M. - e.g. `path/to/sdcard`, or `1000M`. | 216 | | `disk-size` | Optional | N/A | Disk size, or partition size to use for this AVD. Either in bytes or KB, MB or GB, when denoted with K, M or G. - e.g. `2048M` | 217 | | `avd-name` | Optional | `test` | Custom AVD name used for creating the Android Virtual Device. | 218 | | `force-avd-creation` | Optional | `true` | Whether to force create the AVD by overwriting an existing AVD with the same name as `avd-name` - `true` or `false`. | 219 | | `emulator-boot-timeout` | Optional | `600` | Emulator boot timeout in seconds. If it takes longer to boot, the action would fail - e.g. `300` for 5 minutes. | 220 | | `emulator-port` | Optional | `5554` | Emulator port to use. Allows to run this action on multiple workers on a single machine at the same time. This input is available for the script as `EMULATOR_PORT` enviromental variable. This port is automatically used by android device related tasks in gradle | 221 | | `emulator-options` | Optional | See below | Command-line options used when launching the emulator (replacing all default options) - e.g. `-no-window -no-snapshot -camera-back emulated`. | 222 | | `disable-animations` | Optional | `true` | Whether to disable animations - `true` or `false`. | 223 | | `disable-spellchecker` | Optional | `false` | Whether to disable spellchecker - `true` or `false`. | 224 | | `disable-linux-hw-accel` | Optional | `auto` | Whether to disable hardware acceleration on Linux machines - `true`, `false` or `auto`.| 225 | | `enable-hw-keyboard` | Optional | `false` | Whether to enable hardware keyboard - `true` or `false`. | 226 | | `emulator-build` | Optional | N/A | Build number of a specific version of the emulator binary to use e.g. `6061023` for emulator v29.3.0.0. | 227 | | `working-directory` | Optional | `./` | A custom working directory - e.g. `./android` if your root Gradle project is under the `./android` sub-directory within your repository. Will be used for `script` & `pre-emulator-launch-script`. | 228 | | `ndk` | Optional | N/A | Version of NDK to install - e.g. `21.0.6113669` | 229 | | `cmake` | Optional | N/A | Version of CMake to install - e.g. `3.10.2.4988404` | 230 | | `channel` | Optional | stable | Channel to download the SDK components from - `stable`, `beta`, `dev`, `canary` | 231 | | `script` | Required | N/A | Custom script to run - e.g. to run Android instrumented tests on the emulator: `./gradlew connectedCheck` | 232 | | `pre-emulator-launch-script` | Optional | N/A | Custom script to run after creating the AVD and before launching the emulator - e.g. `./adjust-emulator-configs.sh` | 233 | 234 | Default `emulator-options`: `-no-window -gpu swiftshader_indirect -no-snapshot -noaudio -no-boot-anim`. 235 | 236 | ## Who is using Android Emulator Runner? 237 | 238 | These are some of the open-source projects using (or used) **Android Emulator Runner**: 239 | 240 | - [coil-kt/coil](https://github.com/coil-kt/coil/blob/master/.github/workflows) 241 | - [cashapp/sqldelight](https://github.com/cashapp/sqldelight/blob/master/.github/workflows) 242 | - [square/workflow-kotlin](https://github.com/square/workflow-kotlin/tree/main/.github/workflows) 243 | - [square/retrofit](https://github.com/square/retrofit/blob/master/.github/workflows) 244 | - [natario1/CameraView](https://github.com/natario1/CameraView/tree/master/.github/workflows) 245 | - [natario1/Transcoder](https://github.com/natario1/Transcoder/tree/master/.github/workflows) 246 | - [chrisbanes/insetter](https://github.com/chrisbanes/insetter/tree/main/.github/workflows) 247 | - [slackhq/keeper](https://github.com/slackhq/keeper/tree/main/.github/workflows) 248 | - [android/compose-samples](https://github.com/android/compose-samples/tree/main/.github/workflows) 249 | - [ReactiveCircus/streamlined](https://github.com/ReactiveCircus/streamlined/tree/main/.github/workflows) 250 | - [ReactiveCircus/FlowBinding](https://github.com/ReactiveCircus/FlowBinding/tree/main/.github/workflows) 251 | - [JakeWharton/RxBinding](https://github.com/JakeWharton/RxBinding/tree/master/.github/workflows) 252 | - [vinaygaba/Learn-Jetpack-Compose-By-Example](https://github.com/vinaygaba/Learn-Jetpack-Compose-By-Example/tree/master/.github/workflows) 253 | - [ashishb/adb-enhanced](https://github.com/ashishb/adb-enhanced/tree/master/.github/workflows) 254 | - [vgaidarji/ci-matters](https://github.com/vgaidarji/ci-matters/blob/master/.github/workflows/main.yaml) 255 | - [simpledotorg/simple-android](https://github.com/simpledotorg/simple-android/tree/master/.github/workflows) 256 | - [cashapp/copper](https://github.com/cashapp/copper/blob/trunk/.github/workflows/build.yaml) 257 | - [square/radiography](https://github.com/square/radiography/blob/main/.github/workflows/android.yml) 258 | - [Shopify/android-testify](https://github.com/Shopify/android-testify/blob/master/.github/workflows/sample_build.yml) 259 | - [square/leakcanary](https://github.com/square/leakcanary/tree/main/.github/workflows) 260 | - [hash-checker/hash-checker](https://github.com/hash-checker/hash-checker/tree/master/.github/workflows) 261 | - [hash-checker/hash-checker-lite](https://github.com/hash-checker/hash-checker-lite/tree/master/.github/workflows) 262 | - [Kiwix/kiwix-android](https://github.com/kiwix/kiwix-android/blob/develop/.github/workflows) 263 | - [wikimedia/apps-android-wikipedia](https://github.com/wikimedia/apps-android-wikipedia/blob/main/.github/workflows) 264 | - [google/android-fhir](https://github.com/google/android-fhir/tree/master/.github/workflows) 265 | - [google/accompanist](https://github.com/google/accompanist/blob/main/.github/workflows) 266 | - [dotanuki-labs/norris](https://github.com/dotanuki-labs/norris/blob/master/.github/workflows/main.yml) 267 | - [tinylog-org/tinylog](https://github.com/tinylog-org/tinylog/blob/v3.0/.github/workflows/build.yaml) 268 | - [hzi-braunschweig/SORMAS-Project](https://github.com/hzi-braunschweig/SORMAS-Project/blob/development/.github/workflows/sormas_app_ci.yml) 269 | - [ACRA/acra](https://github.com/ACRA/acra/blob/master/.github/workflows/test.yml) 270 | - [bitfireAT/davx5-ose](https://github.com/bitfireAT/davx5-ose/blob/dev-ose/.github/workflows/test-dev.yml) 271 | - [robolectric/robolectric](https://github.com/robolectric/robolectric/blob/master/.github/workflows/tests.yml) 272 | - [home-assistant/android](https://github.com/home-assistant/android/blob/master/.github/workflows/pr.yml) 273 | 274 | If you are using **Android Emulator Runner** and want your project included in the list, please feel free to open a pull request. 275 | -------------------------------------------------------------------------------- /RELEASING.md: -------------------------------------------------------------------------------- 1 | # GitHub Action - Android Emulator Runner 2 | 3 | Refer to the [recommendations for versioning and releasing actions](https://github.com/actions/toolkit/blob/master/docs/action-versioning.md#recommendations). 4 | 5 | ## New major release 6 | 7 | - From `main` branch, run `npm run build && npm test --clean && npm run lint` to make sure `lib/*.js` are up-to-date. 8 | - Update `CHANGELOG.md`, push change with "Prepare for release X.Y.Z." (where X.Y.Z is the new version). 9 | - Create a new branch e.g. `release/v1`, comment out `node_modules/` in `.gitignore`, commit the change (do not commit yet `node_modules`). 10 | - Run `npm prune --production`. 11 | - Now commit the changes (the pruned `node_modules`). 12 | - Push to remote. 13 | - Test the new release: `- uses: org/repo@release/v1`. 14 | - To release, create and push a new tag `v1` pointing to the latest commit in the release branch. 15 | - Also create a new GitHub release with `1.0.0` pointing to the head of the release branch which allows users to go back to an older version if there are issues with the latest `v1`. 16 | - To use the latest major version: `- uses: org/repo@v1`. 17 | 18 | ## New minor / patch release 19 | 20 | - From `main` branch, run `npm run build && npm test --clean && npm run lint` to make sure `lib/*.js` are up-to-date. 21 | - Update `CHANGELOG.md`, push change with "Prepare for release X.Y.Z." (where X.Y.Z is the new version). 22 | - Merge from `main` into the release branch e.g. `release/v1`. 23 | - Run `npm prune --production`. 24 | - Commit merged changes (and the pruned `node_modules`). 25 | - Push to remote. 26 | - Test the new release: `- uses: org/repo@release/v1`. 27 | - To release, **move** the existing tag `v1`to the head of the release branch and push. 28 | - Also create a new GitHub release with `1.1.0` (for new minor release) pointing to the head of the release branch which allows users to go back to an older version if there are issues with the latest `v1`. 29 | - To use the latest major version: `- uses: org/repo@v1`. 30 | -------------------------------------------------------------------------------- /__tests__/channel-id-mapper.test.ts: -------------------------------------------------------------------------------- 1 | import * as mapper from '../src/channel-id-mapper'; 2 | 3 | describe('channel id mapper tests', () => { 4 | it('Throws if channelName is unknown', () => { 5 | const func = () => { 6 | mapper.getChannelId('unknown-channel'); 7 | }; 8 | expect(func).toThrowError(`Unexpected channel name: 'unknown-channel'.`); 9 | }); 10 | 11 | it('Returns expected channelId from channelName', () => { 12 | expect(mapper.getChannelId('stable')).toBe(0); 13 | expect(mapper.getChannelId('beta')).toBe(1); 14 | expect(mapper.getChannelId('dev')).toBe(2); 15 | expect(mapper.getChannelId('canary')).toBe(3); 16 | }); 17 | }); 18 | -------------------------------------------------------------------------------- /__tests__/input-validator.test.ts: -------------------------------------------------------------------------------- 1 | import * as validator from '../src/input-validator'; 2 | import { MAX_PORT, MIN_PORT } from '../src/input-validator'; 3 | 4 | describe('target validator tests', () => { 5 | it('Throws if target is unknown', () => { 6 | const func = () => { 7 | validator.checkTarget('some-target'); 8 | }; 9 | expect(func).toThrowError(`Value for input.target 'some-target' is unknown. Supported options: ${validator.VALID_TARGETS}`); 10 | }); 11 | 12 | it('Validates successfully with valid target', () => { 13 | const func1 = () => { 14 | validator.checkTarget('default'); 15 | }; 16 | expect(func1).not.toThrow(); 17 | 18 | const func2 = () => { 19 | validator.checkTarget('google_apis'); 20 | }; 21 | expect(func2).not.toThrow(); 22 | 23 | const func3 = () => { 24 | validator.checkTarget('aosp_atd'); 25 | }; 26 | expect(func3).not.toThrow(); 27 | 28 | const func4 = () => { 29 | validator.checkTarget('google_atd'); 30 | }; 31 | expect(func4).not.toThrow(); 32 | 33 | const func5 = () => { 34 | validator.checkTarget('google_apis_playstore'); 35 | }; 36 | expect(func5).not.toThrow(); 37 | 38 | const func6 = () => { 39 | validator.checkTarget('android-wear'); 40 | }; 41 | expect(func6).not.toThrow(); 42 | 43 | const func7 = () => { 44 | validator.checkTarget('android-wear-cn'); 45 | }; 46 | expect(func7).not.toThrow(); 47 | 48 | const func8 = () => { 49 | validator.checkTarget('android-tv'); 50 | }; 51 | expect(func8).not.toThrow(); 52 | 53 | const func9 = () => { 54 | validator.checkTarget('google-tv'); 55 | }; 56 | expect(func9).not.toThrow(); 57 | 58 | const func10 = () => { 59 | validator.checkTarget('android-automotive'); 60 | }; 61 | expect(func10).not.toThrow(); 62 | 63 | const func11 = () => { 64 | validator.checkTarget('android-automotive-playstore'); 65 | }; 66 | expect(func11).not.toThrow(); 67 | 68 | const func12 = () => { 69 | validator.checkTarget('android-desktop'); 70 | }; 71 | expect(func12).not.toThrow(); 72 | }); 73 | }); 74 | 75 | describe('arch validator tests', () => { 76 | it('Throws if arch is unknown', () => { 77 | const func = () => { 78 | validator.checkArch('some-arch'); 79 | }; 80 | expect(func).toThrowError(`Value for input.arch 'some-arch' is unknown. Supported options: ${validator.VALID_ARCHS}`); 81 | }); 82 | 83 | it('Validates successfully with valid arch', () => { 84 | const func1 = () => { 85 | validator.checkArch('x86'); 86 | }; 87 | expect(func1).not.toThrow(); 88 | 89 | const func2 = () => { 90 | validator.checkArch('x86_64'); 91 | }; 92 | expect(func2).not.toThrow(); 93 | }); 94 | }); 95 | 96 | describe('channel validator tests', () => { 97 | it('Throws if channel is unknown', () => { 98 | const func = () => { 99 | validator.checkChannel('some-channel'); 100 | }; 101 | expect(func).toThrowError(`Value for input.channel 'some-channel' is unknown. Supported options: ${validator.VALID_CHANNELS}`); 102 | }); 103 | 104 | it('Validates successfully with valid channel', () => { 105 | const func1 = () => { 106 | validator.checkChannel('stable'); 107 | }; 108 | expect(func1).not.toThrow(); 109 | 110 | const func2 = () => { 111 | validator.checkChannel('beta'); 112 | }; 113 | expect(func2).not.toThrow(); 114 | 115 | const func3 = () => { 116 | validator.checkChannel('dev'); 117 | }; 118 | expect(func3).not.toThrow(); 119 | 120 | const func4 = () => { 121 | validator.checkChannel('canary'); 122 | }; 123 | expect(func4).not.toThrow(); 124 | }); 125 | }); 126 | 127 | describe('force-avd-creation validator tests', () => { 128 | it('Throws if force-avd-creation is not a boolean', () => { 129 | const func = () => { 130 | validator.checkForceAvdCreation('yes'); 131 | }; 132 | expect(func).toThrowError(`Input for input.force-avd-creation should be either 'true' or 'false'.`); 133 | }); 134 | 135 | it('Validates successfully if force-avd-creation is either true or false', () => { 136 | const func1 = () => { 137 | validator.checkForceAvdCreation('true'); 138 | }; 139 | expect(func1).not.toThrow(); 140 | 141 | const func2 = () => { 142 | validator.checkForceAvdCreation('false'); 143 | }; 144 | expect(func2).not.toThrow(); 145 | }); 146 | }); 147 | 148 | describe('emulator-port validator tests', () => { 149 | it('Validates if emulator-port is even and in range', () => { 150 | const func = () => { 151 | validator.checkPort(5554); 152 | }; 153 | expect(func).not.toThrow(); 154 | }); 155 | it('Throws if emulator-port is lower than MIN_PORT', () => { 156 | const func = () => { 157 | validator.checkPort(MIN_PORT - 2); 158 | }; 159 | expect(func).toThrow(); 160 | }); 161 | it('Throws if emulator-port is higher than MAX_PORT', () => { 162 | const func = () => { 163 | validator.checkPort(MAX_PORT + 2); 164 | }; 165 | expect(func).toThrow(); 166 | }); 167 | it('Throws if emulator-port is odd', () => { 168 | const func = () => { 169 | validator.checkPort(5555); 170 | }; 171 | expect(func).toThrow(); 172 | }); 173 | }); 174 | 175 | describe('disable-animations validator tests', () => { 176 | it('Throws if disable-animations is not a boolean', () => { 177 | const func = () => { 178 | validator.checkDisableAnimations('yes'); 179 | }; 180 | expect(func).toThrowError(`Input for input.disable-animations should be either 'true' or 'false'.`); 181 | }); 182 | 183 | it('Validates successfully if disable-animations is either true or false', () => { 184 | const func1 = () => { 185 | validator.checkDisableAnimations('true'); 186 | }; 187 | expect(func1).not.toThrow(); 188 | 189 | const func2 = () => { 190 | validator.checkDisableAnimations('false'); 191 | }; 192 | expect(func2).not.toThrow(); 193 | }); 194 | }); 195 | 196 | describe('disable-spellchecker validator tests', () => { 197 | it('Throws if disable-spellchecker is not a boolean', () => { 198 | const func = () => { 199 | validator.checkDisableSpellchecker('yes'); 200 | }; 201 | expect(func).toThrowError(`Input for input.disable-spellchecker should be either 'true' or 'false'.`); 202 | }); 203 | 204 | it('Validates successfully if disable-spellchecker is either true or false', () => { 205 | const func1 = () => { 206 | validator.checkDisableSpellchecker('true'); 207 | }; 208 | expect(func1).not.toThrow(); 209 | 210 | const func2 = () => { 211 | validator.checkDisableSpellchecker('false'); 212 | }; 213 | expect(func2).not.toThrow(); 214 | }); 215 | }); 216 | 217 | describe('disable-linux-hw-accel validator tests', () => { 218 | it('Throws if disable-linux-hw-accel is not a boolean', () => { 219 | const func = () => { 220 | validator.checkDisableLinuxHardwareAcceleration('yes'); 221 | }; 222 | expect(func).toThrowError(`Input for input.disable-linux-hw-accel should be either 'true' or 'false' or 'auto'.`); 223 | }); 224 | 225 | it('Validates successfully if disable-linux-hw-accel is either true or false or auto', () => { 226 | const func1 = () => { 227 | validator.checkDisableLinuxHardwareAcceleration('true'); 228 | }; 229 | expect(func1).not.toThrow(); 230 | 231 | const func2 = () => { 232 | validator.checkDisableLinuxHardwareAcceleration('false'); 233 | }; 234 | expect(func2).not.toThrow(); 235 | 236 | const func3 = () => { 237 | validator.checkDisableLinuxHardwareAcceleration('auto'); 238 | }; 239 | expect(func3).not.toThrow(); 240 | }); 241 | }); 242 | 243 | describe('enable-hw-keyboard validator tests', () => { 244 | it('Throws if enable-hw-keyboard is not a boolean', () => { 245 | const func = () => { 246 | validator.checkEnableHardwareKeyboard('yes'); 247 | }; 248 | expect(func).toThrowError(`Input for input.enable-hw-keyboard should be either 'true' or 'false'.`); 249 | }); 250 | 251 | it('Validates successfully if enable-hardware-keyboard is either true or false', () => { 252 | const func1 = () => { 253 | validator.checkEnableHardwareKeyboard('true'); 254 | }; 255 | expect(func1).not.toThrow(); 256 | 257 | const func2 = () => { 258 | validator.checkEnableHardwareKeyboard('false'); 259 | }; 260 | expect(func2).not.toThrow(); 261 | }); 262 | }); 263 | 264 | describe('emulator-build validator tests', () => { 265 | it('Throws if emulator-build is not a number', () => { 266 | const func = () => { 267 | validator.checkEmulatorBuild('abc123'); 268 | }; 269 | expect(func).toThrowError(`Unexpected emulator build: 'abc123'.`); 270 | }); 271 | 272 | it('Throws if emulator-build is not an integer', () => { 273 | const func = () => { 274 | validator.checkEmulatorBuild('123.123'); 275 | }; 276 | expect(func).toThrowError(`Unexpected emulator build: '123.123'.`); 277 | }); 278 | 279 | it('Validates successfully with valid emulator-build', () => { 280 | const func = () => { 281 | validator.checkEmulatorBuild('6061023'); 282 | }; 283 | expect(func).not.toThrow(); 284 | }); 285 | }); 286 | 287 | describe('checkDiskSize validator tests', () => { 288 | it('Empty size is acceptable, means default', () => { 289 | const func = () => { 290 | validator.checkDiskSize(''); 291 | }; 292 | expect(func).not.toThrow(); 293 | }); 294 | 295 | it('Numbers means bytes', () => { 296 | expect(() => { 297 | validator.checkDiskSize('8000000000'); 298 | }).not.toThrow(); 299 | }); 300 | 301 | it('Uppercase size modifier', () => { 302 | expect(() => { 303 | validator.checkDiskSize('8000000K'); 304 | }).not.toThrow(); 305 | expect(() => { 306 | validator.checkDiskSize('8000M'); 307 | }).not.toThrow(); 308 | expect(() => { 309 | validator.checkDiskSize('8G'); 310 | }).not.toThrow(); 311 | }); 312 | 313 | it('Lowercase size modifier', () => { 314 | expect(() => { 315 | validator.checkDiskSize('8000000k'); 316 | }).not.toThrow(); 317 | expect(() => { 318 | validator.checkDiskSize('8000m'); 319 | }).not.toThrow(); 320 | expect(() => { 321 | validator.checkDiskSize('8g'); 322 | }).not.toThrow(); 323 | }); 324 | 325 | it('Modifier without a number is unacceptable', () => { 326 | expect(() => { 327 | validator.checkDiskSize('G'); 328 | }).toThrowError(`Unexpected disk size: 'G'.`); 329 | }); 330 | 331 | it('Double modifier is unacceptable', () => { 332 | expect(() => { 333 | validator.checkDiskSize('14gg'); 334 | }).toThrowError(`Unexpected disk size: '14gg'.`); 335 | }); 336 | }); 337 | -------------------------------------------------------------------------------- /__tests__/script-parser.test.ts: -------------------------------------------------------------------------------- 1 | import * as parser from '../src/script-parser'; 2 | 3 | describe('script parser tests', () => { 4 | it('Scripts are trimmed', () => { 5 | const script = ` command \n`; 6 | expect(parser.parseScript(script)).toEqual(['command']); 7 | }); 8 | 9 | it('Commented lines are filtered out', () => { 10 | const script = ` 11 | # command1 12 | command2 13 | 14 | # command3 15 | command4 16 | `; 17 | expect(parser.parseScript(script)).toEqual(['command2', 'command4']); 18 | }); 19 | 20 | it('Throws if parsed scripts array is empty', () => { 21 | const func = () => { 22 | const script = ` 23 | # command1 24 | 25 | # command2 26 | 27 | `; 28 | const result = parser.parseScript(script); 29 | console.log(`Result: ${result}`); 30 | }; 31 | expect(func).toThrowError(`No valid script found.`); 32 | }); 33 | }); 34 | -------------------------------------------------------------------------------- /action-types.yml: -------------------------------------------------------------------------------- 1 | inputs: 2 | api-level: 3 | type: string 4 | system-image-api-level: 5 | type: string 6 | target: 7 | type: enum 8 | allowed-values: 9 | - default 10 | - google_apis 11 | - google_apis_playstore 12 | - aosp_atd 13 | - google_atd 14 | - android-wear 15 | - android-wear-cn 16 | - android-tv 17 | - google-tv 18 | - android-automotive 19 | - android-automotive-playstore 20 | - android-desktop 21 | arch: 22 | type: enum 23 | allowed-values: 24 | - x86 25 | - x86_64 26 | - arm64-v8a 27 | profile: 28 | type: string 29 | cores: 30 | type: integer 31 | ram-size: 32 | type: string 33 | heap-size: 34 | type: string 35 | sdcard-path-or-size: 36 | type: string 37 | disk-size: 38 | type: string 39 | avd-name: 40 | type: string 41 | force-avd-creation: 42 | type: boolean 43 | emulator-boot-timeout: 44 | type: integer 45 | emulator-port: 46 | type: integer 47 | emulator-options: 48 | type: string 49 | disable-animations: 50 | type: boolean 51 | disable-spellchecker: 52 | type: boolean 53 | disable-linux-hw-accel: 54 | type: string 55 | enable-hw-keyboard: 56 | type: boolean 57 | emulator-build: 58 | type: string 59 | working-directory: 60 | type: string 61 | ndk: 62 | type: string 63 | cmake: 64 | type: string 65 | channel: 66 | type: enum 67 | allowed-values: 68 | - stable 69 | - beta 70 | - dev 71 | - canary 72 | script: 73 | type: string 74 | pre-emulator-launch-script: 75 | type: string 76 | -------------------------------------------------------------------------------- /action.yml: -------------------------------------------------------------------------------- 1 | name: 'Android Emulator Runner' 2 | description: 'Installs, configures and starts an Android Emulator directly on hardware-accelerated runners.' 3 | author: 'Reactive Circus' 4 | branding: 5 | icon: 'smartphone' 6 | color: 'green' 7 | inputs: 8 | api-level: 9 | description: 'API level of the platform and system image - e.g. 23, 33, 35-ext15, Baklava' 10 | required: true 11 | system-image-api-level: 12 | description: 'API level of the system image - e.g. 34-ext10, 35-ext15. If not set the `api-level` input will be used.' 13 | required: false 14 | target: 15 | description: 'target of the system image - default, google_apis, google_apis_playstore, aosp_atd, google_atd, android-wear, android-wear-cn, android-tv, google-tv, android-automotive, android-automotive-playstore or android-desktop' 16 | default: 'default' 17 | arch: 18 | description: 'CPU architecture of the system image - x86, x86_64 or arm64-v8a' 19 | default: 'x86' 20 | profile: 21 | description: 'hardware profile used for creating the AVD - e.g. `Nexus 6`' 22 | cores: 23 | description: 'the number of cores to use for the emulator' 24 | default: 2 25 | ram-size: 26 | description: 'size of RAM to use for this AVD, in KB or MB, denoted with K or M. - e.g. `2048M`' 27 | heap-size: 28 | description: 'size of heap to use for this AVD in MB. - e.g. `512M`' 29 | sdcard-path-or-size: 30 | description: 'path to the SD card image for this AVD or the size of a new SD card image to create for this AVD, in KB or MB, denoted with K or M. - e.g. `path/to/sdcard`, or `1000M`' 31 | disk-size: 32 | description: 'disk size to use for this AVD. Either in bytes or KB, MB or GB, when denoted with K, M or G' 33 | avd-name: 34 | description: 'custom AVD name used for creating the Android Virtual Device' 35 | default: 'test' 36 | force-avd-creation: 37 | description: 'whether to force create the AVD by overwriting an existing AVD with the same name as `avd-name` - `true` or `false`' 38 | default: 'true' 39 | emulator-boot-timeout: 40 | description: 'Emulator boot timeout in seconds. If it takes longer to boot, the action would fail - e.g. `300` for 5 minutes' 41 | default: '600' 42 | emulator-port: 43 | description: 'Port to run emulator on, allows to run multiple emulators on the same physical machine' 44 | default: '5554' 45 | emulator-options: 46 | description: 'command-line options used when launching the emulator - e.g. `-no-window -no-snapshot -camera-back emulated`' 47 | default: '-no-window -gpu swiftshader_indirect -no-snapshot -noaudio -no-boot-anim' 48 | disable-animations: 49 | description: 'whether to disable animations - true or false' 50 | default: 'true' 51 | disable-spellchecker: 52 | description: 'whether to disable the Android spell checker framework, a common source of flakiness in text fields - `true` or `false`' 53 | default: 'false' 54 | disable-linux-hw-accel: 55 | description: 'whether to disable hardware acceleration on Linux machines - `true` or `false` or `auto`' 56 | default: 'auto' 57 | enable-hw-keyboard: 58 | description: 'whether to enable hardware keyboard - `true` or `false`.' 59 | default: 'false' 60 | emulator-build: 61 | description: 'build number of a specific version of the emulator binary to use - e.g. `6061023` for emulator v29.3.0.0' 62 | working-directory: 63 | description: 'A custom working directory - e.g. `./android` if your root Gradle project is under the `./android` sub-directory within your repository' 64 | ndk: 65 | description: 'version of NDK to install - e.g. 21.0.6113669' 66 | cmake: 67 | description: 'version of CMake to install - e.g. 3.10.2.4988404' 68 | channel: 69 | description: 'Channel to download the SDK components from - `stable`, `beta`, `dev`, `canary`' 70 | default: 'stable' 71 | script: 72 | description: 'custom script to run - e.g. `./gradlew connectedCheck`' 73 | required: true 74 | pre-emulator-launch-script: 75 | description: 'custom script to run after creating the AVD and before launching the emulator - e.g. `./adjust-emulator-configs.sh`' 76 | runs: 77 | using: 'node20' 78 | main: 'lib/main.js' 79 | -------------------------------------------------------------------------------- /jest.config.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | clearMocks: true, 3 | moduleFileExtensions: ['js', 'ts'], 4 | testEnvironment: 'node', 5 | testMatch: ['**/*.test.ts'], 6 | testRunner: 'jest-circus/runner', 7 | transform: { 8 | '^.+\\.ts$': 'ts-jest' 9 | }, 10 | verbose: true 11 | } 12 | -------------------------------------------------------------------------------- /lib/channel-id-mapper.js: -------------------------------------------------------------------------------- 1 | "use strict"; 2 | Object.defineProperty(exports, "__esModule", { value: true }); 3 | exports.getChannelId = void 0; 4 | function getChannelId(channelName) { 5 | if (channelName === 'stable') { 6 | return 0; 7 | } 8 | else if (channelName === 'beta') { 9 | return 1; 10 | } 11 | else if (channelName === 'dev') { 12 | return 2; 13 | } 14 | else if (channelName === 'canary') { 15 | return 3; 16 | } 17 | else { 18 | throw new Error(`Unexpected channel name: '${channelName}'.`); 19 | } 20 | } 21 | exports.getChannelId = getChannelId; 22 | -------------------------------------------------------------------------------- /lib/emulator-manager.js: -------------------------------------------------------------------------------- 1 | "use strict"; 2 | var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) { 3 | if (k2 === undefined) k2 = k; 4 | var desc = Object.getOwnPropertyDescriptor(m, k); 5 | if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { 6 | desc = { enumerable: true, get: function() { return m[k]; } }; 7 | } 8 | Object.defineProperty(o, k2, desc); 9 | }) : (function(o, m, k, k2) { 10 | if (k2 === undefined) k2 = k; 11 | o[k2] = m[k]; 12 | })); 13 | var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) { 14 | Object.defineProperty(o, "default", { enumerable: true, value: v }); 15 | }) : function(o, v) { 16 | o["default"] = v; 17 | }); 18 | var __importStar = (this && this.__importStar) || function (mod) { 19 | if (mod && mod.__esModule) return mod; 20 | var result = {}; 21 | if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k); 22 | __setModuleDefault(result, mod); 23 | return result; 24 | }; 25 | var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) { 26 | function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } 27 | return new (P || (P = Promise))(function (resolve, reject) { 28 | function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } 29 | function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } 30 | function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } 31 | step((generator = generator.apply(thisArg, _arguments || [])).next()); 32 | }); 33 | }; 34 | Object.defineProperty(exports, "__esModule", { value: true }); 35 | exports.killEmulator = exports.launchEmulator = void 0; 36 | const exec = __importStar(require("@actions/exec")); 37 | const fs = __importStar(require("fs")); 38 | /** 39 | * Creates and launches a new AVD instance with the specified configurations. 40 | */ 41 | function launchEmulator(systemImageApiLevel, target, arch, profile, cores, ramSize, heapSize, sdcardPathOrSize, diskSize, avdName, forceAvdCreation, emulatorBootTimeout, port, emulatorOptions, disableAnimations, disableSpellChecker, disableLinuxHardwareAcceleration, enableHardwareKeyboard) { 42 | return __awaiter(this, void 0, void 0, function* () { 43 | try { 44 | console.log(`::group::Launch Emulator`); 45 | // create a new AVD if AVD directory does not already exist or forceAvdCreation is true 46 | const avdPath = `${process.env.ANDROID_AVD_HOME}/${avdName}.avd`; 47 | if (!fs.existsSync(avdPath) || forceAvdCreation) { 48 | const profileOption = profile.trim() !== '' ? `--device '${profile}'` : ''; 49 | const sdcardPathOrSizeOption = sdcardPathOrSize.trim() !== '' ? `--sdcard '${sdcardPathOrSize}'` : ''; 50 | console.log(`Creating AVD.`); 51 | yield exec.exec(`sh -c \\"echo no | avdmanager create avd --force -n "${avdName}" --abi '${target}/${arch}' --package 'system-images;android-${systemImageApiLevel};${target};${arch}' ${profileOption} ${sdcardPathOrSizeOption}"`); 52 | } 53 | if (cores) { 54 | yield exec.exec(`sh -c \\"printf 'hw.cpu.ncore=${cores}\n' >> ${process.env.ANDROID_AVD_HOME}/"${avdName}".avd"/config.ini`); 55 | } 56 | if (ramSize) { 57 | yield exec.exec(`sh -c \\"printf 'hw.ramSize=${ramSize}\n' >> ${process.env.ANDROID_AVD_HOME}/"${avdName}".avd"/config.ini`); 58 | } 59 | if (heapSize) { 60 | yield exec.exec(`sh -c \\"printf 'hw.heapSize=${heapSize}\n' >> ${process.env.ANDROID_AVD_HOME}/"${avdName}".avd"/config.ini`); 61 | } 62 | if (enableHardwareKeyboard) { 63 | yield exec.exec(`sh -c \\"printf 'hw.keyboard=yes\n' >> ${process.env.ANDROID_AVD_HOME}/"${avdName}".avd"/config.ini`); 64 | } 65 | if (diskSize) { 66 | yield exec.exec(`sh -c \\"printf 'disk.dataPartition.size=${diskSize}\n' >> ${process.env.ANDROID_AVD_HOME}/"${avdName}".avd"/config.ini`); 67 | } 68 | // turn off hardware acceleration on Linux 69 | if (process.platform === 'linux' && disableLinuxHardwareAcceleration) { 70 | console.log('Disabling Linux hardware acceleration.'); 71 | emulatorOptions += ' -accel off'; 72 | } 73 | // start emulator 74 | console.log('Starting emulator.'); 75 | yield exec.exec(`sh -c \\"${process.env.ANDROID_HOME}/emulator/emulator -port ${port} -avd "${avdName}" ${emulatorOptions} &"`, [], { 76 | listeners: { 77 | stderr: (data) => { 78 | if (data.toString().includes('invalid command-line parameter')) { 79 | throw new Error(data.toString()); 80 | } 81 | }, 82 | }, 83 | }); 84 | // wait for emulator to complete booting 85 | yield waitForDevice(port, emulatorBootTimeout); 86 | yield adb(port, `shell input keyevent 82`); 87 | if (disableAnimations) { 88 | console.log('Disabling animations.'); 89 | yield adb(port, `shell settings put global window_animation_scale 0.0`); 90 | yield adb(port, `shell settings put global transition_animation_scale 0.0`); 91 | yield adb(port, `shell settings put global animator_duration_scale 0.0`); 92 | } 93 | if (disableSpellChecker) { 94 | yield adb(port, `shell settings put secure spell_checker_enabled 0`); 95 | } 96 | if (enableHardwareKeyboard) { 97 | yield adb(port, `shell settings put secure show_ime_with_hard_keyboard 0`); 98 | } 99 | } 100 | finally { 101 | console.log(`::endgroup::`); 102 | } 103 | }); 104 | } 105 | exports.launchEmulator = launchEmulator; 106 | /** 107 | * Kills the running emulator on the default port. 108 | */ 109 | function killEmulator(port) { 110 | return __awaiter(this, void 0, void 0, function* () { 111 | try { 112 | console.log(`::group::Terminate Emulator`); 113 | yield adb(port, `emu kill`); 114 | } 115 | catch (error) { 116 | console.log(error instanceof Error ? error.message : error); 117 | } 118 | finally { 119 | console.log(`::endgroup::`); 120 | } 121 | }); 122 | } 123 | exports.killEmulator = killEmulator; 124 | function adb(port, command) { 125 | return __awaiter(this, void 0, void 0, function* () { 126 | return yield exec.exec(`adb -s emulator-${port} ${command}`); 127 | }); 128 | } 129 | /** 130 | * Wait for emulator to boot. 131 | */ 132 | function waitForDevice(port, emulatorBootTimeout) { 133 | return __awaiter(this, void 0, void 0, function* () { 134 | let booted = false; 135 | let attempts = 0; 136 | const retryInterval = 2; // retry every 2 seconds 137 | const maxAttempts = emulatorBootTimeout / 2; 138 | while (!booted) { 139 | try { 140 | let result = ''; 141 | yield exec.exec(`adb -s emulator-${port} shell getprop sys.boot_completed`, [], { 142 | listeners: { 143 | stdout: (data) => { 144 | result += data.toString(); 145 | }, 146 | }, 147 | }); 148 | if (result.trim() === '1') { 149 | console.log('Emulator booted.'); 150 | booted = true; 151 | break; 152 | } 153 | } 154 | catch (error) { 155 | console.warn(error instanceof Error ? error.message : error); 156 | } 157 | if (attempts < maxAttempts) { 158 | yield delay(retryInterval * 1000); 159 | } 160 | else { 161 | throw new Error(`Timeout waiting for emulator to boot.`); 162 | } 163 | attempts++; 164 | } 165 | }); 166 | } 167 | function delay(ms) { 168 | return new Promise((resolve) => setTimeout(resolve, ms)); 169 | } 170 | -------------------------------------------------------------------------------- /lib/input-validator.js: -------------------------------------------------------------------------------- 1 | "use strict"; 2 | Object.defineProperty(exports, "__esModule", { value: true }); 3 | exports.checkDiskSize = exports.checkEmulatorBuild = exports.checkEnableHardwareKeyboard = exports.checkDisableLinuxHardwareAcceleration = exports.checkDisableSpellchecker = exports.checkDisableAnimations = exports.checkPort = exports.checkForceAvdCreation = exports.checkChannel = exports.checkArch = exports.checkTarget = exports.MAX_PORT = exports.MIN_PORT = exports.VALID_CHANNELS = exports.VALID_ARCHS = exports.VALID_TARGETS = exports.MIN_API_LEVEL = void 0; 4 | exports.MIN_API_LEVEL = 15; 5 | exports.VALID_TARGETS = [ 6 | 'default', 7 | 'google_apis', 8 | 'aosp_atd', 9 | 'google_atd', 10 | 'google_apis_playstore', 11 | 'android-wear', 12 | 'android-wear-cn', 13 | 'android-tv', 14 | 'google-tv', 15 | 'android-automotive', 16 | 'android-automotive-playstore', 17 | 'android-desktop', 18 | ]; 19 | exports.VALID_ARCHS = ['x86', 'x86_64', 'arm64-v8a']; 20 | exports.VALID_CHANNELS = ['stable', 'beta', 'dev', 'canary']; 21 | exports.MIN_PORT = 5554; 22 | exports.MAX_PORT = 5584; 23 | function checkTarget(target) { 24 | if (!exports.VALID_TARGETS.includes(target)) { 25 | throw new Error(`Value for input.target '${target}' is unknown. Supported options: ${exports.VALID_TARGETS}.`); 26 | } 27 | } 28 | exports.checkTarget = checkTarget; 29 | function checkArch(arch) { 30 | if (!exports.VALID_ARCHS.includes(arch)) { 31 | throw new Error(`Value for input.arch '${arch}' is unknown. Supported options: ${exports.VALID_ARCHS}.`); 32 | } 33 | } 34 | exports.checkArch = checkArch; 35 | function checkChannel(channel) { 36 | if (!exports.VALID_CHANNELS.includes(channel)) { 37 | throw new Error(`Value for input.channel '${channel}' is unknown. Supported options: ${exports.VALID_CHANNELS}.`); 38 | } 39 | } 40 | exports.checkChannel = checkChannel; 41 | function checkForceAvdCreation(forceAvdCreation) { 42 | if (!isValidBoolean(forceAvdCreation)) { 43 | throw new Error(`Input for input.force-avd-creation should be either 'true' or 'false'.`); 44 | } 45 | } 46 | exports.checkForceAvdCreation = checkForceAvdCreation; 47 | function checkPort(port) { 48 | if (port < exports.MIN_PORT || port > exports.MAX_PORT) { 49 | throw new Error(`Emulator port is outside of the supported port range [${exports.MIN_PORT}, ${exports.MAX_PORT}], was ${port}`); 50 | } 51 | if (port % 2 == 1) { 52 | throw new Error(`Emulator port has to be even, was ${port}`); 53 | } 54 | } 55 | exports.checkPort = checkPort; 56 | function checkDisableAnimations(disableAnimations) { 57 | if (!isValidBoolean(disableAnimations)) { 58 | throw new Error(`Input for input.disable-animations should be either 'true' or 'false'.`); 59 | } 60 | } 61 | exports.checkDisableAnimations = checkDisableAnimations; 62 | function checkDisableSpellchecker(disableSpellchecker) { 63 | if (!isValidBoolean(disableSpellchecker)) { 64 | throw new Error(`Input for input.disable-spellchecker should be either 'true' or 'false'.`); 65 | } 66 | } 67 | exports.checkDisableSpellchecker = checkDisableSpellchecker; 68 | function checkDisableLinuxHardwareAcceleration(disableLinuxHardwareAcceleration) { 69 | if (!(isValidBoolean(disableLinuxHardwareAcceleration) || disableLinuxHardwareAcceleration === 'auto')) { 70 | throw new Error(`Input for input.disable-linux-hw-accel should be either 'true' or 'false' or 'auto'.`); 71 | } 72 | } 73 | exports.checkDisableLinuxHardwareAcceleration = checkDisableLinuxHardwareAcceleration; 74 | function checkEnableHardwareKeyboard(enableHardwareKeyboard) { 75 | if (!isValidBoolean(enableHardwareKeyboard)) { 76 | throw new Error(`Input for input.enable-hw-keyboard should be either 'true' or 'false'.`); 77 | } 78 | } 79 | exports.checkEnableHardwareKeyboard = checkEnableHardwareKeyboard; 80 | function checkEmulatorBuild(emulatorBuild) { 81 | if (isNaN(Number(emulatorBuild)) || !Number.isInteger(Number(emulatorBuild))) { 82 | throw new Error(`Unexpected emulator build: '${emulatorBuild}'.`); 83 | } 84 | } 85 | exports.checkEmulatorBuild = checkEmulatorBuild; 86 | function isValidBoolean(value) { 87 | return value === 'true' || value === 'false'; 88 | } 89 | function checkDiskSize(diskSize) { 90 | // Disk size can be empty - the default value 91 | if (diskSize) { 92 | // Can also be number of bytes 93 | if (isNaN(Number(diskSize)) || !Number.isInteger(Number(diskSize))) { 94 | // Disk size can have a size multiplier at the end K, M or G 95 | const diskSizeUpperCase = diskSize.toUpperCase(); 96 | if (diskSizeUpperCase.endsWith('K') || diskSizeUpperCase.endsWith('M') || diskSizeUpperCase.endsWith('G')) { 97 | const diskSizeNoModifier = diskSize.slice(0, -1); 98 | if (0 == diskSizeNoModifier.length || isNaN(Number(diskSizeNoModifier)) || !Number.isInteger(Number(diskSizeNoModifier))) { 99 | throw new Error(`Unexpected disk size: '${diskSize}'.`); 100 | } 101 | } 102 | } 103 | } 104 | } 105 | exports.checkDiskSize = checkDiskSize; 106 | -------------------------------------------------------------------------------- /lib/main.js: -------------------------------------------------------------------------------- 1 | "use strict"; 2 | var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) { 3 | if (k2 === undefined) k2 = k; 4 | var desc = Object.getOwnPropertyDescriptor(m, k); 5 | if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { 6 | desc = { enumerable: true, get: function() { return m[k]; } }; 7 | } 8 | Object.defineProperty(o, k2, desc); 9 | }) : (function(o, m, k, k2) { 10 | if (k2 === undefined) k2 = k; 11 | o[k2] = m[k]; 12 | })); 13 | var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) { 14 | Object.defineProperty(o, "default", { enumerable: true, value: v }); 15 | }) : function(o, v) { 16 | o["default"] = v; 17 | }); 18 | var __importStar = (this && this.__importStar) || function (mod) { 19 | if (mod && mod.__esModule) return mod; 20 | var result = {}; 21 | if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k); 22 | __setModuleDefault(result, mod); 23 | return result; 24 | }; 25 | var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) { 26 | function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } 27 | return new (P || (P = Promise))(function (resolve, reject) { 28 | function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } 29 | function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } 30 | function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } 31 | step((generator = generator.apply(thisArg, _arguments || [])).next()); 32 | }); 33 | }; 34 | Object.defineProperty(exports, "__esModule", { value: true }); 35 | const core = __importStar(require("@actions/core")); 36 | const sdk_installer_1 = require("./sdk-installer"); 37 | const input_validator_1 = require("./input-validator"); 38 | const emulator_manager_1 = require("./emulator-manager"); 39 | const exec = __importStar(require("@actions/exec")); 40 | const script_parser_1 = require("./script-parser"); 41 | const channel_id_mapper_1 = require("./channel-id-mapper"); 42 | const fs_1 = require("fs"); 43 | function run() { 44 | return __awaiter(this, void 0, void 0, function* () { 45 | let port = input_validator_1.MIN_PORT; 46 | try { 47 | console.log(`::group::Configure emulator`); 48 | let linuxSupportKVM = false; 49 | // only support running on macOS or Linux 50 | if (process.platform !== 'darwin') { 51 | if (process.platform === 'linux') { 52 | try { 53 | (0, fs_1.accessSync)('/dev/kvm', fs_1.constants.R_OK | fs_1.constants.W_OK); 54 | linuxSupportKVM = true; 55 | } 56 | catch (_a) { 57 | console.warn(`You're running a Linux VM where hardware acceleration is not available. Please consider using a macOS VM instead to take advantage of native hardware acceleration support provided by HAXM.`); 58 | } 59 | } 60 | else { 61 | throw new Error('Unsupported virtual machine: please use either macos or ubuntu VM.'); 62 | } 63 | } 64 | // API level of the platform and system image 65 | const apiLevel = core.getInput('api-level', { required: true }); 66 | console.log(`API level: ${apiLevel}`); 67 | let systemImageApiLevel = core.getInput('system-image-api-level'); 68 | if (!systemImageApiLevel) { 69 | systemImageApiLevel = apiLevel; 70 | } 71 | console.log(`System image API level: ${systemImageApiLevel}`); 72 | // target of the system image 73 | const targetInput = core.getInput('target'); 74 | const target = targetInput == 'playstore' ? 'google_apis_playstore' : targetInput; 75 | (0, input_validator_1.checkTarget)(target); 76 | console.log(`target: ${target}`); 77 | // CPU architecture of the system image 78 | const arch = core.getInput('arch'); 79 | (0, input_validator_1.checkArch)(arch); 80 | console.log(`CPU architecture: ${arch}`); 81 | // Hardware profile used for creating the AVD 82 | const profile = core.getInput('profile'); 83 | console.log(`Hardware profile: ${profile}`); 84 | // Number of cores to use for emulator 85 | const cores = core.getInput('cores'); 86 | console.log(`Cores: ${cores}`); 87 | // RAM to use for AVD 88 | const ramSize = core.getInput('ram-size'); 89 | console.log(`RAM size: ${ramSize}`); 90 | // Heap size to use for AVD 91 | const heapSize = core.getInput('heap-size'); 92 | console.log(`Heap size: ${heapSize}`); 93 | // SD card path or size used for creating the AVD 94 | const sdcardPathOrSize = core.getInput('sdcard-path-or-size'); 95 | console.log(`SD card path or size: ${sdcardPathOrSize}`); 96 | const diskSize = core.getInput('disk-size'); 97 | (0, input_validator_1.checkDiskSize)(diskSize); 98 | console.log(`Disk size: ${diskSize}`); 99 | // custom name used for creating the AVD 100 | const avdName = core.getInput('avd-name'); 101 | console.log(`AVD name: ${avdName}`); 102 | // force AVD creation 103 | const forceAvdCreationInput = core.getInput('force-avd-creation'); 104 | (0, input_validator_1.checkForceAvdCreation)(forceAvdCreationInput); 105 | const forceAvdCreation = forceAvdCreationInput === 'true'; 106 | console.log(`force avd creation: ${forceAvdCreation}`); 107 | // Emulator boot timeout seconds 108 | const emulatorBootTimeout = parseInt(core.getInput('emulator-boot-timeout'), 10); 109 | console.log(`Emulator boot timeout: ${emulatorBootTimeout}`); 110 | // Emulator port to use 111 | port = parseInt(core.getInput('emulator-port'), 10); 112 | (0, input_validator_1.checkPort)(port); 113 | console.log(`emulator port: ${port}`); 114 | // emulator options 115 | const emulatorOptions = core.getInput('emulator-options').trim(); 116 | console.log(`emulator options: ${emulatorOptions}`); 117 | // disable animations 118 | const disableAnimationsInput = core.getInput('disable-animations'); 119 | (0, input_validator_1.checkDisableAnimations)(disableAnimationsInput); 120 | const disableAnimations = disableAnimationsInput === 'true'; 121 | console.log(`disable animations: ${disableAnimations}`); 122 | // disable spellchecker 123 | const disableSpellcheckerInput = core.getInput('disable-spellchecker'); 124 | (0, input_validator_1.checkDisableSpellchecker)(disableSpellcheckerInput); 125 | const disableSpellchecker = disableSpellcheckerInput === 'true'; 126 | console.log(`disable spellchecker: ${disableSpellchecker}`); 127 | // disable linux hardware acceleration 128 | let disableLinuxHardwareAccelerationInput = core.getInput('disable-linux-hw-accel'); 129 | (0, input_validator_1.checkDisableLinuxHardwareAcceleration)(disableLinuxHardwareAccelerationInput); 130 | if (disableLinuxHardwareAccelerationInput === 'auto' && process.platform === 'linux') { 131 | disableLinuxHardwareAccelerationInput = linuxSupportKVM ? 'false' : 'true'; 132 | } 133 | const disableLinuxHardwareAcceleration = disableLinuxHardwareAccelerationInput === 'true'; 134 | console.log(`disable Linux hardware acceleration: ${disableLinuxHardwareAcceleration}`); 135 | // enable hardware keyboard 136 | const enableHardwareKeyboardInput = core.getInput('enable-hw-keyboard'); 137 | (0, input_validator_1.checkEnableHardwareKeyboard)(enableHardwareKeyboardInput); 138 | const enableHardwareKeyboard = enableHardwareKeyboardInput === 'true'; 139 | console.log(`enable hardware keyboard: ${enableHardwareKeyboard}`); 140 | // emulator build 141 | const emulatorBuildInput = core.getInput('emulator-build'); 142 | if (emulatorBuildInput) { 143 | (0, input_validator_1.checkEmulatorBuild)(emulatorBuildInput); 144 | console.log(`using emulator build: ${emulatorBuildInput}`); 145 | } 146 | const emulatorBuild = !emulatorBuildInput ? undefined : emulatorBuildInput; 147 | // custom working directory 148 | const workingDirectoryInput = core.getInput('working-directory'); 149 | if (workingDirectoryInput) { 150 | console.log(`custom working directory: ${workingDirectoryInput}`); 151 | } 152 | const workingDirectory = !workingDirectoryInput ? undefined : workingDirectoryInput; 153 | // version of NDK to install 154 | const ndkInput = core.getInput('ndk'); 155 | if (ndkInput) { 156 | console.log(`version of NDK to install: ${ndkInput}`); 157 | } 158 | const ndkVersion = !ndkInput ? undefined : ndkInput; 159 | // version of CMake to install 160 | const cmakeInput = core.getInput('cmake'); 161 | if (cmakeInput) { 162 | console.log(`version of CMake to install: ${cmakeInput}`); 163 | } 164 | const cmakeVersion = !cmakeInput ? undefined : cmakeInput; 165 | // channelId (up to and including) to download the SDK packages from 166 | const channelName = core.getInput('channel'); 167 | (0, input_validator_1.checkChannel)(channelName); 168 | const channelId = (0, channel_id_mapper_1.getChannelId)(channelName); 169 | console.log(`Channel: ${channelId} (${channelName})`); 170 | // custom script to run 171 | const scriptInput = core.getInput('script', { required: true }); 172 | const scripts = (0, script_parser_1.parseScript)(scriptInput); 173 | console.log(`Script:`); 174 | scripts.forEach((script) => __awaiter(this, void 0, void 0, function* () { 175 | console.log(`${script}`); 176 | })); 177 | // custom pre emulator launch script 178 | const preEmulatorLaunchScriptInput = core.getInput('pre-emulator-launch-script'); 179 | const preEmulatorLaunchScripts = !preEmulatorLaunchScriptInput ? undefined : (0, script_parser_1.parseScript)(preEmulatorLaunchScriptInput); 180 | console.log(`Pre emulator launch script:`); 181 | preEmulatorLaunchScripts === null || preEmulatorLaunchScripts === void 0 ? void 0 : preEmulatorLaunchScripts.forEach((script) => __awaiter(this, void 0, void 0, function* () { 182 | console.log(`${script}`); 183 | })); 184 | console.log(`::endgroup::`); 185 | // install SDK 186 | yield (0, sdk_installer_1.installAndroidSdk)(apiLevel, systemImageApiLevel, target, arch, channelId, emulatorBuild, ndkVersion, cmakeVersion); 187 | // execute pre emulator launch script if set 188 | if (preEmulatorLaunchScripts !== undefined) { 189 | console.log(`::group::Run pre emulator launch script`); 190 | try { 191 | for (const preEmulatorLaunchScript of preEmulatorLaunchScripts) { 192 | // use array form to avoid various quote escaping problems 193 | // caused by exec(`sh -c "${preEmulatorLaunchScript}"`) 194 | yield exec.exec('sh', ['-c', preEmulatorLaunchScript], { 195 | cwd: workingDirectory, 196 | }); 197 | } 198 | } 199 | catch (error) { 200 | core.setFailed(error instanceof Error ? error.message : error); 201 | } 202 | console.log(`::endgroup::`); 203 | } 204 | // launch an emulator 205 | yield (0, emulator_manager_1.launchEmulator)(systemImageApiLevel, target, arch, profile, cores, ramSize, heapSize, sdcardPathOrSize, diskSize, avdName, forceAvdCreation, emulatorBootTimeout, port, emulatorOptions, disableAnimations, disableSpellchecker, disableLinuxHardwareAcceleration, enableHardwareKeyboard); 206 | // execute the custom script 207 | try { 208 | // move to custom working directory if set 209 | if (workingDirectory) { 210 | process.chdir(workingDirectory); 211 | } 212 | for (const script of scripts) { 213 | // use array form to avoid various quote escaping problems 214 | // caused by exec(`sh -c "${script}"`) 215 | yield exec.exec('sh', ['-c', script], { 216 | env: Object.assign(Object.assign({}, process.env), { EMULATOR_PORT: `${port}`, ANDROID_SERIAL: `emulator-${port}` }), 217 | }); 218 | } 219 | } 220 | catch (error) { 221 | core.setFailed(error instanceof Error ? error.message : error); 222 | } 223 | // finally kill the emulator 224 | yield (0, emulator_manager_1.killEmulator)(port); 225 | } 226 | catch (error) { 227 | // kill the emulator so the action can exit 228 | yield (0, emulator_manager_1.killEmulator)(port); 229 | core.setFailed(error instanceof Error ? error.message : error); 230 | } 231 | }); 232 | } 233 | run(); 234 | -------------------------------------------------------------------------------- /lib/script-parser.js: -------------------------------------------------------------------------------- 1 | "use strict"; 2 | Object.defineProperty(exports, "__esModule", { value: true }); 3 | exports.parseScript = void 0; 4 | /** 5 | * Convert a (potentially multi-line) script to an array of single-line script(s). 6 | */ 7 | function parseScript(rawScript) { 8 | const scripts = rawScript 9 | .trim() 10 | .split(/\r\n|\n|\r/) 11 | .map((value) => value.trim()) 12 | .filter((value) => { 13 | return !value.startsWith('#') && value.length > 0; 14 | }); 15 | if (scripts.length == 0) { 16 | throw new Error(`No valid script found.`); 17 | } 18 | return scripts; 19 | } 20 | exports.parseScript = parseScript; 21 | -------------------------------------------------------------------------------- /lib/sdk-installer.js: -------------------------------------------------------------------------------- 1 | "use strict"; 2 | var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) { 3 | if (k2 === undefined) k2 = k; 4 | var desc = Object.getOwnPropertyDescriptor(m, k); 5 | if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { 6 | desc = { enumerable: true, get: function() { return m[k]; } }; 7 | } 8 | Object.defineProperty(o, k2, desc); 9 | }) : (function(o, m, k, k2) { 10 | if (k2 === undefined) k2 = k; 11 | o[k2] = m[k]; 12 | })); 13 | var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) { 14 | Object.defineProperty(o, "default", { enumerable: true, value: v }); 15 | }) : function(o, v) { 16 | o["default"] = v; 17 | }); 18 | var __importStar = (this && this.__importStar) || function (mod) { 19 | if (mod && mod.__esModule) return mod; 20 | var result = {}; 21 | if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k); 22 | __setModuleDefault(result, mod); 23 | return result; 24 | }; 25 | var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) { 26 | function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } 27 | return new (P || (P = Promise))(function (resolve, reject) { 28 | function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } 29 | function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } 30 | function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } 31 | step((generator = generator.apply(thisArg, _arguments || [])).next()); 32 | }); 33 | }; 34 | Object.defineProperty(exports, "__esModule", { value: true }); 35 | exports.installAndroidSdk = void 0; 36 | const core = __importStar(require("@actions/core")); 37 | const exec = __importStar(require("@actions/exec")); 38 | const io = __importStar(require("@actions/io")); 39 | const tc = __importStar(require("@actions/tool-cache")); 40 | const fs = __importStar(require("fs")); 41 | const BUILD_TOOLS_VERSION = '35.0.0'; 42 | // SDK command-line tools 16.0 43 | const CMDLINE_TOOLS_URL_MAC = 'https://dl.google.com/android/repository/commandlinetools-mac-12266719_latest.zip'; 44 | const CMDLINE_TOOLS_URL_LINUX = 'https://dl.google.com/android/repository/commandlinetools-linux-12266719_latest.zip'; 45 | /** 46 | * Installs & updates the Android SDK for the macOS platform, including SDK platform for the chosen API level, latest build tools, platform tools, Android Emulator, 47 | * and the system image for the chosen API level, CPU arch, and target. 48 | */ 49 | function installAndroidSdk(apiLevel, systemImageApiLevel, target, arch, channelId, emulatorBuild, ndkVersion, cmakeVersion) { 50 | return __awaiter(this, void 0, void 0, function* () { 51 | try { 52 | console.log(`::group::Install Android SDK`); 53 | const isOnMac = process.platform === 'darwin'; 54 | const isArm = process.arch === 'arm64'; 55 | const cmdlineToolsPath = `${process.env.ANDROID_HOME}/cmdline-tools`; 56 | if (!fs.existsSync(cmdlineToolsPath)) { 57 | console.log('Installing new cmdline-tools.'); 58 | const sdkUrl = isOnMac ? CMDLINE_TOOLS_URL_MAC : CMDLINE_TOOLS_URL_LINUX; 59 | const downloadPath = yield tc.downloadTool(sdkUrl); 60 | yield tc.extractZip(downloadPath, cmdlineToolsPath); 61 | yield io.mv(`${cmdlineToolsPath}/cmdline-tools`, `${cmdlineToolsPath}/latest`); 62 | } 63 | // add paths for commandline-tools and platform-tools 64 | core.addPath(`${cmdlineToolsPath}/latest:${cmdlineToolsPath}/latest/bin:${process.env.ANDROID_HOME}/platform-tools`); 65 | // set standard AVD path 66 | yield io.mkdirP(`${process.env.HOME}/.android/avd`); 67 | core.exportVariable('ANDROID_AVD_HOME', `${process.env.HOME}/.android/avd`); 68 | // accept all Android SDK licenses 69 | yield exec.exec(`sh -c \\"yes | sdkmanager --licenses > /dev/null"`); 70 | console.log('Installing latest build tools, platform tools, and platform.'); 71 | yield exec.exec(`sh -c \\"sdkmanager --install 'build-tools;${BUILD_TOOLS_VERSION}' platform-tools 'platforms;android-${apiLevel}'> /dev/null"`); 72 | console.log('Installing latest emulator.'); 73 | yield exec.exec(`sh -c \\"sdkmanager --install emulator --channel=${channelId} > /dev/null"`); 74 | if (emulatorBuild) { 75 | console.log(`Installing emulator build ${emulatorBuild}.`); 76 | // TODO find out the correct download URLs for all build ids 77 | var downloadUrlSuffix; 78 | const majorBuildVersion = Number(emulatorBuild); 79 | if (majorBuildVersion >= 8000000) { 80 | if (isArm) { 81 | downloadUrlSuffix = `_aarch64-${emulatorBuild}`; 82 | } 83 | else { 84 | downloadUrlSuffix = `_x64-${emulatorBuild}`; 85 | } 86 | } 87 | else if (majorBuildVersion >= 7000000) { 88 | downloadUrlSuffix = `_x64-${emulatorBuild}`; 89 | } 90 | else { 91 | downloadUrlSuffix = `-${emulatorBuild}`; 92 | } 93 | yield exec.exec(`curl -fo emulator.zip https://dl.google.com/android/repository/emulator-${isOnMac ? 'darwin' : 'linux'}${downloadUrlSuffix}.zip`); 94 | yield exec.exec(`unzip -o -q emulator.zip -d ${process.env.ANDROID_HOME}`); 95 | yield io.rmRF('emulator.zip'); 96 | } 97 | console.log('Installing system images.'); 98 | yield exec.exec(`sh -c \\"sdkmanager --install 'system-images;android-${systemImageApiLevel};${target};${arch}' --channel=${channelId} > /dev/null"`); 99 | if (ndkVersion) { 100 | console.log(`Installing NDK ${ndkVersion}.`); 101 | yield exec.exec(`sh -c \\"sdkmanager --install 'ndk;${ndkVersion}' --channel=${channelId} > /dev/null"`); 102 | } 103 | if (cmakeVersion) { 104 | console.log(`Installing CMake ${cmakeVersion}.`); 105 | yield exec.exec(`sh -c \\"sdkmanager --install 'cmake;${cmakeVersion}' --channel=${channelId} > /dev/null"`); 106 | } 107 | } 108 | finally { 109 | console.log(`::endgroup::`); 110 | } 111 | }); 112 | } 113 | exports.installAndroidSdk = installAndroidSdk; 114 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "android-emulator-runner", 3 | "version": "0.0.0", 4 | "private": true, 5 | "description": "A GitHub Action for installing, configuring and running Android Emulators on hardware-accelerated runners.", 6 | "main": "lib/main.js", 7 | "scripts": { 8 | "build": "tsc", 9 | "test": "tsc --noEmit && jest", 10 | "lint": "eslint . --ext .ts" 11 | }, 12 | "repository": { 13 | "type": "git", 14 | "url": "git+https://github.com/ReactiveCircus/android-emulator-runner.git" 15 | }, 16 | "keywords": [ 17 | "actions", 18 | "node", 19 | "setup" 20 | ], 21 | "engines": { 22 | "node": ">=20" 23 | }, 24 | "author": "Reactive Circus", 25 | "license": "MIT", 26 | "dependencies": { 27 | "@actions/core": "^1.10.0", 28 | "@actions/exec": "^1.1.1", 29 | "@actions/tool-cache": "^2.0.1", 30 | "minimist": "^1.2.7", 31 | "set-value": "^4.1.0" 32 | }, 33 | "devDependencies": { 34 | "@types/jest": "^29.2.0", 35 | "@types/node": "^20.11.0", 36 | "@typescript-eslint/eslint-plugin": "^5.41.0", 37 | "@typescript-eslint/parser": "^5.41.0", 38 | "eslint": "^8.26.0", 39 | "eslint-config-prettier": "^8.5.0", 40 | "eslint-plugin-import": "^2.26.0", 41 | "eslint-plugin-prettier": "^4.2.1", 42 | "jest": "^29.2.2", 43 | "jest-circus": "^29.2.2", 44 | "prettier": "^2.7.1", 45 | "ts-jest": "^29.0.3", 46 | "typescript": "^4.8.4" 47 | } 48 | } 49 | -------------------------------------------------------------------------------- /renovate.json: -------------------------------------------------------------------------------- 1 | { 2 | "$schema": "https://docs.renovatebot.com/renovate-schema.json", 3 | "extends": [ 4 | "config:base" 5 | ] 6 | } 7 | -------------------------------------------------------------------------------- /src/channel-id-mapper.ts: -------------------------------------------------------------------------------- 1 | export function getChannelId(channelName: string): number { 2 | if (channelName === 'stable') { 3 | return 0; 4 | } else if (channelName === 'beta') { 5 | return 1; 6 | } else if (channelName === 'dev') { 7 | return 2; 8 | } else if (channelName === 'canary') { 9 | return 3; 10 | } else { 11 | throw new Error(`Unexpected channel name: '${channelName}'.`); 12 | } 13 | } 14 | -------------------------------------------------------------------------------- /src/emulator-manager.ts: -------------------------------------------------------------------------------- 1 | import * as exec from '@actions/exec'; 2 | import * as fs from 'fs'; 3 | 4 | /** 5 | * Creates and launches a new AVD instance with the specified configurations. 6 | */ 7 | export async function launchEmulator( 8 | systemImageApiLevel: string, 9 | target: string, 10 | arch: string, 11 | profile: string, 12 | cores: string, 13 | ramSize: string, 14 | heapSize: string, 15 | sdcardPathOrSize: string, 16 | diskSize: string, 17 | avdName: string, 18 | forceAvdCreation: boolean, 19 | emulatorBootTimeout: number, 20 | port: number, 21 | emulatorOptions: string, 22 | disableAnimations: boolean, 23 | disableSpellChecker: boolean, 24 | disableLinuxHardwareAcceleration: boolean, 25 | enableHardwareKeyboard: boolean 26 | ): Promise