DEV Community

Cover image for Generate RSS Feed with Node.js
James Edwards
James Edwards

Posted on • Updated on • Originally published at devextent.com

Generate RSS Feed with Node.js

An RSS feed is a convenient way to allow access to syndicated content in a standardized format that is easily shareable and discoverable. Recently I've been using feedly to stay up to date with a variety of web development blogs. This got me interested in how to add an rss feed to a static website built with the Jamstack, specifically how to generate an rss feed from blog post data with node.js and TypeScript.

Before proceeding make sure to have node.js and npm installed.

Run npm init

There are some npm packages that will be used to create the rss feed, so first run the command npm init, which will create a package.json file that we can add dependencies to. After creating the package.json these are the npm packages that we will add:

To install these run the command npm install fs-extra cheerio xml typescript --save, and since we are using TypeScript for this example we need the corresponding type definitions. To install the type definitions run the command: npm install @types/xml @types/cheerio @types/fs-extra --save-dev.

There is one extra field that needs to be added to the package.json file and that is the type field. This permits the use of ECMAScript modules, rather than CommonJS modules.

Your package.json should look similar to this:

{
  "type": "module",
  "name": "xmlrssfeed",
  "version": "1.0.0",
  "description": "",
  "main": "index.js",
  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1"
  },
  "author": "",
  "license": "ISC",
  "dependencies": {
    "cheerio": "^1.0.0-rc.5",
    "fs-extra": "^9.0.1",
    "typescript": "^4.1.3",
    "xml": "^1.0.1"
  },
  "devDependencies": {
    "@types/cheerio": "^0.22.23",
    "@types/fs-extra": "^9.0.6",
    "@types/xml": "^1.0.5"
  }
}
Enter fullscreen mode Exit fullscreen mode

Configure tsconfig.json

Typescript is used in this example so tsconfig.json file is also required. You can read more about the tsconfig.json settings in the TypeScript documentation. For our case, create a file named tsconfig.json and copy the code below into it.

{
  "compilerOptions": {
    "allowSyntheticDefaultImports": true,
    "isolatedModules": true,
    "strict": true,
    "module": "esnext",
    "lib": ["ES2019"],
    "moduleResolution": "node",
    "skipLibCheck": true
  },
  "include": ["*.ts"],
  "exclude": ["node_modules/**/*"]
}
Enter fullscreen mode Exit fullscreen mode

The module field is set to "esnext" to match the addition of the "type" field in the package.json. This setting instructs the TypeScript compiler to generate es modules, and allows us to use import in the TypeScript code.

npm package.json script

After configuring TypeScript, we need a way to transpile and then execute the generated JavaScript with node.js. To do this, an npm package.json script can be added to carry out both steps. In the package.json file, add a new scripts property "createRssFeed", so that it looks like this:

{
  "type": "module",
  "name": "xmlrssfeed",
  "version": "1.0.0",
  "description": "",
  "main": "index.js",
  "scripts": {
    "createRssFeed": "tsc && node index.js",
    "test": "echo \"Error: no test specified\" && exit 1"
  },
  "author": "",
  "license": "ISC",
  "dependencies": {
    "cheerio": "^1.0.0-rc.5",
    "fs-extra": "^9.0.1",
    "typescript": "^4.1.3",
    "xml": "^1.0.1"
  },
  "devDependencies": {
    "@types/cheerio": "^0.22.23",
    "@types/fs-extra": "^9.0.6",
    "@types/xml": "^1.0.5"
  }
}
Enter fullscreen mode Exit fullscreen mode

The createRssFeed script will sequentially compile the TypeScript source file (index.ts) and then use node to execute the JavaScript output. If you try running the command npm run createRssFeed you will get an error, because the index.ts doesn't exist yet. Let's create that now.

Add node script

In the same folder as the package.json file create a new file named index.ts, and add the code below to make sure the setup is working.

import fs from "fs-extra";
import xml from "xml";
import cheerio from "cheerio";

(async function createRssFeed() {
  console.log("creating feed");
})();
Enter fullscreen mode Exit fullscreen mode

Then run the createRssFeed command npm run createRssFeed and the output should print to the console the text "creating feed".

Generate rss feed

