1
class game_type(object):
    def __init__(self):
        select_game = raw_input("Do you want to start the game? ")
        if select_game.lower() == "yes":
            player1_title = raw_input("What is Player 1's title? ").lower().title()


class dice_roll(object,game_type):
    current_turn = 1
    current_player = [player1_title,player2_title]
    def __init__(self):
        while game_won == False and p1_playing == True and p2_playing == True: 
            if raw_input("Type 'Roll' to start your turn  %s" %current_player[current_turn]).lower() == "roll":

我不断收到一条错误消息:NameError: name 'player1_title' is not defined

我知道标题是一个函数,所以我确实尝试使用 player1_name 和 player1_unam 但这些也返回了相同的错误:(

有人可以帮忙吗

非常感谢所有答案

4

1 回答 1

5

导致 NameError 的原因有很多。

一方面,__init__game_type 方法不保存任何数据。要分配实例变量,您必须使用 指定类实例self.。如果你不这样做,你只是在分配局部变量。

其次,如果您在子类中创建一个新函数并且仍然想要父类的效果,则必须显式调用父类的__init__函数。super()

所以基本上,你的代码应该是

# Class names should be CapCamelCase
class Game(object):                                                                
    def __init__(self):                                                    
        select_game = raw_input("Do you want to start the game? ")         
        if select_game.lower() == "yes":                               
            self.player1_title = raw_input("What is Player 1's title? ").lower().title()
            # Maybe you wanted this in DiceRoll?
            self.player2_title = raw_input("What is Player 1's title? ").lower().title()

# If Game were a subclass of something, there would be no need to 
# Declare DiceRoll a subclass of it as well
class DiceRoll(Game):                                                      
    def __init__(self):                                                   
        super(DiceRoll, self).__init__(self)                               
        game_won = False                                                   
        p1_playing = p2_playing = True                                     
        current_turn = 1                                                   
        current_players = [self.player1_title, self.player2_title]    
        while game_won == False and p1_playing == True and p2_playing == True:
            if raw_input("Type 'Roll' to start your turn %s" % current_players[current_turn]).lower() == "roll":
                pass
于 2012-10-21T01:22:13.140 回答