Click here to Skip to main content
15,879,490 members
Articles / Mobile Apps / Android
Article

Parsing XML in Android with SAX

Rate me:
Please Sign up or sign in to vote.
4.31/5 (9 votes)
23 Feb 2012CPOL6 min read 95.1K   4.9K   23   9
How to parse XML in Android with SAX

Introduction

Android applications can make use of imported XML data from remote locations over the Web, or from the local file system. The Java language provides a range of utilities for processing XML data, including the SAX and DOM parsers. In this tutorial, we will use the SAX parser which is more efficient. We will process XML from a file stored at an Internet location, using the retrieved data to build user interface elements for an Android app. You should be able to adapt the code to suit the needs of your own Android projects.

Prepare the XML Data

If you already have XML data you are working with, you can use it for this tutorial with a few amendments to the Java code. If you want to create a data source for your project, use Liquid XML Studio to generate your XML code. You can automate building the XML from an XSD (XML Schema Definition) if you have one, or can create it from a table or tree. Alternatively, use the code editor to build your XML elements and attributes manually. Once you have your XML data, make sure you also use the software to validate it and address any errors before attempting to parse the file within your Android app.

This tutorial will show you how to load the XML file from a Web location, but you can alternatively load it from the local file system. If you want to use data loaded over the Internet, upload your XML file to a Web server and take a note of the location it is stored at.

The Java code in this tutorial expects XML data with this structure:

XML
<?xml version="1.0" encoding="utf-8"?>
<appdata>
<brand name="Lovely Products">
<product>Hat</product>
<product>Gloves</product>
</brand>
<brand name="Great Things">
<product>Table</product>
<product>Chair</product>
<product>Bed</product>
</brand>
</appdata>

You can adapt the Java code to suit your own XML, using this as a reference to understand the steps.

Create or Open an Android Project

If you already have a project you are working with, open it. Otherwise, create a new project. If you plan on using XML data loaded over the Internet, add the following line to your project manifest file:

Java
<uses-permission android:name="android.permission.INTERNET" />

Create a Parsing Class

Create a new class in your project. The class will parse the imported XML data. Use the following outline, adjusting it to suit the class name you chose:

Java
public class DataHandler extends DefaultHandler {
//class declaration goes here
}

The class extends DefaultHandler, which provides the SAX parsing tools. Above this class declaration line, add the following import statements:

Java
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.net.URL;
import java.net.URLConnection;
import java.util.ArrayList;
import javax.xml.parsers.SAXParser;
import javax.xml.parsers.SAXParserFactory;
import org.xml.sax.Attributes;
import org.xml.sax.InputSource;
import org.xml.sax.SAXException;
import org.xml.sax.XMLReader;
import org.xml.sax.helpers.DefaultHandler;
import android.content.Context;
import android.graphics.Color;
import android.util.Log;
import android.widget.TextView;

Create the Class Instance Variables and Constructor Method

Add the following code inside your class declaration:

Java
//list for imported product data
private ArrayList<TextView> theViews;
//string to track each entry
private String currBrand = "";
//flag to keep track of XML processing
private boolean isProduct = false;
//context for user interface
private Context theContext;
//constructor
public DataHandler(Context cont) {
    super();
    theViews = new ArrayList<TextView>();
    theContext = cont;
}

The constructor method simply calls the method of the superclass, instantiates the list to hold the products as read in from the XML data source and instantiates the context object passed so that we can create user interface elements.

Add the Standard SAX Methods

Inside your DefaultHandler class, the standard SAX methods will parse the XML data. These methods are automatically called when the program encounters the start and end of the document, the start and end tags for elements, and the element content. Add the following method outlines after your constructor method:

Java
//start of the XML document
public void startDocument () { Log.i("DataHandler", "Start of XML document"); }

//end of the XML document
public void endDocument () { Log.i("DataHandler", "End of XML document"); }

//opening element tag
public void startElement (String uri, String name, String qName, Attributes atts)
{
    //handle the start of an element
}

