21 min read

(For more resources related to this topic, see here.)

Based on the features provided by the functions defined in these header files, the APIs can be grouped as follows:

  • Activity lifecycle management:

    • native_activity.h

    • looper.h

  • Windows management:

    • rect.h

    • window.h

    • native_window.h

    • native_window_jni.h

  • Input (including key and motion events) and sensor events:

    • input.h

    • keycodes.h

    • sensor.h

  • Assets, configuration, and storage management:

    • configuration.h

    • asset_manager.h

    • asset_manager_jni.h

    • storage_manager.h

    • obb.h

In addition, Android NDK also provides a static library named native app glue to help create and manage native activities. The source code of this library can be found under the sources/android/native_app_glue/ directory.

In this article, we will first introduce the creation of a native activity with the simple callback model provided by native_acitivity.h, and the more complicated but flexible two-threaded model enabled by the native app glue library. We will then discuss window management at Android NDK, where we will draw something on the screen from the native code. Input events handling and sensor accessing are introduced next. Lastly, we will introduce asset management, which manages the files under the assets folder of our project. Note that the APIs covered in this article can be used to get rid of the Java code completely, but we don’t have to do so. The Managing assets at Android NDK recipe provides an example of using the asset management API in a mixed-code Android project.

Before we start, it is important to keep in mind that although no Java code is needed in a native activity, the Android application still runs on Dalvik VM, and a lot of Android platform features are accessed through JNI. The Android native application API just hides the Java world for us.

Creating a native activity with the native_activity.h interface

The Android native application API allows us to create a native activity, which makes writing Android apps in pure native code possible. This recipe introduces how to write a simple Android application with pure C/C++ code.

Getting ready

Readers are expected to have basic understanding of how to invoke JNI functions.

How to do it…

The following steps to create a simple Android NDK application without a single line of Java code:

  1. Create an Android application named NativeActivityOne. Set the package name as cookbook.chapter5.nativeactivityone.

  2. Right-click on the NativeActivityOne project, select Android Tools | Add Native Support.
  3. Change the AndroidManifest.xml file as follows:

    <manifest
    package="cookbook.chapter5.nativeactivityone"
    android:versionCode="1"
    android:versionName="1.0">
    <uses-sdk android_minSdkVersion="9"/>
    <application android_label="@string/app_name"
    android:icon="@drawable/ic_launcher"
    android:hasCode="true">
    <activity android_name="android.app.NativeActivity"
    android:label="@string/app_name"
    android:configChanges="orientation|keyboardHidden">
    <meta-data android_name="android.app.lib_name"
    android:value="NativeActivityOne" />
    <intent-filter>
    <action android_name="android.intent.action.MAIN" />
    <category android_name="android.intent.category.
    LAUNCHER" />
    </intent-filter>
    </activity>
    </application>
    </manifest>

    We should ensure that the following are set correctly in the preceding file:

    • The activity name must be set to android.app.NativeActivity.

    • The value of the android.app.lib_name metadata must be set to the native module name without the lib prefix and .so suffix.

    • android:hasCode needs to be set to true, which indicates that the application contains code. Note that the documentation in <NDK root>/docs/NATIVE-ACTIVITY.HTML gives an example of the AndroidManifest.xml file with android:hasCode set to false, which will not allow the application to start.

  4. Add two files named NativeActivityOne.cpp and mylog.h under the jni folder. The ANativeActivity_onCreate method should be implemented in NativeActivityOne.cpp. The following is an example of the implementation:

    void ANativeActivity_onCreate(ANativeActivity* activity,
    void* savedState, size_t savedStateSize) {
    printInfo(activity);
    activity->callbacks->onStart = onStart;
    activity->callbacks->onResume = onResume;
    activity->callbacks->onSaveInstanceState = onSaveInstanceState;
    activity->callbacks->onPause = onPause;
    activity->callbacks->onStop = onStop;
    activity->callbacks->onDestroy = onDestroy;
    activity->callbacks->onWindowFocusChanged =
    onWindowFocusChanged;
    activity->callbacks->onNativeWindowCreated =
    onNativeWindowCreated;
    activity->callbacks->onNativeWindowResized =
    onNativeWindowResized;
    activity->callbacks->onNativeWindowRedrawNeeded =
    onNativeWindowRedrawNeeded;
    activity->callbacks->onNativeWindowDestroyed =
    onNativeWindowDestroyed;
    activity->callbacks->onInputQueueCreated = onInputQueueCreated;
    activity->callbacks->onInputQueueDestroyed =
    onInputQueueDestroyed;
    activity->callbacks->onContentRectChanged =
    onContentRectChanged;
    activity->callbacks->onConfigurationChanged =
    onConfigurationChanged;
    activity->callbacks->onLowMemory = onLowMemory;
    activity->instance = NULL;
    }

  5. Add the Android.mk file under the jni folder:

    LOCAL_PATH := $(call my-dir)
    include $(CLEAR_VARS)
    LOCAL_MODULE := NativeActivityOne
    LOCAL_SRC_FILES := NativeActivityOne.cpp
    LOCAL_LDLIBS := -landroid -llog
    include $(BUILD_SHARED_LIBRARY)

  6. Build the Android application and run it on an emulator or a device. Start a terminal and display the logcat output using the following:

    $ adb logcat -v time NativeActivityOne:I *:S

    Alternatively, you can use the logcat view at Eclipse to see the logcat output. When the application starts, you should be able to see the following logcat output:

    As shown in the screenshot, a few Android activity lifecycle callback functions are executed. We can manipulate the phone to cause other callbacks being executed. For example, long pressing the home button and then pressing the back button will cause the onWindowFocusChanged callback to be executed.

