如何为此特定代码模拟Pygame中的Jumping

时间:2019-02-08 15:39:32

标签: python pygame pycharm 2d-games

我一直在尝试模拟Pygame代码中的跳转,但未能成功实现它。有一个尺寸为10 x 10的矩形,当我按下 SPACE KEYBAR 时,我希望该矩形跳转。我暂时保持此代码不受重力的影响。

import pygame
pygame.init()
ScreenLenX = 1000
ScreenLenY = 500
win = pygame.display.set_mode((ScreenLenX, ScreenLenY))
pygame.display.set_caption("aman")
run = True
Xcord = 100
Ycord = 100
length = 10
height = 10
vel = 2
xmove = 1
ymove = 1
while run:
  #pygame.time.delay(1)
    for event in pygame.event.get():
        print(event)
        if event.type ==pygame.QUIT:

            run = False

    if keys[pygame.K_RIGHT] and Xcord <= ScreenLenX-length:
        Xcord += vel
    if keys[pygame.K_LEFT] and Xcord >= 0:
        Xcord -= vel

     if keys[pygame.K_UP] and Ycord >= 0:
            Ycord -= vel
     if keys[pygame.K_DOWN] and Ycord <= ScreenLenY - height:
            Ycord += vel
     win.fill((0, 0, 0))
    pygame.draw.rect(win, (255, 0, 0), (Xcord, Ycord, length, height))
    keys = pygame.key.get_pressed()


    pygame.display.update()
pygame.quit()

1 个答案:

答案 0 :(得分:2)

在主循环之前添加变量jump并将其初始化为0:

jump = 0  
while run:
    # [...]

如果允许玩家跳跃并停留在地面上,则仅对pygame.K_SPACE做出反应。如果满足要求,则将jump设置为所需的“跳跃”高度:

if keys[pygame.K_SPACE] and Ycord == ScreenLenY - height:
    jump = 300

在主循环中,只要jump大于0,请向上移动玩家并降低jump的数量。
如果玩家没有跳来跳去,直到他到达地面:

 if jump > 0:
    Ycord -= vel
    jump -= vel
elif Ycord < ScreenLenY - height:
    Ycord += 1

请参阅演示,在该示例中我将建议应用于您的代码:

import pygame
pygame.init()

ScreenLenX, ScreenLenY = (1000, 500)
win = pygame.display.set_mode((ScreenLenX, ScreenLenY))
pygame.display.set_caption("aman")
Xcord, Ycord = (100, 100)
length, height = (10, 10)
xmove, ymove = (1, 1)
vel = 2
jump = 0

run = True
clock = pygame.time.Clock()
while run:
    #clock.tick(60)
    for event in pygame.event.get():
        print(event)
        if event.type ==pygame.QUIT:
            run = False

    keys = pygame.key.get_pressed()
    if keys[pygame.K_RIGHT] and Xcord <= ScreenLenX-length:
        Xcord += vel
    if keys[pygame.K_LEFT] and Xcord >= 0:
        Xcord -= vel

    if keys[pygame.K_SPACE] and Ycord == ScreenLenY - height:
        jump = 300

    if jump > 0:
        Ycord -= vel
        jump -= vel
    elif Ycord < ScreenLenY - height:
        Ycord += 1

    win.fill((0, 0, 0))
    pygame.draw.rect(win, (255, 0, 0), (Xcord, Ycord, length, height))

    pygame.display.update()