With the setup working we can now begin to use the npm packages that we imported. The xml package accepts a feed object as it's configuration so we can add that to the createRssFeed function. The feedObject will be processed into an xml string and then the fs-extra package will be used to write the output to a file named feed.rss.

import fs from "fs-extra";
import xml from "xml";
import cheerio from "cheerio";

(async function createRssFeed() {
  console.log("creating feed");
  const feedObject = {
    rss: [
      {
        _attr: {
          version: "2.0",
          "xmlns:atom": "http://www.w3.org/2005/Atom",
        },
      },
      {
        channel: [
          {
            "atom:link": {
              _attr: {
                href: "YOUR-WEBSITE/feed.rss",
                rel: "self",
                type: "application/rss+xml",
              },
            },
          },
          {
            title: "YOUR-WEBSITE-TITLE",
          },
          {
            link: "YOUR-WEBSITE/",
          },
          { description: "YOUR-WEBSITE-DESCRIPTION" },
          { language: "en-US" },
          // todo: add the feed items here
        ],
      },
    ],
  };

  const feed = '<?xml version="1.0" encoding="UTF-8"?>' + xml(feedObject);

  await fs.writeFile("/feed.rss", feed, "utf8");
})();
Enter fullscreen mode Exit fullscreen mode

Make sure to replace "YOUR-WEBSITE", "YOUR-WEBSITE-TITLE", and "YOUR-WEBSITE-DESCRIPTION" with the actual values from the website you are generating the RSS feed for.

At this point the createRssFeed npm package.json script should generate a new file named feed.rss in the project folder, although it will be an empty feed. So in the feed object we can replace the todo comment with code that will use some sample post data to generate the feed.

In this case we'll create an array of objects for our sample post data, but a more likely scenario is that they would be dynamically sourced from a content store, like markdown files or a content management system.

Add the sample posts below directly above the feedObject variable.

const posts = [
  {
    title: "Post One",
    date: "1/1/2020",
    slug: "post-one",
    content: "This is some content for post one.",
  },
  {
    title: "Post Two",
    date: "1/2/2020",
    slug: "post-two",
    content: "This is some content for post two.",
  },
  {
    title: "Post Three",
    date: "1/3/2020",
    slug: "post-three",
    content: "This is some content for post three.",
  },
  {
    title: "Post Four",
    date: "1/4/2020",
    slug: "post-four",
    content: "This is some content for post four.",
  },
];
Enter fullscreen mode Exit fullscreen mode

Now that we some posts to include, replace the todo with this function call:

...(buildFeed(posts));
Enter fullscreen mode Exit fullscreen mode

This will take the result of the buildFeed function (we will write this next), which will be an array and spread the results into the feedObject.

Now the index.ts file should look like this:

import fs from "fs-extra";
import xml from "xml";
import cheerio from "cheerio";

(async function createRssFeed() {
  console.log("creating feed");
  const posts = [
    {
      title: "Post One",
      date: "1/1/2020",
      slug: "post-one",
      content: "<p>This is some content for post one.</p>",
    },
    {
      title: "Post Two",
      date: "1/2/2020",
      slug: "post-two",
      content: "<p>This is some content for post two.</p>",
    },
    {
      title: "Post Three",
      date: "1/3/2020",
      slug: "post-three",
      content:
        "<p>This is some content for post three. This is a relative <a href='/relative-link/'>link</a></p>",
    },
    {
      title: "Post Four",
      date: "1/4/2020",
      slug: "post-four",
      content: "<p>This is some content for post four.</p>",
    },
  ];

  const feedObject = {
    rss: [
      {
        _attr: {
          version: "2.0",
          "xmlns:atom": "http://www.w3.org/2005/Atom",
        },
      },
      {
        channel: [
          {
            "atom:link": {
              _attr: {
                href: "YOUR-WEBSITE/feed.rss",
                rel: "self",
                type: "application/rss+xml",
              },
            },
          },
          {
            title: "YOUR-WEBSITE-TITLE",
          },
          {
            link: "YOUR-WEBSITE/",
          },
          { description: "YOUR-WEBSITE-DESCRIPTION" },
          { language: "en-US" },
          ...buildFeed(posts),
        ],
      },
    ],
  };

  const feed = '<?xml version="1.0" encoding="UTF-8"?>' + xml(feedObject);

  await fs.writeFile("./feed.rss", feed);
})();
Enter fullscreen mode Exit fullscreen mode

