1
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

農工大Advent Calendar 2024

Day 12

「○○の△△の部分」の△△を見つけるWebアプリを作った話

Last updated at Posted at 2024-12-28

はじめに

この記事は,農工大アドベントカレンダー Advent Calendar 2024 シリーズ2 12日目の記事となります.
「○○の△△の部分」ってネタツイありますよね.これは○○の部分文字列が文章・単語として成立していたら△△になります.つまりは○○が分かれば△△を機械的に列挙できると思ったので,Webアプリを作ってみました.

GitHubリポジトリはこれです.

概要

このように「東京農工大学」などと入力すると,「冬季」や「右脳」と出力してくれます.
image.png

アプリケーションの主な過程

入力をひらがなに変換

入力を Yahooのルビ振りAPI を用いてひらがなにします.ただし,カタカナはカタカナのままなので,変換テーブルを用意して無理やりひらがなにします.

# カタカナからひらがなへの変換テーブル
KATAKANA_TO_HIRAGANA_TABLE = {
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "",
    "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "", "": "",
    "": "", "": "", "": "", "": "",
}

def katakana_to_hiragana(katakana_text: str) -> str:
    """カタカナ文字列をひらがな文字列に変換する"""
    return "".join(KATAKANA_TO_HIRAGANA_TABLE.get(char, char) for char in katakana_text)

def convert_text_to_hiragana(query: str, api_key: str) -> str:
    """Yahoo APIでひらがな変換を実行"""
    url = "https://jlp.yahooapis.jp/FuriganaService/V2/furigana"
    headers = {
        "Content-Type": "application/json",
        "User-Agent": f"Yahoo AppID: {api_key}",
    }
    params = {
        "id": "toufu",
        "jsonrpc": "2.0",
        "method": "jlp.furiganaservice.furigana",
        "params": {"q": query, "grade": 1},
    }
    response = requests.post(url, headers=headers, json=params)
    response.raise_for_status()

    word_list = response.json()["result"]["word"]
    return "".join(word.get("furigana", word["surface"]) for word in word_list)

部分文字列の抽出

入力文字列から連続部分文字列を取得します.

全ての可能な部分文字列を生成し,長さが長い順にソートします.

def get_substrings(text: str) -> list[str]:
    """文字列の部分文字列を取得"""
    substrings = {
        text[i:j] for i in range(len(text)) for j in range(i + 2, len(text) + 1)
    }
    return sorted(substrings, key=len, reverse=True)

部分文字列の変換

Yahooのかな漢字変換APIを使用して部分文字列を変換します.部分文字列を10個ずつのバッチにまとめてAPIを叩いています.

def transliterate_substrings(substrings: list[str], api_key: str) -> set[str]:
    """Yahoo APIで部分文字列を日本語変換"""
    url = "https://jlp.yahooapis.jp/JIMService/V2/conversion"
    headers = {
        "Content-Type": "application/json",
        "User-Agent": f"Yahoo AppID: {api_key}",
    }
    transliterated: set = set()

    for i in range(0, len(substrings), 10):
        batch = " ".join(substrings[i : i + 10])
        params = {
            "id": "toufu",
            "jsonrpc": "2.0",
            "method": "jlp.jimservice.conversion",
            "params": {"q": batch, "results": 1},
        }
        response = requests.post(url, headers=headers, json=params)
        response.raise_for_status()
        transliterated.update(
            candidate
            for segment in response.json()["result"]["segment"]
            for candidate in segment["candidate"]
        )

    return transliterated

MediaWiki APIを利用した単語の検証

MediaWiki APIを使用して存在判定を行うことで部分文字列の中から実際に存在する単語のみを抽出します.

def filter_existing_words(words: list[str]) -> list[str]:
    """MediaWiki APIを利用して存在する単語のみを抽出"""
    url = "https://ja.wikipedia.org/w/api.php"
    headers = {
        "Accept-Encoding": "gzip",
        "User-Agent": "word-finder(https://substring-word-finder.onrender.com/)",
    }
    params = {
        "action": "query",
        "format": "json",
        "prop": "info",
        "titles": "|".join(words),
    }
    response = requests.get(url, headers=headers, params=params)
    response.raise_for_status()
    pages = response.json()["query"]["pages"]
    return [page["title"] for page in pages.values() if page.get("missing") is None]

