Hey folks - just a quick warning. This post is kind of a mashup/update of two earlier posts. Back almost two years ago I talked about this process but used Twitter and Mastodon: "Automatically Posting to Mastodon and Twitter on New RSS Items". Earlier this year I first talked about using the Bluesky API, with a very appropriately named post: "Using the Bluesky API". As I said, this post is going to mash up bits from both, and include new things I've not covered before, but for those of you who have been around here for a while, some of this may be repetition.

For this solution, I'm using Pipedream. I've blogged for years now and love it. Their free tier will support what I'm showing below so you should feel free to give it a try. There are many alternatives out there, but Pipedream has some great features that I think make it stand out. You'll see that especially in the first step below. But, keep in mind if you've already got a platform you would want to use, as long as you can handle the execution on new RSS items, you could probably just skip to the last step and copy and paste from my code.

Ok, enough preamble, let's take a look at how this can be built.

Step One - Firing on New RSS Items

The first thing our workflow needs is the ability to fire on a new item added to a RSS feed. This requires setting up a schedule, parsing the RSS feed, and most importantly, recognizing when a new item has been added. Luckily, Pipedream has this built in.

When creating a new workflow, you'll be prompted for the trigger. Type 'rss' to filter to the RSS app:

The RSS app

Select it, and then pic: "New Item in Feed":

New item in feed

This requires, at minimum, the RSS feed you want to monitor. The timer, which just means how often it checks, defaults to every 15 minutes, which honestly is overkill. My own workflow checks every 4 hours, but once a day, of maybe every 6 hours, would be more sensible.

Once you've done that, that's literally it - the workflow will check the feed automatically and recognize when a new item has been added.

Step Two - Generate the Message

When an RSS item triggers the workflow, you get information about the item of course. What you need to figure out then is what you want to post. You could just post the title and URL, but since my account also has random other posts from me (always super important stuff), I wanted to distinguish the automated posts.

Pipedream lets you add arbitrary code posts, so my new action in the workflow is a Node.js one. The code is relatively simple:

export default defineComponent({
  async run({ steps, $ }) {

      return {
      text: `
New post from my blog: "${steps["trigger"]["event"]["title"]}"

${steps["trigger"]["event"]["link"]}
      `
    }

  },
})

Basically what I said above, title and link, but I prefixed it with "New post from my blog:" to help it stand out.

Step Three - Posting to Bluesky

Ok, so working with Bluesky is mostly simple. Mostly. The docs are pretty good. Initially, you create an instance of the Bluesky 'agent' and login:

import Atproto  from '@atproto/api';
const { BskyAgent } = Atproto;

const agent = new BskyAgent({
  service: 'https://bsky.social'
});

await agent.login({
  identifier: 'example.com',
  password: 'hunter2'
});

The imports here are slightly different from the docs in order to get it working on Pipedream. If you want more info on why, see my earlier post in February.

For identifier, I used raymondcamden.com which is my username on Bluesky. Posting is super easy as well - this is right from the docs:

await agent.post({
  text: 'Hello world! I posted this via the API.',
  createdAt: new Date().toISOString()
})

However, there's one oddity that will trip you up. If your text contains URLs, they will not be automatically hot linked. Instead, you have to use what Bluesky refers to as 'rich text', and again, this is documented. It requires just a tiny tweak:

const rt = new RichText({
	text: 'Text with things you want hot linked',
});
await rt.detectFacets(agent);

await agent.post({
  text: rt.text,
  facets: rt.facets,
  createdAt: new Date().toISOString()
})

Ok... so that works. You can see a sample here:

New post from my blog: "Next Code Break - Blogging with Eleventy"

https://www.raymondcamden.com/2024/11/04/next-code-break-blogging-with-eleventy

— Raymond Camden (@raymondcamden.com) November 5, 2024 at 12:56 PM

But I wanted the usual 'social media preview' card you see attached in the Bluesky app. Once again, this was nicely documented: Website card embeds. Basically, you add an embed key to your post that includes, at minimum, a URL, title, and description. The description of my post is not in my RSS. In order to get it, I made use of Cheerio, a Node.js library that gives you jQuery like features with raw HTML. I fetched the HTML and got the description like so:

let card = {
	uri:steps.trigger.event.link,
	title:steps.trigger.event.title,
}

let req = await fetch(steps.trigger.event.link);
let html = await req.text();
let $$ = cheerio.load(html);
card.description = $$('meta[name="og:description"]').attr('content');

By the way, the use of $$ as a variable is a twist on the Cheerio docs. They use $, but Pipedream uses $ as a variable as well.

I got this to work pretty quickly:

New post from my blog: "Next Code Break - Blogging with Eleventy"

https://www.raymondcamden.com/2024/11/04/next-code-break-blogging-with-eleventy

[image or embed]

— Raymond Camden (@raymondcamden.com) November 5, 2024 at 1:29 PM

But without the image, it looked kinda bland. This is where things got a tiny bit complicated. The image is easy to get with Cheerio:

let image = $$('meta[name="og:image"]').attr('content');

I then uploaded fetch it as a blob, and uploaded it to Bluesky:

let blob = await fetch(image).then(r => r.blob());
let { data } = await agent.uploadBlob(blob, { encoding:'image/jpeg'} );

I then added this data as a thumb to my card and that's all it took:

New post from my blog: "Next Code Break - Blogging with Eleventy"

https://www.raymondcamden.com/2024/11/04/next-code-break-blogging-with-eleventy

[image or embed]

— Raymond Camden (@raymondcamden.com) November 5, 2024 at 1:49 PM

Here's the complete code. Just to be sure it's clear, this code:

  • Looks at the original workflow trigger to get the title and url of the new item in the RSS feed.
  • Uses Cheerio to get additional meta tag info for the description and image
  • Uploads the image to Bluesky
  • And then makes a new post that includes the text I wanted as well as the embedded card:
import * as cheerio from 'cheerio';
import Atproto  from '@atproto/api';
const { RichText, BskyAgent } = Atproto;

export default defineComponent({
  async run({ steps, $ }) {

    const agent = new BskyAgent({
      service: 'https://bsky.social'
    });

    await agent.login({
      identifier: 'raymondcamden.com',
      password: process.env.BLUESKY_RAYMONDCAMDEN_PASSWORD
    });

    let card = {
      uri:steps.trigger.event.link,
      title:steps.trigger.event.title,
    }

    let req = await fetch(steps.trigger.event.link);
    let html = await req.text();
    let $$ = cheerio.load(html);
    card.description = $$('meta[name="og:description"]').attr('content');
    let image = $$('meta[name="og:image"]').attr('content');

    let blob = await fetch(image).then(r => r.blob());
    let { data } = await agent.uploadBlob(blob, { encoding:'image/jpeg'} );

    card.thumb = data.blob;

    let rt = new RichText({
      text: steps.generateText.$return_value.text
    });
    await rt.detectFacets(agent);

    await agent.post({
      text:rt.text,
      facets: rt.facets, 
      langs:['en-US'],
      createdAt: new Date().toISOString(),
      embed: {
        $type: "app.bsky.embed.external",
        external:card
      }
    });
    
    return;
  },
})

And in theory... that's it! Now, my own particular workflow is slightly more complex as I've got an additional step that posts to Mastodon first, so basically, one workflow to automatically post to multiple social networks, but each step is self contained, which made it easy for me to add the Bluesky portion to it.

If you've got any questions about any of this, just leave me a comment below, and hopefully this post shows up in a few hours. ;)