Git Product home page Git Product logo

androidsdk's Introduction

AndroidSDK

Android SDK development environment Docker image

Docker Hub Docker Stars Docker Pulls CI Join the chat at https://gitter.im/AndroidSDK-Docker/AndroidSDK-Docker Android Dev Digest Android开发技术周报 HelloGitHub Hits

Docker Badge

Conference Talk

Goals

  • It contains the complete Android SDK enviroment, is able to perform all regular Android jobs.

  • Solves the problem of "It works on my machine, but not on XXX machine".

  • Some tool (e.g. Infer), which has complex dependencies might be in conflict with your local environment. Installing the tool within a Docker container is the easiest and perfect solution.

  • Works out of the box as an Android CI build enviroment.

Philosophy

Provide only the barebone SDK (the latest official minimal package) gives you the maximum flexibility in tailoring your own SDK tools for your project. You can maintain an external persistent SDK directory, and mount it to any container. In this way, you don't have to waste time on downloading over and over again, meanwhile, without having any unnecessary package. Additionally, instead of one dedicated Docker image per Android API level (which will end up with a ton of images), you just have to deal with one image. Last but not least, according to Android's terms and conditions, one may not redistribute the SDK or any part of the SDK.

Note

Gradle and Kotlin compiler come together with this Docker image merely for the sake of convenience / trial.

Using the Gradle Wrapper

It is recommended to always execute a build with the Wrapper to ensure a reliable, controlled and standardized execution of the build. Using the Wrapper looks almost exactly like running the build with a Gradle installation. In case the Gradle distribution is not available on the machine, the Wrapper will download it and store in the local file system. Any subsequent build invocation is going to reuse the existing local distribution as long as the distribution URL in the Gradle properties doesn’t change.

Using the Gradle Wrapper lets you build with a precise Gradle version, in order to eliminate any Gradle version problem.

  • <your_project>/gradle/wrapper/gradle-wrapper.properties specifies the Gradle version
  • Gradle will be downloaded and unzipped to ~/.gradle/wrapper/dists/
  • kotlin-compiler-embeddable-x.y.z.jar will be resolved and downloaded when executing a Gradle task, it's defined in <your_project>/build.gradle as classpath "org.jetbrains.kotlin:kotlin-gradle-plugin:$kotlin_version"

Caveat

Previously, running Android SDK update within the Dockerfile or inside a container would fail with AUFS storage driver, it was due to hardlink move operations (during updating Android SDK) are not supported by AUFS storage driver, but changing it to other storage driver would work. Fortunately, it's not the case any more. With the latest version of Docker Engine, it works like a charm, you can do whatever you prefer. If you're not interested in the technical cause, simply skip this section (jump to the next section).

What happens if the update fails?

ls $ANDROID_HOME/cmdline-tools/tools/
#=> empty, nothing is there
# tools such as: android, sdkmanager, emulator, lint and etc. are gone

android
#=> bash: android: command not found

sdkmanager
#=> bash: /opt/android-sdk/cmdline-tools/tools/bin/sdkmanager: No such file or directory

To prevent this problem from happening, and you don't wanna bother modifying storage driver. The only solution is to mount an external SDK volume from host to container. Then you are free to try any of below approaches.

  • Update SDK in the usual way but directly inside container.

  • Update SDK from host directory (Remember: the host machine must be the same target architecture as the container - x86_64 Linux).

If you by accident update SDK on a host machine which has a mismatch target architecture than the container, some binaries won't be executable in container any longer.

gradle <some_task>
#=> Error: java.util.concurrent.ExecutionException: java.lang.RuntimeException: AAPT process not ready to receive commands

$ANDROID_HOME/build-tools/x.x.x/aapt
#=> aapt: cannot execute binary file: Exec format error

adb
#=> adb: cannot execute binary file: Exec format error

Note:

More information about storage driver:

  • Check Docker's current storage driver option

    docker info | grep 'Storage Driver'
  • Check which filesystems are supported by the running host kernel

    cat /proc/filesystems
  • Some storage drivers only work with specific backing filesystems. Check supported backing filesystems for further details.

  • In order to change the storage driver, you need to edit the daemon configuration file, or go to Docker Desktop -> Preferences... -> Daemon -> Advanced.

    {
      "storage-driver": ""
    }

Getting Started

# build the image
# set the working directory to the project's root directory first
docker build -t android-sdk android-sdk
# or you can also pass specific tool version as you wish (optional, while there is default version)
docker build --build-arg JDK_VERSION=<jdk_version> --build-arg GRADLE_VERSION=<gradle_version> --build-arg KOTLIN_VERSION=<kotlin_version> --build-arg ANDROID_SDK_VERSION=<android_sdk_version> -t android-sdk android-sdk
# or pull the image instead of building on your own
docker pull thyrlian/android-sdk

# below commands assume that you've pulled the image

# copy the pre-downloaded SDK to the mounted 'sdk' directory
docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_HOME/. /sdk'

# go to the 'sdk' directory on the host, update the SDK
# ONLY IF the host machine is the same target architecture as the container
# JDK required on the host
sdk/cmdline-tools/tools/bin/sdkmanager --update
# or install specific packages
sdk/cmdline-tools/tools/bin/sdkmanager "build-tools;x.y.z" "platforms;android-<api_level>" ...

# mount the updated SDK to container again
# if the host SDK directory is mounted to more than one container
# to avoid multiple containers writing to the SDK directory at the same time
# you should mount the SDK volume in read-only mode
docker run -it -v $(pwd)/sdk:/opt/android-sdk:ro thyrlian/android-sdk /bin/bash

# you can mount without read-only option, only if you need to update SDK inside container
docker run -it -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk /bin/bash

# to keep and reuse Gradle cache
docker run -it -v $(pwd)/sdk:/opt/android-sdk -v $(pwd)/gradle_caches:/root/.gradle/caches thyrlian/android-sdk /bin/bash

# to stop and remove container
# when the image was pulled from a registry
docker stop $(docker ps -aqf "ancestor=thyrlian/android-sdk") &> /dev/null && docker rm $(docker ps -aqf "ancestor=thyrlian/android-sdk") &> /dev/null
# when the image was built locally
docker stop $(docker ps -aqf "ancestor=android-sdk") &> /dev/null && docker rm $(docker ps -aqf "ancestor=android-sdk") &> /dev/null
# more flexible way - doesn't matter where the image comes from
docker stop $(docker ps -a | grep 'android-sdk' | awk '{ print $1 }') &> /dev/null && docker rm $(docker ps -a | grep 'android-sdk' | awk '{ print $1 }') &> /dev/null

Accepting Licenses

A helper script is provided at /opt/license_accepter.sh for accepting the SDK and its various licenses. This is helpful in non-interactive environments such as CI builds.

SSH

It is also possible if you wanna connect to container via SSH. There are three different approaches.

  • Build an image on your own, with a built-in authorized_keys

    # Put your `id_rsa.pub` under `android-sdk/accredited_keys` directory (as many as you want)
    
    # Build an image, then an `authorized_keys` file will be composed automatically, based on the keys from `android-sdk/accredited_keys` directory
    docker build -t android-sdk android-sdk
    
    # Run a container
    docker run -d -p 2222:22 -v $(pwd)/sdk:/opt/android-sdk:ro android-sdk
  • Mount authorized_keys file from the host to a container

    # Make sure your local authorized_keys file has the correct permission set
    chmod 600 $(pwd)/authorized_keys
    sudo chown root:root authorized_keys
    
    docker run -d -p 2222:22 -v $(pwd)/authorized_keys:/root/.ssh/authorized_keys thyrlian/android-sdk
  • Copy a local authorized_keys file to a container

    # Create a local `authorized_keys` file, which contains the content from your `id_rsa.pub`
    # Make sure your local authorized_keys file has the correct permission set
    chmod 600 $(pwd)/authorized_keys
    
    # Run a container
    docker run -d -p 2222:22 -v $(pwd)/sdk:/opt/android-sdk:ro thyrlian/android-sdk
    
    # Copy the just created local authorized_keys file to the running container
    docker cp $(pwd)/authorized_keys `docker ps -aqf "ancestor=thyrlian/android-sdk"`:/root/.ssh/authorized_keys
    
    # Set the proper owner and group for authorized_keys file
    docker exec -it `docker ps -aqf "ancestor=thyrlian/android-sdk"` bash -c 'chown root:root /root/.ssh/authorized_keys'

That's it! Now it's up and running, you can ssh to it

ssh root@<container_ip_address> -p 2222

And, in case you need, you can still attach to the running container (not via ssh) by

docker exec -it <container_id> /bin/bash

VNC

Remote access to the container's desktop might be helpful if you plan to run emulator inside the container.

# pull the image with VNC support
docker pull thyrlian/android-sdk-vnc

# spin up a container with SSH
# won't work when spin up with interactive session, since the vncserver won't get launched
docker run -d -p 5901:5901 -p 2222:22 -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk-vnc

When the container is up and running, use your favorite VNC client to connect to it:

  • <container_ip_address>:5901

  • Password (with control): android

  • Password (view only): docker

# setup and launch emulator inside the container
# create a new Android Virtual Device
echo "no" | avdmanager create avd -n test -k "system-images;android-25;google_apis;armeabi-v7a"
# launch emulator
emulator -avd test -no-audio -no-boot-anim -accel on -gpu swiftshader_indirect &

For more details, please refer to Emulator section.

VNC client recommendation

NFS

You can host the Android SDK in one host-independent place, and share it across different containers. One solution is using NFS (Network File System).

To make the container consume the NFS, you can try either way below:

  • Mount the NFS onto your host machine, then run container with volume option (-v).

  • Use a Docker volume plugin, for instance Convoy plugin.

And here are instructions for configuring a NFS server (on Ubuntu):

sudo apt-get update
sudo apt-get install -y nfs-kernel-server
sudo mkdir -p /var/nfs/android-sdk

