nichole
nichole

Reputation: 11

How to select a random child element from XML & show sub-child elements; using JS?

I want to take data from an XML file to display in an html page that is obtained by clicking a button. When the button is clicked, I'd like it to select a random child, and display the sub-child data. I made an XML file that looks like this:

<?xml version="1.0" encoding="UTF-8"?>
 <kdramas>
  <kdrama>
    <title lang="en">A Gentleman's Dignity</title>
    <genre>Comedy, Romance, Drama</genre>
    <year>2012</year>
    <episodes>20</episodes>
    <about>This drama will tell the story of four men in their forties as they go through love, breakup, success and failure. </about>
</kdrama>
<kdrama>
    <title lang="en">Boys Over Flowers</title>
    <genre>Comedy, Romance, Drama, School</genre>
    <year>2009</year>
    <episodes>25</episodes>
    <about>about text</about>
</kdrama>
<kdrama>
    <title lang="en">Goblin</title>
    <genre>Comedy, Romance, Melodrama, Supernatural</genre>
    <year>2016</year>
    <episodes>16</episodes>
    <about>about text</about>
</kdrama>

I am able to display the XML data when the button is clicked, but it shows all of the data (except for the titles). I have looked around to see if it is possible to select a random child then display its sub-child elements, but so far, I am not having any luck finding anything. The JS code I have to display the XML data is:

function getDrama(){
var xhttp = new XMLHttpRequest();
xhttp.onreadystatechange = function() {
  if (this.readyState == 4 && this.status == 200) {
    document.getElementById("content").innerHTML =
    this.responseText;
    document.getElementById("content").style.display = "block";
  }
};
xhttp.open("GET", "https://raw.githubusercontent.com/npellow/npellow.github.io/master/kdramaList.xml", true);
xhttp.send();
}

Any ideas on how to do this? Or even just pointing me to a place where I can read on how to do it myself would be great?

Upvotes: 1

Views: 129

Answers (2)

egvaldes
egvaldes

Reputation: 168

I suggest converting the XML to JSON for easier handling, you can use the function found here https://davidwalsh.name/convert-xml-json

You get the array of kdramas and then select a random element. Just need to format the JSON for printing.

function xmlToJson( xml ) {
  // Create the return object
  var obj = {};
 
  if ( xml.nodeType == 1 ) { // element
    // do attributes
    if ( xml.attributes.length > 0 ) {
    obj["@attributes"] = {};
      for ( var j = 0; j < xml.attributes.length; j++ ) {
        var attribute = xml.attributes.item( j );
        obj["@attributes"][attribute.nodeName] = attribute.nodeValue;
      }
    }
  } else if ( xml.nodeType == 3 ) { // text
    obj = xml.nodeValue;
  }
 
  // do children
  if ( xml.hasChildNodes() ) {
    for( var i = 0; i < xml.childNodes.length; i++ ) {
      var item = xml.childNodes.item(i);
      var nodeName = item.nodeName;
      if ( typeof(obj[nodeName] ) == "undefined" ) {
        obj[nodeName] = xmlToJson( item );
      } else {
        if ( typeof( obj[nodeName].push ) == "undefined" ) {
          var old = obj[nodeName];
          obj[nodeName] = [];
          obj[nodeName].push( old );
        }
        obj[nodeName].push( xmlToJson( item ) );
      }
    }
  }
  return obj;
}

function getDramaList(callback){
 		var xhttp = new XMLHttpRequest();
  	xhttp.onreadystatechange = function() {
      if (this.readyState == 4 && this.status == 200) {
        var xmlDOM = new DOMParser().parseFromString(this.responseText, 'text/xml');
        var jsonXml = xmlToJson(xmlDOM);
        callback(jsonXml.kdramas.kdrama);
      }
  	};
  	xhttp.open("GET", "https://raw.githubusercontent.com/npellow/npellow.github.io/master/kdramaList.xml", true);
 		xhttp.send();
}
getDramaList(function(dramaList){
	var randomIndex = Math.floor(Math.random(0,dramaList.length));
	var randomKdrama = dramaList[randomIndex];
	document.getElementById("content").innerHTML = JSON.stringify(randomKdrama, null, "&emsp;").replace(/\n/g,"<br>");
	document.getElementById("content").style.display = "block";
});
<div id="content">
</div>

Upvotes: 0

mscdeveloper
mscdeveloper

Reputation: 2889

Use JQuery construction $(_your_text_).find('_elenent_name_') for find data:

function getDrama(_callback){
var xhttp = new XMLHttpRequest();
xhttp.onreadystatechange = function() {
  if (this.readyState == 4 && this.status == 200) {
    //document.getElementById("content").innerHTML = this.responseText;
    //document.getElementById("content").style.display = "block";
    _callback(this.responseText);
  }
};
xhttp.open("GET", "https://raw.githubusercontent.com/npellow/npellow.github.io/master/kdramaList.xml", true);
xhttp.send();
}

function get_random_title(){
   getDrama(function(_text){
   	  var titles_length = $(_text).find('kdrama').length;
   	  var random_number = 1 + Math.floor(Math.random() * titles_length);
   	  var random_title = $(_text).find('kdrama').eq(random_number).find('title').text();
	  $('#content').html( random_title );
   });
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>


  <div id="content"></div>


  <input type="button" value="Get Random Title" onClick="get_random_title();">

Upvotes: 1

Related Questions