Friday, May 21, 2010

Tap-A-Mole is on the Android Market!

Tap-A-Mole is a standalone version of the Whack a Mole minigame I made for our failed Adventure game attempt. It features three difficulty settings, score keeping, and the Benny Hill theme. Try it out and tell us what you think!


Thursday, May 20, 2010

For the next patch of Momenta, we look to the 90's

It's been decided that for the next patch of Momenta, we will tighten up the graphics on Level 3.



Saturday, May 15, 2010

Our centerpiece game is on Market!

We're happy and proud to release Momenta (development title Platformer) to the Market today!



As with our last Market release, you can click here if you're browsing from an Android phone, or search "Momenta" in the Android Market.



What would you pay for this Eyjafjallajökull eruption of fun? You might say $10,000, but wait, it's free! Download it, PLAY IT, enjoy it, and please provide feedback!

Friday, May 14, 2010

Our first game is on the Android Market!

Pick it up! There isn't a way to link to the market itself (unless you're viewing this on an Android phone, in which case, click here!). If you search 'Rat Race' from your phone, it's the only app that comes up.

It's free! Download it, upvote it, PLAY IT, enjoy it ^_^

Monday, May 10, 2010

Some Quick Links

Hey all,

Short update, but a few links that address a few issues that we've run into:

  • For Josh's Cup minigame (video soon!), we had some issues with Random numbers not appearing that random. This is partially to do with generating lots of random numbers consecutively (we think its generator uses the system clock as a seed, which means lots of Random numbers end up near each other if you generate them in succession). A helpful blog post details a way to get more widely distributed random numbers, albeit in O(n) time.

  • I tried answering an Android question on Stack Overflow on running out of memory in apps with lots of images. My answer was first, but I found the other answers much more instructive, themselves containing great links, and recommend it as reading to anyone wanting to optimize their graphics (which seems to be most readers of this blog, as our highest traffic consistently comes from Josh's excellent post on minimizing transparency losses.

  • Finally, while working with Preferences for Rat Race, I hit a really strange bug with ListPreference where I could get a set of options, but when I tried to select them, they would crash the application. The answer was in this excellent blog post, where you learn the dangers of letting your list labels be one type of array, but your list values be another. In Rat Race, I had to make all my numbers Strings and run Integer.parseInt(String) on all my values, but it ran!

  • New! Matt mentioned some issues with messaging, and applications that consume resources long after you've killed them. This, unfortunately, is part of the bear that comes with multitasking, and a great post describes how to responsibly exit an app, providing insights on common app-building gotchas along the way.


That last snag was the closest I've come to having stringly-typed data. ^_^

Thursday, April 29, 2010

Game updates!

The first is our new game, Platformer:



The other is an update of Rat Race, which I showed earlier:

Wednesday, April 21, 2010

SQLite gotchas

We will soon share some video of our final game, a simple platformer, but in the meantime I've run into a strange gotcha that might prove handy for others.

It's well documented that a viable way to use SQLite on Android is as follows:

  • Subclass SQLiteOpenHelper and override onCreate and onUpgrade to create your databases.

  • Call that subclass to get a SQLiteDatabase object

  • Call your SQL commands (usually queries) on the instance of SQLiteDatabase, and use a Cursor to navigate the results.


But I found a curious bug: Every time I queried my cursor, it returned 0 results. I was sure my queries were well formed, and I'd tried using both rawQuery and query. Given that I was getting 0 rows as a result, I looked at my INSERT code.

None of the many fixes I attempted did any good, and Stack Overflow was baffled with me. But the Stack Overflow snippet I posted had the culpable code, which was the method I used to retrieve the cursor:

private Cursor fetchLevelDynamics(int id)
{
  SQLiteDatabase db = this.leveldata.getReadableDatabase();
  try {
    String fetchQuery = "SELECT row_num, col_num, type_dyn FROM " + DYNAMICS_TABLE + " WHERE level_id = ?";
    String[] queryArgs = {Integer.toString(id)};
    Cursor cursor = db.rawQuery(fetchQuery, queryArgs);

    Activity activity = (Activity) this.context;
    activity.startManagingCursor(cursor);
    return cursor;
  }
  finally {
    db.close();
  }
}

Presented on its own, the error is very obvious: I close the database in the finally block, meaning the method returns a cursor pointing to a closed database.

But strangely, calling accessors on that cursor doesn't throw an exception. The Cursor instead acts as if pointing to an empty data set, going out of bounds when you call specific fields, and returning 0 on getCount.

This lame database-open/database-closed oversight was completely my fault. Still, the behavior indicated a very different problem than the actual cause, and be on the lookout if your Cursors don't return data that you suspect is present.

Sunday, March 28, 2010

Messages From Beyond the Grave

Designing a game is different from designing a consumer application in a very basic way. Consumer applications tend to be event-driven with long periods of inactivity while waiting for input, while games tend to be constantly redrawing and recalculating in real time. The Android framework is designed to allow for easy creation of event-driven applications.

This leaves the game developer with an interesting quandary. To make a game, one must simulate a loop within an event driven environment. Many developers stuff their game logic inside of onDraw() and then invalidate themselves as quickly as possible. This accomplishes the job, but it prevents them from invalidating only the areas of the screen that need to be repainted. For games where much of the screen does not change often, invalidating only changed areas of the screen can provide a large performance increase.

Luckily, the Android framework proves a way to hook into the message loop which drives the application. The Handler class provides the ability for an application to send itself custom messages. This means that the game developer can separate game logic from rendering code for a cleaner structure.

When we first implemented a game in this fashion, it would continue to use 100% CPU after it had finished. I was confused when I verified that the game was receiving the onDestroy event, which indicates that the application's resources are about to be released.

It turns out that in order to speed up subsequent launches of an application, Android caches processes from terminated activities. When cached, the process' message loop can still receive messages, presumably so that the OS can wake it up when the user chooses to launch that application again. Since we were sending a new custom event every time we received one, the process would continue to receive and act on our custom messages after the activity had been destroyed.

A simple change that prevented the application from sending new messages after it had received a termination event fixed the issue.

Monday, March 22, 2010

Image Transparency (aka an absurd application of convex hull)

Android makes it very easy to load an image as a bitmap:

int resID = context.getResources().getIdentifier(...);
Bitmap bitmap = BitmapFactory.decodeResource(context.getResources(), resID);

But once you have that Bitmap, if it has significant transparency, kiss your performance goodbye. Getting decent performance back is going to be anything but easy. For our Penguins game we wanted to have all images of the penguins (one per frame of animation) to be identically sized so that they could be easily positioned. This means that each image (frame of animation) has a large amount of fully transparent pixels. Drawing all of these fully transparent pixels absolutely destroyed our frame rate in the emulator. Essentially, the emulator has dreadful alpha blending performance.

So, the question was - how could we keep our images with lots of fully transparent pixels and have good performance? The obvious answer was to have Android draw as few of the fully transparent pixels as possible. The Canvas class which is used for drawing has the following method:

Canvas#clipPath(Path path);

So it was now necessary to build the best possible Path around each penguin image. I wanted a programmatic solution, particularly because at the time of writing the code I was not working with the final artwork. So the first step was to figure out an efficient way to access all of a bitmap's pixels. Bitmap has a convenient method to access an individual pixel, but calling that methods tens of thousands of times for each image results in dreadful performance. (Even though this computation is only done while the game is loading, not each frame.)

Turns out there's a very easy way to get the pixels as a linear array:

int width = bitmap.getWidth();
int height = bitmap.getHeight();
int[] pixels = new int[width*height];
bitmap.getPixels(pixels, 0, width, 0, 0, width, height);

Now that we have the pixels we want find the boundary pixels. (Note: If our images had fully transparent pixels inside of non-transparent pixels this approach would not have worked as well.) So the next step was to find all of the boundary pixels:

ArrayList points = new ArrayList();
for(int x = 0; x < width; x++)
{
  int firstY = -1, lastY = -1;
  for(int y = 0; y < height; y++)
  {
    boolean transparent = (pixels[y*width+x] == Color.TRANSPARENT);
    if(!transparent)
    {
      if(firstY == -1)
      {
        firstY = y;
      }
      lastY = y;
    }
  }

  if(firstY != -1)
  {
    points.add(new Point(x, firstY));
    points.add(new Point(x, lastY));
  }
}

A Path could then be built from these pixels. (If we were to actually do this, it would be easier to build the Path using two ArrayLists, one for top half, the other for the bottom Path.) I gave this a try, and the performance was marginally better. The Path fit perfectly and therefore had an enormous amount of line segments in it. I had just traded one performance slow down for another. I wanted a way to have a Path that was guaranteed to include all of the penguin, would not have many fully transparent pixels, but also a lot less line segments. I had an absurd idea - why not implement the convex hull algorithm over the boundary points? So I did, and it worked. Performance increased dramatically. I was now drawing a few fully transparent pixels, but the Path object had far fewer line segments.


Below is a diagnostic mode where the clipping Path is being draw. The bottom penguin is in mid-left thwack.



A Personal Project

Fliptile!



This was a personal game I made 'off the books' two weekends ago. There's lots to be done, but hopefully this will whet your appetites ^_^

This is a clone of Tetris Attack. As promised, a link to some gameplay of the original (rather, a re-release as Pokemon Puzzle League). Since this is such a direct copy, I doubt I'll distribute it on a marketplace or anything (at least unless I think of a cute Lexulous-like workaround).

Penguins!

Hey all, here's a small video demo-ing our newest game, (the imaginatively titled) Penguins!



As promised in the video, here's a link to the Whitkin-Baraff papers from SIGGRAPH '97 for modeling physics. This was pointed out to us by Chad.

Also, I kind of lied in the video, I said we were running (in better conditions) at 17-18 FPS. I think we go significantly higher (closer to 23-25), I just slipped while narrating.

Tuesday, March 16, 2010

Matt is Awesome

Hey all,

Very soon we will introduce our newest game. In the meantime, to make up for the lack of updates, read about a very cool data structure hack our teammate Matt found. I think it's very cute; it blew my mind a little. He tells you how to implement a queue using only one instance of a stack ^_^

Soon, be ready for some hungry penguins!

-Paul

Saturday, March 6, 2010

Home Screen Icons

I ran into an interesting issue while testing my minigame, Moles. Once I had the core game working, I decided to add an intro screen that would allow you to pick a difficulty. I made a separate Activity for it and changed the settings in the manifest to account for this.

Launching from Eclipse worked fine, but when I launched the game from the Home screen icon I had made for the game, I got this error:

02-18 01:51:43.750: ERROR/Launcher(106): Launcher does not have the permission to launch Intent { act=android.intent.action.MAIN cat=[android.intent.category.LAUNCHER] flg=0x10200000 cmp=cs134.adventure.minigames.moles/.MolesActivity }. Make sure to create a MAIN intent-filter for the corresponding activity or use the exported attribute for this activity.

After much fussing, I discovered that the Home screen icon didn't work, while the one on the programs menu did.

It seems that the Home screen icons are not deleted or updated when an application is uninstalled or reinstalled. Moreover, rather than referencing the manifest, the icon seems to cache the main Activity and ask Android to launch that directly.

Friday, February 19, 2010

Rat Race! A minigame.

Hey all!

To get familiar with the framework, the four of us produced individual minigames. Below is a small demo of mine, Rat Race.



I'll post something over the weekend on the game's internals as well as some lessons learned, but in the meantime I hope this video suffices.

Notes:

Tuesday, February 16, 2010

Welcome to Brown CS134!

What is this?


Four computer science concentrators at Brown University are pursuing an Independent Study with Professor Chad Jenkins. We plan to investigate the elements of successful game development, with a focus on mobile platforms and the constraints they impose.

Who are you?


Your cast of characters is composed of:



Lyla Fujiwara, class of 2010.



Matt Wilde, class of 2011.



Josh Kaplan, class of 2011.



Paul Meier, class of 2010. (personal, theatre)


What can we expect?


We expect to post documentation of our efforts, as well as lessons learned in Game Development, Android Development, and their intersection.