I am working on a Node.js app. I need to be able to parse a Sitemap.xml file. Currently, I have a file sitemap that looks like this:
<?xml version="1.0" encoding="utf-8"?>
<urlset xmlns="http://www.sitemaps.org/schemas/sitemap/0.9" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"   xsi:schemaLocation="http://www.sitemaps.org/schemas/sitemap/0.9 http://www.sitemaps.org/schemas/sitemap/0.9/sitemap.xsd">
  <url>
    <loc>http://www.example.com</loc>
    <lastmod>2014-03-05</lastmod>
    <changefreq>monthly</changefreq>
  </url>
  <url>
    <loc>http://www.example.com/contact</loc>
    <lastmod>2014-03-05</lastmod>
    <changefreq>never</changefreq>
  </url>
  <url>
    <loc>http://www.example.com/about</loc>
    <lastmod>2015-03-01</lastmod>
    <changefreq>monthly</changefreq>
  </url>
</urlset>
I am trying to parse this xml file and load it into my JavaScript class, which looks like this:
class SiteUrl {
  constructor() {
    this.loc = '';
    this.lastMod = null;
    this.changeFreq = 'never';
  }
  static loadFromSitemap(sitemapPath) {
  }
}
Coming from a C# background, I know I could just do this:
public static List<SiteUrl> LoadFromSitemap(string sitemapPath)
{
  // Load the sitemap into memory
  XDocument sitemap = XDocument.Load(sitemapPath);
  // Get the posts from the sitemap.
  List<SiteUrl> posts = (from post in sitemap.Root.Elements(ns + "url")
                         where ((string)post.Element(ns + "loc"))
                         select new SiteUrl(post)).ToList();
  return posts;
}
I'm not sure how to read and parse Xml in the Node world though.
 
    