形態素解析

Yahooの日本語形態素解析APIを使用して,入力テキストを形態素解析し,単語を抽出することで,入力に自明に含まれる文字列をなるべく減らしています.

def parse_text_to_morphemes(query: str, api_key: str) -> set[str]:
    """Yahoo APIで形態素解析を実行"""
    url = "https://jlp.yahooapis.jp/MAService/V2/parse"
    headers = {
        "Content-Type": "application/json",
        "User-Agent": f"Yahoo AppID: {api_key}",
    }
    params = {
        "id": "toufu",
        "jsonrpc": "2.0",
        "method": "jlp.maservice.parse",
        "params": {"q": query},
    }
    response = requests.post(url, headers=headers, json=params)
    response.raise_for_status()
    return {token[0] for token in response.json()["result"]["tokens"]}

main関数

今までの関数たちを呼んで処理を行ったり,streamlitで入力欄などを書いたりしています.ただし,APIへの負荷を軽減するために文字列の長さの制限を行っています.

def main():
    # .envファイルを読み込む
    load_dotenv()

    st.title("「○○の△△の部分」の○○を入力すると△△を出力します")
    st.markdown(
        '<a href="https://github.com/toufu-24/Substring-Word-Finder" target="_blank">GitHubリポジトリ</a>',
        unsafe_allow_html=True,
    )
    st.markdown(
        """
    <div style='text-align: right; margin-top: 50px;'>
        <span style='margin:15px;'><a href="https://developer.yahoo.co.jp/sitemap/">Webサービス by Yahoo! JAPAN</a></span><br>
        <a href="https://www.mediawiki.org/wiki/API:Main_page/ja">Powered by MediaWiki</a>
    </div>
    """,
        unsafe_allow_html=True,
    )

    input_text = st.text_input("テキストを入力してください")
    if not input_text:
        st.write("テキストを入力してから送信してください")
        return

    if len(input_text) > LIMITHIRAGANA:
        st.write(f"{LIMITHIRAGANA}文字以下にしてください")
        return

    api_key = os.getenv("YahooAPIkey")
    if not api_key:
        st.write("Yahoo APIキーが設定されていません")
        return

    # 形態素解析
    morphemes: set[str] = parse_text_to_morphemes(input_text, api_key)

    # ひらがな変換
    hiragana_text: str = katakana_to_hiragana(
        convert_text_to_hiragana(input_text, api_key)
    )

    # ひらがな文字列の長さ制限
    if len(hiragana_text) > LIMITHIRAGANA:
        st.write(f"ひらがなで{LIMITHIRAGANA}文字以下にしてください")
        return
    if len(hiragana_text) < 3:
        st.write("ひらがなで3文字以上にしてください")
        return

    # 部分文字列取得
    substrings: list[str] = get_substrings(hiragana_text)

    # 日本語変換
    transliterated: set[str] = transliterate_substrings(substrings, api_key)

    # Wikipediaで存在する単語をフィルタリング
    existing_words: list[str] = filter_existing_words(transliterated)

    # 形態素解析での単語を除外
    result: list[str] = [word for word in existing_words if word not in morphemes]

    # 結果のソート
    result.sort(key=len, reverse=True)

    # 結果の表示
    st.write(result)
    if st.button("詳細を表示"):
        st.write("入力テキスト:", input_text)
        st.write("ひらがなテキスト:", hiragana_text)
        st.write("形態素リスト:")
        st.write(morphemes)
        st.write("result候補:")
        st.write(transliterated)

デプロイ

Renderでデプロイします.PythonのバージョンとAPIキーだけ環境変数に置いてよしなにします.

完成

できました!
「アドベントカレンダー」の「連打」の部分
image.png

終わりに

フロントエンド全然書けないのでstreamlit様にはお世話になってます.

1
0
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
1
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?