How to Use OpenGL ES 2 in an Android Live Wallpaper

I’ve recently been looking into creating my first Live Wallpaper for Android as an opportunity to learn more about OpenGL ES and hopefully create something neat at the same time.

Throughout our entire series of Android tutorials, we’ve been using GLSurfaceView to take care of the hard work of threading and initialization for us; imagine my surprise when I learned that there is no equivalent for live wallpapers!

What we’re going to cover in this lesson

  • Adding multiple live wallpapers to a single APK.
  • Adding a thumbnail and description to the live wallpaper.
  • Using a GLSurfaceView to drive the live wallpaper.
  • Adapting the internals of GLSurfaceView to implement our own initialization and threading.
  • Allowing the user to switch between the two.

If you want to do OpenGL in a live wallpaper, it seems that there are a few alternatives:

  1. Do everything yourself. This might be a preferred option for some, but I won’t be exploring this in any more detail.
  2. Use GLSurfaceView, and adapt it to a live wallpaper. This lets us reuse a lot of code, but since this class was written to be used inside of an activity as a view, it might behave a little weirdly if we try to use it in a live wallpaper.
  3. Re-implement the features of GLSurfaceView. Robert Green has generously written up a re-implementation based on GLSurfaceView, and many have successfully based their wallpapers off of this code, so this might be one way to go. One caveat that I do have is that we need to duplicate a lot of the code and functionality inside GLSurfaceView, and we won’t be able to benefit from updates or variations between different versions of Android.

Since this is a research article, we’ll take a look at both options two and three. To start off, we’ll first look at adapting the existing GLSurfaceView for use within a live wallpaper. Later, we’ll see how we can use Robert Green’s work for rendering with OpenGL ES 2.0.

Here are the two main approaches we’re going to look at:

  • Approach 1: Using GLSurfaceView inside a live wallpaper
  • Approach 2: Using a custom live wallpaper based on the internals of GLSurfaceView

We’ll also look at combining the two approaches and allowing the user to select between the two. Let’s begin with the first approach: using GLSurfaceView.

Approach One: Using GLSurfaceView inside a live wallpaper

The first evidence I found that it was possible to use GLSurfaceView in a live wallpaper was from these files, by Ben Gruver:

I found these through this stack overflow question: http://stackoverflow.com/questions/4998533/android-live-wallpapers-with-opengl-es-2-0

Full credits to Ben Gruver for showing us one way that it could be done; in this article, we’ll work with our own adaptation of GLSurfaceView, with an emphasis on using it for OpenGL ES 2.0.

1. Creating the wallpaper service

Android Live Wallpapers are built off of WallpaperService, so the first thing we’ll do is create a new class called GLWallpaperService. Each service is really just a wrapper around an engine, which is subclassed from WallpaperService.Engine. This engine handles the actual lifecycle events of the live wallpaper.

We’ll be working with the Android OpenGL tutorials as a base, which can be downloaded from GitHub.

  1. Start off by creating a new package to contain the live wallpaper classes. For this lesson, I’ll be using com.learnopengles.android.livewallpaper.
  2. Inside this package, create a new class called GLWallpaperService.
Creating a new wallpaper service subclass

At the beginning of our new class, GLWallpaperService, extend WallpaperService:

public abstract class GLWallpaperService extends WallpaperService {
Creating a new wallpaper engine subclass

We’ll then create a new engine, so let’s also extend WallpaperService.Engine as an inner class:

public class GLEngine extends Engine {
Creating a custom subclass of GLSurfaceView

Inside the engine, create a new subclass of GLSurfaceView, called WallpaperGLSurfaceView:

class WallpaperGLSurfaceView extends GLSurfaceView {
	private static final String TAG = "WallpaperGLSurfaceView";

	WallpaperGLSurfaceView(Context context) {
		super(context);
	}

	@Override
	public SurfaceHolder getHolder() {
		return getSurfaceHolder();
	}

