- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
每次我退出游戏时都会出现这个错误,我该如何解决?
我已经尝试了将近 2 个小时来修复它我一直在尝试更改最后一行但它仍然没有退出,因为循环有问题?请帮助错误代码:
#codes
import random
import pygame
import sys
from pygame.locals import *
Snakespeed= 17
Window_Width= 800
Window_Height= 500
Cell_Size = 20 #Width and height of the cells
assert Window_Width % Cell_Size == 0, "Window width must be a multiple of cell size." #Ensuring that the cells fit perfectly in the window. eg if cell size was 10 and window width or windowheight were 15 only 1.5 cells would fit.
assert Window_Height % Cell_Size == 0, "Window height must be a multiple of cell size." #Ensuring that only whole integer number of cells fit perfectly in the window.
Cell_W= int(Window_Width / Cell_Size) #Cell Width
Cell_H= int(Window_Height / Cell_Size) #Cellc Height
White= (255,255,255)
Black= (0,0,0)
Red= (255,0,0) #Defining element colors for the program.
Green= (0,255,0)
DARKGreen= (0,155,0)
DARKGRAY= (40,40,40)
YELLOW= (255,255,0)
Red_DARK= (150,0,0)
BLUE= (0,0,255)
BLUE_DARK= (0,0,150)
BGCOLOR = Black # Background color
UP = 'up'
DOWN = 'down' # Defining keyboard keys.
LEFT = 'left'
RIGHT = 'right'
HEAD = 0 # Syntactic sugar: index of the snake's head
def main():
global SnakespeedCLOCK, DISPLAYSURF, BASICFONT
pygame.init()
SnakespeedCLOCK = pygame.time.Clock()
DISPLAYSURF = pygame.display.set_mode((Window_Width, Window_Height))
BASICFONT = pygame.font.Font('freesansbold.ttf', 18)
pygame.display.set_caption('Snake')
showStartScreen()
while True:
runGame()
showGameOverScreen()
def runGame():
# Set a random start point.
startx = random.randint(5, Cell_W - 6)
starty = random.randint(5, Cell_H - 6)
wormCoords = [{'x': startx, 'y': starty},
{'x': startx - 1, 'y': starty},
{'x': startx - 2, 'y': starty}]
direction = RIGHT
# Start the apple in a random place.
apple = getRandomLocation()
while True: # main game loop
for event in pygame.event.get(): # event handling loop
if event.type == QUIT:
terminate()
elif event.type == KEYDOWN:
if (event.key == K_LEFT ) and direction != RIGHT:
direction = LEFT
elif (event.key == K_RIGHT ) and direction != LEFT:
direction = RIGHT
elif (event.key == K_UP ) and direction != DOWN:
direction = UP
elif (event.key == K_DOWN ) and direction != UP:
direction = DOWN
elif event.key == K_ESCAPE:
terminate()
# check if the Snake has hit itself or the edge
if wormCoords[HEAD]['x'] == -1 or wormCoords[HEAD]['x'] == Cell_W or wormCoords[HEAD]['y'] == -1 or wormCoords[HEAD]['y'] == Cell_H:
return # game over
for wormBody in wormCoords[1:]:
if wormBody['x'] == wormCoords[HEAD]['x'] and wormBody['y'] == wormCoords[HEAD] ['y']:
return # game over
# check if Snake has eaten an apply
if wormCoords[HEAD]['x'] == apple['x'] and wormCoords[HEAD]['y'] == apple['y']:
# don't remove worm's tail segment
apple = getRandomLocation() # set a new apple somewhere
else:
del wormCoords[-1] # remove worm's tail segment
# move the worm by adding a segment in the direction it is moving
if direction == UP:
newHead = {'x': wormCoords[HEAD]['x'], 'y': wormCoords[HEAD]['y'] - 1}
elif direction == DOWN:
newHead = {'x': wormCoords[HEAD]['x'], 'y': wormCoords[HEAD]['y'] + 1}
elif direction == LEFT:
newHead = {'x': wormCoords[HEAD]['x'] - 1, 'y': wormCoords[HEAD]['y']}
elif direction == RIGHT:
newHead = {'x': wormCoords[HEAD]['x'] + 1, 'y': wormCoords[HEAD]['y']}
wormCoords.insert(0, newHead)
DISPLAYSURF.fill(BGCOLOR)
drawGrid()
drawWorm(wormCoords)
drawApple(apple)
drawScore(len(wormCoords) - 3)
pygame.display.update()
SnakespeedCLOCK.tick(Snakespeed)
def drawPressKeyMsg():
pressKeySurf = BASICFONT.render('Press a key to play.', True, White)
pressKeyRect = pressKeySurf.get_rect()
pressKeyRect.topleft = (Window_Width - 200, Window_Height - 30)
DISPLAYSURF.blit(pressKeySurf, pressKeyRect)
def checkForKeyPress():
if len(pygame.event.get(QUIT)) > 0:
terminate()
keyUpEvents = pygame.event.get(KEYUP)
if len(keyUpEvents) == 0:
return None
if keyUpEvents[0].key == K_ESCAPE:
terminate()
return keyUpEvents[0].key
def showStartScreen():
titleFont = pygame.font.Font('freesansbold.ttf', 100)
titleSurf1 = titleFont.render('Snake!', True, White, DARKGreen)
degrees1 = 0
degrees2 = 0
while True:
DISPLAYSURF.fill(BGCOLOR)
rotatedSurf1 = pygame.transform.rotate(titleSurf1, degrees1)
rotatedRect1 = rotatedSurf1.get_rect()
rotatedRect1.center = (Window_Width / 2, Window_Height / 2)
DISPLAYSURF.blit(rotatedSurf1, rotatedRect1)
drawPressKeyMsg()
if checkForKeyPress():
pygame.event.get() # clear event queue
return
pygame.display.update()
SnakespeedCLOCK.tick(Snakespeed)
degrees1 += 3 # rotate by 3 degrees each frame
degrees2 += 7 # rotate by 7 degrees each frame
def terminate():
pygame.quit()
sys.exit()
def getRandomLocation():
return {'x': random.randint(0, Cell_W - 1), 'y': random.randint(0, Cell_H - 1)}
def showGameOverScreen():
gameOverFont = pygame.font.Font('freesansbold.ttf', 100)
gameSurf = gameOverFont.render('Game', True, White)
overSurf = gameOverFont.render('Over', True, White)
gameRect = gameSurf.get_rect()
overRect = overSurf.get_rect()
gameRect.midtop = (Window_Width / 2, 10)
overRect.midtop = (Window_Width / 2, gameRect.height + 10 + 25)
DISPLAYSURF.blit(gameSurf, gameRect)
DISPLAYSURF.blit(overSurf, overRect)
drawPressKeyMsg()
pygame.display.update()
pygame.time.wait(500)
checkForKeyPress() # clear out any key presses in the event queue
while True:
if checkForKeyPress():
pygame.event.get() # clear event queue
return
def drawScore(score):
scoreSurf = BASICFONT.render('Score: %s' % (score), True, White)
scoreRect = scoreSurf.get_rect()
scoreRect.topleft = (Window_Width - 120, 10)
DISPLAYSURF.blit(scoreSurf, scoreRect)
def drawWorm(wormCoords):
for coord in wormCoords:
x = coord['x'] * Cell_Size
y = coord['y'] * Cell_Size
wormSegmentRect = pygame.Rect(x, y, Cell_Size, Cell_Size)
pygame.draw.rect(DISPLAYSURF, DARKGreen, wormSegmentRect)
wormInnerSegmentRect = pygame.Rect(x + 4, y + 4, Cell_Size - 8, Cell_Size - 8)
pygame.draw.rect(DISPLAYSURF, Green, wormInnerSegmentRect)
def drawApple(coord):
x = coord['x'] * Cell_Size
y = coord['y'] * Cell_Size
appleRect = pygame.Rect(x, y, Cell_Size, Cell_Size)
pygame.draw.rect(DISPLAYSURF, Red, appleRect)
def drawGrid():
for x in range(0, Window_Width, Cell_Size): # draw vertical lines
pygame.draw.line(DISPLAYSURF, DARKGRAY, (x, 0), (x, Window_Height))
for y in range(0, Window_Height, Cell_Size): # draw horizontal lines
pygame.draw.line(DISPLAYSURF, DARKGRAY, (0, y), (Window_Width, y))
if __name__ == '__main__':
main()
最佳答案
调用命令时:
sys.exit()
它引发一个SystemExit
异常,告诉程序结束。
如果无论在哪个环境中运行它,避免回溯对您来说都很重要,您应该在顶部捕获该异常。例如,您在底部有这个:
if __name__ == '__main__':
main()
更改它以处理 main()
中引发的任何 SystemExit
异常:
if __name__ == '__main__':
try:
main()
except SystemExit:
pass
因为无论如何这就是你的程序的结束,它仍然会退出,但很自然
关于python - 游戏 : Why is giving error everytime i quit the snake game?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/21505600/
我遇到了一个(至少对我而言)非常的奇怪情况。 我正在尝试重写蛇,并且移动进行得非常顺利,只有蛇在吃自己,虽然我正在删除 1 段并添加 1 (x + 1 - 1 = x?) 但是蛇消失了,而 Array
这个问题已经有答案了: NoClassDefFoundError: wrong name (8 个回答) 已关闭10 年前。 所以我正在尝试构建一个 2D 贪吃蛇游戏,而且我快完成了。我唯一的问题是,
我最近也一直在尝试做一个绘图墙,或者让这个游戏的蛇穿墙,但我不知道如何编程。如果有人知道如何让蛇穿过墙壁或在边缘画一个框架,你能帮我编程吗?如果有任何添加此游戏的建议,请在此处添加。这些是代码: im
大约两天前,我收到了我的 TI-82 STATS 可编程计算器(实际上更像是一个 TI-83) - 并想用内置的 TI-BASIC 语言编写一个贪吃蛇游戏。 虽然我不得不找出:TI-BASIC 是 极
这个问题在这里已经有了答案: How do I chain the movement of a snake's body? (1 个回答) 11 个月前关闭。 我是 python 新手,现在才开始学习
我制作了一个贪吃蛇游戏(通过尝试遵循YouTuber的代码),方向由WASD控制。然而,当我按下其中一个键时,什么也没有发生。如果我按住它,它会改变方向,但是会有很大的延迟,可能超过一秒。我该如何解决
我们都知道移动设备上的新密码屏幕。它由要连接的点矩阵组成。 唯一密码是积分的向量。这些点可以通过以下限制与自己连接: 一个点只能连接到另外一个点 如果目标点和自由点在同一条线上,则将强制一条线连接到更
我的实体定义如下: @ManyToOne private DomainObject domainObject; 运行代码时出现此错误: 2017-10-30 14:58:52,517 WARN rn
在 Snake 中向上移动意味着你只能向左和向右转。如果你向左移动,你只能向上和向下转动等。目前我有一个问题,如果我正在向左移动(例如),然后我按向上或向下,然后很快按向右,蛇将保持在同一水平并撞到自
我正在用 C++ 编写一个基本的贪吃蛇游戏作为控制台应用程序。它基于“平铺”结构的二维数组。我的问题是:当按下按钮改变蛇行进的方向时,它不会立即工作,而是等待下一个“滴答声”。管理游戏本身的函数如下所
关闭。这个问题需要details or clarity .它目前不接受答案。 想改进这个问题吗? 通过 editing this post 添加细节并澄清问题. 关闭 4 年前。 Improve t
我只是想弄清楚逻辑并使用 Python 来帮助我做到这一点。最终,我需要使用 ImageJ 宏语言来解决这个问题。 我不知道我是否使用了正确的术语,但我想创建一个“蛇形”计数器。 x = 1 numb
我正在从 youtube 上的 thenewboston 教程中学习如何在 pygame 中制作贪吃蛇游戏,并将其制作成我自己的游戏。游戏中存在一个问题,“苹果”在蛇的位置后面生成,这是我不想要的。
给定一个 5 x 5 网格和一个对象列表(可以是任何东西,例如整数) 我怎样才能以这样的方式填充网格,网格填充的顺序是:A1、A2、A3、A4、A5、B5、B4、B3、B2、B1、C1、C2 等 所以
我正在使用 snake case 为我的 API 构建与 spring boot 的 json 映射。 spring 允许您在 application.properties 文件中轻松定义它: spr
我正在尝试读取 Yaml 模板并动态替换模板中的某些字段并创建一个新的 Yaml 文件。我生成的 yaml 文件应该在所有方面反射(reflect)模板,包括双引号。但是当我使用 snake yaml
我想找到一种方法,在单个容器中将元素包装到一条与前一行相反的新行中,就像一条蛇自己 flex 一样。我无法使用flexbox以及flex-direction和flex-wrap属性的任何组合来实现此结
我正在按照以下视频来设计贪吃蛇游戏: https://www.youtube.com/watch?v=91a7ceECNTc 我正在一步一步地跟踪它,但是当我运行它时,蛇没有显示在我的屏幕上,只显示苹
嗨,我正在尝试使用 2D 数组在控制台上创建一个矩阵。这个想法是输出应该如下所示: 1|8|9 |16 2|7|10|15 3|6|11|14 4|5|12|13 有人知道如何做到这一点吗? 最佳答案
我正在创建一个贪吃蛇游戏我使用二维数组作为我的背框。没有语法错误。我在线程中收到异常。这就是我认为错误所在: java.awt.EventQueue.invokeLater(new Runnable
我是一名优秀的程序员,十分优秀!