Wouldn't it be great if you could write with Markdown on Twitter, with code blocks and proper syntax highlighting?
Well, I built myself a tool that does just that.
It also schedules my tweets so I can write in batches, among other things.
In this article I want to share how I built this tool, along with some interesting challenges and things I've learned while implementing it.
Let me know — what would you have done differently when building this system?
There are plenty of tools out there to schedule tweets, so why did I build my own?
Besides the fact that building stuff is fun:
Here’s a quick overview of the system and it’s main components before we look at each one in more detail:
I created a generic job scheduler to solve two main things:
I host all my things on Netlify, and luckily for me, they have a cron feature built-in called Scheduled Functions. However, the way that Nitro builds the server means that there is only a single lambda function created. This means I can’t configure Netlify to trigger a specific endpoint on a schedule.
To get around this, I created a bare-bones project that acts as a proxy between Netlify’s scheduling and my own server. It has only this single function in it:
const { ofetch } = require('ofetch');const { schedule } = require('@netlify/functions');// cron for every 5 minutesconst everyFiveMinutes = '*/5 * * * *';exports.handler = schedule(everyFiveMinutes,async function () {try {const response = await ofetch(process.env.JOBS_URL, {method: 'POST',});console.log(response);} catch (error) {console.error('Error triggering job:');console.error(error);}return {statusCode: 200,};});
There are more robust, enterprise-grade solutions for cron job triggers, but this solution is free and simple. It only took me 15 minutes to write and deploy.
Here’s the current Prisma schema for my scheduled jobs:
enum JobType {}enum JobState {PENDINGSUCCEEDEDFAILED}model ScheduledJob {id Int @id @default(autoincrement())type JobType @default(TWITTER)payload Json?time DateTimestate JobState @default(PENDING)error String?createdAt DateTime @default(now())updatedAt DateTime @updatedAt}
I’m using a generic payload
field so that each JobType
can specify it’s own types. These types are enforced when creating the job.
Each job has three potential states — PENDING
, SUCCEEDED
, or FAILED
. When running jobs, we look for PENDING
jobs which have a scheduled time
in the last hour. This creates a sort of pseudo-retry logic if the exact time was missed for some reason, but prevents something from running way after it was intended to.
The scheduler is the riskiest part of the whole project. If it goes haywire, it could send the same tweet every 5 minutes indefinitely, which is what I would consider a catastrophic failure. If that happened, how could I ever show my face on Twitter again?
In order to write lots of tests, I made sure to extract all of this scheduler logic into a client file. It’s just a plain TS file that can be used anywhere else I need it.
By keeping code highly modular like this we get several benefits.
First, my API endpoints now look like this:
// /api/jobs/run.tsimport { runJobs } from './client';export default defineEventHandler(async (event) => {await runJobs();return 200;});
// /api/jobs/index.post.tsimport { scheduleJob } from './client';export default defineEventHandler(async (event) => {const body = await readBody(event);await scheduleJob(body);return 200;});
They’re extremely simple and probably not even worth testing. Which is great, because to test these endpoints would require spinning up an entire server for each test run, which is very slow and very annoying.
Which leads me to the second benefit — all the actual business logic is now a collection of easy-to-test TypeScript methods with nothing fancy going on.
Implementing OAuth isn’t so bad — if you’ve done it before.
But the first time I did this it took me a very long time to wrap my head around what was going on, why we needed all these tokens, and why it was even necessary in the first place. If you want a primer on OAuth, I’ve written about it before.
Here, I’d like to cover some of the interesting parts of my implementation for this project.
I’m using the twitter-api-v2
package, and although it abstracts a few parts of the OAuth process for us, we still have to hook everything up.
Part of the Twitter OAuth flow requires us to keep a state
value and codeVerifier
that’s used in two requests:
/oauth
— here we create the two values, save them, and then redirect to the OAuth provider and pass along the state
/callback
— the OAuth provider redirects back to us, and we check that it’s the same state
value to verify nothing funny happened in between. We also receive a code
that we need to verify with the codeVerifier
.Since we only need to save these values temporarily between requests, saving them to a DB is unnecessary. Nitro, the server that Nuxt uses internally, comes with a handy storage abstraction that makes this really simple for us.
Here’s the entire event handler for the /oauth
endpoint as I’ve implemented it:
export default defineEventHandler(async (event) => {const { url, codeVerifier, state } = getClient().generateOAuth2AuthLink(callbackUrl,{scope: ['tweet.read', 'tweet.write', 'users.read', 'offline.access'],});// Save code verifier and state in sessionawait useStorage().setItem(`verifier:${state}`, codeVerifier);return sendRedirect(event, url);});
A single line and we’ve saved the state
value to the filesystem.
In the /callback
handler, the very first thing we do is grab this value:
const { state, code } = await getQuery(event);// Get code verifier and state from sessionconst storage = useStorage();const key = `verifier:${state}`;const codeVerifier = await storage.getItem(key);await storage.removeItem(key);
We then use the codeVerifier
we created in the /oauth
handler to verify the code
value given to use in the /callback
handler.
I was so happy that my OAuth v2.0 implementation was working well — and fully tested!
Then I discovered that to upload images to Twitter’s API, you need to authenticate using the older OAuth v1.0 flow. Twitter has not updated their API to use a universal authentication system 🙄.
Luckily, the processes are similar enough that I could reuse most of the code pretty easily. But now I have two models in order to store OAuth tokens in my database:
enum Client {}model Token {id Int @id @default(autoincrement())accessToken StringrefreshToken StringexpiresIn Intusername Stringclient Client @default(TWITTER)scope String[]createdAt DateTime @default(now())updatedAt DateTime @updatedAt@@unique([username, client])}model TwitterV1Token {id Int @id @default(autoincrement())accessToken StringaccessSecret Stringusername StringcreatedAt DateTime @default(now())updatedAt DateTime @updatedAt@@unique([username])}
Most services these days use OAuth v2, which has a standard token format.
I added in a client
and username
field so I can easily add new services and multiple users. It’s not gold-plating at all, since it doesn’t change the implementation that much. Already, it’s come in handy for testing with a test account (you didn’t think I’d spam thousands of people with “test. testingggg” tweets, did you?).
Now that authentication is figured out, the next step is to actually send tweets!
The Twitter client is very straightforward, and essentially has one main function, executeJob
. When a Twitter
job is executed, this method is passed the payload
from the database which contains all of the tweet data.
export const executeJob = async (payload: any) => {// We know it's this type because we've narrowed the type// in scheduleTwitterJobconst twitterJob = payload as TwitterJobPayload;const twitter = await clientForUser(twitterJob.username);// For each tweet, download the image from supabase and then upload it to Twitterfor (const tweet of twitterJob.tweet) {if (tweet?.media?.media_ids) {for (const filename of tweet.media.media_ids) {const arrayBuffer = await (await downloadImage(filename)).arrayBuffer();const file = Buffer.from(arrayBuffer);const options: Partial<UploadMediaV1Params> = {mimeType: EUploadMimeType.Png,};const mediaId = await uploadMediaToTwitter(twitterJob.username,file,options);tweet.media.media_ids = [mediaId];await deleteImage(filename);}}[];}await twitter.v2.tweetThread(twitterJob.tweet);};
First, we grab an authenticated Twitter client for the user we need to tweet for, and then we upload all the images.
Lots of my tweets include screenshots of code, so I need to be able to post tweets with images, not just plain text.
At first I uploaded directly to Twitter to keep things simple. I kept getting mysterious 400
errors when posting tweets, with no additional error message — super helpful, I know! Eventually I realized that Twitter very quickly deletes images that aren’t attached to any published tweets.
The solution is pretty simple though. I use Supabase storage to store the images temporarily, using the CLI to upload images there first when I schedule my tweets.
When a tweet job is executed, we first download the image from Supabase, then upload it to Twitter. We post our tweet immediately after, so the images are never deleted and we no longer get mysterious error messages.
export const downloadImage = async (filename: string) => {const { data, error } = await supabase.storage.from('twitter').download(filename);if (error) {console.error(error);throw Error(`Failed to download image: ${filename}`);}return data;};const deleteImage = async (filename: string) => {const { error } = await supabase.storage.from('twitter').remove([filename]);if (error) {console.error(error);throw Error(`Failed to delete image: ${filename}`);}};export const uploadImage = async (filename: string, file: Buffer) => {const { error } = await supabase.storage.from('twitter').upload(filename, file);if (error) {console.error(error);throw Error(`Failed to upload image: ${filename}`);}};export const uploadMediaToTwitter = async (username: string,file: TUploadableMedia,options: Partial<UploadMediaV1Params>) => {try {const twitter = await v1ClientForUser(username);const mediaId = await twitter.v1.uploadMedia(file, options);return mediaId;} catch (e: any) {console.error(e);throw Error(`Failed to upload media for ${username}`);}};
However, to upload images to Twitter, we have to use a separate OAuth process. This is why I have to use the v1ClientForUser
method in the uploadMediaToTwitter
method.
This project is in a good spot for now, but there are some things I’d like to work on next:
I’d love to know your thoughts on this project:
Let me know on Twitter or through email — this is a very different kind of post than I usually write!