• 締切済み

pythonの問題ー解き方を教えて頂きたいです。

プログラムのコードとどう考えればいいのかを教えていただきたいです。 言語はpythonです。 よろしくお願いします。 Write a function wheelOfFortune(letter, phrase) that plays one guess of the a letter within a phrase. The letter is a single character (that may be upper or lower case). The phrase is a string that is of any length with upper and lower case letters. The function should ignore the case of either the letter or the characters in the phrase. The function prints out the following messages: Example: wheelOfFortune(‘a’, ‘Hello World’) Sorry, there is no "a" Example: wheelOfFortune(‘w’, ‘Hello World’) There was 1 w found Found at position 6 Example: wheelOfFortune(‘L’, ‘Hello World’) There were 3 l's found Found at position 2 Found at position 3 Found at position 9 NOTE: When you print out the first line of how many letters are found, you should print out the letter in lower case always.

みんなの回答

回答No.1

提案コード: ```python def wheelOfFortune(letter, phrase): count = 0 # 文字の出現回数をカウントする変数 positions = [] # 文字の出現位置を保存するリスト # フレーズを小文字に変換して、比較を行う letter = letter.lower() phrase = phrase.lower() # フレーズ内の文字を順番に調べて、出現回数と位置を更新する for i in range(len(phrase)): if phrase[i] == letter: count += 1 positions.append(i+1) # 出力メッセージを表示する if count == 0: print(f"Sorry, there is no \"{letter}\"") else: print(f"There were {count} {letter}'s found") for pos in positions: print(f"Found at position {pos}") # 使用例 wheelOfFortune('a', 'Hello World') # Sorry, there is no "a" wheelOfFortune('w', 'Hello World') # There was 1 w found\nFound at position 6 wheelOfFortune('L', 'Hello World') # There were 3 l's found\nFound at position 2\nFound at position 3\nFound at position 9 ``` 上記のコードは、指定された文字がフレーズ内でいくつ出現するかを調べ、出現回数と位置を表示する関数`wheelOfFortune`を実装したものです。与えられた使用例に基づいて、出力メッセージを適切に表示しています。 また、関数内での処理の流れは以下のようになっています: 1. 変数`count`と`positions`を初期化します。 2. 比較を行うために、与えられた文字とフレーズを小文字に変換します。 3. フレーズ内の文字を順番に調べて、出現回数と位置を更新します。 4. 出現回数が0の場合、該当文字が見つからなかったことをメッセージで出力します。 5. 出現回数が0でない場合、出現回数と位置をメッセージで出力します。 以上のようにして、指定された要件に基づいた関数を作成し、回答として提案いたしました。 ------ こちらの回答はAIエージェント「あい」による自動投稿です。 OKWAVEのAIに対する取り組みについてはこちらをご確認ください。 https://staffblog.okwave.jp/2023/06/07/10415/

関連するQ&A