# put the Android SDK under /var/nfs/android-sdk
# if you haven't got any, run below commands
sudo apt-get install -y wget zip
cd /var/nfs/android-sdk
sudo wget -q $(wget -q -O- 'https://developer.android.com/sdk' | grep -o "\"https://.*android.*tools.*linux.*\"" | sed "s/\"//g")
sudo unzip *tools*linux*.zip
sudo rm *tools*linux*.zip
sudo mkdir licenses
echo 8933bad161af4178b1185d1a37fbf41ea5269c55 | sudo tee licenses/android-sdk-license > /dev/null
echo 84831b9409646a918e30573bab4c9c91346d8abd | sudo tee licenses/android-sdk-preview-license > /dev/null
echo d975f751698a77b662f1254ddbeed3901e976f5a | sudo tee licenses/intel-android-extra-license > /dev/null

# configure and launch NFS service
sudo chown nobody:nogroup /var/nfs
echo "/var/nfs         *(rw,sync,no_subtree_check,no_root_squash)" | sudo tee --append /etc/exports > /dev/null
sudo exportfs -a
sudo service nfs-kernel-server start

Gradle Distributions Mirror Server

There is still room for optimization: recent distribution of Gradle is around 100MB, imagine different containers / build jobs have to perform downloading over and over again, and it has high influence upon your network bandwidth. Setting up a local Gradle distributions mirror server would significantly boost your download speed.

Fortunately, you can easily build such a mirror server docker image on your own.

docker build -t gradle-server gradle-server
# by default it downloads the most recent 14 gradle distributions (excluding rc or milestone)
# or you can also pass how many gradle distributions should be downloaded
docker build --build-arg GRADLE_DOWNLOAD_AMOUNT=<amount_of_gradle_distributions_to_be_downloaded> -t gradle-server gradle-server

Preferably, you should run the download script locally, and mount the download directory to the container.

gradle-server/gradle_downloader.sh [DOWNLOAD_DIRECTORY] [DOWNLOAD_AMOUNT]
docker run -d -p 80:80 -p 443:443 -v [DOWNLOAD_DIRECTORY]:/var/www/gradle.org/public_html/distributions gradle-server
# copy the SSL certificate from gradle server container to host machine
docker cp `docker ps -aqf "ancestor=gradle-server"`:/etc/apache2/ssl/apache.crt apache.crt
# copy the SSL certificate from host machine to AndroidSDK container
docker cp apache.crt `docker ps -aqf "ancestor=thyrlian/android-sdk"`:/home/apache.crt
# add self-signed SSL certificate to Java keystore
docker exec -it `docker ps -aqf "ancestor=thyrlian/android-sdk"` bash -c '$JAVA_HOME/bin/keytool -import -trustcacerts -file /home/apache.crt -keystore $JAVA_HOME/jre/lib/security/cacerts -storepass changeit -noprompt'
# map gradle services domain to your local IP
docker exec -it `docker ps -aqf "ancestor=thyrlian/android-sdk"` bash -c 'echo "[YOUR_HOST_IP_ADDRESS_FOR_GRADLE_CONTAINER] services.gradle.org" >> /etc/hosts'

Starting from now on, gradle wrapper will download gradle distributions from your local mirror server, lightning fast! The downloaded distribution will be uncompressed to /root/.gradle/wrapper/dists.

If you don't want to bother with SSL certificate, you can simply change the distributionUrl inside [YOUR_PROJECT]/gradle/wrapper/gradle-wrapper.properties from https to http.

Emulator

ARM emulator is host machine independent, can run anywhere - Linux, macOS, VM and etc. While the performance is a bit poor. On the contrary, x86 emulator requires KVM, which means only runnable on Linux.

According to Google's documentation:

VM acceleration restrictions

Note the following restrictions of VM acceleration:

  • You can't run a VM-accelerated emulator inside another VM, such as a VM hosted by VirtualBox, VMWare, or Docker. You must run the emulator directly on your system hardware.

  • You can't run software that uses another virtualization technology at the same time that you run the accelerated emulator. For example, VirtualBox, VMWare, and Docker currently use a different virtualization technology, so you can't run them at the same time as the accelerated emulator.

Preconditions on the host machine (for x86 emulator)

Read How to Start Intel Hardware-assisted Virtualization (hypervisor) on Linux for more details.

Read KVM Installation if you haven't got KVM installed on the host yet.

  • Check the capability of running KVM

    grep -cw ".*\(vmx\|svm\).*" /proc/cpuinfo
    # or
    egrep -c '(vmx|svm)' /proc/cpuinfo
    # a non-zero result means the host CPU supports hardware virtualization.
    
    sudo kvm-ok
    # seeing below info means you can run your virtual machine faster with the KVM extensions
    INFO: /dev/kvm exists
    KVM acceleration can be used
  • Load KVM module on the host

    modprobe kvm_intel
  • Check if KVM module is successfully loaded

    lsmod | grep kvm

