Skip to main content

Hacker News Slackbot

In this example, we use DBOS to build and deploy a scheduled job that periodically searches Hacker News for people commenting about serverless computing and posts the comments to Slack.

All source code is available on GitHub.

Import and Initialize the App

Let's start off with imports and initializing the DBOS app.

import html
import os
import re
from datetime import UTC, datetime, timedelta

import requests
import slack_sdk
from dbos import DBOS

DBOS()

Searching Hacker News

Next, let's write a function that searches Hacker News. This function uses Algolia's Hacker News Search API to find all comments in the last N hours containing a search term. It returns matching comments and links to them. We annotate this function with @DBOS.step so later we can durably call it from our scheduled workflow.

@DBOS.step()
def search_hackernews(query: str, window_size_hours: int):
threshold = datetime.now(UTC) - timedelta(hours=window_size_hours)

params = {
"tags": "comment",
"query": query,
"numericFilters": f"created_at_i>{threshold.timestamp()}",
}

response = requests.get("http://hn.algolia.com/api/v1/search", params).json()

hits = []
for hit in response["hits"]:
# Reformat the comment by unescaping HTML, adding newlines, and removing HTML tags
comment = hit["comment_text"]
comment = re.sub("<p>", "\n", html.unescape(comment))
comment = re.sub("<[^<]+?>", "", comment)
url = f"https://news.ycombinator.com/item?id={hit['objectID']}"
hits.append((comment, url))
return hits

Posting to Slack

Next, let's write a function that posts a Hacker News comment and its URL to Slack. This function requires a Slack bot token supplied through an environment variable. We'll explain later how to generate one. Again, we annotate this function with @DBOS.step so later we can durably call it from our scheduled workflow.

@DBOS.step()
def post_to_slack(comment: str, url: str):
message = f"{comment}\n\n{url}"
client = slack_sdk.WebClient(token=os.environ["SLACK_HN_BOT_OAUTH_TOKEN"])
client.chat_postMessage(
channel="hacker-news-alerts",
text=message,
unfurl_links=False,
unfurl_media=False,
)

Next, let's write a scheduled job that runs the search every hour and posts its findings to Slack. The @DBOS.scheduled decorator tells DBOS to run this function on a schedule defined in crontab syntax, in this case once per hour. The @DBOS.workflow decorator tells DBOS to durably execute this function, so it runs exactly-once per hour and you'll never miss a Hacker News comment or record a duplicate.

@DBOS.scheduled("0 * * * *")
@DBOS.workflow()
def run_hourly(scheduled_time: datetime, actual_time: datetime):
results = search_hackernews("serverless", window_size_hours=1)
for comment, url in results:
post_to_slack(comment, url)
DBOS.logger.info(f"Found {len(results)} comments at {str(actual_time)}")

Finally, in our main function, let's launch DBOS:

if __name__ == "__main__":
DBOS.launch()

Try it Yourself!

Setting Up Slack

To run this app, you need a Slack bot token for your workspace. Follow this tutorial to generate one. Your token should start with "xoxb". Set it as an environment variable like so:

export SLACK_HN_BOT_OAUTH_TOKEN=<your_token>

You should also create a Slack channel named hacker-news-alerts in your workspace for the bot to post to!

Deploying to the Cloud

To deploy this app as a persistent scheduled job to DBOS Cloud, first install the DBOS Cloud CLI (requires Node):

npm i -g @dbos-inc/dbos-cloud

Then clone the dbos-demo-apps repository and deploy:

git clone https://github.com/dbos-inc/dbos-demo-apps.git
cd python/hackernews-alerts
dbos-cloud app deploy

You can visit the DBOS Cloud Console to see your app's status and logs.

Running Locally

First, clone and enter the dbos-demo-apps repository:

git clone https://github.com/dbos-inc/dbos-demo-apps.git
cd python/hackernews-alerts

Then create a virtual environment:

python3 -m venv .venv
source .venv/bin/activate

DBOS requires a Postgres database. If you don't already have one, you can start one with Docker:

export PGPASSWORD=dbos
python3 start_postgres_docker.py

Then run the app in the virtual environment:

pip install -r requirements.txt
dbos migrate
dbos start