//closing element tag
public void endElement (String uri, String name, String qName)
{
    //handle the end of an element
}

//element content
public void characters (char ch[], int start, int length)
{
    //process the element content
}

When the program encounters the start or end of the document, we do not need it to do anything, so simply output a status update to the Android log for testing. We will complete the other three methods next.

Process the Start of Each Element

The startElement method can access the name of the element from its opening tag, plus any attributes it has. We are going to create a string for each brand element in the data, with the brand name listed along with each product item for that brand. Add the following code inside your startElement method:

Java
//find out if the element is a brand
if(qName.equals("brand"))
{
    //set product tag to false
    isProduct = false;
    //create View item for brand display
    TextView brandView = new TextView(theContext);
    brandView.setTextColor(Color.rgb(73, 136, 83));
    //add the attribute value to the displayed text
    String viewText = "Items from " + atts.getValue("name") + ":";
    brandView.setText(viewText);
    //add the new view to the list
    theViews.add(brandView);
}
//the element is a product
else if(qName.equals("product"))
    isProduct = true;

When the program encounters a brand element, we create a new View item for the data we want to display for that brand, with the name and some informative text. When you process XML data with SAX, the program moves through the data in a linear fashion, so flags can help to detect what point of the document your app is at when each method executes.

Process the End of Each Element

Add the following inside your endElement method:

Java
if(qName.equals("brand"))
{
    //create a View item for the products
    TextView productView = new TextView(theContext);
    productView.setTextColor(Color.rgb(192, 199, 95));
    //display the compiled items
    productView.setText(currBrand);
    //add to the list
    theViews.add(productView);
    //reset the variable for future items
    currBrand = "";
}

When the endElement method encounters the closing tag for a brand element, we add the string we have been building to a new View, then add this to the list and reset the string back to empty in preparation for the next brand element.

Process the Content of Each Element

The characters method handles XML element content. This method has to take account of the various types of whitespace that may appear in the XML data. In this application, we simply ignore whitespace. Add the following inside your characters method:

Java
//string to store the character content
String currText = "";
//loop through the character array
for (int i=start; i<start+length; i++)
{
    switch (ch[i]) {
    case '\\':
        break;
    case '"':
        break;
    case '\n':
        break;
    case '\r':
        break;
    case '\t':
        break;
    default:
        currText += ch[i];
        break;
    }
}
//prepare for the next item
if(isProduct && currText.length()>0)
    currBrand += currText+"\n";

The method receives a character array with the element content in it, so the code works through this array in a loop structure. We add each character to a string, resulting in the full element content, which we add to the current item text.

Provide the Data to the Application Context

Your app needs access to the parsed data, for example to display it within the user interface, so after the characters method, add a public method that other classes can call:

Java
public ArrayList<TextView> getData()
{
    //take care of SAX, input and parsing errors
    try
    {
            //set the parsing driver
        System.setProperty("org.xml.sax.driver","org.xmlpull.v1.sax2.Driver");
            //create a parser
        SAXParserFactory parseFactory = SAXParserFactory.newInstance();
        SAXParser xmlParser = parseFactory.newSAXParser();
            //get an XML reader
        XMLReader xmlIn = xmlParser.getXMLReader();
            //instruct the app to use this object as the handler
        xmlIn.setContentHandler(this);
            //provide the name and location of the XML file **ALTER THIS FOR YOUR FILE**
        URL xmlURL = new URL("http://mydomain.com/mydata.xml");
            //open the connection and get an input stream
        URLConnection xmlConn = xmlURL.openConnection();
        InputStreamReader xmlStream = new InputStreamReader(xmlConn.getInputStream());
            //build a buffered reader
        BufferedReader xmlBuff = new BufferedReader(xmlStream);
            //parse the data
        xmlIn.parse(new InputSource(xmlBuff));
    }
    catch(SAXException se) { Log.e("AndroidTestsActivity", 
            "SAX Error " + se.getMessage()); }
    catch(IOException ie) { Log.e("AndroidTestsActivity", 
            "Input Error " + ie.getMessage()); }
    catch(Exception oe) { Log.e("AndroidTestsActivity", 
            "Unspecified Error " + oe.getMessage()); }
        //return the parsed product list
    return theViews;
}

