0

私は、2 プレーヤー (ユーザー対コンピューター AI) の単語/文字推測ゲームである、Python での最初の単純なプログラムの完成に取り組んでいます。

コードの大部分は完成しましたが、ループを整理して、ゲームがユーザーと AI を適切に切り替えるようにしています。世界が完全に明らかになるまで、ゲームがユーザーと AI のターンを交互に繰り返すようにしたいと考えています。その時点で、最も多くの文字を正しく推測したプレーヤーがポイントを獲得します。コンピューターの司会者は別の単語を選び、最初からやり直します。最初に 5 ポイントを獲得したプレイヤーがゲームに勝ちます。

どこから始めればよいかわかりません。私はまだPython/コーディング全般にかなり慣れていないため、イベントが発生する順序を理解するのに苦労しています. 単語がまだ完全に明らかにされていない限り、True のままであるある種のマスター ループが必要であることはわかっていますが、それだけです。

また、以下のコードを最適化する方法やクリーンアップする方法に関するその他の提案をいただければ幸いです。

import random


#set initial values
player1points= 0
ai= 0
userCorrectLetters= ''
aiCorrectLetters=''
wrongLetters=''
wrongPlace= ''
correctLetters = ''
notInWord = ''
endGame = False
allLetters = set(list('abcdefghijklmnopqrstuvwxyz'))
alreadyGuessed = set() 
userGuessPosition = 0
availLetters = allLetters.difference(alreadyGuessed)


#import wordlist, create mask
with open('wordlist.txt') as wordList:
    secretWord = random.choice(wordList.readlines()).strip()
print (secretWord)
secretWordLength = len(secretWord)








def displayGame():
    mask = '_'  * len(secretWord)
    for i in range (len(secretWord)):
        if secretWord[i] in correctLetters:
            mask = mask[:i] + secretWord[i] + mask [i+1:]
    for letter in mask:
        print (letter, end='')
    print (' ')
    print ('letters in word but not in correct location:', wrongPlace)
    print ('letters not in word:', wrongLetters)



    ##asks the user for a guess, assigns input to variable

def getUserGuess(alreadyGuessed):


    while True:
        print ('enter your letter')
        userGuess = input ()
        userGuess= userGuess.lower()
        if len(userGuess) != 1:
            print ('please enter only one letter')
        elif userGuess in alreadyGuessed:
            print ('that letter has already been guessed. try again')
        elif userGuess not in 'abcdefjhijklmnopqrstuvwxyz':
            print ('only letters are acceptable guesses. try again.')
        else:
            return userGuess

def newGame():
    print ('yay. that was great. do you want to play again? answer yes or no.')
    return input().lower().startswith('y')


userTurn=True     
while userTurn == True:
    displayGame ()
    print ('which character place would you like to guess. Enter number?')
    userGuessPosition = int(input())

    slice1 = userGuessPosition - 1  


    ##player types in letter
    guess = getUserGuess(wrongLetters + correctLetters)
    if guess== (secretWord[slice1:userGuessPosition]):
        correctLetters = correctLetters + guess
        print ('you got it right! ')
        displayGame()
        break
    elif guess in secretWord:
            wrongPlace = wrongPlace + guess 
            print ('that letter is in the word, but not in that position')
            displayGame()
            break
    else:
            wrongLetters = wrongLetters + guess
            print ('nope. that letter is not in the word')
            displayGame()
            break

print ("it's the computers turn")

aiTurn=True

while aiTurn == True:
    aiGuessPosition = random.randint(1, secretWordLength)
    print (aiGuessPosition)

    aiGuess=random.sample(availLetters, 1)
    print ('the computer has guessed', aiGuess, "in position", + aiGuessPosition)
    if str(aiGuess) == (secretWord[slice1:userGuessPosition]):
            correctLetters = correctLetters + guess
            print ('this letter is correct ')
            break
    elif str(aiGuess) in secretWord:
            aiCorrectLetters = aiCorrectLetters + guess 
            correctLetters = correctLetters + guess
            print ('that letter is in the word, but not in that position')
            break
    else:
            wrongLetters = wrongLetters + guess
            print ('that letter is not in the word')
            break   


    displayGame() 
    break     
4

1 に答える 1

1

2ターンだけで終了するみたい?

何が起こっているかというと、最初のwhileループにヒットし、内部のコードの評価を開始します。それはいくつかのことをbreak行い、ループから抜け出し、最初のループの終了後に実行を再開します。次に、2 番目のループで同じことを行い、プログラムの最後に到達して終了します。

次のリファクタリングをお勧めします。

  1. whileループの下にあるすべてのものを2つの関数user_playに入れ、computer_play
  2. のようなループを書く

これ

usr_pts = 0
cmp_pts = 0

while (usr_pts < 5 and cmp_pts < 5):
    solved_word = False
    # set up word
    user_turn = False
    user_correct_guess = 0
    ai_correct_guess = 0
    while not solved_word:
        user_turn = not user_turn
        if user_turn:
            guess = play_user(...)
        else:
            guess = computer_play(...)
        # what ever accounting you need to do
        is_guess_in_word = test_guess_in_word(guess, ...)
        if is_guess_in_word:
            if user_turn:
                user_correct_guess += 1
            else:
                ai_correct_guess += 1
        solved_word = sort_out_if_word_solved(...)

    if user_correct_guess > ai_correct_guess:
        usr_pts += 1
    elif user_correct_guess < ai_correct_guess:
        cmp_pts +=1
    else:
        # a tie
        pass
于 2013-04-07T15:35:59.527 に答える