The emergence of Asynchronous JavaScript + XML (Ajax) has created a renewed enthusiasm in Web application development and is causing many architects and developers to rethink the ways in which they create Web applications. JavaScript Object Notation (JSON) is a data interchange format used to represent data in the business logic running on browsers. Many Ajax developers prefer handling data directly using JSON in the browser-side JavaScript code. As the usage of JSON increases, it will become necessary for middleware server programs to provide enterprise application data to the browsers in JSON format rather than in XML format. This means that developers need to convert existing server-side enterprise data encoded in XML to JSON before sending it to the browser. This article shows you how to use PHP-based server programs to convert XML-formatted application data to JSON format before you send it to the browser application.
XML is a standard for defining markups. XML-based markup is used to describe data that is represented through tags that need not be predefined. XML is highly extensible because you can invent new tags as needed. Listing 1 shows an example of a data structure represented in XML.
Listing 1. A simple example of XML data
<?xml version="1.0" encoding="UTF-8"?> <contacts> <contact id="1"> <name>John Doe</name> <phone>123-456-7890</phone> <address> <street>123 JFKStreet</street> <city>Any Town</city> <state>Any State</state> <zipCode>12345</zipCode> </address> </contact> </contacts> |
The first line is the XML declaration that specifies the XML version and character encoding used. A root element <contacts>
follows, which encloses several child elements. The nested structure of the child elements combines to define the data for a contact. Notice that the <address>
element includes child elements that form a subtree structure under the <contact>
element. XML also allows the start tags to have attributes that provide additional information about the elements. The <contact>
element has an attribute that assigns an id
attribute to that element. The XML document is completed with a close tag, </contacts>
, for the root element.
JSON is not a markup language like XML. Instead, it is a text-based data interchange format. It is the data syntax of JavaScript objects and arrays. In short, JSON allows you to represent data simply. For example, you enclose objects within curly braces ({}), and you enclose arrays within square brackets ([]). A piece of JavaScript code can readily consume JSON-encoded data without going through any special parsing or additional data transformation. Listing 2 shows a data structure represented in JSON format.
Listing 2. A simple example of JSON data
{ "contacts" : { "contact" : { "@attributes" : { "id" : "1" }, "name" : "John Doe", "phone" : "123-456-7890", "address" : { "street" : "123 JFK Street", "city" : "Any Town", "state" : "Any State", "zipCode" : "12345" } } } } |
You can see that every piece of data shown in the XML example in Listing 1 is also present in the JSON example in Listing 2. However, the difference is how JSON encodes the data using JavaScript object and array data types. The data structure starts with an object that includes a property named "contacts"
, which itself is an object. This object has one property named "contact"
, which is also an object. This object includes several properties that constitute the details for a contact. Notice that the "contact"
object includes another (nested) object named "address"
, which describes the details of an address. As with XML, JSON-formatted data is self-describing, so both humans and machines can read it easily.
Now let's look at how the data is processed in the browser-side code. When the server sends XML data to the browser, that XML data is processed using Document Object Model (DOM) APIs. However, JavaScript developers must learn all the intricacies of XML processing and write a lot of additional code to parse the XML data before they can do anything with that data. With the advent of JSON, however, the server-side code can package and ship JSON-encoded application data in response to the browser requests. If the server-side code sends the JSON-formatted data to the browser, then JavaScript developers need not write any extra and complex logic to parse the XML. In addition, the data received in JSON format will be readily treated as a JavaScript native data structure in the browser-side code. The code snippet in Listing 3 shows that no extra work is required to process JSON-formatted data.
Listing 3. A code snippet for processing JSON-formatted data received from the server
var result = httpRequest.responseText; jsonResponse = eval('(' + result + ')'); |
In the browser-side code snippet in Listing 3, result
is the JSON-formatted string received from the server. All it takes is a single line of code to turn that string data into a native JavaScript data type by evaluating the JSON-formatted string using the eval
statement. You can see that it is much easier to deal with JSON data on the browser side. The use of JSON brings simplicity and value to the browser-side code.
The eval
statement in Listing 3 will execute whatever code the server returns, so there is a security risk here. The risk is limited, since browser security policy restricts HTTP requests in JavaScript to the same server the code was originally loaded from. Still, in some situations, it might be prudent to verify that data received from a server matches expectations, perhaps with a regular expression, before passing it to the eval
statement.
More and more applications need to convert XML data into JSON. Several Web-based services are already popping up to do such conversions. The IBM T.J. Watson Research Center has developed a particular approach that uses PHP to do the conversion. This approach accepts XML string data as input and converts that into JSON-formatted data output. This PHP-based solution provides several benefits:
- It can be run in a standalone mode, executed from the command line.
- It can be included in an existing server-side code artifact.
- It can be easily hosted as a Web service on the Web.
The XML-to-JSON conversion requires a couple of core PHP features:
-
SimpleXMLElement
-
Services_JSON
from http://pear.php.net (see Resources for details)
SimpleXMLElement
is supported in PHP version 5 and above. It is an object with properties containing the data held in the XML document. Services_JSON
is a PHP open source proposal approved near the end of 2005. It provides JSON-specific encoder (PHP data to JSON) and decoder (JSON to PHP data) functions. This open source PHP class library is now made available through the PEAR Web site (see Resources).
By using just these two core features of PHP, it is possible to convert any arbitrary XML data into JSON. First, you need to convert the XML content into a suitable PHP data type using SimpleXMLElement
. Then, you feed the PHP data to the Services_JSON
encoder, which in turn produces the final JSON-formatted output.
This xml2json
implementation has three parts:
- xml2json.php - A PHP class with two static functions
- xml2json_test.php - A test driver to exercise the
xml2json
conversion function - test1.xml, test2.xml, test3.xml, test4.xml - XML files with varying complexity
For simplicity, this article doesn't show detailed comments in the code. However, the code in the attached source files does include full comments. Refer to the attached source files for complete details about the program logic (see Download).
Listing 4 defines some useful constants. The first line of code imports the Services_JSON
implementation.
Listing 4. Defining constants in xml2json.php
require_once 'json/JSON.php'; / Internal program-specific Debug option. define ("DEBUG", false); / Maximum Recursion Depth that we can allow. define ("MAX_RECURSION_DEPTH_ALLOWED", 25); / An empty string define ("EMPTY_STR", ""); / SimpleXMLElement object property name for attributes define ("SIMPLE_XML_ELEMENT_OBJECT_PROPERTY_FOR_ATTRIBUTES", "@attributes"); / SimpleXMLElement object name. define ("SIMPLE_XML_ELEMENT_PHP_CLASS", "SimpleXMLElement"); |
The code snippet shown in Listing 5 is the entry function into the xml2json
converter. It takes XML data as input, and it converts the XML string into a SimpleXMLElement
object, which is sent as input to another (recursive) function in this class. This function then converts the XML elements into a PHP associative array. That array is then passed as an input to the Services_JSON
encoder, which gives you the JSON-formatted output.
Listing 5. Using Services_JSON in xml2json.php
public static function transformXmlStringToJson($xmlStringContents) { $simpleXmlElementObject = simplexml_load_string($xmlStringContents); |
The lengthy code snippet shown in Listing 6 uses a recursion technique inspired by the PHP open source community (see Resources). It accepts a SimpleXMLElement
object as input and conducts a recursive tree walk through the nested XML tree. It stores all the visited XML elements in a PHP associative array. You can adjust the recursion depth limit by changing a constant defined in Listing 4.
Listing 6. Conversion logic in xml2json.php
public static function convertSimpleXmlElementObjectIntoArray($simpleXmlElementObject, &$recursionDepth=0) { / Keep an eye on how deeply we are involved in recursion. |
At the end of a successful XML tree walk, this function will convert and store all the XML elements (the root element and all the child elements) in a PHP associative array. For complex XML documents, the resulting PHP array will be equally complex. Once that PHP array is fully constructed, then the Services_JSON
encoder can easily convert it to JSON-formatted data. To understand this recursive logic, check out the documented source file.
Implement a test driver for xml2json
The code snippet shown in Listing 7 is a test driver that exercises the xml2json
converter logic.
Listing 7. xml2json_test.php
<?php require_once("xml2json.php"); |
You can run the program from the command line with an XML filename as a command-line argument:
php -f xml2json_test.php test2.xml |
When executed from a command line, the program reads the XML content from a file into a string variable. Then it calls a static function in the xml2json
class to get the JSON-formatted result. In addition to running the program from the command line, you can modify the logic in this source file to expose the xml2json
converter as a remotely callable Web service using Simple Object Access Protocol (SOAP) or Representational State Transfer (REST) access protocols. If needed, you can perform that easily in PHP with minimal work.
Listing 8 shows one of the four test XML files provided with this article to test the xml2json
implementation. The degree of complexity varies from one test file to the other. You can pass one of these files as a command-line argument to the test driver xml2json_test.php.
Listing 8. Test the xml2json implementation with test2.xml
<?xml version="1.0" encoding="UTF-8"?> <books> <book id="1"> <title>Code Generation in Action</title> <author><first>Jack</first><last>Herrington</last></author> <publisher>Manning</publisher> </book> |
The code snippet shown in Listing 9 is the JSON-formatted result when you use test2.xml as the command-line argument to the test driver xml2json_test.php.
Listing 9. JSON-formatted result for test2.xml
{ "books" : { "book" : [ { "@attributes" : { "id" : "1" }, "title" : "Code Generation in Action", "author" : { "first" : "Jack", "last" : "Herrington" }, "publisher" : "Manning" }, { "@attributes" : { "id" : "2" }, "title" : "PHP Hacks", "author" : { "first" : "Jack", "last" : "Herrington" }, "publisher" : "O'Reilly" }, { "@attributes" : { "id" : "3" }, "title" : "Podcasting Hacks", "author" : { "first" : "Jack", "last" : "Herrington" }, "publisher" : "O'Reilly" } ]} } |
Notice that the XML attribute id
for the <book>
element is stored in JSON data as the "@attributes"
object property, and the <book>
element is stored in JSON data as an array of objects. This JSON output is readily consumable inside JavaScript code using the eval
statement.
JSON is just beginning to gain momentum among Web developers. Its success, seen mainly with JavaScript developers, is due to its elegance and simplicity. JSON can be a worthy alternative to XML in certain situations. This article sums up the need for XML-to-JSON conversion at the middleware server layer. It further stresses the rationale behind leveraging existing XML-encoded enterprise data as JSON-formatted data so that browser-side programs can consume it easily. It provides PHP code that can do the XML-to-JSON conversion. (See Download.)
You can use the source code provided in this article in multiple ways -- as a standalone tool, as a shared class library to be used in an existing server-side program, or as a SOAP/REST Web service function to participate in an enterprise Service-Oriented Architecture (SOA).
Description | Name | Size | Download method |
---|---|---|---|
PHP code for xml2json | x-xml2json_php.zip | 14KB | HTTP |
Information about download methods
Learn
-
Mastering Ajax, Part 1: Introduction to Ajax (Brett McLaughlin, developerWorks, December 2005): Learn more about Ajax.
-
Cache in with JSON
(Bakul L. Patel, developerWorks, November 2006): Discover how to cache metadata on the client side with the help of server code, which provides JSON-formatted stringified metadata.
-
Ajax and REST, Part 1 (Bill Higgins, developerWorks, October 2006): Learn about the advantages of the Ajax/REST architectural style for immersive Web applications.
-
Going dynamic with PHP (Jack Herrington, developerWorks, February 2006): Find out how to use the dynamic features of PHP V5.
-
Developing PHP the Ajax way, Part 1: Getting started (Sean Kelly, developerWorks, May 2006): Get started with PHP and Ajax.
-
IBM developerWorks Ajax resource center: Read more articles and tutorials on Ajax.
-
IBM developerWorks XML zone: Find everything you need to know about XML.
-
IBM developerWorks SOA and Web services zone: Learn more about SOA and Web services.
-
JSON Web site: Read all about JavaScript Object Notation (JSON).
-
PHP open source community: Check out all things PHP.
-
PHP Manual: Dig into an extremely useful PHP resource offered in 23 languages.
-
IBM XML certification: Find out how you can become an IBM-Certified Developer in XML and related technologies.
-
XML technical library: See the developerWorks XML Zone for a wide range of technical articles and tips, tutorials, standards, and IBM Redbooks.
-
developerWorks technical events and webcasts: Stay current with technology in these sessions.
Get products and technologies
-
PHP Extension and Application Repository (PEAR) Web site: Download the
Services_JSON
library. -
IBM trial software: Build your next development project with trial software available for download directly from developerWorks.
Discuss
-
XML zone discussion forums: Participate in any of several XML-centered forums.
-
developerWorks blogs: Get involved in the developerWorks community.

John Morar, PhD, has extensive experience in semiconductors and computer virus research. He has written 70 articles in reviewed scientific journals and holds patents in the areas of device processing, computer virus detection, Web services, and economic systems. Dr. Morar currently manages a research group focusing on the use of Web services both within and between enterprises.
developerWorks: Sign in
The first time you sign into developerWorks, a profile is created for you. Select information in your developerWorks profile is displayed to the public, but you may edit the information at any time. Your first name, last name (unless you choose to hide them), and display name will accompany the content that you post.
All information submitted is secure.
Choose your display name
The first time you sign in to developerWorks, a profile is created for you, so you need to choose a display name. Your display name accompanies the content you post on developerWorks.
Please choose a display name between 3-31 characters. Your display name must be unique in the developerWorks community and should not be your email address for privacy reasons.
All information submitted is secure.
Table of contents
Next steps from IBM

With the no-charge DB2 Express-C, Zend Core PHP, and Java you can develop advanced Web 2.0 applications quickly that matter.
- Try: Download a free trial version of DB2 Express-C, which includes Zend Core PHP and pureXML technology that is ideally suited for managing both XML and relational data and powering a new breed of SOA and Web 2.0 solutions.
- Article: This IBM Redbook shows how to port PHP apps from MySQL to DB2, and includes code samples for creating Zend Core PHP applications.
- Tutorial: In this Mastering Facebook app development tutorial series, you will use Java and PHP in parallel to build a Facebook interface for an online stock trading J2EE application using the Spring framework.
- Buy: DB2 9 for Linux, UNIX and Windows