	public void onDestroy() {
		super.onDetachedFromWindow();
	}
}

We’ll be using this special subclass of GLSurfaceView to handle initializing OpenGL. The two methods to take note of are getHolder() and onDestroy(). Let’s take a look at these two methods in more detail:

getHolder()
Normally, GLSurfaceView calls getHolder() to get the surface holder provided by its superclass, SurfaceView, which assumes that it’s part of an activity as part of the content view. Since we’re driving a live wallpaper, we don’t want to use this surface. Instead, we override getHolder() to call [WallpaperService.Engine].getSurfaceHolder() to get the surface that’s associated with the live wallpaper.
onDestroy()
We need a way of telling the GLSurfaceView when it’s no longer valid. There’s no onDestroy(), but there is an onDetachedFromWindow() that we can use. We create our own onDestroy() to call onDetachedFromWindow().

Now that we have our extended GLSurfaceView in place, we can add a few lifecycle events and helper methods to round out a basic implementation:

Adding lifecycle events to the engine
private static final String TAG = "GLEngine";

private WallpaperGLSurfaceView glSurfaceView;
private boolean rendererHasBeenSet;

@Override
public void onCreate(SurfaceHolder surfaceHolder) {
	super.onCreate(surfaceHolder);
	glSurfaceView = new WallpaperGLSurfaceView(GLWallpaperService.this);
}

We initialize glSurfaceView in onCreate(). Remember that these methods should be placed inside of our inner class, GLEngine, and not at the same level as the wallpaper service. Let’s add a lifecycle event to handle visibility:

@Override
public void onVisibilityChanged(boolean visible) {
	super.onVisibilityChanged(visible);

	if (rendererHasBeenSet) {
		if (visible) {
			glSurfaceView.onResume();
		} else {
			glSurfaceView.onPause();			
		}
	}
}

Since we don’t have activity onPause() and onResume() events, we hook into the wallpaper engine’s onVisibilityChanged() event, instead. If the live wallpaper’s visible, we tell glSurfaceView to resume, and if it’s no longer visible, we tell it to pause.

We do check if the glSurfaceView is ready, since we shouldn’t call these methods unless a renderer has been set.

Let’s round out the life cycle events:

@Override
public void onDestroy() {
	super.onDestroy();
	glSurfaceView.onDestroy();
}

When the live wallpaper is destroyed, we tell glSurfaceView to stop rendering, using the custom onDestroy() method we defined earlier.

Adding helper methods to the engine

There’s also a couple of helper methods we’ll want to call from subclasses. Let’s define them now:

protected void setRenderer(Renderer renderer) {
	glSurfaceView.setRenderer(renderer);
	rendererHasBeenSet = true;
}

protected void setEGLContextClientVersion(int version) {
	glSurfaceView.setEGLContextClientVersion(version);
}

protected void setPreserveEGLContextOnPause(boolean preserve) {
	glSurfaceView.setPreserveEGLContextOnPause(preserve);
}

These methods simply wrap the glSurfaceView, so that we can call them from our subclasses.

2. Initializing OpenGL ES 2.0

The next step is to create a subclass that is derived from the GLWallpaperService that we’ve just created; this subclass will initialize OpenGL ES 2.0 and also initialize a custom renderer.

Create a new class, OpenGLES2WallpaperService, and add the following code:

public abstract class OpenGLES2WallpaperService extends GLWallpaperService {
	@Override
	public Engine onCreateEngine() {
		return new OpenGLES2Engine();
	}

	class OpenGLES2Engine extends GLWallpaperService.GLEngine {

		@Override
		public void onCreate(SurfaceHolder surfaceHolder) {
			super.onCreate(surfaceHolder);

			// Check if the system supports OpenGL ES 2.0.
			final ActivityManager activityManager =
				(ActivityManager) getSystemService(Context.ACTIVITY_SERVICE);
			final ConfigurationInfo configurationInfo =
				activityManager.getDeviceConfigurationInfo();
			final boolean supportsEs2 =
				configurationInfo.reqGlEsVersion >= 0x20000;

			if (supportsEs2)
			{
				// Request an OpenGL ES 2.0 compatible context.
				setEGLContextClientVersion(2);

				// On Honeycomb+ devices, this improves the performance when
				// leaving and resuming the live wallpaper.
				setPreserveEGLContextOnPause(true);

				// Set the renderer to our user-defined renderer.
				setRenderer(getNewRenderer());
			}
			else
			{
				// This is where you could create an OpenGL ES 1.x compatible
				// renderer if you wanted to support both ES 1 and ES 2.
				return;
			}
		}
	}

	abstract Renderer getNewRenderer();
}

As you can see, this is very similar to the OpenGL ES 2.0 initialization code that we’ve added to all of our activities in the Android tutorials. Calling setPreserveEGLContextOnPause() will ask the GLSurfaceView to preserve the OpenGL context, which will speed up pausing and restarting the live wallpaper by holding onto the surface.

3. Initializing a custom renderer

To round out the Java code, let’s add a final subclass, LessonThreeWallpaperService, which is going to use the renderer from lesson three as our live wallpaper:

public class LessonThreeWallpaperService extends OpenGLES2WallpaperService {
	@Override
	Renderer getNewRenderer() {
		return new LessonThreeRenderer();
	}
}

4. Adding the wallpaper to the manifest

Before we can install the live wallpaper on a device, we need to add it to the manifest and create a configuration file for it. Add the following to AndroidManifest.xml:

<service
    android:name=".livewallpaper.LessonThreeWallpaperService"
    android:label="@string/lesson_three_wallpaper_1"
    android:permission="android.permission.BIND_WALLPAPER" >
    <intent-filter>
        <action android:name="android.service.wallpaper.WallpaperService" />
    </intent-filter>

