GitHub Trendingを定期的につぶやくTwitter BotをFirebaseで作ってみた
📦 作ったもの
GitHub Trendingに掲載されたリポジトリを定期的につぶやく Twitter Bot を作りました。
全体のトレンドをつぶやく@gh_trending_と、JavaScript・TypeScript のトレンドをつぶやく@gh_trending_jsの 2 種類があります。
@gh_trending_ | @gh_trending_js |
---|---|
仕様はこちらです。
- 30 分から 1 時間おきに GitHub Trending に掲載されているリポジトリをツイート
- 一度ツイートたリポジトリは再度掲載されていても 1 週間はつぶやかない
- 投稿内容はリポジトリ名、URL、スター数、作者の Twitter アカウント、言語、概要
技術スタックは Firebase Cloud Functions と Firebase Firestore です。
実装コードは全て以下リポジトリで公開しています。
💪 モチベーション
複数のつよい人から GitHub Trending を定期的に見て最新の情報をキャッチアップしているという話を聞いたのがはじまりです。自分も見る習慣をつけようと思ったのですがなかなか続かず、それなら毎日見る Twitter のタイムラインで見れるようにすればよいのでは? と怠惰なモチベーションではじめました。
🎯 技術的なポイント
GitHub Trendingのリポジトリ情報の取得
GitHub Trending のリポジトリ情報は、GitHub 公式の API がなかったので、定期的にページをスクレイピングして取得しています。
Node.js でスクレイピングといえば Puppeteer や Playwright ですが、今回は GitHub Trending のページが静的なページだったので、単純に GET リクエストを投げてそのレスポンスの HTML をパースするという方法で行っています。
HTML のパースにはnode-html-parserを使っています。
functions/src/lib/ghTrendScraper.ts
export class GHTrendScraper {
static async scraping(params = ""): Promise<GHTrend[]> {
const res = await got.get(`https://github.com/trending${params}`);
const dom = parse(res.body);
const rows = dom.querySelectorAll(".Box-row");
return await Promise.all(
rows.map(async (row) => {
const { owner, repository } = GHTrendScraper.getOwnerAndRepoName(row);
const { description } = GHTrendScraper.getDescription(row);
const { starCount } = GHTrendScraper.getStarCount(row);
const { forkCount } = GHTrendScraper.getForkCount(row);
const { todayStarCount } = GHTrendScraper.getTodayStarCount(row);
const { language } = GHTrendScraper.getLanguage(row);
const { ownersTwitterAccount } =
await GHTrendScraper.getOwnersTwitterAccount(owner);
return {
owner,
repository,
language: language ?? "",
description: description ?? "",
starCount: starCount ?? "",
forkCount: forkCount ?? "",
todayStarCount: todayStarCount ?? "",
ownersTwitterAccount: ownersTwitterAccount ?? "",
url: `https://github.com/${owner}/${repository}`,
};
})
);
}
private static getOwnerAndRepoName(dom: HTMLElement) {
const path = dom.querySelector("> h1 a").attributes.href;
const result = path.split("/");
return {
owner: result[1],
repository: result[2],
};
}
// ...
}
そして、スクレイピングで取得した情報は Firestore に保存しています。
その時の保存条件として、1 週間以内にすでに追加済みのリポジトリは除外しています。
functions/src/lib/firestore.ts
//...
const getTrendDataWithinOneWeek = async (
collectionRef: FirebaseFirestore.CollectionReference
): Promise<GHTrend[]> => {
const oneWeekAgo = dayjs().add(-7, "day").unix();
const querySnapshotFromOneWeekAgo = await collectionRef
.where("createdAt", ">=", oneWeekAgo)
.get();
return querySnapshotFromOneWeekAgo.docs.map((doc) => doc.data() as GHTrend);
};
export const bulkInsertTrends = async (
collectionRef: FirebaseFirestore.CollectionReference,
trends: GHTrend[]
): Promise<void> => {
const trendsFromOneWeekAgo = await getTrendDataWithinOneWeek(collectionRef);
await Promise.all(
trends.map(async (trend) => {
// exclude repositories submitted within a week.
if (trendsFromOneWeekAgo.some((d) => d.url === trend.url)) {
return Promise.resolve();
}
return await collectionRef.add({
...trend,
createdAt: dayjs().unix(),
tweeted: false,
});
})
);
};
//...
ツイートの定期実行
ツイートは Functions のスケジュール実行で 30 分ごとに行っています。
この時のツイート内容のデータはスクレイピングで取得した Firestore に保存されているものを使っています。
export const tweetTrend = functions.pubsub
.schedule("every 30 minutes")
.onRun(async (_context) => {
try {
await Promise.all([tweetAllLanguagesTrends(), tweetFrontendTrends()]);
} catch (e) {
console.error(e);
}
});
Titter API を叩く際には Twitter-api-v2 というライブラリを利用しています。
functions/src/lib/twitter/index.ts
// ...
const createTweetText = (trend: GHTrend): string => {
return `
📦 ${trend.repository}${
trend.ownersTwitterAccount ? `\n👤 ${trend.ownersTwitterAccount}` : ""
}
⭐ ${trend.starCount} (+${trend.todayStarCount})${
trend.language ? `\n🗒 ${trend.language}` : ""
}
${trend.description ? `\n${truncateText(trend.description, 85)}\n` : ""}
${trend.url}
`.trim();
};
const tweetFromTrend = async (
client: TwitterApi,
trend: GHTrend
): Promise<void> => {
await client.v1.tweet(createTweetText(trend));
};
export const tweetRepository = async (
collectionRef: FirebaseFirestore.CollectionReference,
twitterClient: TwitterApi
): Promise<void> => {
const snapshot = await getUntweetedTrend(collectionRef);
if (snapshot.empty) {
console.log("No matching documents.");
return;
}
for (const doc of snapshot.docs) {
await tweetFromTrend(twitterClient, doc.data() as GHTrend);
await updateTweetedFlag(doc, true);
}
};
🛠 工夫したところ
1つのFunctionsで実行タイミングを分ける
データを集めるスクレイピング、集めたデータからのツイートの実行は異なる処理なので、別の Functions で定義したほうがシンプルなのですが、Firebase には Functions の定期実行機能が 1 つのアカウントで 3 つまでという制限があるので、今回は 1 つの関数の中で実行時間を見て処理を間引くという形でそれぞれの実行タイミングを制御しています。
あまり良いやり方でもないのかもですが、今の所良い感じに機能しています。
functions/src/lib/core/frontend.ts
// ...
export const tweetFrontendTrends = async (): Promise<void> => {
// update trends data at several times a day.
if (isUpdateTime()) {
await updateFrontendTrends();
console.info("Update frontend repositories collections");
}
// tweet trends repository with a bot
await tweetRepository(collectionRef, twitterClient);
};
// ...
functions/src/lib/lib/utils.ts
// ...
export const isUpdateTime = (): boolean => {
const datetime = dayjs();
return datetime.hour() % 2 === 0 && datetime.minute() <= 30;
};
// ...
リポジトリオーナーのTwitterアカウントにメンションする
ツイート対象のリポジトリのオーナーページに、Twitter アカウントが設定されている場合は、ツイート時にそのアカウントにメンションするようにしました。
Twitter アカウントの情報はトレンドのスクレイピング時に一緒に取得しています。
functions/src/lib/ghTrendScraper.ts
// ...
private static async getOwnersTwitterAccount(owner?: string) {
if (!owner) {
return {
ownersTwitterAccount: null,
};
}
const res = await got.get(`https://github.com/${owner}`);
const dom = parse(res.body);
const ownersTwitterAccount = dom
.querySelector(".vcard-details a[href^=\"https://twitter.com\"]")
?.innerText.trim();
return {
ownersTwitterAccount,
};
}
// ...
狙いとしては、GitHub Trending に掲載されたことを本人もしらないと思うので知らせて上げたいという気持ち 1 割、そのメンションからこの Twitter アカウントが認知されてリポジトリオーナーのリツイートから海外のユーザーにも広がらないかなという打算的な狙い 9 割です😅
実際にやってみるといくつかの投稿はリツイートしてもらえてそこから海外のフォロワーが増えているので一定の効果はありそうです。
終わりに
初めての Twitter Bot の作成だったのですが、思いの他簡単に出来ました。Firebase 最高!
また、リリース後 2 日ですでに 200 人以上の方にフォローしてもらえて嬉しいです。フォロワー数として目に見えてユーザー数がわかるのは良いですね。
当初のモチベーション通り、GitHub Trending のリポジトリから技術キャッチアップして、つよいエンジニアを目指して頑張りたいです。
Discussion