|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
import sys
import pygame
class AlienInvasion:
""""管理游戏资源和行为的类"""
def __int__(self):
"""初始化游戏并创建游戏资源"""
pygame.init()
self.screen=pygame.display.set_mode((1200,800))
pygame.display.set_caption("AlienInvasion")
def run_game(self):
"""开始游戏主循环"""
while True:
"""监视键盘和鼠标事件"""
for event in pygame.event.get():
if event.type == pygame.QUIT:
sys.exit(1)
#让最近绘制的屏幕可见
pygame.display.flip()
if __name__=='__main__':
#创建并运行游戏实例
ai=AlienInvasion()
ai.run_game()
运行结果:
Traceback (most recent call last):
File "C:\Users\Administrator\Desktop\Python projects\test.py", line 27, in <module>
ai.run_game()
File "C:\Users\Administrator\Desktop\Python projects\test.py", line 17, in run_game
for event in pygame.event.get():
^^^^^^^^^^^^^^^^^^
pygame.error: video system not initialized
pygame 2.3.0 (SDL 2.24.2, Python 3.11.0)
Hello from the pygame community. https://www.pygame.org/contribute.html
进程已结束,退出代码1
从您的代码和错误信息来看,问题出在您的AlienInvasion类的__init__()方法的名字。
您将其错误地命名为__int__(),这是一个拼写错误。这导致了pygame.init()和其他初始化代码没有被执行,从而引发了“video system not initialized”的错误。
要解决此问题,请将__int__()更改为__init__(),如下所示:
class AlienInvasion:
"""管理游戏资源和行为的类"""
def __init__(self): # 修改这里
"""初始化游戏并创建游戏资源"""
pygame.init()
self.screen = pygame.display.set_mode((1200, 800))
pygame.display.set_caption("AlienInvasion")
这样,当您创建一个AlienInvasion实例时,__init__()方法将被正确调用,并执行必要的初始化。这将解决您遇到的问题。
|
|