我正在尝试创建塔防游戏,但是我需要敌人在一条小路上前进。我以为我已经弄明白了,但是当我去尝试我的代码时,它有时只能工作。

有时敌人会到达预期的地步,有时则不会。它基于创建路径的点列表进行工作,我让敌人越过它们,当到达一个点时,它便到达了下一个点。

我尝试了许多不同的测试,以查看玩家是否与该点接触,但没有一个能够始终如一地工作。目前,代码中的代码效果最好,但并非每次都有效。 (

except ZeroDivisionError:
    bullet_vector=''
if bullet_vector==(0,0):
    bullet_vector=''




据我所知,我只需要找到一个更好的测试,以了解对象何时处于应该改变方向的位置。这是代码:

import pygame,math
from pygame.locals import *

pygame.init()
screen=pygame.display.set_mode((640,480))
run=True
clock=pygame.time.Clock()
def Move(t0,t1,psx,psy,speed):
    global mx
    global my

    speed = speed

    distance = [t0 - psx, t1 - psy]
    norm = math.sqrt(distance[0] ** 2 + distance[1] ** 2)
    try:
        direction = [distance[0] / norm, distance[1 ] / norm]
        bullet_vector = [int(direction[0] * speed), int(direction[1] * speed)]
    except ZeroDivisionError:
        bullet_vector=''
    if bullet_vector==(0,0):
        bullet_vector=''
    return bullet_vector

class AI(object):
    def __init__(self,x,y):
        self.x=x
        self.y=y
        self.path=[(144,114),(280,114),(280,301),(74,300),(74,400)]
    def update(self):
        self.move_vector=Move((self.path[0])[0],(self.path[0])[1],self.x,self.y,1)
        if self.move_vector != '':
            self.x += self.move_vector[0]
            self.y += self.move_vector[1]
        else:
            self.path=self.path[1:]
        pygame.draw.circle(screen,((255,0,0)),(self.x,self.y),3,0)
enemies=[AI(-5,114)]
while run:
    screen.fill((0,200,0))
    for e in enemies:
        e.update()
    for e in pygame.event.get():
        if e.type==QUIT:
            run=False
    clock.tick(99)
    pygame.display.flip()


如果有人能弄清楚我哪里出了问题,将不胜感激。

最佳答案

我找到了答案,但它仅支持四向运动(无论如何我还是需要)。它甚至可以调节速度!如果有人需要,这里是这里:

import pygame,math
from pygame.locals import *

pygame.init()
screen=pygame.display.set_mode((640,480))
run=True
themap=pygame.image.load('map1.png')
clock=pygame.time.Clock()

class AI(object):
    def __init__(self,x,y):
        self.x=x
        self.y=y
        self.path=[(144,114),(280,114),(280,300),(100,302)]
    def update(self):
        speed=2
        if self.x<(self.path[0])[0]:
            self.x+=speed
        if self.x>(self.path[0])[0]:
            self.x-=speed
        if self.y<(self.path[0])[1]:
            self.y+=speed
        if self.y>(self.path[0])[1]:
            self.y-=speed
        z=(self.x-(self.path[0])[0],self.y-(self.path[0])[1])
        if (z[0]/-speed,z[1]/-speed)==(0,0):
            self.path=self.path[1:]
        pygame.draw.circle(screen,((255,0,0)),(self.x,self.y),3,0)
enemies=[AI(-5,114)]
while run:
    screen.blit(themap,(0,0))
    for e in enemies:
        e.update()
    for e in pygame.event.get():
        if e.type==QUIT:
            run=False
    clock.tick(60)
    pygame.display.flip()

关于python - Pygame在点列表中移动?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23045685/

10-11 21:39