Skip to content

Commit

Permalink
slow-quiz: WIP: Implement AI answering
Browse files Browse the repository at this point in the history
  • Loading branch information
hakatashi committed Sep 5, 2023
1 parent ed56778 commit 14f531c
Show file tree
Hide file tree
Showing 2 changed files with 185 additions and 30 deletions.
166 changes: 136 additions & 30 deletions slow-quiz/index.ts
Original file line number Diff line number Diff line change
@@ -1,15 +1,21 @@
import {readFile} from 'fs/promises';
import path from 'path';
import {SlackMessageAdapter} from '@slack/interactive-messages';
import type {ChatPostMessageArguments, ImageElement, KnownBlock, WebClient} from '@slack/web-api';
import {Mutex} from 'async-mutex';
import {oneLine, stripIndent} from 'common-tags';
// @ts-expect-error
// @ts-expect-error: Not typed
import {hiraganize} from 'japanese';
import yaml from 'js-yaml';
import {last, minBy} from 'lodash';
import {scheduleJob} from 'node-schedule';
import {ChatCompletionRequestMessage, Configuration, OpenAIApi} from 'openai';
import {increment} from '../achievements';
import logger from '../lib/logger';
import type {SlackInterface} from '../lib/slack';
import {getMemberIcon, getMemberName} from '../lib/slackUtils';
import State from '../lib/state';
import {Loader} from '../lib/utils';
import answerQuestionDialog from './views/answerQuestionDialog';
import footer from './views/footer';
import gameDetailsDialog from './views/gameDetailsDialog';
Expand Down Expand Up @@ -42,8 +48,8 @@ export interface Game {
finishDate: number | null,

progress: number,
progressOfComplete?: number, // 一度 progressGames が実行された後に optional を外す
completed?: boolean, // 同上
progressOfComplete: number,
completed: boolean,
days: number,
correctAnswers: Submission[],
wrongAnswers: Submission[],
Expand Down Expand Up @@ -81,6 +87,19 @@ const validateQuestion = (question: string) => {
return Array.from(normalizedQuestion).length <= 90;
};

const promptLoader = new Loader<ChatCompletionRequestMessage[]>(async () => {
const promptYaml = await readFile(path.join(__dirname, 'prompt.yml'));
const prompt = yaml.load(promptYaml.toString()) as ChatCompletionRequestMessage[];
return prompt;
});

const configuration = new Configuration({
apiKey: process.env.OPENAI_API_KEY,
});
const openai = new OpenAIApi(configuration);

const log = logger.child({bot: 'slow-quiz'});

class SlowQuiz {
slack: WebClient;

Expand Down Expand Up @@ -199,7 +218,7 @@ class SlowQuiz {
const id = payload?.view?.private_metadata;

mutex.runExclusive(() => (
this.answerQuestion({
this.answerUserQuestion({
id,
ruby: state?.ruby?.value,
user: payload.user.id,
Expand Down Expand Up @@ -397,43 +416,119 @@ class SlowQuiz {
});
}

answerQuestion({
async getChatGptAnswer(game: Game) {
const prompt = await promptLoader.load();
const questionText = this.getQuestionText(game);
const [visibleText] = questionText.split('\u200B');

log.info('Requesting to OpenAI API...');
const completion = await openai.createChatCompletion({
model: 'gpt-3.5-turbo',
messages: [
...prompt,
{
role: 'user',
content: [
'ありがとうございます。以下の文章も、クイズの問題文の途中までを表示したものです。この文章の続きを推測し、問題の答えと読みを教えてください。',
'',
`問題: ${visibleText}`,
].join('\n'),
},
],
max_tokens: 1024,
});

const result = completion.data.choices?.[0]?.message?.content;
if (typeof result !== 'string') {
return {
answer: null,
result: null,
};
}

let answer = null;
const answerMatches = result.match(/【(?<answer>.+?)】/);
if (answerMatches?.groups?.answer) {
answer = answerMatches.groups.answer;
}

const rubyMatches = answer.match(/[((](?<ruby>.+?)[))]/);
if (rubyMatches?.groups?.ruby) {
answer = rubyMatches.groups.ruby;
}

return {
answer,
result,
};
}

answerUserQuestion({
id,
ruby,
user,
}: {
id: string,
ruby: string,
user: string,
}): Promise<void> {
}) {
const game = this.state.games.find((g) => g.id === id);

if (!game) {
this.postEphemeral('Error: 問題が見つかりません', user);
return null;
return;
}

if (game.author === user) {
this.postEphemeral('出題者は問題に答えることができないよ🙄', user);
return null;
return;
}

if (game.status !== 'inprogress' || game.correctAnswers.length >= this.MAX_CORRECT_ANSWERS) {
this.postEphemeral('Error: この問題の解答受付は終了しています', user);
return null;
return;
}

if (game.answeredUsers.includes(user)) {
this.postEphemeral('Error: この問題にすでに解答しています', user);
return null;
return;
}

if (!ruby.match(/^[ぁ-ゟァ-ヿa-z0-9]+$/i)) {
this.postEphemeral('答えに使える文字は「ひらがな・カタカナ・英数字」のみだよ🙄', user);
return null;
return;
}

game.answeredUsers.push(user);
this.answerQuestion({
type: 'user',
game,
ruby,
user,
});
}

getUserMention({user, type}: {user: string, type: 'user' | 'bot'}) {
if (type === 'user') {
return `<@${user}>`;
}
return `*${user}*`;
}

answerQuestion({
type,
game,
ruby,
user,
}: {
type: 'user' | 'bot',
game: Game,
ruby: string,
user: string,
}) {
const userId = type === 'user' ? user : `bot:${user}`;
const userMention = this.getUserMention({user, type});

game.answeredUsers.push(userId);

const normalizedRuby: string = hiraganize(ruby).toLowerCase().trim();
const isCorrect = game.ruby.split(',').some((correctAnswer) => {
Expand All @@ -452,10 +547,12 @@ class SlowQuiz {
date: Date.now(),
answer: ruby,
});
this.postEphemeral('残念!🙄', user);
increment(user, 'slowquiz-wrong-answer');
if (type === 'user') {
this.postEphemeral('残念!🙄', user);
increment(user, 'slowquiz-wrong-answer');
}
this.updateLatestStatusMessages();
return null;
return;
}

game.correctAnswers.push({
Expand All @@ -466,16 +563,18 @@ class SlowQuiz {
answer: ruby,
});

this.postEphemeral('正解です🎉🎉🎉', user);
if (type === 'user') {
this.postEphemeral('正解です🎉🎉🎉', user);
}

this.postShortMessage({
text: `<@${user}>が1日1文字クイズに正解しました🎉🎉🎉`,
text: `${userMention}が1日1文字クイズに正解しました🎉🎉🎉`,
blocks: [
{
type: 'section',
text: {
type: 'mrkdwn',
text: `<@${user}>が1日1文字クイズに正解しました🎉🎉🎉`,
text: `${userMention}が1日1文字クイズに正解しました🎉🎉🎉`,
},
},
{
Expand All @@ -490,25 +589,32 @@ class SlowQuiz {
],
});

increment(user, 'slowquiz-correct-answer');
if (game.days === 1) {
increment(user, 'slowquiz-correct-answer-first-letter');
if (game.genre === 'normal' && game.question.split('/').length < 5) {
increment(user, 'slowquiz-normal-correct-answer-first-letter');
if (type === 'user') {
increment(user, 'slowquiz-correct-answer');
if (game.days === 1) {
increment(user, 'slowquiz-correct-answer-first-letter');
if (game.genre === 'normal' && game.question.split('/').length < 5) {
increment(user, 'slowquiz-normal-correct-answer-first-letter');
}
}
if (game.days <= 3) {
increment(user, 'slowquiz-correct-answer-le-third-letter');
}
if (game.correctAnswers.length === 1) {
increment(user, 'slowquiz-first-correct-answer');
}
}
if (game.days <= 3) {
increment(user, 'slowquiz-correct-answer-le-third-letter');
}
if (game.correctAnswers.length === 1) {
increment(user, 'slowquiz-first-correct-answer');

if (type === 'bot') {
increment(game.author, 'slowquiz-correct-answer-by-bot');
if (game.correctAnswers.length === 1) {
increment(game.author, 'slowquiz-first-correct-answer-by-bot');
}
}

this.checkGameEnd();

this.updateLatestStatusMessages();

return null;
}

postComment({
Expand Down
49 changes: 49 additions & 0 deletions slow-quiz/prompt.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,49 @@
- role: user
content: |
以下の文章は、クイズの問題文の途中までを表示したものです。この文章を最後まで補完することで、クイズの問題文になります。続きを推測し、問題の答えと読みを教えてください。
問題: 正式名称を「特に水鳥の生息地
- role: assistant
content: |
この問題の続きを補完すると、以下のようになります。
問題: 正式名称を「特に水鳥の生息地として国際的に重要な湿地に関する条約」という条約を、締結されたイランの都市の名前から何というでしょう?
この問題の答えは【ラムサール条約(ラムサールじょうやく)】です。「特に水鳥の生息地」というフレーズは特徴のある言い回しですが、これは有名な国際条約の名前の一部です。問題文が「正式名称を」という言葉で始まっていることから、問題文は「正式名称を〇〇という〜」という構造になっており、この条約の通称を答えさせる問題であると推測できます。この条約は一般に「ラムサール条約」として知られており、これが答えではないかと推測されます。
- role: user
content: |
ありがとうございます。以下の文章も、クイズの問題文の途中までを表示したものです。この文章の続きを推測し、問題の答えと読みを教えてください。
問題: 最高の映画に送られ
- role: assistant
content: |
この問題の続きを補完すると、以下のようになります。
問題: 最高の映画に送られるのは「アカデミー賞」ですが、最低の映画に送られるのは何賞でしょう?
この問題の答えは【ゴールデンラズベリー賞(ゴールデンラズベリーしょう)】です。ゴールデンラズベリー賞は通称をラジー賞というアメリカの映画賞であり、よくアカデミー賞と対比されます。このクイズの書き出しは一見「最高の映画に送られるのは何でしょう?」という問題のように見えますが、これだけでは他に「オスカー像」などの答えも考えられてしまうため、この問題は「ですが」を使う形でアカデミー賞との対比構文になると考えられます。
- role: user
content: |
ありがとうございます。以下の文章も、クイズの問題文の途中までを表示したものです。この文章の続きを推測し、問題の答えと読みを教えてください。
問題: 代表
- role: assistant
content: |
この問題の続きを補完すると、以下のようになります。
問題: 代表作に『ペール・ギュント』や『人形の家』などがある、「近代演劇の祖」とも呼ばれるノルウェーの劇作家は誰でしょう?
この問題の答えは【ヘンリック・イプセン(ヘンリックイプセン)】です。「代表」から始まるクイズは、最初に代表作を列挙するタイプのクイズの定型文である可能性が高いでしょう。ただし、このような短い文章から続きを推測することは難しいため、問題文の続きがこのようになっていない確率も高いと思われます。この答えはあくまで可能性の1つとして考えてください。
- role: user
content: |
ありがとうございます。以下の文章も、クイズの問題文の途中までを表示したものです。この文章の続きを推測し、問題の答えと読みを教えてください。
問題: 漢字1字では「さんずいに跋
- role: assistant
content: |
この問題の続きを補完すると、以下のようになります。
問題: 漢字1字では「さんずいに跋扈の扈」と表記される中国の都市はどこでしょう?
この問題の答えは【上海(しゃんはい)】です。漢字1字で「さんずいに跋」と書く字は存在しないため、この文章は「跋扈の扈」のような形で漢字を説明しているものと思われます。「さんずいに跋扈の扈」と書く漢字は「滬」であり、これは中国の都市である上海の別名です。問題文において「漢字では」や「漢字1字で」という書き出しになっていないことがポイントであり、ここから漢字2字以上の別名があることが推測されます。この点からも上海がこの問題の正しい答えであることが推測されるでしょう。

0 comments on commit 14f531c

Please sign in to comment.