    <meta-data
        android:name="android.service.wallpaper"
        android:resource="@xml/wallpaper" />
</service>

This tells Android that this service is a live wallpaper, with the label set to @string/lesson_three_wallpaper_1. Let’s define a couple extra strings in strings.xml as follows:

<string name="lesson_three_wallpaper_1">Using GLSurfaceView</string>
<string name="lesson_three_wallpaper_2">Using re-implementation of GLSurfaceView</string>
<string name="lesson_three_wallpaper_3">Switching implementations</string>

We also need to create a wallpaper definition file. Create a new file, /res/xml/wallpaper.xml, and add the following:

<wallpaper xmlns:android="http://schemas.android.com/apk/res/android"
    android:thumbnail="@drawable/ic_lesson_three" />

This tells Android that this wallpaper should use this thumbnail when the user looks at the list of live wallpapers.

5. Build the application and view the wallpaper.

Now we can build the app and check out the live wallpaper. Install the app to your device, then go to your live wallpapers. You should see the following:

After selecting the live wallpaper, you should see a preview of lesson 3 on the screen:

Caveats with GLSurfaceView

Here are some of the caveats I can think of off of the top of my head; since this is a research article, I’d love to get your feedback.

  • I currently don’t understand enough about how SurfaceView works to see if using a GLSurfaceView uses additional resources in allocating Surfaces that never get used, since we’re using the live wallpaper’s surface.
  • SurfaceView, from which GLSurfaceView is based, sets the surface to PixelFormat.RGB_565 by default, whereas the WallpaperService sets PixelFormat.RGBX_8888 by default (checked against the ICS sources).

Approach Two: Using a custom live wallpaper based on the internals of GLSurfaceView

[Note: The wallpaper has changed since this was first written, as Mark Guerra and other contributors have extended Robert Green’s work at this GitHub repository: https://github.com/GLWallpaperService/GLWallpaperService. The rest of this section is no longer required for adding support for OpenGL ES 2.0.]

As the second part of this research article, we’ll also be creating a live wallpaper with Robert Green and Mark Guerra’s adaptation of the code from GLSurfaceView. For this, you’ll want to download GLWallpaperService from http://git.io/gbhjmQ. Since we already have a GLWallpaperService, let’s create a new package to contain this class, and let’s call it com.learnopengles.android.rbgrnlivewallpaper.

After you have copied the class from GitHub, be sure to update the package name and any imports.

1. Adding support for OpenGL ES 2.0.

The first thing to note with this wallpaper service is that it doesn’t seem to have support for OpenGL ES 2.0. We’ll add this support by using the source code for GLSurfaceView as a base.

Open up the GLWallPaperService we just downloaded, and let’s make the following changes:

Adding mEGLContextClientVersion

The first thing we’ll do is add a new variable called mEGLContextClientVersion. Add the following to the beginning of GLEngine:

private int mEGLContextClientVersion;
Adding a method to set the EGL context client version

The next thing we’ll need to do is adapt setEGLContextClientVersion() from GLSurfaceView. Add the following method before setRenderer():

public void setEGLContextClientVersion(int version) {
    checkRenderThreadState();
    mEGLContextClientVersion = version;
}
Updating DefaultContextFactory

The next thing we need to do is to update createContext() inside the class DefaultContextFactory. Update the interface EGLContextFactory and the class DefaultContextFactory as follows:

interface EGLContextFactory {
	EGLContext createContext(EGL10 egl, EGLDisplay display, EGLConfig eglConfig, int eglContextClientVersion);

	void destroyContext(EGL10 egl, EGLDisplay display, EGLContext context);
}

class DefaultContextFactory implements EGLContextFactory {
	private int EGL_CONTEXT_CLIENT_VERSION = 0x3098;

	public EGLContext createContext(EGL10 egl, EGLDisplay display, EGLConfig config, int eglContextClientVersion) {
        int[] attrib_list = {EGL_CONTEXT_CLIENT_VERSION, eglContextClientVersion,
                EGL10.EGL_NONE };

        return egl.eglCreateContext(display, config, EGL10.EGL_NO_CONTEXT,
        		eglContextClientVersion != 0 ? attrib_list : null);
    }
Updating EglHelper

We’ll also need to fix the call to createContext(). Find the call to mEGLContextFactory.createContext() which is located inside the class EglHelper, and update it as follows:

mEglContext = mEGLContextFactory.createContext(mEgl, mEglDisplay,
			mEglConfig, mEGLContextClientVersion);

Since mEGLContextClientVersion has not been defined in this scope, add it to the beginning of EglHelper, and pass it in the constructor as follows:

private int mEGLContextClientVersion;

public EglHelper(EGLConfigChooser chooser,
		EGLContextFactory contextFactory,
		EGLWindowSurfaceFactory surfaceFactory, GLWrapper wrapper,
		int eglContextClientVersion) {
	...
	this.mEGLContextClientVersion = eglContextClientVersion;
}
Updating GLThread

Now GLThread doesn’t compile, so we’ll need to define mEGLContextClientVersion in that scope, too. Add the following code:

private int mEGLContextClientVersion;

GLThread(GLWallpaperService.Renderer renderer, EGLConfigChooser chooser,
		EGLContextFactory contextFactory,
		EGLWindowSurfaceFactory surfaceFactory, GLWrapper wrapper,
		int eglContextClientVersion) {
		...
		this.mEGLContextClientVersion = eglContextClientVersion;
	}

Now we can update the call to new EglHelper as follows:

mEglHelper = new EglHelper(mEGLConfigChooser, mEGLContextFactory,
				mEGLWindowSurfaceFactory, mGLWrapper, mEGLContextClientVersion);
Updating setRenderer()

Now that we’ve added the variables at the right scope levels, we can now adjust the call to new GLThread, and pass in the mEGLContextClientVersion from GLEngine. Update the call to new GLThread in setRenderer() as follows:

mGLThread = new GLThread(renderer, mEGLConfigChooser,
			mEGLContextFactory, mEGLWindowSurfaceFactory, mGLWrapper,
			mEGLContextClientVersion);
Updating BaseConfigChooser

There’s one more change we need to do before we can use setEGLContextClientVersion(). Update the class BaseConfigChooser as follows:

protected int mEGLContextClientVersion;

public BaseConfigChooser(int[] configSpec, int eglContextClientVersion) {
    this.mEGLContextClientVersion = eglContextClientVersion;
    mConfigSpec = filterConfigSpec(configSpec);
}

...

private int[] filterConfigSpec(int[] configSpec) {
    if (mEGLContextClientVersion != 2) {
        return configSpec;
    }
    /* We know none of the subclasses define EGL_RENDERABLE_TYPE.
     * And we know the configSpec is well formed.
     */
    int len = configSpec.length;
    int[] newConfigSpec = new int[len + 2];
    System.arraycopy(configSpec, 0, newConfigSpec, 0, len-1);
    newConfigSpec[len-1] = EGL10.EGL_RENDERABLE_TYPE;
    newConfigSpec[len] = 4; /* EGL_OPENGL_ES2_BIT */
    newConfigSpec[len+1] = EGL10.EGL_NONE;
    return newConfigSpec;
}
Updating ComponentSizeChooser

We’ll need to scope this new variable, so let’s update the constructor for ComponentSizeChooser:

public ComponentSizeChooser(int redSize, int greenSize, int blueSize,
		int alphaSize, int depthSize, int stencilSize, int eglContextClientVersion) {
	super(new int[] { EGL10.EGL_RED_SIZE, redSize,
			EGL10.EGL_GREEN_SIZE, greenSize, EGL10.EGL_BLUE_SIZE,
			blueSize, EGL10.EGL_ALPHA_SIZE, alphaSize,
			EGL10.EGL_DEPTH_SIZE, depthSize, EGL10.EGL_STENCIL_SIZE,
			stencilSize, EGL10.EGL_NONE }, eglContextClientVersion);
Updating SimpleEGLConfigChooser

We’ll need to keep scoping this variable in, so update SimpleEGLConfigChooser as follows:

public static class SimpleEGLConfigChooser extends ComponentSizeChooser {
	public SimpleEGLConfigChooser(boolean withDepthBuffer, int eglContextClientVersion) {
		super(4, 4, 4, 0, withDepthBuffer ? 16 : 0, 0, eglContextClientVersion);
Updating methods in GLEngine

Now that we’ve added the scoping, we’ll have to update our calls from our methods in GLEngine as follows:

mEGLConfigChooser = new SimpleEGLConfigChooser(true, mEGLContextClientVersion);
...
setEGLConfigChooser(new SimpleEGLConfigChooser(needDepth, mEGLContextClientVersion));
...
setEGLConfigChooser(new ComponentSizeChooser(redSize, greenSize,
					blueSize, alphaSize, depthSize, stencilSize, mEGLContextClientVersion));

2. Initializing OpenGL ES 2.0.

Now that we’ve updated GLWallpaperView to add support for OpenGL ES 2.0, we can now subclass it to initialize OpenGL ES 2.0. Let’s copy the same OpenGLES2WallpaperService from before into our new package, com.learnopengles.android.rbgrnlivewallpaper:

public abstract class OpenGLES2WallpaperService extends GLWallpaperService {
	@Override
	public Engine onCreateEngine() {
		return new OpenGLES2Engine();
	}

	class OpenGLES2Engine extends GLWallpaperService.GLEngine {

		@Override
		public void onCreate(SurfaceHolder surfaceHolder) {
			super.onCreate(surfaceHolder);

			// Check if the system supports OpenGL ES 2.0.
			final ActivityManager activityManager =
				(ActivityManager) getSystemService(Context.ACTIVITY_SERVICE);
			final ConfigurationInfo configurationInfo =
				activityManager.getDeviceConfigurationInfo();
			final boolean supportsEs2 =
				configurationInfo.reqGlEsVersion >= 0x20000;

			if (supportsEs2)
			{
				// Request an OpenGL ES 2.0 compatible context.
				setEGLContextClientVersion(2);

				// Set the renderer to our user-defined renderer.
				setRenderer(getNewRenderer());
			}
			else
			{
				// This is where you could create an OpenGL ES 1.x compatible
				// renderer if you wanted to support both ES 1 and ES 2.
				return;
			}
		}
	}

	abstract Renderer getNewRenderer();
}

3. Adding a renderer.

We can also copy LessonThreeWallpaperService from before, and use it as is:

public class LessonThreeWallpaperService extends OpenGLES2WallpaperService {
	@Override
	Renderer getNewRenderer() {
		return new LessonThreeRenderer();
	}
}

We have a compile error because GLWallpaperService doesn’t use the same renderer interface. Let’s go back to it and delete the following lines:

public interface Renderer extends GLSurfaceView.Renderer {

}

We’ll need to update some class references, so replace all instances of GLWallpaperService.Renderer with Renderer, and optimize imports. Our code should now compile.

4. Updating the manifest.

As before, we’ll need to update the manifest to add in the new live wallpaper. Add the following to AndroidManifest.xml:

<service
    android:name=".rbgrnlivewallpaper.LessonThreeWallpaperService"
    android:label="@string/lesson_three_wallpaper_2"
    android:permission="android.permission.BIND_WALLPAPER" >
    <intent-filter>
        <action android:name="android.service.wallpaper.WallpaperService" />
    </intent-filter>

    <meta-data
        android:name="android.service.wallpaper"
        android:resource="@xml/wallpaper" />
</service>

5. Build the application and view the wallpaper.

If everything went well, then you should now see two live wallpapers in the list, corresponding to the two that we’ve created:

When we select one of the wallpapers, we should see the following:

Taking the best of approaches one & two: switching between implementations in a single live wallpaper

We’ve now shown that we can use either implementation as a backing for our live wallpaper: either by using a GLSurfaceView directly with a few slight modifications, or by adapting Robert Green’s work (itself based off of the internals of GLSurfaceView) to support OpenGL ES 2.0.

What if we could switch between implementations, based on a user toggle? That could be a useful debugging feature: if ever a user has an issue with one implementation, they could always try the other.

To do this, we need a new service that will return either the first engine we created or the second, based on the configured setting. Let’s create a new package called com.learnopengles.android.switchinglivewallpaper, and let’s create a new class called, you guessed it, GLWallpaperService.

1. Updating GLWallpaperService to support switching

The first thing we’ll do is copy the entire class body of GLWallpaperService from com.learnopengles.android.livewallpaper into the new GLWallpaperService. The only difference is that we’ll rename the engine to GLSurfaceViewEngine.

The second thing we’ll do is copy the entire class body of GLWallpaperService from com.learnopengles.android.rbgrnlivewallpaper into the new GLWallpaperService; let’s call that engine RbgrnGLEngine.

We can update each engine to implement the following interface, so that we won’t have to duplicate code afterwards:

interface OpenGLEngine {
	void setEGLContextClientVersion(int version);

	void setRenderer(Renderer renderer);
}

The code is too long to paste in its entirety, so you can double check against the GitHub code here: https://github.com/learnopengles/Learn-OpenGLES-Tutorials/blob/master/android/AndroidOpenGLESLessons/src/com/learnopengles/android/switchinglivewallpaper/GLWallpaperService.java

2. Creating a new OpenGLES2WallpaperService to support switching

In com.learnopengles.android.switchinglivewallpaper, create a new OpenGLES2WallpaperService with the following code:

public abstract class OpenGLES2WallpaperService extends GLWallpaperService {
	private static final String SETTINGS_KEY = "use_gl_surface_view";

	@Override
	public Engine onCreateEngine() {
		if (PreferenceManager.getDefaultSharedPreferences(
				OpenGLES2WallpaperService.this).getBoolean(SETTINGS_KEY, true)) {
			return new ES2GLSurfaceViewEngine();
		} else {
			return new ES2RgbrnGLEngine();
		}
	}

	class ES2GLSurfaceViewEngine extends GLWallpaperService.GLSurfaceViewEngine {

		@Override
		public void onCreate(SurfaceHolder surfaceHolder) {
			super.onCreate(surfaceHolder);
			init(this);
		}
	}

	class ES2RgbrnGLEngine extends GLWallpaperService.RgbrnGLEngine {

		@Override
		public void onCreate(SurfaceHolder surfaceHolder) {
			super.onCreate(surfaceHolder);
			init(this);
		}
	}

	void init(OpenGLEngine engine) {
		// Check if the system supports OpenGL ES 2.0.
		final ActivityManager activityManager = (ActivityManager) getSystemService(Context.ACTIVITY_SERVICE);
		final ConfigurationInfo configurationInfo = activityManager
				.getDeviceConfigurationInfo();
		final boolean supportsEs2 = configurationInfo.reqGlEsVersion >= 0x20000;

		if (supportsEs2) {
			// Request an OpenGL ES 2.0 compatible context.
			engine.setEGLContextClientVersion(2);

			// Set the renderer to our user-defined renderer.
			engine.setRenderer(getNewRenderer());
		} else {
			// This is where you could create an OpenGL ES 1.x compatible
			// renderer if you wanted to support both ES 1 and ES 2.
			return;
		}
	}

	abstract Renderer getNewRenderer();
}

As you can see, this is similar to the previous versions, except that it’s been updated to support switching. We can copy LessonThreeWallpaperService over to the new package as-is.

3. Adding a settings activity

The next thing we want to do is add a settings activity. Create WallpaperSettings as follows:

public class WallpaperSettings extends PreferenceActivity {
	protected void onCreate(Bundle savedInstanceState) {
		super.onCreate(savedInstanceState);
		addPreferencesFromResource(R.xml.preferences);
	}
}
Creating the settings XML

We also need to create an XML for the settings. Create preferences.xml under /res/xml:

<?xml version="1.0" encoding="utf-8"?>
<PreferenceScreen xmlns:android="http://schemas.android.com/apk/res/android" >
    <CheckBoxPreference
        android:key="use_gl_surface_view"
        android:title="Use GLSurfaceView"
        android:defaultValue="true"/>
</PreferenceScreen>
Creating a new wallpaper XML

We’ll also need to create a new wallpaper.xml. Copy the existing wallpaper.xml to switching_wallpaper.xml, and update its content as follows:

<?xml version="1.0" encoding="utf-8"?>
<wallpaper xmlns:android="http://schemas.android.com/apk/res/android"
    android:settingsActivity="com.learnopengles.android.switchinglivewallpaper.WallpaperSettings"
    android:thumbnail="@drawable/ic_lesson_three" />
Updating the manifest

We’ll now need to update AndroidManifest.xml. Add the following:

<service
    android:name=".switchinglivewallpaper.LessonThreeWallpaperService"
    android:label="@string/lesson_three_wallpaper_3"
    android:permission="android.permission.BIND_WALLPAPER" >
    <intent-filter>
        <action android:name="android.service.wallpaper.WallpaperService" />
    </intent-filter>

    <meta-data
        android:name="android.service.wallpaper"
        android:resource="@xml/switching_wallpaper" />
</service>
<activity
    android:name=".switchinglivewallpaper.WallpaperSettings"
    android:exported="true"
    android:label="@string/lesson_three_wallpaper_3"
    android:permission="android.permission.BIND_WALLPAPER"
    android:theme="@style/WallpaperSettingsLight" >
</activity>
Adding new themes

We defined a new theme, so let’s add the following style definitions:

/res/values/styles.xml

https://github.com/learnopengles/Learn-OpenGLES-Tutorials/blob/master/android/AndroidOpenGLESLessons/res/values/styles.xml

/res/values-v11/styles.xml

https://github.com/learnopengles/Learn-OpenGLES-Tutorials/blob/master/android/AndroidOpenGLESLessons/res/values-v11/styles.xml

/res/values-v14/styles.xml

https://github.com/learnopengles/Learn-OpenGLES-Tutorials/blob/master/android/AndroidOpenGLESLessons/res/values-v14/styles.xml

These styles are adapted from the Theme.WallpaperSettings and Theme.Light.WallpaperSettings included with Android, but also updated so that they use the Holo theme on later versions of Android.

If you’re having trouble building the project after adding the new styles, change your build target to a newer version of Android (note that the app will still work on older versions, as they will simply ignore the XML).

4. Viewing the new live wallpaper

We can now build and run the application, and we’ll see our new live wallpaper in the list:

If we select the new one, “Switching implementations”, and open up the settings, we’ll see something like this:

We can use the toggle to change implementations; the toggle won’t take effect until we go back to the list of live wallpapers and then go back in to view the preview.

Wrapping up

I’d love to hear from those who have actually implemented live wallpapers, as well as from Robert Green and the Android guys if they ever come across this post! I just got this working with a few hours of research and development, but when it comes to this, I have nowhere near the same level of experience as some of the experts out there. I’d love to hear from you about the upsides and downsides of both using GLSurfaceView and of rolling out a custom derivative implementation based on the internals of GLSurfaceView.

Further exercises

Is there a better way to handle switching between implementations? How would you do it? Also, what would you do to continue animating the wallpaper even when the settings screen is displayed on top? Maybe when the settings screen appears you can grab a reference to the wallpaper and manually call its onVisibilityChanged()? You could also check for isPreview() directly in onVisibilityChanged(), but that will lead to problems when you exit the preview window.

I defined the settings key string in two places (once as a constant in Java, and once as an XML string); what would you do to avoid this duplication?

Get the source

The full source code for this lesson can be downloaded from the project site on GitHub.

Thanks for stopping by, and please feel free to check out the code and share your comments below.

Enhanced by Zemanta

About the book

Android is booming like never before, with millions of devices shipping every day. In OpenGL ES 2 for Android: A Quick-Start Guide, you’ll learn all about shaders and the OpenGL pipeline, and discover the power of OpenGL ES 2.0, which is much more feature-rich than its predecessor.

It’s never been a better time to learn how to create your own 3D games and live wallpapers. If you can program in Java and you have a creative vision that you’d like to share with the world, then this is the book for you.

Share

Author: Admin

Kevin is the author of OpenGL ES 2 for Android: A Quick-Start Guide. He also has extensive experience in Android development.

38 thoughts on “How to Use OpenGL ES 2 in an Android Live Wallpaper”

  1. Your other posts have been great in getting me started making OpenGL ES apps for android, and this is exactly what I wanted to do next. Great timing!

  2. An upside to using your own derivate of the glsurfaceview is that you can prevent surfaceloss without having to worry about the wallpaper running in the background.

    For example, with a normal glsurfaceview you should call glsurfaceview.onpause whenever visibility is lost. This should and will destroy the surface and it has to be reacquired once you go back to the wallpaper. Destroying the surface is generally considered good design as it frees up resources and makes sure the wallpaper isn’t eating power in the background (assuming any user-spawned threads are stopped as well, of course).

    The downside, as I’ve noticed with a couple of my own live wallpapers (Star wall, for example) is that sometimes the wallpaper will silently fail to acquire a surface and the user might be presented with a black screen. This might of course be due to some error I’ve introduced in some way, but I’ve never had the blank surface bug while not releasing the surface.

    If you on the other hand create your own derivate of the surface, you can and should create your own GLThread. In this case, you do not have to pause the surface (thereby preventing its destruction) and just pausing the rendering thread should be enough to prevent background battery drainage. Preserving the surface means that various resources will stay in the memory even though the surface is not being used.

    The pros of this being that you do not have to request a new contest and reload all buffers, textures, programs etc and returning to the wallpaper will generally be faster. The cons being that you’ll have to make sure that the surface you have actually is the currently active surface provided by the system and bigger background memory usage even while not using the wallpaper.

    To check whether the surface is still the same you’d save the GL passed in onSurfaceChanged and then compare it to the saved version every time onSurfaceChanged is executed.

    There are still many points of glwallpapers that I haven’t fully understood, but the above is what I have gathered so far. Hope it helps. 🙂

    1. Thanks for sharing this, Eliee! This is very helpful and useful.

      I wonder if instead of calling onPause this could be emulated by setting the render mode to dirty, and setting it back to continuous when visibility is restored? I need to take a good look through the GLSurfaceView code again to understand better what’s going on; I’m not even that clear on how Surfaces themselves work at the moment and where they actually get created/destroyed.

  3. Hello! I can’t understand how we attaching LessonThree code with 5 cubes in live wallpaper! In com.learnopengles.android.rbgrnlivewallpaper I can saw that we have abstract class OpenGLES2WallpaperService and abstract method in getNewRenderer(); in it. I also understand this line “setRenderer(getNewRenderer());” in onCreate method BUT as I understand here we call abstract method with no implementation and we don’t use LessonThreeWallpaperService class with method which we need! How can it be? Tell me please, it’s some kind of magic for me.

  4. When I go to the preview window to change my settings, it comes up as a black screen, and when when I go back to home and see the wallpaper, it is all messed up like if there are multiple renderers over top of each other. I found that when you go to the preview window, it creates a new renderer each time. I they are overlapping. Is there a way to delete the previous renderer, or do I likely have a different problem.

  5. Sorry for double-posting, I have fixed one problem but still have another. The problem comes after I see the preview window and click set wallpaper, it crashes without error on device and reverts to the previous wallpaper. I get two errors — E/EglHelper(7137): eglSwapBuffers returned EGL_BAD_CURRENT_SURFACE
    and — E/Surface(7137): surface (identity=479) is invalid, err=-19 (No such device)

    I have no idea what is causing this, though I assume it is a mistiming with when a surface is destroyed, my code is similar to yours for the switching live wallpaper example. Thank you

    1. This is actually one of the exercises I had: “Also, what would you do to avoid that pesky EGL error that shows up when hitting back from the preview window, and using the GLSurfaceView implementation?”. I think I noticed it when closing the preview window, as the GLSurfaceView was not getting the onPause fast enough.

      Can you hook into clicking the “set wallpaper” and call the GLSurfaceView.onPause() right away? That way the rendering will be paused and you should at least not get EGL_BAD_CURRENT_SURFACE from eglSwapBuffers.

      1. Initially I want to thank you very much for this lesson. I found it very useful and developed both solutions successfully.

        Unfortunately I have little bugs in both of them that don’t allow me to fully complete my wallpapers.

        In the first kind of WallpaperService in preview mode I have a lot of crashes when I enter the preview page or when I click the “set wallpaper” button. I still haven’t found a solution to the “EGL_BAD_CURRENT_SURFACE problem” mentioned before. Did you found any? I think hooking the “set wallpaper” button is not possible from the wallpaper service and I don’t know how to reach the activity button from here.

        In the Robert Green’s wallpaper service everything runs smoothly in preview mode but, sometimes (I still haven’t found out exactly when…) when the wallpaper runs from non-visible to visible state I have a “black screen” for 20-60 seconds. I found out that, during this blackout, if I enter the wallpaper’s preview page and click the “set wallpaper” button then the wallpaper re-appears…

        Please help me out…
        Thank you again.

        1. Anthony’s solution below might be a fix; otherwise, I should come back to this lesson and make sure everything is fixed up and working well, instead of leaving it as an exercise. 🙂

    2. I was seeing similar crashes (but not on all devices). I believe the problem may lie in onVisibilityChanged(). i.e., not pausing glSurfaceView if we’re in preview and we’re no longer visible.

      i.e.,
      if (!isPreview()) {
      glSurfaceView.onPause();
      }

      Removing the check for isPreview() seems to have resolved the issue for me.

      Cheers.

  6. I found a small typo.

    public BaseConfigChooser(int[] configSpec, int mEGLContextClientVersion) {
    this.mEGLContextClientVersion = eglContextClientVersion;
    mConfigSpec = filterConfigSpec(configSpec);
    }

    should be

    public BaseConfigChooser(int[] configSpec, int eglContextClientVersion) {
    this.mEGLContextClientVersion = eglContextClientVersion;
    mConfigSpec = filterConfigSpec(configSpec);
    }

  7. So for anyone reading this lately, it seems that the “isPreview()” thing causes trouble, and I’d recommend leaving that out. Starting with HoneyComb, GLSurfaceView lets you retain the EGL context thus avoiding repeated calls to onSurfaceCreated in the renderer. You can turn this on with a call to glSurfaceView.setPreserveEGLContextOnPause(true).

    I’ll fix up the article soon!

  8. How would i call glSurfaceView.setPreserveEGLContextOnPause(true)?
    I’m using the GLWallpaperService and this doesnt have a glSurfaceView. It seem some devices lose the Context when switching to applications and back at the moment and am looking for a way to fix this.

  9. First off, thanks for the great tutorials! I am fairly novice at Android programming. I am trying to implement a preference screen to change textures used by my renderer. Textures are initialized in the OnSurfaceCreated method. After I change the preference, the textures will not update until OnSurfaceCreated gets called again. I can’t figure how to instantiate these changes when I:

    a) select a preference, then return to the preview
    b) press “Set Wallpaper”.

    Any help would be appreciated. Thanks!

    1. Hi Nick,

      How are you trying to update the textures? Are you only doing it on OnSurfaceCreated()? You could add a custom method to update the textures when the preferences are changed; just make sure you run that on the renderer thread by calling glSurfaceView.queueEvent(). Please post a question on Stack Overflow and link it here, that way you’ll be able to get help from the entire community.

      Cheers,

  10. Thanks for the reply!

    Admittedly, I was at wits-end when I posted the other day. But I figured a few things out over the past few days.

    The root cause for my original problem was in not extending the OpenGLES2Engine in my derivative of the “LessonThreeWallpaperService”.

    I figured out the need to pass my own instance of WallpaperGLSurfaceView to the abstract GLWallpaperService class. Then began making calls to glSurfaceView.queueEvent(MyRunnable) in my onVisibilityChanged. MyRunnable is able to do all of the heavy lifting when making changes!

    Thanks again!

  11. Hi, thanks for the great tutorials, I was wondering if anything new came up about the issue of EGL_BAD_CURRENT_SURFACE, sometimes I’m getting even more exceptions, here’s an example log I uploaded to pastebin : Log.

    I don’t mind using the GLWallpaperService but like Foxati I sometimes (very rare) only get a black screen which is definitely bad for user experience.

    Any update on the subject would help, thanks 🙂

    1. I know there were some issues with the old GLWallpaperService in relation to the preview mode, but I’m curious, how about the one from this code: http://pragprog.com/titles/kbogla/source_code ? That one just wraps GLSurfaceView and calls pause/resume in relation to lifecycle events.

      There are also ways of catching those exceptions and preventing them from crashing your process. I’ve noticed some Android devices are just buggy and throw those errors even with a regular GLSurfaceView. To catch those errors, I install an UncaughtExceptionHandler like this:

      private static final UncaughtExceptionHandler systemUncaughtExceptionHandler = Thread.getDefaultUncaughtExceptionHandler();

      Thread.setDefaultUncaughtExceptionHandler(new UncaughtExceptionHandler() {
      @Override
      public void uncaughtException(Thread thread, Throwable ex) {
      if (thread.getName().startsWith("GLThread")) {
      // Disable OpenGL
      }
      } else {
      systemUncaughtExceptionHandler.uncaughtException(thread, ex);
      }
      }
      });

      In my case I just disable the OpenGL component if I get this kind of an error, but you’ll probably want to do something else (perhaps just ignore the crash and let the lifecycle recall onSurfaceCreated())).

  12. Thanks, I’ll try the code from your book and hopefully it will work.
    The UncaughtExceptionHandler is interesting, I hope I don’t need it since it’s closer to a hack than to a solution.

    1. Definitely. 😉 Hope the new code works better. You will undoubtedly still run into issues in the field. In my app business I recently ran into a really weird issue where the implementation of the Dalvik JIT on a certain chipset was miscompiling my code and causing strange issues at runtime… that’s the nature of Android development. 😉

  13. Hey so the opengl 2.0 implementation is no longer required?
    do you recommend sticking with glwallpaper service or use another (more updated framework) for live wallpaper creation?

    Thanks!

  14. Wow Android is fucking retarded. Something this basic shouldn’t be this retarded. Can’t they just make some interface where you only have to implement onCreate or onDraw or something easy like that? Fuck eh, why can’t I refuse all my code, this shit fucked my sensors and that too, Thanks for the help though… FUCK….

Leave a Reply to Dick Cancel reply

Your email address will not be published. Required fields are marked *