How it works…

In our example, we created a simple, “pure” native application to output logs when the Android framework calls into the callback functions defined by us. The “pure” native application is not really pure native. Although we did not write a single line of Java code, the Android framework still runs some Java code on Dalvik VM.

Android framework provides an android.app.NativeActivity.java class to help us create a “native” activity. In a typical Java activity, we extend android.app.Activity and overwrite the activity lifecycle methods. NativeActivity is also a subclass of android. app.Activity and does similar things. At the start of a native activity, NativeActivity. java will call ANativeActivity_onCreate, which is declared in native_activity.h and implemented by us. In the ANativeActivity_onCreate method, we can register our callback methods to handle activity lifecycle events and user inputs. At runtime, NativeActivity will invoke these native callback methods when the corresponding events occurred.

In a word, NativeActivity is a wrapper that hides the managed Android Java world for our native code, and exposes the native interfaces defined in native_activity.h.

The ANativeActivity data structure: Every callback method in the native code accepts an instance of the ANativeActivity structure. Android NDK defines the ANativeActivity data structure in native_acitivity.h as follows:

typedef struct ANativeActivity {
struct ANativeActivityCallbacks* callbacks;
JavaVM* vm;
JNIEnv* env;
jobject clazz;
const char* internalDataPath;
const char* externalDataPath;
int32_t sdkVersion;
void* instance;
AAssetManager* assetManager;
} ANativeActivity;

The various attributes of the preceding code are explained as follows:

  • callbacks: It is a data structure that defines all the callbacks that the Android framework will invoke with the main UI thread.

  • vm: It is the application process’ global Java VM handle. It is used in some JNI functions.

  • env: It is a JNIEnv interface pointer. JNIEnv is used through local storage data , so this field is only accessible through the main UI thread.

  • clazz: It is a reference to the android.app.NativeActivity object created by the Android framework. It can be used to access fields and methods in the android. app.NativeActivity Java class. In our code, we accessed the toString method of android.app.NativeActivity.

  • internalDataPath: It is the internal data directory path for the application.

  • externalDataPath: It is the external data directory path for the application.

    internalDataPath and externalDataPath are NULL at Android 2.3.x. This is a known bug and has been fixed since Android 3.0. If we are targeting devices lower than Android 3.0, then we need to find other ways to get the internal and external data directories.

  • sdkVersion: It is the Android platform’s SDK version code. Note that this refers to the version of the device/emulator that runs the app, not the SDK version used in our development.

  • instance: It is not used by the framework. We can use it to store user-defined data and pass it around.

  • assetManager: It is the a pointer to the app’s instance of the asset manager. We will need it to access assets data. We will discuss it in more detail in the Managing assets at Android NDK recipe of this article

There’s more…

The native_activity.h interface provides a simple single thread callback mechanism, which allows us to write an activity without Java code. However, this single thread approach infers that we must quickly return from our native callback methods. Otherwise, the application will become unresponsive to user actions (for example, when we touch the screen or press the Menu button, the app does not respond because the GUI thread is busy executing the callback function).

A way to solve this issue is to use multiple threads. For example, many games take a few seconds to load. We will need to offload the loading to a background thread, so that the UI can display the loading progress and be responsive to user inputs. Android NDK comes with a static library named android_native_app_glue to help us in handling such cases. The details of this library are covered in the Creating a native activity with the Android native app glue recipe.

A similar problem exists at Java activity. For example, if we write a Java activity that searches the entire device for pictures at onCreate, the application will become unresponsive. We can use AsyncTask to search and load pictures in the background, and let the main UI thread display a progress bar and respond to user inputs.