This code must be contained within a try block, with catch blocks for each of the possible exception types. The code creates object instances of the required SAX classes, opens a connection to the XML file over the Internet and finally instructs the app to parse the data. Make sure you alter the URL code to match the name and location of your own XML file. When the parsing is complete, this method returns the list of product data to another class in the application.

Call the Parsing Function and Display the Data

To call on the DefaultHandler class from your main app Activity class, add this code inside the onCreate method:

Java
public void onCreate(Bundle savedInstanceState) {

    super.onCreate(savedInstanceState);

        //get a reference to the layout
    LayoutInflater inflater = getLayoutInflater();
    LinearLayout mainLayout = (LinearLayout) inflater.inflate(R.layout.main,null);
    try
    {
            //create an instance of the DefaultHandler class 
            //**ALTER THIS FOR YOUR CLASS NAME**
        DataHandler handler = new DataHandler(getApplicationContext());
            //get the string list by calling the public method
        ArrayList<TextView> newViews = handler.getData();
            //convert to an array
        Object[] products = newViews.toArray();
            //loop through the items, creating a View item for each
        for(int i=0; i<products.length; i++)
        {
            //add the next View in the list
            mainLayout.addView((TextView)products[i]);
        }
    }
    catch(Exception pce) { Log.e("AndroidTestsActivity", "PCE "+pce.getMessage()); }

    setContentView(mainLayout);
}

This code uses the data from the XML to display a series of TextView items within the application user interface. First, we gain a reference to the main layout, then create a new instance of the DefaultHandler class, passing the application Context - make sure you alter the code to reflect the name of your own class instead of "DataHandler". Then we call the getData method on the DefaultHandler object we created, to fetch and parse the data, retrieving it as a list of TextView items. After converting the list to an array, we add each TextView item to the layout. The try block takes care of any parsing exceptions. Finally, the Activity sets its main layout.

Add the following import statements for this code:

Java
import java.util.ArrayList;
import android.app.Activity;
import android.os.Bundle;
import android.util.Log;
import android.view.LayoutInflater;
import android.widget.LinearLayout;
import android.widget.TextView;

This is the resulting display running on an Android emulator:

data displayed

This application simply displays the parsed data items within a basic interface. For your own projects, you can use more sophisticated display methods, such as making the items interactive. Whatever your purpose in parsing the data, you should be able to use this code with a few tweaks and additions to suit your needs.

History

  • 23rd February, 2012: Initial version

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
United Kingdom United Kingdom
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionDataHandler class Pin
Magdolna Boldizsar2-Nov-13 9:55
Magdolna Boldizsar2-Nov-13 9:55 
GeneralNice article. Pin
GLeonio25-Mar-13 11:31
GLeonio25-Mar-13 11:31 
Questionandroid substring error Pin
ankit shroti19-Feb-13 19:12
ankit shroti19-Feb-13 19:12 
GeneralMy vote of 1 Pin
I_28-Nov-12 3:41
I_28-Nov-12 3:41 
QuestionSource Code? Pin
Alex Carmo23-Nov-12 6:48
Alex Carmo23-Nov-12 6:48 
QuestionSource Code?? Pin
Member 939699331-Aug-12 4:31
Member 939699331-Aug-12 4:31 
QuestionHELP Pin
nhutlkus1-Jun-12 22:10
nhutlkus1-Jun-12 22:10 
QuestionLocal File Pin
dashpilot798-Mar-12 3:42
dashpilot798-Mar-12 3:42 
GeneralMy vote of 4 Pin
udhaya2code1-Mar-12 1:15
udhaya2code1-Mar-12 1:15 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.