Skip to content Skip to sidebar Skip to footer

How To Read Xml File In Javascript?

I'm creating a bot for the Discord. I'm downloading a horoscope XML-file from the Internet. The XML-file structure is as follows:

Solution 1:

You could use a library like https://www.npmjs.com/package/xml-js

To convert the XML to JSON where you can access it using the built in javascript JSON functions JSON.parse(target) or JSON.stringify(target)

quoting this package, here is an example of how simple it is to turn XML into JSON

var convert = require('xml-js');
var xml =
'<?xml version="1.0" encoding="utf-8"?>' +
'<noteimportance="high"logged="true">' +
'    <title>Happy</title>' +
'    <todo>Work</todo>' +
'    <todo>Play</todo>' +
'</note>';
var result1 = convert.xml2json(xml, {compact: true, spaces: 4});
var result2 = convert.xml2json(xml, {compact: false, spaces: 4});
console.log(result1, '\n', result2);

If you are uncomfortable working directly in XML, this may help you because interacting with JSON is JavaScript is simple.

This is how to then extract what you need from the JSON that xml-js converts your XML to

var convert = require('xml-js');
var xml =
'<?xml version="1.0" encoding="utf-8"?>'+
'<horo>'+
'<date yesterday="04.01.2019" today="05.01.2019" tomorrow="06.01.2019"/>'+
'<aries>'+
'<yesterday>'+
'Text 1'+
'</yesterday>'+
'<today>'+
'Text 2'+
'</today>'+
'<tomorrow>'+
'Text 3'+
'</tomorrow>'+
'</aries>'+
'</horo>';

const rawJSON = convert.xml2json(xml, {compact: true, spaces: 4});
const convertedJSON = JSON.parse(rawJSON);
console.log(convertedJSON.horo.aries.today._text);

Post a Comment for "How To Read Xml File In Javascript?"