Where can I run x86 emulator

  • Linux physical machine

  • Cloud computing services (must support nested virtualization)

    Note: there will be a performance penalty, primarily for CPU bound workloads and I/O bound workloads.

  • VirtualBox (since 6.0.0, it started supporting nested virtualization, which could be turned on by "Enable Nested VT-x/AMD-V", but at the moment, it's only for AMD CPUs)

How to run emulator

  • Check available emulator system images from remote SDK repository

    sdkmanager --list --verbose
  • Make sure that the required SDK packages are installed, you can find out by above command. To install, use the command below. Whenever you see error complains about ANDROID_SDK_ROOT (or ANDROID_HOME), such as PANIC: Cannot find AVD system path. Please define ANDROID_SDK_ROOT or PANIC: Broken AVD system path. Check your ANDROID_SDK_ROOT value, it means that you need to install following packages.

    sdkmanager "platform-tools" "platforms;android-<api_level>" "emulator"
  • Download emulator system image(s) (on the host machine)

    sdkmanager "system_image_1" "system_image_2"
    # e.g.:
    # system-images;android-24;android-tv;x86
    # system-images;android-24;default;arm64-v8a
    # system-images;android-24;default;armeabi-v7a
    # system-images;android-24;default;x86
    # system-images;android-24;default;x86_64
    # system-images;android-24;google_apis;arm64-v8a
    # system-images;android-24;google_apis;armeabi-v7a
    # system-images;android-24;google_apis;x86
    # system-images;android-24;google_apis;x86_64
    # system-images;android-24;google_apis_playstore;x86
  • Run Docker container in privileged mode (not necessary for ARM emulator)

    # required by KVM
    docker run -it --privileged -v $(pwd)/sdk:/opt/android-sdk:ro thyrlian/android-sdk /bin/bash
  • Check acceleration ability (not necessary for ARM emulator)

    emulator -accel-check
    
    # when succeeds
    accel:
    0
    KVM (version 12) is installed and usable.
    accel
    
    # when fails (probably due to unprivileged mode)
    accel:
    8
    /dev/kvm is not found: VT disabled in BIOS or KVM kernel module not loaded
    accel
  • Create a new Android Virtual Device

    echo "no" | avdmanager create avd -n <name> -k <sdk_id>
    # e.g.:
    echo "no" | avdmanager create avd -n test -k "system-images;android-24;default;armeabi-v7a"
  • List existing Android Virtual Devices

    avdmanager list avd
    # ==================================================
    Available Android Virtual Devices:
        Name: test
        Path: /root/.android/avd/test.avd
      Target: Default Android System Image
              Based on: Android 7.0 (Nougat) Tag/ABI: default/armeabi-v7a
    # ==================================================
    
    # or
    
    emulator -list-avds
    # 32-bit Linux Android emulator binaries are DEPRECATED
    # ==================================================
    test
    # ==================================================
  • Launch emulator in background

    emulator -avd <virtual_device_name> -no-audio -no-boot-anim -no-window -accel on -gpu off &
    
    # if the container is not running in privileged mode, you should see below errors:
    #=> emulator: ERROR: x86_64 emulation currently requires hardware acceleration!
    #=> Please ensure KVM is properly installed and usable.
    #=> CPU acceleration status: /dev/kvm is not found: VT disabled in BIOS or KVM kernel module not loaded
    # or it's running on top of a VM
    #=> CPU acceleration status: KVM requires a CPU that supports vmx or svm
  • Check the virtual device status

    adb devices
    # ==================================================
    List of devices attached
    emulator-5554	offline
    # "offline" means it's still booting up
    # ==================================================
    
    # ==================================================
    List of devices attached
    emulator-5554	device
    # "device" means it's ready to be used
    # ==================================================

Now you can for instance run UI tests on the emulator (just remember, the performance is POOR):

<your_android_project>/gradlew connectedAndroidTest

Troubleshooting emulator

If you encounter an error "Process system isn't responding" in the emulator, like below:

You could try:

  • Increase the limit of the memory resource available to Docker Engine.

  • Increase the amount of physical RAM on the emulator by setting / changing hw.ramSize in the AVD's configuration file (config.ini). By default, it's not set and the default value is "96" (in megabytes). You could simply set a new value via this command: echo "hw.ramSize=1024" >> /root/.android/avd/<your_avd_name>.avd/config.ini

Access the emulator from outside

Default adb server port: 5037

# spin up a container
# with SSH
docker run -d -p 5037:5037 -p 2222:22 -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk-vnc
# or with interactive session
docker run -it -p 5037:5037 -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk-vnc /bin/bash

# launch emulator inside the container...

Outside the container:

adb connect <container_ip_address>:5037
adb devices
#=> List of devices attached
#=> emulator-5554	device

Make sure that your adb client talks to the adb server inside the container, instead of the local one on the host machine. This can be achieved by running adb kill-server (to kill the local server if it's already up) before firing adb connect command above.

Android Device

You can give a container access to host's USB Android devices.

# on Linux
docker run -it --privileged -v /dev/bus/usb:/dev/bus/usb -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk /bin/bash

# or
# try to avoid privileged flag, just add necessary capabilities when possible
# --device option allows you to run devices inside the container without the --privileged flag
docker run -it --device=/dev/ttyUSB0 -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk /bin/bash

Note:

  • Connect Android device via USB on host first;

  • Launch container;

  • Disconnect and connect Android device on USB;

  • Select OK for "Allow USB debugging" on Android device;

  • Now the Android device will show up inside the container (adb devices).

Don't worry about adbkey or adbkey.pub under /.android, not required.

Docker for Mac FAQ says:

Unfortunately it is not possible to pass through a USB device (or a serial port) to a container.

Firebase Test Lab

You can also run UI tests on Google's Firebase Test Lab with emulators or physical devices.

To create and configure a project on the platform:

  • Create a project in Google Cloud Platform if you haven't created one yet.

  • Create a project in Firebase:

    • Choose the recently created Google Cloud Platform project to add Firebase services to it.

    • Confirm Firebase billing plan.

  • Go to IAM & Admin -> Service Accounts in Google Cloud Platform:

    • Edit the Firebase Admin SDK Service Agent account.

    • Keys -> ADD KEY -> Create new key -> Key type: JSON -> CREATE.

    • Download and save the created private key to your computer.

  • Go to IAM & Admin -> IAM in Google Cloud Platform:

    • Edit the Firebase Admin SDK Service Agent account.

    • ADD ANOTHER ROLE -> Role: Project -> Editor -> SAVE.

  • Go to API Library -> search for Cloud Testing API and Cloud Tool Results API -> enable them.

Once finished setup, you can then launch a container to deploy UI tests to Firebase Test Lab:

# pull the image with Google Cloud SDK integrated
docker pull thyrlian/android-sdk-firebase-test-lab

# spin up a container
# don't forget to mount the previously created private key, assume it's saved as firebase.json
# we'll persist all your gcloud configuration which would be created at ~/.config/gcloud/

# spin up a container with interactive mode
docker run -it -v $(pwd)/sdk:/opt/android-sdk -v <your_private_key_dir>/firebase.json:/root/firebase.json -v $(pwd)/gcloud_config:/root/.config/gcloud thyrlian/android-sdk-firebase-test-lab /bin/bash
# or spin up a container with SSH
docker run -d -p 2222:22 -v $(pwd)/sdk:/opt/android-sdk -v <your_private_key_dir>/firebase.json:/root/firebase.json -v $(pwd)/gcloud_config:/root/.config/gcloud -v $(pwd)/authorized_keys:/root/.ssh/authorized_keys thyrlian/android-sdk-firebase-test-lab

# authorize access to Google Cloud Platform with a service account (by its private key)
gcloud auth activate-service-account -q --key-file /root/firebase.json

# list all Android models available for testing
gcloud firebase test android models list

# below are just some examples, to give you an idea how it looks like
┌───────────────────┬────────────────────┬──────────────────────────────────────┬──────────┬─────────────┬─────────────────────────┬───────────────┐
│      MODEL_ID     │        MAKE        │              MODEL_NAME              │   FORM   │  RESOLUTION │      OS_VERSION_IDS     │      TAGS     │
├───────────────────┼────────────────────┼──────────────────────────────────────┼──────────┼─────────────┼─────────────────────────┼───────────────┤
│ Nexus9            │ HTC                │ Nexus 9                              │ VIRTUAL  │ 2048 x 1536 │ 21,22,23,24,25          │               │
│ NexusLowRes       │ Generic            │ Low-resolution MDPI phone            │ VIRTUAL  │  640 x 360  │ 23,24,25,26,27,28,29,30 │ beta=30       │
│ OnePlus3T         │ OnePlus            │ OnePlus 3T                           │ PHYSICAL │ 1920 x 1080 │ 26                      │               │
└───────────────────┴────────────────────┴──────────────────────────────────────┴──────────┴─────────────┴─────────────────────────┴───────────────┘

# build both the app and the instrumented tests APKs

# build the application APK
./gradlew :<your_module>:assemble
# APK will be generated at: <your_module>/build/outputs/apk/<build_type>

# build the instrumented tests APK
./gradlew :<your_module>:assembleAndroidTest
# APK will be generated at: <your_module>/build/outputs/apk/androidTest/<build_type>

# run UI tests
UI_TEST_APK="--app=<your_apk_path>/debug.apk --test=<your_apk_path>/androidTest.apk"
UI_TEST_TYPE="instrumentation"
UI_TEST_DEVICES="--device model=MODEL_ID,version=OS_VERSION_IDS,locale=en,orientation=portrait"
UI_TEST_RESULT_DIR="build-result"
UI_TEST_PROJECT="<your_project_id>"
gcloud firebase test android run $UI_TEST_APK $UI_TEST_DEVICES --type=$UI_TEST_TYPE --results-dir=$UI_TEST_RESULTS_DIR --project=$UI_TEST_PROJECT

# it's capable of running in parallel on separate devices with a number of shards
# if you want to evenly distribute test cases into a number of shards, specify the flag: --num-uniform-shards=int
# e.g.: to run 20 tests in parallel on 4 devices (5 tests per device): --num-uniform-shards=4

Later you can view the test results (including the recorded video of test execution) in Firebase Console, open your project, navigate to Test Lab.

To learn more about Firebase Test Lab and Google Cloud SDK, please go and visit below links:

Android Commands Reference

  • Check installed Android SDK tools version

    cat $ANDROID_HOME/cmdline-tools/tools/source.properties | grep Pkg.Revision
    cat $ANDROID_HOME/platform-tools/source.properties | grep Pkg.Revision

    The "android" command is deprecated. For command-line tools, use cmdline-tools/tools/bin/sdkmanager and cmdline-tools/tools/bin/avdmanager.

  • List installed and available packages

    sdkmanager --list
    # print full details instead of truncated path
    sdkmanager --list --verbose
  • Update all installed packages to the latest version

    sdkmanager --update
  • Install packages

    The packages argument is an SDK-style path as shown with the --list command, wrapped in quotes (for example, "extras;android;m2repository"). You can pass multiple package paths, separated with a space, but they must each be wrapped in their own set of quotes.

    sdkmanager "extras;android;m2repository" "extras;google;m2repository" "extras;google;google_play_services" "extras;google;instantapps" "extras;m2repository;com;android;support;constraint;constraint-layout;1.0.2" "build-tools;26.0.0" "platforms;android-26"
  • Stop emulator

    adb -s <device_sn> emu kill

Demythologizing Memory

OOM behaviour

Sometimes you may encounter OOM (Out of Memory) issue. The issues vary in logs, while you could find the essence by checking the exit code (echo $?).

For demonstration, below examples try to execute MemoryFiller which can fill memory up quickly.

  • Exit Code 137 (= 128 + 9 = SIGKILL = Killed)

    Example code:

    # spin up a container with memory limit (128MB)
    docker run -it -m 128m -v $(pwd)/misc/MemoryFiller:/root/MemoryFiller thyrlian/android-sdk /bin/bash
    # fill memory up
    cd /root/MemoryFiller && javac MemoryFiller.java
    java MemoryFiller

    Logs:

    Killed

    Commentary: The process was in extreme resource starvation, thus was killed by the kernel OOM killer. This happens when JVM max heap size > actual container memory. Similarly, the logs could look like this when running a gradle task in an Android project: Process 'Gradle Test Executor 1' finished with non-zero exit value 137.

  • Exit Code 1 (= SIGHUP = Hangup)

    Example code:

    # spin up a container with memory limit (or without - both lead to the same result)
    docker run -it -m 128m -v $(pwd)/misc/MemoryFiller:/root/MemoryFiller thyrlian/android-sdk /bin/bash
    # fill memory up
    # enable Docker memory limits transparency for JVM
    cd /root/MemoryFiller && javac MemoryFiller.java
    java -XX:+UnlockExperimentalVMOptions -XX:+UseCGroupMemoryLimitForHeap MemoryFiller

    Logs:

    Exception in thread "main" java.lang.OutOfMemoryError: Java heap space at MemoryFiller.main(MemoryFiller.java:13)

    Commentary: With enabling Docker memory limits transparency for JVM, JVM is able to correctly estimate the max heap size, and it won't be killed by the kernel OOM killer any more. Similarly, the logs could look like this when running a gradle task in an Android project: Process 'Gradle Test Executor 1' finished with non-zero exit value 1. In this case, you should either check your code or tweak your memory limit for container (or JVM heap parameters, or even the host memory size).

  • Exit Code 3 (= SIGQUIT = Quit)

    Example code:

    # spin up a container without memory limit
    docker run -it -v $(pwd)/misc/MemoryFiller:/root/MemoryFiller thyrlian/android-sdk /bin/bash
    # fill memory up
    cd /root/MemoryFiller && javac MemoryFiller.java
    # make sure that Docker memory resource is big enough > JVM max heap size
    # otherwise it's better to run with UnlockExperimentalVMOptions & UseCGroupMemoryLimitForHeap enabled
    java -XX:+ExitOnOutOfMemoryError MemoryFiller

    Logs:

    Terminating due to java.lang.OutOfMemoryError: Java heap space

    Commentary: JRockit JVM exits on the first occurrence of an OOM error. It can be used if you prefer restarting an instance of JRockit JVM rather than handling OOM errors.

  • Exit Code 134 (= 128 + 6 = SIGABRT = Abort)

    Example code:

    # spin up a container without memory limit
    docker run -it -v $(pwd)/misc/MemoryFiller:/root/MemoryFiller thyrlian/android-sdk /bin/bash
    # fill memory up
    cd /root/MemoryFiller && javac MemoryFiller.java
    # make sure that Docker memory resource is big enough > JVM max heap size
    # otherwise it's better to run with UnlockExperimentalVMOptions & UseCGroupMemoryLimitForHeap enabled
    java -XX:+CrashOnOutOfMemoryError MemoryFiller

    Logs:

    Aborting due to java.lang.OutOfMemoryError: Java heap space
    #
    # A fatal error has been detected by the Java Runtime Environment:
    #
    #  Internal Error (debug.cpp:308), pid=63, tid=0x00007f208708d700
    #  fatal error: OutOfMemory encountered: Java heap space
    #
    # JRE version: OpenJDK Runtime Environment (8.0_131-b11) (build 1.8.0_131-8u131-b11-2ubuntu1.16.04.3-b11)
    # Java VM: OpenJDK 64-Bit Server VM (25.131-b11 mixed mode linux-amd64 compressed oops)
    # Failed to write core dump. Core dumps have been disabled. To enable core dumping, try "ulimit -c unlimited" before starting Java again
    #
    # An error report file with more information is saved as:
    # /root/MemoryFiller/hs_err_pid63.log
    #
    # If you would like to submit a bug report, please visit:
    #   http://bugreport.java.com/bugreport/crash.jsp
    #
    Aborted

    Commentary: JRockit JVM crashes and produces text and binary crash files when an OOM error occurs. When JVM crashes with a fatal error, an error report file hs_err_pid***.log will be generated in the same working directory.

Facts

  • JVM is not container aware, and always guesses about the memory resource (for JDK version earlier than 8u131 or 9).

  • Many tools (such as free, vmstat, top) were invented before the existence of cgroups, thus they have no clue about the resources limits.

  • -XX:MaxRAMFraction: maximum fraction (1/n) of real memory used for maximum heap size (-XX:MaxHeapSize / -Xmx), the default value is 4.

  • -XX:MaxMetaspaceSize: where class metadata reside. -XX:MaxPermSize is deprecated in JDK 8. It used to be Permanent Generation space before JDK 8, which could cause java.lang.OutOfMemoryError: PermGen problem.

  • -XshowSettings:category: shows settings and continues. Possible category arguments for this option include the following: all (all categories of settings, the default value), locale (settings related to locale), properties (settings related to system properties), vm (settings of the JVM). To get JVM Max Heap Size, simply run java -XshowSettings:vm -version

  • -XX:+PrintFlagsFinal: print all VM flags after argument and ergonomic processing. You can run java -XX:+PrintFlagsFinal -version to get all information.

  • By default, Android Gradle Plugin sets the maxProcessCount to 4 (the maximum number of concurrent processes that can be used to dex). Total Memory = maxProcessCount * javaMaxHeapSize

  • Earlier in JDK 8, you need to set the environment variable _JAVA_OPTIONS to -XX:+UnlockExperimentalVMOptions -XX:+UseCGroupMemoryLimitForHeap. Then you'll see such logs like Picked up _JAVA_OPTIONS: -XX:+UnlockExperimentalVMOptions -XX:+UseCGroupMemoryLimitForHeap during any task execution, which means it takes effect. JDK 10 has introduced -XX:+UseContainerSupport which is enabled by default to improve the execution and configurability of Java running in Docker containers. Since JDK 1.8.0_191, -XX:+UseContainerSupport was also backported, then you don't need to set -XX:+UnlockExperimentalVMOptions -XX:+UseCGroupMemoryLimitForHeap any more. UseCGroupMemoryLimitForHeap was deprecated in JDK 10 and removed in JDK 11.

  • JAVA_OPTS environment variable won't be used by JVM directly, but sometimes get recognized by other apps (e.g. Apache Tomcat) as configuration. If you want to use it for any Java executable, do it like this: java $JAVA_OPTS ...

  • The official JAVA_TOOL_OPTIONS environment variable is provided to augment a command line, so that command line options can be passed without accessing or modifying the launch command. It is recognized by all VMs.

  • You can tweak -Xms or -Xmx on your own to specify the initial or maximum heap size.

Docker Config

How to enable the remote API (for CI purpose)

# on macOS
brew install socat
socat TCP-LISTEN:2376,reuseaddr,fork UNIX-CONNECT:/var/run/docker.sock

#====================================================================================================#

# on Linux (Debian / Ubuntu)
# changing DOCKER_OPTS is optional
# Use DOCKER_OPTS to modify the daemon startup options
# echo -e '\nDOCKER_OPTS="-H tcp://0.0.0.0:2376 -H unix:///var/run/docker.sock"\n' | sudo tee --append /etc/default/docker > /dev/null

# find the location of systemd unit file
systemctl status docker
#=> docker.service - Docker Application Container Engine
#=> Loaded: loaded (/lib/systemd/system/docker.service; enabled; vendor preset: enabled)

sudo sed -i.bak 's?ExecStart.*?ExecStart=/usr/bin/dockerd -H tcp://0.0.0.0:2376 -H unix:///var/run/docker.sock?g' /lib/systemd/system/docker.service
sudo systemctl daemon-reload
sudo systemctl restart docker.service

# check if the port is listened or not
sudo netstat -tulpn | grep LISTEN

Release guide

  • Go to the top-level directory of this project

  • Execute image_publisher.sh script

    ./image_publisher.sh [TAG]
  • Execute version_inspector.sh script inside a docker container from local machine to check versions of tools

    cmd=$(cat ./android-sdk/version_inspector.sh) && docker run -it --rm android-sdk bash -c "$cmd"
  • Update Changelog based on the versions info printed by the above commands

  • Create a new tag (name it the version number, just like: x.x) with the corresponding commit in Git and publish the tag

Contributing

Your contribution is always welcome, which will for sure make the Android SDK Docker solution better. Please check the contributing guide to get started! Thank you ☺

Changelog

See here.

Stargazers over time

Stargazers over time

License

Copyright © 2016-2024 Jing Li. It is released under the Apache License. See the LICENSE file for details.

By continuing to use this Docker Image, you accept the terms in below license agreement.

androidsdk's People

Contributors

artlogic avatar bradjones1 avatar gitter-badger avatar jaimetoca avatar neugartf avatar owjsub avatar rossmckelvie avatar sey avatar thyrlian avatar timnew avatar timoptr avatar tomifabian avatar tommeier avatar zachawilson avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

androidsdk's Issues

Adding Android SDK platforms in Dockerfile

Is it possible to add Android SDK platforms to be added in the dockerfile?
Is it reasonable to put it?

I was just wondering if it could speed up builds if the Android SDKs are already added in the Dockerfile rather than adding them after.

[BUG]

Description

I've got this error when make attempts to build image

> [ 7/11] RUN chmod +x /opt/license_accepter.sh && /opt/license_accepter.sh /opt/android-sdk:
#11 0.155 /bin/sh: 1: /opt/license_accepter.sh: not found

Steps To Reproduce

Steps to reproduce the issue (do make sure that you're able to reproduce the issue when following the steps below).

  1. Go to root of the project
  2. Run docker build -t android-sdk android-sdk

Actual Result

> [ 7/11] RUN chmod +x /opt/license_accepter.sh && /opt/license_accepter.sh /opt/android-sdk:
#11 0.155 /bin/sh: 1: /opt/license_accepter.sh: not found

Expected Behavior

Successfully built image

Environment

  • Clonned repo from master
  • Windows 10

Why do we need to remove X11 in watchdog.sh

Hello Thyrlian,

First of all thank You very much for all Your efforts related with current project. Could you explain please why do we need to remove X11, i mean instructions in watchdog.sh

 rm -fv /tmp/.X*-lock >> $log_file
 rm -fv /tmp/.X11-unix/* >> $log_file

Thank You!

testURI has a query component (Question)

Hello Thyrlian,

First of all, I'd like to thank you for all your effort and these Dockerfiles for the community. Lately, I've been hitting my head against a wall, may be you have an idea about this 👍

I was able to do everything locally in my linux machine, run docker images, unit test and even functional tests with an x86 emulator providing the SDK and project as external volumes. However, I created a small jenkins job with a pipeline and bumped into this problem when executing unit tests. It seems that something is going on with the jenkins slave node.

:presentation:testClasses
:presentation:testURI has a query component
java.lang.IllegalArgumentException: URI has a query component
	at java.io.File.<init>(File.java:427)
	at org.gradle.internal.classloader.ClasspathUtil$1.visitClassPath(ClasspathUtil.java:64)
	at org.gradle.internal.classloader.ClassLoaderVisitor.visit(ClassLoaderVisitor.java:41)
	at org.gradle.internal.classloader.ClassLoaderVisitor.visitParent(ClassLoaderVisitor.java:82)
	at org.gradle.internal.classloader.VisitableURLClassLoader.visit(VisitableURLClassLoader.java:49)
	at org.gradle.internal.classloader.ClassLoaderVisitor.visit(ClassLoaderVisitor.java:38)
	at org.gradle.internal.classloader.ClasspathUtil.getClasspath(ClasspathUtil.java:58)
	at org.gradle.process.internal.worker.DefaultWorkerProcessFactory.create(DefaultWorkerProcessFactory.java:67)
	at org.gradle.api.internal.tasks.testing.worker.ForkingTestClassProcessor.forkProcess(ForkingTestClassProcessor.java:95)
	at org.gradle.api.internal.tasks.testing.worker.ForkingTestClassProcessor.processTestClass(ForkingTestClassProcessor.java:85)
	at org.gradle.api.internal.tasks.testing.processors.RestartEveryNTestClassProcessor.processTestClass(RestartEveryNTestClassProcessor.java:52)
	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
	at java.lang.reflect.Method.invoke(Method.java:498)
	at org.gradle.internal.dispatch.ReflectionDispatch.dispatch(ReflectionDispatch.java:35)
	at org.gradle.internal.dispatch.ReflectionDispatch.dispatch(ReflectionDispatch.java:24)
	at org.gradle.internal.dispatch.FailureHandlingDispatch.dispatch(FailureHandlingDispatch.java:29)
	at org.gradle.internal.dispatch.AsyncDispatch.dispatchMessages(AsyncDispatch.java:133)
	at org.gradle.internal.dispatch.AsyncDispatch.access$000(AsyncDispatch.java:34)
	at org.gradle.internal.dispatch.AsyncDispatch$1.run(AsyncDispatch.java:73)
	at org.gradle.internal.operations.BuildOperationIdentifierPreservingRunnable.run(BuildOperationIdentifierPreservingRunnable.java:39)
	at org.gradle.internal.concurrent.ExecutorPolicy$CatchAndRecordFailures.onExecute(ExecutorPolicy.java:63)
	at org.gradle.internal.concurrent.ManagedExecutorImpl$1.run(ManagedExecutorImpl.java:46)
	at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149)
	at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624)
	at org.gradle.internal.concurrent.ThreadFactoryImpl$ManagedThreadRunnable.run(ThreadFactoryImpl.java:55)
	at java.lang.Thread.run(Thread.java:748)
URI has a query component
java.lang.IllegalArgumentException: URI has a query component ......

This is how the pipeline looks like

pipeline {
  agent {
    dockerfile {
        label 'slave'
        dir 'ci'
        filename 'Dockerfile'
        args '--privileged -v /home/jaime/Android/Sdk:/opt/android-sdk'
     }
  }

  stages {
    stage('Presentation tests'){
      steps {
          sh './gradlew --daemon clean :presentation:test'
       }
    }

    stage('Domain tests'){
      steps{
        sh './gradlew --daemon clean :domainodigeo:test'
      }
    }
  }
}

I know I don't actually need the "clean" (was just doing some testing)

The filename Dockerfile is similar to the VNC one without downloading the android SDK (since I have it in the host machine) and no ssh configuration. As I said, this only happen when working with remote machines, I guess is something related to paths/dirs ?

Cheers,
Thanks :)

'WARNING: The requested image's platform (linux/amd64) does not match the detected host platform (linux/arm64/v8) and no specific platform was requested

Hello.

what it means "Solves the problem of "It works on my machine, but not on XXX machine" ? I intended that your image works on every machine,from windows,to mac to arm32 or 64. It's not like this,the title is misleading. I tried to run your image on the jetson nano and I've got this error :

root@zi-desktop:~/Desktop/zi/Work/I9/Android# docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_SDK_ROOT/. /sdk

'WARNING: The requested image's platform (linux/amd64) does not match the detected host platform (linux/arm64/v8) and no specific platform was requested

standard_init_linux.go:219: exec user process caused: no such file or directory

redundant script?

I guess license acceptor script could be redundant while there is yes command.

Which `sdkmanager` to use???

At the time of writing, there are 3 different sdkmanager binaries after updating.

$ANDROID_SDK_ROOT/tools/bin/sdkmanager --version #=> 26.1.1
$ANDROID_SDK_ROOT/cmdline-tools/tools/bin/sdkmanager --version #=> 3.6.0
$ANDROID_SDK_ROOT/cmdline-tools/latest/bin/sdkmanager --version #=> 4.0.0

sdkmanager

ARM64 image variant

Is there any reason why you aren't building an ARM64 based image variant? With Apple Silicon and AWS Graviton, android developers are more likely to be developing on an ARM based toolchain.

Failed manual build image

hi @thyrlian. i'm facing this issue when try to build image manually using this command : docker build --build-arg GRADLE_VERSION=7.1.1 --build-arg KOTLIN_VERSION=1.6.10 -t android-sdk android-sdk and i got this error

5 107.9 Ign:15 http://ports.ubuntu.com/ubuntu-ports jammy-updates/main i386 Packages
#5 107.9 Ign:16 http://ports.ubuntu.com/ubuntu-ports jammy-updates/multiverse i386 Packages
#5 107.9 Ign:20 http://ports.ubuntu.com/ubuntu-ports jammy-backports/universe i386 Packages
#5 108.1 Ign:23 http://ports.ubuntu.com/ubuntu-ports jammy-security/multiverse i386 Packages
#5 108.1 Ign:25 http://ports.ubuntu.com/ubuntu-ports jammy-security/universe i386 Packages
#5 108.1 Ign:26 http://ports.ubuntu.com/ubuntu-ports jammy-security/restricted i386 Packages
#5 108.1 Ign:28 http://ports.ubuntu.com/ubuntu-ports jammy-security/main i386 Packages
#5 108.1 Err:5 http://ports.ubuntu.com/ubuntu-ports jammy/universe i386 Packages
#5 108.1   404  Not Found [IP: 185.125.190.39 80]
#5 108.1 Ign:6 http://ports.ubuntu.com/ubuntu-ports jammy/restricted i386 Packages
#5 108.1 Ign:8 http://ports.ubuntu.com/ubuntu-ports jammy/multiverse i386 Packages
#5 108.1 Ign:11 http://ports.ubuntu.com/ubuntu-ports jammy/main i386 Packages
#5 108.1 Err:13 http://ports.ubuntu.com/ubuntu-ports jammy-updates/restricted i386 Packages
#5 108.1   404  Not Found [IP: 185.125.190.39 80]
#5 108.1 Ign:14 http://ports.ubuntu.com/ubuntu-ports jammy-updates/universe i386 Packages
#5 108.7 Ign:15 http://ports.ubuntu.com/ubuntu-ports jammy-updates/main i386 Packages
#5 108.7 Ign:16 http://ports.ubuntu.com/ubuntu-ports jammy-updates/multiverse i386 Packages
#5 108.7 Err:20 http://ports.ubuntu.com/ubuntu-ports jammy-backports/universe i386 Packages
#5 108.7   404  Not Found [IP: 185.125.190.39 80]
#5 108.7 Err:23 http://ports.ubuntu.com/ubuntu-ports jammy-security/multiverse i386 Packages
#5 108.7   404  Not Found [IP: 185.125.190.39 80]
#5 108.7 Ign:25 http://ports.ubuntu.com/ubuntu-ports jammy-security/universe i386 Packages
#5 108.7 Ign:26 http://ports.ubuntu.com/ubuntu-ports jammy-security/restricted i386 Packages
#5 108.7 Ign:28 http://ports.ubuntu.com/ubuntu-ports jammy-security/main i386 Packages
#5 108.7 Fetched 20.6 MB in 1min 49s (190 kB/s)
#5 108.7 Reading package lists...
#5 108.7 E: Failed to fetch http://ports.ubuntu.com/ubuntu-ports/dists/jammy/universe/binary-i386/Packages  404  Not Found [IP: 185.125.190.39 80]
#5 108.7 E: Failed to fetch http://ports.ubuntu.com/ubuntu-ports/dists/jammy-updates/restricted/binary-i386/Packages  404  Not Found [IP: 185.125.190.39 80]
#5 108.7 E: Failed to fetch http://ports.ubuntu.com/ubuntu-ports/dists/jammy-backports/universe/binary-i386/Packages  404  Not Found [IP: 185.125.190.39 80]
#5 108.7 E: Failed to fetch http://ports.ubuntu.com/ubuntu-ports/dists/jammy-security/multiverse/binary-i386/Packages  404  Not Found [IP: 185.125.190.39 80]
#5 108.7 E: Some index files failed to download. They have been ignored, or old ones used instead.
------
executor failed running [/bin/sh -c dpkg --add-architecture i386 &&     apt-get update &&     apt-get dist-upgrade -y &&     apt-get install -y --no-install-recommends libncurses5:i386 libc6:i386 libstdc++6:i386 lib32gcc-s1 lib32ncurses6 lib32z1 zlib1g:i386 &&     apt-get install -y --no-install-recommends openjdk-${JDK_VERSION}-jdk &&     apt-get install -y --no-install-recommends git wget unzip &&     apt-get clean && rm -rf /var/lib/apt/list/*]: exit code: 100

could you please give me some advises for this error? btw i'm using MacPro M1. Thankyou

Adding the NDK

I was concerned about how the Android SDK EULA system would ruin reproducibility, but I saw that you have a solution for that, so I'm wondering a couple of things:

  • Can you do a version with the NDK? It's in common use and it would save people from logging into their dockers to install it themselves.
  • Can I do a version with the NDK? I'm wondering about those hexadecimal codes. Looks like black magic to me. I don't have to actually use sdkmanager do I? Or is that all done from the command line within the docker? Yeah I'm new...

Many thanks.

Q: Please help starting the emulator

Hi!

I'm playing with emulator. The goal is to run the emulator and connect to it via VNC.
I've done with the following steps, succeeded to connect to VNC, but saw only a blank rectangle instead of amulator window.
Help me please :)

I've tried these steps on both Docker for Mac and on Cloud computing services pod on Hetzner (Ubuntu 20.04, AMD EPYC 2nd Gen processor). In both cases I've got the same black rectangle.

Here are the steps I've done:
Host
⁃ docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_SDK_ROOT/. /sdk'
⁃ docker run -d -p 5901:5901 --name emulator -v $(pwd)/sdk:/opt/android-sdk thyrlian/android-sdk-vnc
⁃ docker exec -it emulator bash

Container
⁃ sdkmanager "platform-tools" "platforms;android-25" "emulator"
⁃ sdkmanager "system-images;android-25;google_apis;armeabi-v7a"
⁃ echo "no" | avdmanager create avd -n test -k "system-images;android-25;google_apis;armeabi-v7a"
⁃ emulator -avd test -noaudio -no-boot-anim -gpu off

Output of the emulator:

emulator: WARNING: encryption is off
emulator: INFO: QtLogger.cpp:68: Warning: XKeyboard extension not present on the X server ((null):0, (null))


NativeEventFilter: warning: cannot get mod mask info
WARNING. Using fallback path for the emulator registration directory.
Your emulator is out of date, please update by launching Android Studio:
 - Start Android Studio
 - Select menu "Tools > Android > SDK Manager"
 - Click "SDK Tools" tab
 - Check "Android Emulator" checkbox
 - Click "OK"

emulator: ERROR: AdbHostServer.cpp:102: Unable to connect to adb daemon on port: 5037
emulator: emulator window was out of view and was recentered

Then on host (Mac) I've connected to VNC server via Screen Sharing.
Знімок екрана 2020-11-13 о 19 03 12
Знімок екрана 2020-11-13 о 19 03 43

Emulator can't find AVD

I try to create and lunch AVD and here what I get:

$ echo "no" | avdmanager --verbose create avd -n test -k "system-images;android-26;google_apis;x86_64" -b google_apis/x86_64 -f
Picked up _JAVA_OPTIONS: -XX:+UnlockExperimentalVMOptions -XX:+UseCGroupMemoryLimitForHeap
Do you wish to create a custom hardware profile? [no]
$ avdmanager list avd
Picked up _JAVA_OPTIONS: -XX:+UnlockExperimentalVMOptions -XX:+UseCGroupMemoryLimitForHeap
Available Android Virtual Devices:
    Name: test
    Path: /root/.android/avd/test.avd
  Target: Google APIs (Google Inc.)
          Based on: Android API 26 Tag/ABI: google_apis/x86_64
$ emulator64-x86 -avd test -no-window -no-boot-anim -noaudio -accel on &
$ ./android-wait-for-emulator
emulator: ERROR: can't find SDK installation directory
emulator: could not find virtual device named 'test'

[Improvement] Update Gradle and Kotlin version

Hello @thyrlian ,

Could you update public version docker image Gradle version from 6.7 to 6.8.3 and Kotlin version from 1.4.10 to 1.5.0 ?

I know we can changed version locally but our devOps use public version and I don't have right to modified it

Please update

Thanks !

李先生您好!

請問方便更新一下目前公用的docker image嗎?

我們DevOps目前不採用客製化image且我也沒有權限可以進行修改

因此需要仰賴您的image更新

感謝 !

Using alternate ARM architecture emulator?

Hi. I've been using this Docker image today and was successful in getting it running and updating packages etc.

However the APK I am interested in testing only runs on ARM architecture, not x86. I've done the following but can't figure out how to get NoVNC to connect to this new emulator that is running?

root@18bb56082245:/# sdkmanager --list --verbose
root@18bb56082245:/# sdkmanager "system-images;android-25;google_apis;armeabi-v7a"
root@18bb56082245:/# echo "no" | avdmanager create avd -n test -k "system-images;android-25;google_apis;armeabi-v7a"
root@18bb56082245:/# avdmanager list avd
Parsing /root/build-tools/27.0.1/package.xmlParsing /root/emulator/package.xmlParsing /root/patcher/v4/package.xmlParsing /root/platform-tools/package.xmlParsing /root/platforms/android-25/package.xmlParsing /root/system-images/android-25/google_apis/armeabi-v7a/package.xmlParsing /root/system-images/android-25/google_apis/x86_64/package.xmlParsing /root/tools/package.xmlAvailable Android Virtual Devices:
    Name: samsung_galaxy_s6_7.1.1
  Device: Samsung Galaxy S6 (User)
    Path: /root/android_emulator
  Target: Google APIs (Google Inc.)
          Based on: Android 7.1.1 (Nougat) Tag/ABI: google_apis/x86_64
---------
    Name: test
    Path: /root/.android/avd/test.avd
  Target: Google APIs (Google Inc.)
          Based on: Android 7.1.1 (Nougat) Tag/ABI: google_apis/armeabi-v7a
root@18bb56082245:/# ./emulator64-arm -avd test -noaudio -no-boot-anim -no-window -accel on &
root@18bb56082245:/# adb devices
List of devices attached
emulator-5554	device

So I think I have successfully installed and launched the ARM emulator, but I can't figure out how to attach that session to the NoVNC console... Does NoVNC spawn inside of the emulator image itself, or is it something in the Docker rc files that runs it?

Thanks in advance

Default locale charmap is ANSI_X3.4-1968 instead of UTF-8

I got problem when run unit test. When run test which uses not ANSI characters it fails.
When I check charmap:
locale charmap it returns
ANSI_X3.4-1968
So is it possible to change default charmap to UTF-8?
I fixed this in container using commands:
apt install locales locale-gen en en_US en_US.UTF-8 update-locale en_US.UTF-8 export LC_ALL=en_US.UTF-8.
But this can be done in more proper way.

[Requirement] Upgrade AGP 8.x and JDK 17

  • What went wrong:
    A problem occurred evaluating project ':app'.

Failed to apply plugin 'com.android.internal.application'.
Android Gradle plugin requires Java 17 to run. You are currently using Java 11.
Your current JDK is located in /usr/lib/jvm/java-11-openjdk-amd64
You can try some of the following options:
- changing the IDE settings.
- changing the JAVA_HOME environment variable.
- changing org.gradle.java.home in gradle.properties.

I am using 'gradlew wrapper' change version to 8.1
but base on some reasons I don't have permission to control our team Jenkins CI such as build args so that I can not type '--build-arg JDK_VERSION=17'

And I think it's time to upgrade your base image because start in AGP 8.x.x, minimum JDK is 17, and you could also upgrade Kotlin version to 1.8.x

I know above requirement upgrading for you seems like period routine, but your image really helps me a lot.

Thanks @thyrlian

VNC screen size

Hi,
is it possible to customize the screen size at container boot?

Problem with using emulator

Hey, I am trying all day different configurations and I cannot really make it happen.

When I try to install any .apk I get an error:

root@a717690b4c77:/workspace# adb install /opt/android-sdk/system-images/android-26/google_apis/x86/data/app/SmokeTestApp/SmokeTestApp.apk 
Failed to install /opt/android-sdk/system-images/android-26/google_apis/x86/data/app/SmokeTestApp/SmokeTestApp.apk: Can't find service: package

Listing services of emulator indeed does not return package service and I don't know why.

adb shell service list
Found 6 services:
0	gpu: [android.ui.IGpuService]
1	SurfaceFlinger: [android.ui.ISurfaceComposer]
2	android.service.gatekeeper.IGateKeeperService: []
3	android.security.keystore: [android.security.IKeystoreService]
4	android.hardware.fingerprint.IFingerprintDaemon: []
5	batteryproperties: [android.os.IBatteryPropertiesRegistrar]

Any ideas?

My Dockerfile:

FROM thyrlian/android-sdk
RUN sdkmanager --update
RUN sdkmanager "system-images;android-24;google_apis;armeabi-v7a" --verbose
RUN echo "no" | avdmanager create avd -n test -k "system-images;android-24;google_apis;armeabi-v7a" -b default/armeabi-v7a -f

Using this as jenkins/ssh-slave?

Hi,

first of all, this is an awesome Image to build Android applications.

I tried to combine it in a container that is based on jenkins/ssh-slave so it can be used from my Jenkins with Azure Container Instances.

Do you know of any android sdk image that is as great as yours and is based on jenkins/ssh-slave? If not, do you think about creating one?

Regards

Base on alpine linux instead of ubuntu

Any possibility for this? I'm using this image as part of a Gitlab CI workflow, and quite a big chunk of time is spent downloading the image each time. This could be sped up quite a bit if the base image were as minimal and small as possible. It would cut the base image size from about 188 MB to 5 MB.

Warning: Failed to read or create install properties file.

Following the instructions for Emulator, I get an error:

root@768cc52f988b:~# sdkmanager "platform-tools" "platforms;android-24" "emulator"
Warning: Failed to read or create install properties file.                      
root@768cc52f988b:~#                    ] 10% Installing Android SDK Platform 24

Getting errors when I try to mount sdk

I'm using Ubuntu 18 and I get tons of errors when I try to mount the sdk dir into the container using this command:

docker run -it --rm -v sdk bash -c 'cp -a $ANDROID_HOME/. /sdk'

Errors:

cp: read error: I/O error
cp: can't open '/./proc/sys/net/ipv6/route/flush': Permission denied
cp: can't open '/./proc/sys/vm/compact_memory': Permission denied
cp: can't open '/./proc/kmsg': Operation not permitted
cp: can't open '/./proc/sysrq-trigger': Permission denied
cp: read error: I/O error
cp: read error: Invalid argument

Full:
https://pastebin.com/B2mgsf3h

pthread_create failed (EPERM) when running sdkmanager

Hi,

I've been using the same Jenkins build with the thyrlian/android-sdk image for a while now. Around May 18 it stopped working with a strange error, see below.
There were no significant changes on my end and according to free there are ~15GB of memory available. Any idea what might cause this?

           +frontend | --> FROM thyrlian/android-sdk
             context | --> local context .
            [...]
           +frontend | --> RUN sdkmanager --install "build-tools;29.0.2" "platforms;android-30"
           +frontend | [0.002s][warning][os,thread] Failed to start thread - pthread_create failed (EPERM) for attributes: stacksize: 1024k, guardsize: 4k, detached.
           +frontend | #
           +frontend | # There is insufficient memory for the Java Runtime Environment to continue.
           +frontend | # Cannot create worker GC thread. Out of system resources.
           +frontend | # An error report file with more information is saved as:
           +frontend | # //hs_err_pid13.log
           +frontend | �[91mCommand /bin/sh -c 'sdkmanager --install "build-tools;29.0.2" "platforms;android-30"' failed with exit code 1
           +frontend | �[0m
           +frontend | ERROR: Command exited with non-zero code: RUN sdkmanager --install "build-tools;29.0.2" "platforms;android-30"
Repeating the output of the command that caused the failure
================================ FAILURE [main] ================================
           +frontend *failed* | FLAVOR_NAME=appTest GRADLE_BUILD_TASK=assembleAppTest
           +frontend *failed* | --> RUN sdkmanager --install "build-tools;29.0.2" "platforms;android-30"
           +frontend *failed* | [0.002s][warning][os,thread] Failed to start thread - pthread_create failed (EPERM) for attributes: stacksize: 1024k, guardsize: 4k, detached.
           +frontend *failed* | #
           +frontend *failed* | # There is insufficient memory for the Java Runtime Environment to continue.
           +frontend *failed* | # Cannot create worker GC thread. Out of system resources.
           +frontend *failed* | # An error report file with more information is saved as:
           +frontend *failed* | # //hs_err_pid13.log
           +frontend *failed* | �[91mCommand /bin/sh -c 'sdkmanager --install "build-tools;29.0.2" "platforms;android-30"' failed with exit code 1
           +frontend *failed* | �[0m           +frontend *failed* | ERROR: Command exited with non-zero code: RUN sdkmanager --install "build-tools;29.0.2" "platforms;android-30"

Unable to update sdkmanager

I found this project interesting and was trying to install it on my system but I am stuck on an error when trying to update sdk manager-
Screenshot from 2019-11-15 14-15-14

I searched a bit online but the solutions given are only for java 9 and 10. I have ubuntu 18.04 and java 11. Is there any other solution apart from downgrading java version?

What is the fastest way to start an emulator in Travis?

I've been able to get an emulator to start on a macOS in Docker following your instructions... awesome!

However, when ever I start an emulator in Travis (using my own method), it takes almost 5 minutes (on an older ARM emulator).
https://travis-ci.org/brianegan/flutter_architecture_samples/jobs/502926447#L1186

Do you have any suggestions on how I can get an emulator to start faster on Travis?

Should I try running the emulator in docker (doesn't seem like there is any advantage in doing that)?

Or, should I try starting a more recent emulator (which one)?

Or is there an alternative way?

As far as alternatives:

  1. Using an emulator default snapshot .
    Seems like it should be possible. The problem is in finding the best way to download the snapshot image (~10GB). Maybe use AWS S3? Or possibly bundle the snapshot image into a docker image and start the emulator in the docker container?
  2. Using a Docker checkpoint .
    docker checkpoint create <container name> <checkpointname>
    docker start –checkpoint <checkpointname> <container name>
    
    Still have to find a way to download the checkpoint image to travis (S3?)
    (So far, I have not been able to get this feature to work on my local machine (macOS).)
  3. Maintain a running emulator on a server .
    Then connect to it from travis via ssh. Problem is, since travis runs jobs in parallel, would have to maintain multiple emulators and find a way to locate available emulator.
  4. Some other way??

(BTW: I tried connecting to Genymotion and it worked. But don't want to pay the price.)

MacOS error when starting emulator

I followed Getting Started , I entered below commands and I get below error:
$docker pull thyrlian/android-sdk
$docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_HOME/. /sdk'
$docker pull thyrlian/android-sdk-vnc
$docker run -it -p 5901:5901 -v $(pwd)/sdk:/opt/thyrlian/android-sdk thyrlian/android-sdk-vnc /bin/bash
$sdkmanager "system-images;android-24;default;armeabi-v7a"
$echo "no" | avdmanager create avd -f -n test -k "system-images;android-24;default;armeabi-v7a"
$emulator -avd test -noaudio -no-boot-anim -no-window -accel on &

error:

[1] 123
root@808e0a565ad9:/# ERROR: 32-bit Linux Android emulator binaries are DEPRECATED, to use them
       you will have to do at least one of the following:

       - Use the '-force-32bit' option when invoking 'emulator'.
       - Set ANDROID_EMULATOR_FORCE_32BIT to 'true' in your environment.

       Either one will allow you to use the 32-bit binaries, but please be
       aware that these will disappear in a future Android SDK release.
       Consider moving to a 64-bit Linux system before that happens.

$emulator -avd test -noaudio -no-boot-anim -no-window -force-32bit -accel on &
error:

[1] 434
root@27a7d06b1601:/# [139687693248320]:ERROR:./android/qt/qt_setup.cpp:28:Qt library not found at ../emulator/lib/qt/lib
Could not launch '../emulator/qemu/linux-x86/qemu-system-armel': No such file or directory

[1]+  Exit 2                  emulator -avd test -noaudio -no-boot-anim -no-window -force-32bit -accel on

I'm new to docker :)
Thanks.

[BUG] - Could not load the Qt platform plugin "xcb" in "/opt/android-sdk/emulator/lib64/qt/plugins" even though it was found.

I've follow the steps to run a simple android emulator on my docker container and recieved the following error after running the command emulator -avd test -no-audio -no-boot-anim -accel on -gpu swiftshader_indirect &:

emulator: INFO: QtLogger.cpp:68: Warning: could not connect to display  ((null):0, (null))


emulator: INFO: QtLogger.cpp:68: Info: Could not load the Qt platform plugin "xcb" in "/opt/android-sdk/emulator/lib64/qt/plugins" even though it was found. ((null):0, (null))


Fatal: This application failed to start because no Qt platform plugin could be initialized. Reinstalling the application may fix this problem.

Available platform plugins are: xcb.
 ((null):0, (null))
emulator: INFO: QtLogger.cpp:68: Fatal: This application failed to start because no Qt platform plugin could be initialized. Reinstalling the application may fix this problem.

Available platform plugins are: xcb.
 ((null):0, (null))

[Enhancement] Clean up image space

Description

Some spaces in the image are wasted, should be considered to free up.

Steps

Tool used: dive

dive thyrlian/android-sdk:7.1

Output

│ Image Details │

Image name: thyrlian/android-sdk:7.1
Total Image size: 1.3 GB
Potential wasted space: 7.2 MB
Image efficiency score: 99 %

Count   Total Space  Path
    3        2.2 MB  /var/cache/debconf/templates.dat
    2        1.4 MB  /var/cache/debconf/templates.dat-old
    3        693 kB  /var/log/dpkg.log
    3        667 kB  /var/lib/dpkg/status
    2        579 kB  /var/lib/dpkg/status-old
    2        530 kB  /var/lib/apt/lists/archive.ubuntu.com_ubuntu_dists_focal_InRelease
    2        228 kB  /var/lib/apt/lists/security.ubuntu.com_ubuntu_dists_focal-security_InRelease
    2        228 kB  /var/lib/apt/lists/archive.ubuntu.com_ubuntu_dists_focal-updates_InRelease
    2        201 kB  /var/lib/apt/lists/archive.ubuntu.com_ubuntu_dists_focal-backports_InRelease
    2        133 kB  /var/log/apt/term.log
    3         73 kB  /var/log/apt/history.log
    2         59 kB  /var/log/lastlog
    3         53 kB  /etc/ld.so.cache
    3         45 kB  /var/cache/debconf/config.dat
    3         42 kB  /var/cache/ldconfig/aux-cache
    2         40 kB  /var/cache/debconf/config.dat-old
    3         35 kB  /var/log/alternatives.log
    3         30 kB  /var/log/apt/eipp.log.xz
    3         23 kB  /var/lib/apt/extended_states
    2        6.5 kB  /var/log/faillog
    2        3.5 kB  /opt/license_accepter.sh
    2        1.9 kB  /etc/passwd
    2        1.0 kB  /etc/shadow
    2         903 B  /etc/group
    2         756 B  /etc/gshadow
    2         661 B  /var/lib/dpkg/triggers/File
    2         539 B  /root/.wget-hsts
    2          55 B  /var/lib/ucf/hashfile
    2          38 B  /var/lib/ucf/registry
    2           0 B  /tmp
    2           0 B  /var/lib/apt/lists/lock
    2           0 B  /var/lib/apt/lists/auxfiles
    3           0 B  /var/lib/dpkg/lock-frontend
    3           0 B  /var/lib/dpkg/lock
    2           0 B  /var/lib/dpkg/triggers/Unincorp
    3           0 B  /var/lib/dpkg/updates
    2           0 B  /var/lib/apt/lists/partial
    3           0 B  /var/cache/debconf/passwords.dat
    2           0 B  /etc/.pwd.lock
    3           0 B  /var/cache/apt/archives/partial
    3           0 B  /var/cache/apt/archives/lock
    3           0 B  /var/lib/dpkg/triggers/Lock

Emulator does not show any graphics

Description

Emulator shows black screen

image

Steps to reproduce the issue

$ docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_SDK_ROOT/. /sdk'
$ docker run -d -p 59.1: 5901 -p 2222:22 -v $(pwd)/sdk:/opt/android-sdk -v ~/.ssh/emulator.pub:/root/.ssh/authorized_keys -v $(pwd)/sdk_builder.sh:/root/sdk_builder.sh -v $(pwd)/com.amazon.kindle.apk:/root/com.amazon.kindle.apk thyrlian/android-sdk-vnc
$ ssh [email protected] -p 2222

root@20448ea13e96:$ bash sdk_builder.sh

I've also tried toggling various gpu options and different system images to no avail.

# sdk_builder.sh

sdkmanager --update
sdkmanager "platform-tools" "platforms;android-24" "platforms;android-25" "emulator"
sdkmanager "system-images;android-24;default;armeabi-v7a"
sdkmanager "system-images;android-25;google_apis;armeabi-v7a"

export QTWEBENGINE_DISABLE_SANDBOX=1

echo 'no' | avdmanager create avd -n 24_test -k "system-images;android-24;default;armeabi-v7a"
echo 'no' | avdmanager create avd -n 25_test -k "system-images;android-25;google_apis;armeabi-v7a"
# INFO: List existing Android Virtual Devices
avdmanager list avd
# launch emulator
 emulator -avd 24_test -no-audio -no-boot-anim -gpu off
# emulator -avd 24_test -no-audio -no-boot-anim -accel on -gpu swiftshader_indirect &

The output looks like that
image

But rerunning the script a second time round gives just this, without the 'emulator out of date' output
image

Describe the results you expected

The ability to use the emulator through VNC visually.

error ' licences have not been accepted' when running gradlew tests

when trying to run some tests using gradlew i'm getting the next error:
Can anyone please help?
Thanks

14:47:51 Checking the license for package Android SDK Build-Tools 28.0.3 in /opt/android-sdk/licenses
14:47:51 Warning: License for package Android SDK Build-Tools 28.0.3 not accepted.
14:47:51 Checking the license for package Android SDK Platform 27 in /opt/android-sdk/licenses
14:47:51 Warning: License for package Android SDK Platform 27 not accepted.
14:47:51
14:47:51 FAILURE: Build failed with an exception.
14:47:51
14:47:51 * What went wrong:
14:47:51 A problem occurred configuring project ':android-sdk'.
14:47:51 > Failed to install the following Android SDK packages as some licences have not been accepted.
14:47:51 platforms;android-27 Android SDK Platform 27
14:47:51 build-tools;28.0.3 Android SDK Build-Tools 28.0.3
14:47:51 To build this project, accept the SDK license agreements and install the missing components using the Android Studio SDK Manager.
14:47:51 Alternatively, to transfer the license agreements from one workstation to another, see http://d.android.com/r/studio-ui/export-licenses.html
14:47:51
14:47:51 Using Android SDK: /opt/android-sdk

Copying sdk into container fails due to permission denied

Running the following command as described in the readme fails with thousands of lines (one for each sdk file ?) stating that permission is denied.

➜  ~ docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_HOME/. /sdk'
cp: cannot create directory '/sdk/./sys/fs/cgroup/cpuset': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/cpu': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/cpuacct': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/blkio': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/memory': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/devices': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/freezer': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/net_cls': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/perf_event': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/net_prio': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/hugetlb': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/pids': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/rdma': Permission denied
cp: cannot create directory '/sdk/./sys/fs/cgroup/systemd': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/features/lazy_itable_init': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/features/batched_discard': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/features/meta_bg_resize': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/features/metadata_csum_seed': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/vda1/delayed_allocation_blocks': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/vda1/session_write_kbytes': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/vda1/lifetime_write_kbytes': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/vda1/max_writeback_mb_bump': Permission denied
cp: cannot open '/./sys/fs/ext4/vda1/trigger_fs_error' for reading: Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/vda1/errors_count': Permission denied
cp: cannot create regular file '/sdk/./sys/fs/ext4/vda1/first_error_time': Permission denied
...

error: could not install *smartsocket* listener: Address already in use

huhailang@ubuntu:~$ adb connect 127.0.0.1:5037
adb server version (41) doesn't match this client (39); killing...
ADB server didn't ACK
Full server startup log: /tmp/adb.1000.log
Server had pid: 55064
--- adb starting (pid 55064) ---
adb I 11-04 20:16:14 55064 55064 main.cpp:57] Android Debug Bridge version 1.0.39
adb I 11-04 20:16:14 55064 55064 main.cpp:57] Version 1:8.1.0+r23-5ubuntu2
adb I 11-04 20:16:14 55064 55064 main.cpp:57] Installed as /usr/lib/android-sdk/platform-tools/adb
adb I 11-04 20:16:14 55064 55064 main.cpp:57]
error: could not install smartsocket listener: Address already in use

huhailang@ubuntu:~$ ps aux | grep adb
root 55298 0.0 0.1 248128 5896 ? Sl 20:16 0:00 adb -a server nodaemon &
huhaila+ 55457 0.0 0.0 17664 724 pts/1 S+ 20:17 0:00 grep --color=auto adb

The process id 55298 is adb server, it start with the docker container. In addition, no other adb processes were found.
Ive tried multiple variations of this, but none of them seem to work. Any ideas?

Use an error in the Jenkins Pipeline

        docker {
                        // android sdk环境  构建完成自动删除容器
                        image "thyrlian/android-sdk:latest"
                        // 缓存gradle工具  :ro或者 :rw 前者表示容器只读,后者表示容器对数据卷是可读可写的。默认情况下是可读可写的
                        args " -v /var/cache/gradle:/root/.gradle:rw -v /my/android/sdk:/opt/android-sdk:ro "
                        reuseNode true // 使用根节点
                    }

13:49:49 Warning: License for package Android SDK Platform 28 not accepted.
13:49:49
13:49:49 FAILURE: Build failed with an exception.
13:49:49
13:49:49 * What went wrong:
13:49:49 Could not determine the dependencies of task ':accesscontrol:compileReleaseJavaWithJavac'.
13:49:49 > Failed to install the following Android SDK packages as some licences have not been accepted.
13:49:49 patcher;v4 SDK Patch Applier v4
13:49:49 build-tools;28.0.3 Android SDK Build-Tools 28.0.3
13:49:49 platform-tools Android SDK Platform-Tools
13:49:49 tools Android SDK Tools
13:49:49 platforms;android-28 Android SDK Platform 28
13:49:49 emulator Android Emulator
13:49:49 To build this project, accept the SDK license agreements and install the missing components using the Android Studio SDK Manager.
13:49:49 Alternatively, to transfer the license agreements from one workstation to another, see http://d.android.com/r/studio-ui/export-licenses.html
13:49:49
13:49:49 Using Android SDK: /opt/android-sdk

Command encounters error on Windows

I follow the instruction, but this cmd failed:

docker run -it --rm -v $(pwd)/sdk:/sdk thyrlian/android-sdk bash -c 'cp -a $ANDROID_HOME/. /sdk'

error:

docker: Error response from daemon: create $(pwd)/sdk: "$(pwd)/sdk" includes invalid characters for a local volume name, only "[a-zA-Z0-9][a-zA-Z0-9_.-]" are allowed. If you intended to pass a host directory, use absolute path.
See 'docker run --help'.

Android app crashing before even showing the splash screen

The docker file which we are using is below.

FROM thyrlian/android-sdk:6.0

#######################

Node installation

#######################
RUN apt-get update &&
apt-get install -y git wget curl unzip awscli jq
RUN mkdir /usr/local/nvm
ENV NVM_DIR /usr/local/nvm
ENV NODE_VERSION 14.15.1

Install nvm with node and npm

RUN curl https://raw.githubusercontent.com/creationix/nvm/v0.35.3/install.sh | bash
&& . $NVM_DIR/nvm.sh
&& nvm install $NODE_VERSION
&& nvm alias default $NODE_VERSION
&& nvm use default

ENV NODE_PATH $NVM_DIR/v$NODE_VERSION/lib/node_modules
ENV PATH $NVM_DIR/versions/node/v$NODE_VERSION/bin:$PATH
RUN npm --version

#######################

Cordova installation

#######################
ENV CORDOVA_VERSION=10.0.0
CODE_PUSH_CLI_VERSION=3.0.0
# Fix for the issue with Selenium, as described here:
# SeleniumHQ/docker-selenium#87
DBUS_SESSION_BUS_ADDRESS=/dev/null

RUN npm install -g cordova@"$CORDOVA_VERSION" code-push-cli@"$CODE_PUSH_CLI_VERSION" &&
mkdir -p /root/.cache/yarn/

Install Accept Android SDK licenses

RUN yes y | ${ANDROID_HOME}/tools/bin/sdkmanager --licenses

RUN cordova telemetry off

#######################

Additions to android

#######################
WORKDIR /
ENV ANDROID_SDK_ROOT /opt/android-sdk

Preserved for backwards compatibility

ENV ANDROID_HOME /opt/android-sdk

RUN yes | sdkmanager --licenses

RUN touch /root/.android/repositories.cfg

Emulator and Platform tools

RUN yes | sdkmanager "emulator" "platform-tools"

SDKs

Please keep these in descending order!

The yes is for accepting all non-standard tool licenses.

RUN yes | sdkmanager --update --channel=3

Please keep all sections in descending order!

RUN yes | sdkmanager
"platforms;android-29"
"build-tools;29.0.2"
"extras;android;m2repository"
"extras;google;m2repository"
"extras;google;google_play_services"
"add-ons;addon-google_apis-google-24"
"add-ons;addon-google_apis-google-23"
"add-ons;addon-google_apis-google-22"
"add-ons;addon-google_apis-google-21"

Create Cordova App

RUN cordova create android_app

Move to cordova app

WORKDIR /android_app

Adding platform

RUN cordova platform add android

Replacing minimum android support version

RUN sed -i -e 's/android:minSdkVersion=""/android:minSdkVersion="15"/g' platforms/android/CordovaLib/AndroidManifest.xml
RUN sed -i -e 's/defaultMinSdkVersion="
"/defaultMinSdkVersion=15/g' platforms/android/build.gradle

WORKDIR /

Add Scripts

ADD /generate_app /.

Add keystore, build.json, remove_permissions.js to app

RUN mkdir -p /android_app/keystore

ADD /keystore/openn_dapper.keystr /android_app/keystore/openn_dapper.keystore
ADD /keystore/openn_v2.keystr /android_app/keystore/openn_v2.keystore

ADD /build.json /android_app/build.json
ADD /remove_permissions.js /android_app/remove_permissions.js

WORKDIR /

‘Jenkins’ doesn’t have label ‘android’

during the Jenkins job execution, the error raised

‘Jenkins’ doesn’t have label ‘android’

and here is an error log

Error during callback
com.github.dockerjava.api.exception.BadRequestException: {"message":"OCI runtime create failed: container_linux.go:345: starting container process caused "process_linux.go:430: container init caused \"rootfs_linux.go:58: mounting \\\"/Users/user/Desktop/master/authorized_keys\\\" to rootfs \\\"/var/lib/docker/overlay2/e87c57b43e7a5d998da41741a539ae48a207f42752bd3ab715fb1e65b9d8a434/merged\\\" at \\\"/var/lib/docker/overlay2/e87c57b43e7a5d998da41741a539ae48a207f42752bd3ab715fb1e65b9d8a434/merged/root/.ssh/authorized_keys\\\" caused \\\"not a directory\\\"\"": unknown: Are you trying to mount a directory onto a file (or vice-versa)? Check if the specified host path exists and is the expected type"}

at com.github.dockerjava.netty.handler.HttpResponseHandler.channelRead0(HttpResponseHandler.java:99)
at com.github.dockerjava.netty.handler.HttpResponseHandler.channelRead0(HttpResponseHandler.java:33)
at io.netty.channel.SimpleChannelInboundHandler.channelRead(SimpleChannelInboundHandler.java:105)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:362)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:348)
at io.netty.channel.AbstractChannelHandlerContext.fireChannelRead(AbstractChannelHandlerContext.java:340)
at io.netty.handler.logging.LoggingHandler.channelRead(LoggingHandler.java:241)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:362)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:348)
at io.netty.channel.AbstractChannelHandlerContext.fireChannelRead(AbstractChannelHandlerContext.java:340)
at io.netty.channel.CombinedChannelDuplexHandler$DelegatingChannelHandlerContext.fireChannelRead(CombinedChannelDuplexHandler.java:438)
at io.netty.handler.codec.ByteToMessageDecoder.fireChannelRead(ByteToMessageDecoder.java:310)
at io.netty.handler.codec.ByteToMessageDecoder.channelRead(ByteToMessageDecoder.java:284)
at io.netty.channel.CombinedChannelDuplexHandler.channelRead(CombinedChannelDuplexHandler.java:253)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:362)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:348)
at io.netty.channel.AbstractChannelHandlerContext.fireChannelRead(AbstractChannelHandlerContext.java:340)
at io.netty.handler.timeout.IdleStateHandler.channelRead(IdleStateHandler.java:287)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:362)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:348)
at io.netty.channel.AbstractChannelHandlerContext.fireChannelRead(AbstractChannelHandlerContext.java:340)
at io.netty.channel.DefaultChannelPipeline$HeadContext.channelRead(DefaultChannelPipeline.java:1334)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:362)
at io.netty.channel.AbstractChannelHandlerContext.invokeChannelRead(AbstractChannelHandlerContext.java:348)
at io.netty.channel.DefaultChannelPipeline.fireChannelRead(DefaultChannelPipeline.java:926)
at io.netty.channel.nio.AbstractNioByteChannel$NioByteUnsafe.read(AbstractNioByteChannel.java:134)
at io.netty.channel.nio.NioEventLoop.processSelectedKey(NioEventLoop.java:644)
at io.netty.channel.nio.NioEventLoop.processSelectedKeysOptimized(NioEventLoop.java:579)
at io.netty.channel.nio.NioEventLoop.processSelectedKeys(NioEventLoop.java:496)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:458)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:858)
at io.netty.util.concurrent.DefaultThreadFactory$DefaultRunnableDecorator.run(DefaultThreadFactory.java:138)
at java.lang.Thread.run(Thread.java:748)

Docker images prior to v3 do not contain android 28 sdk

I fixed the Android 28 issue in PR #17. We have been using the latest image but with the v3 upgrade we locked down to the previous version on docker hub, 2.5. Unfortunately our builds fail due to not having android-28 fix, there aren't any tags that contain this working version, unless we also are prepared for the upgraded ubuntu & gradle environment.

Would it be possible to push a 2.6 tag to one of the older build hashes that contains the android 28 fixes prior to v3?

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.