The feedObject now includes the buildFeed function, which can be added below the createRssFeed function. As the name suggests this is where the feed items will be created and sorted by most recent date. Additionally the cheerio npm package will be used here.

function buildFeed(
  posts: { title: string; date: string; slug: string; content: string }[]
) {
  const sortedPosts = posts.sort(function (first, second) {
    return new Date(second.date).getTime() - new Date(first.date).getTime();
  });

  const feedItems = [];

  feedItems.push(
    ...sortedPosts.map(function (post) {
      const feedItem = {
        item: [
          { title: post.title },
          {
            pubDate: new Date(post.date as string).toUTCString(),
          },
          {
            guid: [
              { _attr: { isPermaLink: true } },
              `YOUR-WEBSITE/${post.slug}/`,
            ],
          },
          {
            description: {
              _cdata: post.content,
            },
          },
        ],
      };
      return feedItem;
    })
  );

  return feedItems;
}
Enter fullscreen mode Exit fullscreen mode

This code can now generate the RSS feed by re-running the command npm run createRssFeed, however any relative links in the post content will not link to the correct website, since RSS feeds require absolute links. We can convert them to absolute links using the cheerio npm package.

Convert relative links to absolute links

Directly above the feed object add the following code:

const $ = cheerio.load(post.content as string, {
  decodeEntities: false,
});

// replace relative links with absolute
$("a[href^='/'], img[src^='/']").each(function (this: cheerio.Element) {
  const $this = $(this);
  if ($this.attr("href")) {
    $this.attr("href", `YOUR-WEBSITE/${$this.attr("href")}`);
  }
  if ($this.attr("src")) {
    $this.attr("src", `YOUR-WEBSITE/${$this.attr("src")}`);
  }
});

const postContent = $("body").html() as string;
Enter fullscreen mode Exit fullscreen mode

Here is some more info on this technique to convert relative urls to absolute urls. Make sure to also replace the description property of the feedItem with the postContent variable. The buildFeed function should now look like this:

function buildFeed(
  posts: { title: string; date: string; slug: string; content: string }[]
) {
  const sortedPosts = posts.sort(function (first, second) {
    return new Date(second.date).getTime() - new Date(first.date).getTime();
  });

  const feedItems = [];

  feedItems.push(
    ...sortedPosts.map(function (post) {
      const $ = cheerio.load(post.content as string, {
        decodeEntities: false,
      });

      // replace relative links with absolute
      $("a[href^='/'], img[src^='/']").each(function (this: cheerio.Element) {
        const $this = $(this);
        if ($this.attr("href")) {
          $this.attr("href", `YOUR-WEBSITE/${$this.attr("href")}`);
        }
        if ($this.attr("src")) {
          $this.attr("src", `YOUR-WEBSITE/${$this.attr("src")}`);
        }
      });

      const postContent = $("body").html() as string;

      const feedItem = {
        item: [
          { title: post.title },
          {
            pubDate: new Date(post.date as string).toUTCString(),
          },
          {
            guid: [
              { _attr: { isPermaLink: true } },
              `YOUR-WEBSITE/${post.slug}/`,
            ],
          },
          {
            description: {
              _cdata: postContent,
            },
          },
        ],
      };

      return feedItem;
    })
  );

  return feedItems;
}
Enter fullscreen mode Exit fullscreen mode

The buildFeed function, first sorts all the posts by most recent date and then maps over the sorted posts to assign post data properties to the corresponding xml fields in the RSS feed. For each of the posts the content is modified, by using the cheerio npm package, to convert all the relative links to absolute links. That way when the RSS feed is shared the in-article links will link back to the correct website. As in the sections above make sure to replace "YOUR-WEBSITE" with the actual domain of your website. Additionally the date is formatted to RFC 822 format, in order to match the RSS specification.

Re-run the command npm run createRssFeed, and the feed.rss file that is generated should reflect the changes we made. You can verify that this file is a valid rss feed by checking it with the w3c Feed Validation Service.

To permit auto discovery of the RSS feed make sure to include the following html in the head tag of your website.

<link
  rel="alternate"
  type="application/rss+xml"
  title="RSS 2.0"
  href="/feed.rss"
/>
Enter fullscreen mode Exit fullscreen mode

Latest comments (0)