Creating a native activity with the Android native app glue

The previous recipe described how the interface defined in native_activity.h allows us to create native activity. However, all the callbacks defined are invoked with the main UI thread, which means we cannot do heavy processing in the callbacks.

Android SDK provides AsyncTask, Handler, Runnable, Thread, and so on, to help us handle things in the background and communicate with the main UI thread. Android NDK provides a static library named android_native_app_glue to help us execute callback functions and handle user inputs in a separate thread. This recipe will discuss the android_native_app_glue library in detail.

Getting ready

The android_native_app_glue library is built on top of the native_activity.h interface. Therefore, readers are recommended to read the Creating a native activity with the native_activity.h interface recipe before going through this one.

How to do it…

The following steps create a simple Android NDK application based on the android_native_app_glue library:

  1. Create an Android application named NativeActivityTwo. Set the package name as cookbook.chapter5.nativeactivitytwo.

  2. Right-click on the NativeActivityTwo project, select Android Tools | Add Native Support.

  3. Change the AndroidManifest.xml file as follows:

    <manifest
    package="cookbook.chapter5.nativeactivitytwo"
    android:versionCode="1"
    android:versionName="1.0">
    <uses-sdk android_minSdkVersion="9"/>
    <application android_label="@string/app_name"
    android:icon="@drawable/ic_launcher"
    android:hasCode="true">
    <activity android_name="android.app.NativeActivity"
    android:label="@string/app_name"
    android:configChanges="orientation|keyboardHidden">
    <meta-data android_name="android.app.lib_name"
    android:value="NativeActivityTwo" />
    <intent-filter>
    <action android_name="android.intent.action.MAIN" />
    <category android_name="android.intent.category.
    LAUNCHER" />
    </intent-filter>
    </activity>
    </application>
    </manifest>

  4. Add two files named NativeActivityTwo.cpp and mylog.h under the jni folder. NativeActivityTwo.cpp is shown as follows:

    #include <jni.h>
    #include <android_native_app_glue.h>
    #include "mylog.h"
    void handle_activity_lifecycle_events(struct android_app* app,
    int32_t cmd) {
    LOGI(2, "%d: dummy data %d", cmd, *((int*)(app->userData)));
    }
    void android_main(struct android_app* app) {
    app_dummy(); // Make sure glue isn't stripped.
    int dummyData = 111;
    app->userData = &dummyData;
    app->onAppCmd = handle_activity_lifecycle_events;
    while (1) {
    int ident, events;
    struct android_poll_source* source;
    if ((ident=ALooper_pollAll(-1, NULL, &events, (void**)&source)) >=
    0) {
    source->process(app, source);
    }
    }
    }

  5. Add the Android.mk file under the jni folder:

    LOCAL_PATH := $(call my-dir)
    include $(CLEAR_VARS)
    LOCAL_MODULE := NativeActivityTwo
    LOCAL_SRC_FILES := NativeActivityTwo.cpp
    LOCAL_LDLIBS := -llog -landroid
    LOCAL_STATIC_LIBRARIES := android_native_app_glue
    include $(BUILD_SHARED_LIBRARY)
    $(call import-module,android/native_app_glue)

  6. Build the Android application and run it on an emulator or device. Start a terminal and display the logcat output by using the following command:

    adb logcat -v time NativeActivityTwo:I *:S

    When the application starts, you should be able to see the following logcat output and the device screen will shows a black screen:

    On pressing the back button, the following output will be shown:

How it works…

This recipe demonstrates how the android_native_app_glue library is used to create a native activity.

The following steps should be followed to use the android_native_app_glue library:

  • Implement a function named android_main. This function should implement an event loop, which will poll for events continuously. This method will run in the background thread created by the library.

  • Two event queues are attached to the background thread by default, including the activity lifecycle event queue and the input event queue. When polling events using the looper created by the library, you can identify where the event is coming from, by checking the returned identifier (either LOOPER_ID_MAIN or LOOPER_ID_INPUT). It is also possible to attach additional event queues to the background thread.

  • When an event is returned, the data pointer will point to an android_poll_source data structure. We can call the process function of this structure. The process is a function pointer, which points to android_app->onAppCmd for activity lifecycle events, and android_app->onInputEvent for input events. We can provide our own processing functions and direct the corresponding function pointers to these functions.

