我是Python的新手,这是我第一次询问stackOverflow问题,但这是一个很长时间的读者。我正在开发一个简单的基于卡片的游戏,但是我无法管理我的Hand类的实例。如果你看下面你可以看到hand类是一个简单的card容器(只是int值),每个Player类都包含一个hand类。但是,每当我创建Player类的多个实例时,它们似乎都会操纵Hand类的单个实例。根据我在C和Java方面的经验,似乎我在某种程度上使我的Hand类静态。如果有人可以帮助解决这个问题,我会非常感激。
谢谢你, 萨德
澄清:这种情况的一个例子是
p = player.Player()
p1 = player.Player()
p.recieveCard(15)
p1.recieveCard(21)
p.viewHand()
会导致:
[15,21]
即使只有一张卡被添加到p
手类:
class Hand:
index = 0
cards = [] #Collections of cards
#Constructor
def __init__(self):
self.index
self.cards
def addCard(self, card):
"""Adds a card to current hand"""
self.cards.append(card)
return card
def discardCard(self, card):
"""Discards a card from current hand"""
self.cards.remove(card)
return card
def viewCards(self):
"""Returns a collection of cards"""
return self.cards
def fold(self):
"""Folds the current hand"""
temp = self.cards
self.cards = []
return temp
玩家类
import hand
class Player:
name = ""
position = 0
chips = 0
dealer = 0
pHand = []
def __init__ (self, nm, pos, buyIn, deal):
self.name = nm
self.position = pos
self.chips = buyIn
self.dealer = deal
self.pHand = hand.Hand()
return
def recieveCard(self, card):
"""Recieve card from the dealer"""
self.pHand.addCard(card)
return card
def discardCard(self, card):
"""Throw away a card"""
self.pHand.discardCard(card)
return card
def viewHand(self):
"""View the players hand"""
return self.pHand.viewCards()
def getChips(self):
"""Get the number of chips the player currently holds"""
return self.chips
def setChips(self, chip):
"""Sets the number of chips the player holds"""
self.chips = chip
return
def makeDealer(self):
"""Makes this player the dealer"""
self.dealer = 1
return
def notDealer(self):
"""Makes this player not the dealer"""
self.dealer = 0
return
def isDealer(self):
"""Returns flag wether this player is the dealer"""
return self.dealer
def getPosition(self):
"""Returns position of the player"""
return self.position
def getName(self):
"""Returns name of the player"""
return self.name
答案 0 :(得分:4)
根据我在C和Java方面的经验,似乎我在某种程度上使我的Hand类静态。
实际上,这基本上就是你正在做的事情。好吧,不是真的使类静态,而是使变量静态。
当您编写如下声明时:
class Hand:
cards = []
该变量(cards
)与类相关联,而不是与实例相关联。为了类比Java,Python类中不属于该类方法的每个语句基本上都在静态初始化程序中运行。你几乎可以这样想:
class Hand {
static {
cards = new object[];
}
}
(当然,这只是一个粗略的比喻)
要在Python中创建实例变量,必须将其设置为实例的属性,这需要您等到对实例的引用。实际上,这意味着你在构造函数中初始化它,如下所示:
class Hand:
def __init__(self):
self.cards = []
答案 1 :(得分:3)
你的问题非常简单
如果将列表分配给python类的主体,当您向其追加项时,它们将存储在类级别,而不是实例级别。
您可以通过添加以下行来解决此问题:
def __init__(self):
self.cards = []
这是一个非常着名的python陷阱案例,我建议你阅读: http://zephyrfalcon.org/labs/python_pitfalls.html
答案 2 :(得分:0)
正如其他答案所指出的,你对类变量与实例变量感到困惑。我建议你回顾一下Python类如何工作的基础知识。这是我为另一个问题写的答案;阅读这个可能会对你有帮助。