In our example, we implement a simple function named handle_activity_lifecycle_ events and point the android_app->onAppCmd function pointer to it. This function simply prints the cmd value and the user data passed along with the android_app data structure. cmd is defined in android_native_app_glue.h as an enum. For example, when the app starts, the cmd values are 10, 11, 0, 1, and 6, which correspond to APP_CMD_START, APP_CMD_RESUME, APP_CMD_INPUT_CHANGED, APP_CMD_INIT_WINDOW, and APP_CMD_ GAINED_FOCUS respectively.

android_native_app_glue Library Internals: The source code of the android_native_ app_glue library can be found under the sources/android/native_app_glue folder of Android NDK. It only consists of two files, namely android_native_app_glue.c and android_native_app_glue.h. Let’s first describe the flow of the code and then discuss some important aspects in detail.

Since the source code for native_app_glue is provided, we can modify it if necessary, although in most cases it won’t be necessary.

android_native_app_glue is built on top of the native_activity.h interface. As shown in the following code (extracted from sources/android/native_app_glue/ android_native_app_glue.c). It implements the ANativeActivity_onCreate function, where it registers the callback functions and calls the android_app_create function. Note that the returned android_app instance is pointed by the instance field of the native activity, which can be passed to various callback functions:

void ANativeActivity_onCreate(ANativeActivity* activity,
void* savedState, size_t savedStateSize) {
LOGV("Creating: %pn", activity);
activity->callbacks->onDestroy = onDestroy;
activity->callbacks->onStart = onStart;
activity->callbacks->onResume = onResume;
… …
activity->callbacks->onNativeWindowCreated =
onNativeWindowCreated;
activity->callbacks->onNativeWindowDestroyed =
onNativeWindowDestroyed;
activity->callbacks->onInputQueueCreated = onInputQueueCreated;
activity->callbacks->onInputQueueDestroyed =
onInputQueueDestroyed;
activity->instance = android_app_create(activity, savedState,
savedStateSize);
}

The android_app_create function (shown in the following code snippet) initializes an instance of the android_app data structure, which is defined in android_native_app_ glue.h. This function creates a unidirectional pipe for inter-thread communication. After that, it spawns a new thread (let’s call it background thread thereafter) to run the android_ app_entry function with the initialized android_app data as the input argument. The main thread will wait for the background thread to start and then return:

static struct android_app* android_app_create(ANativeActivity*
activity, void* savedState, size_t savedStateSize) {
struct android_app* android_app = (struct android_app*)
malloc(sizeof(struct android_app));
memset(android_app, 0, sizeof(struct android_app));
android_app->activity = activity;
pthread_mutex_init(&android_app->mutex, NULL);
pthread_cond_init(&android_app->cond, NULL);
……
int msgpipe[2];
if (pipe(msgpipe)) {
LOGE("could not create pipe: %s", strerror(errno));
return NULL;
}
android_app->msgread = msgpipe[0];
android_app->msgwrite = msgpipe[1];
pthread_attr_t attr;
pthread_attr_init(&attr);
pthread_attr_setdetachstate(&attr, PTHREAD_CREATE_DETACHED);
pthread_create(&android_app->thread, &attr, android_app_entry,
android_app);
// Wait for thread to start.
pthread_mutex_lock(&android_app->mutex);
while (!android_app->running) {
pthread_cond_wait(&android_app->cond, &android_app->mutex);
}
pthread_mutex_unlock(&android_app->mutex);
return android_app;
}

The background thread starts with the android_app_entry function (as shown in the following code snippet), where a looper is created. Two event queues will be attached to the looper. The activity lifecycle events queue is attached to the android_app_entry function. When the activity’s input queue is created, the input queue is attached (to the android_ app_pre_exec_cmd function of android_native_app_glue.c). After attaching the activity lifecycle event queue, the background thread signals the main thread it is already running. It then calls a function named android_main with the android_app data. android_main is the function we need to implement, as shown in our sample code. It must run in a loop until the activity exits:

static void* android_app_entry(void* param) {
struct android_app* android_app = (struct android_app*)param;
… …
//Attach life cycle event queue with identifier LOOPER_ID_MAIN
android_app->cmdPollSource.id = LOOPER_ID_MAIN;
android_app->cmdPollSource.app = android_app;
android_app->cmdPollSource.process = process_cmd;
android_app->inputPollSource.id = LOOPER_ID_INPUT;
android_app->inputPollSource.app = android_app;
android_app->inputPollSource.process = process_input;
ALooper* looper = ALooper_prepare(ALOOPER_PREPARE_ALLOW_NON_
CALLBACKS);
ALooper_addFd(looper, android_app->msgread, LOOPER_ID_MAIN,
ALOOPER_EVENT_INPUT, NULL, &android_app->cmdPollSource);
android_app->looper = looper;
pthread_mutex_lock(&android_app->mutex);
android_app->running = 1;
pthread_cond_broadcast(&android_app->cond);
pthread_mutex_unlock(&android_app->mutex);
android_main(android_app);
android_app_destroy(android_app);
return NULL;
}

The following diagram indicates how the main and background thread work together to create the multi-threaded native activity:

We use the activity lifecycle event queue as an example. The main thread invokes the callback functions, which simply writes to the write end of the pipe, while true loop implemented in the android_main function will poll for events. Once an event is detected, the function calls the event handler, which reads the exact command from the read end of the pipe and handles it. The android_native_app_glue library implements all the main thread stuff and part of the background thread stuff for us. We only need to supply the polling loop and the event handler as illustrated in our sample code.

Pipe: The main thread creates a unidirectional pipe in the android_app_create function by calling the pipe method. This method accepts an array of two integers. After the function is returned, the first integer will be set as the file descriptor referring to the read end of the pipe, while the second integer will be set as the file descriptor referring to the write end of the pipe.

A pipe is usually used for Inter-process Communication (IPC), but here it is used for communication between the main UI thread and the background thread created at android_ app_entry. When an activity lifecycle event occurs, the main thread will execute the corresponding callback function registered at ANativeActivity_onCreate. The callback function simply writes a command to the write end of the pipe and then waits for a signal from the background thread. The background thread is supposed to poll for events continuously and once it detects a lifecycle event, it will read the exact event from the read end of the pipe, signal the main thread to unblock and handle the events. Because the signal is sent right after receiving the command and before actual processing of the events, the main thread can return from the callback function quickly without worrying about the possible long processing of the events.

Different operating systems have different implementations for the pipe. The pipe implemented by Android system is “half-duplex”, where communication is unidirectional. That is, one file descriptor can only write, and the other file descriptor can only read. Pipes in some operating system is “full-duplex”, where the two file descriptors can both read and write.

Looper is an event tracking facility, which allows us to attach one or more event queues for an event loop of a thread. Each event queue has an associated file descriptor. An event is data available on a file descriptor. In order to use a looper, we need to include the android/ looper.h header file.

The library attaches two event queues for the event loop to be created by us in the background thread, including the activity lifecycle event queue and the input event queue. The following steps should be performed in order to use a looper:

  1. Create or obtain a looper associated with the current thread: This is done by the ALooper_prepare function:

    ALooper* ALooper_prepare(int opts);

    This function prepares a looper associated with the calling thread and returns it. If the looper doesn’t exist, it creates one, associates it with the thread, and returns it

  2. Attach an event queue: This is done by ALooper_addFd. The function has the following prototype:

    int ALooper_addFd(ALooper* looper, int fd, int ident, int events,
    ALooper_callbackFunc callback, void* data);

    The function can be used in two ways. Firstly, if callback is set to NULL, the ident set will be returned by ALooper_pollOnce and ALooper_pollAll. Secondly, if callback is non-NULL, then the callback function will be executed and ident is ignored. The android_native_app_glue library uses the first approach to attach a new event queue to the looper. The input argument fd indicates the file descriptor associated with the event queue. ident is the identifier for the events from the event queue, which can be used to classify the event. The identifier must be bigger than zero when callback is set to NULL. callback is set to NULL in the library source code, and data points to the private data that will be returned along with the identifier at polling.

    In the library, this function is called to attach the activity lifecycle event queue to the background thread. The input event queue is attached using the input queue specific function AInputQueue_attachLooper, which we will discuss in the Detecting and handling input events at NDK recipe.

  3. Poll for events: This can be done by either one of the following two functions:

    int ALooper_pollOnce(int timeoutMillis, int* outFd, int*
    outEvents, void** outData);
    int ALooper_pollAll(int timeoutMillis, int* outFd, int* outEvents,
    void** outData);

    These two methods are equivalent when callback is set to NULL in ALooper_addFd. They have the same input arguments. timeoutMillis specifies the timeout for polling. If it is set to zero, then the functions return immediately; if it is set to negative, they will wait indefinitely until an event occurs. The functions return the identifier (greater than zero) when an event occurs from any input queues attached to the looper. In this case, outFd, outEvents, and outData will be set to the file descriptor, poll events, and data associated with the event. Otherwise, they will be set to NULL.

  4. Detach event queues: This is done by the following function:

    int ALooper_removeFd(ALooper* looper, int fd);

    It accepts the looper and file descriptor associated with the event queue, and detaches the queue from the looper.

LEAVE A REPLY

Please enter your comment!
Please enter your name here