我正在写在pygame的一个小海盗游戏。 如果你在帝国全面战争打海战,你有我想达到什么样的一个想法:
船上的精灵在位置(x1|y1)
玩家现在点击的位置(x2|y2)
在屏幕上。 精灵现在应该采取(x2|y2)
作为其新的位置-通过去那里一步一步,而不是立即喜气洋洋那里。
我想通了,它是与对角线的矩形(x1|y1)
(x1|y2)
(x2|y2)
(x2|y1)
但我无法弄清楚,尤其是不以维持该速度相同的,无论什么角度对角线已经并考虑到x
和y
任一值(船或点击)可能比相应的其他更大或更小。
这个小片段是我最后一次尝试写一个工作功能:
def update(self, new_x, new_y, speed, screen, clicked):
if clicked:
self.xshift = (self.x - new_x)
self.yshift = ((self.y - new_y) / (self.x - new_x))
if self.x > (new_x + 10):
self.x -= 1
self.y -= self.yshift
elif self.x > new_x and self.x < (new_x + 10):
self.x -= 1
self.y -= self.yshift
elif self.x < (new_x - 10):
self.x += 1
self.y += self.yshift
elif self.x < new_x and self.x < (new_x - 10):
self.x += 1
self.y += self.yshift
else:
self.x += 0
self.y += 0
screen.set_at((self.x, self.y), (255, 0, 255))
“船”就是在这里一个粉红色的像素。 它显示在我点击到屏幕上的反应是大致向我点击,但停在我点击了点的看似随意的移动距离。
的变量是:
new_x
, new_y
=鼠标点击的位置
speed
=恒定速度取决于船舶类型
clicked
=设置true
由MOUSEBUTTONDOWN
事件再次,以确保XSHIFT和自我YSHIFT只定义当玩家点击,而不是每一帧。
我怎样才能使船平稳地移动从当前位置到该点的玩家点击?
假设当前位置是pos
,玩家点击点target_pos
,然后采取之间的矢量pos
和target_pos
。
现在你知道如何从中获取pos
至target_pos
,但在恒定速度(而不是全部的距离一次)移动,你必须规范化向量,并应用速度由标量乘常数。
而已。
完整的例子:( 相关的代码是在Ship.update
方法)
import pygame
class Ship(pygame.sprite.Sprite):
def __init__(self, speed, color):
super().__init__()
self.image = pygame.Surface((10, 10))
self.image.set_colorkey((12,34,56))
self.image.fill((12,34,56))
pygame.draw.circle(self.image, color, (5, 5), 3)
self.rect = self.image.get_rect()
self.pos = pygame.Vector2(0, 0)
self.set_target((0, 0))
self.speed = speed
def set_target(self, pos):
self.target = pygame.Vector2(pos)
def update(self):
move = self.target - self.pos
move_length = move.length()
if move_length < self.speed:
self.pos = self.target
elif move_length != 0:
move.normalize_ip()
move = move * self.speed
self.pos += move
self.rect.topleft = list(int(v) for v in self.pos)
def main():
pygame.init()
quit = False
screen = pygame.display.set_mode((300, 300))
clock = pygame.time.Clock()
group = pygame.sprite.Group(
Ship(1.5, pygame.Color('white')),
Ship(3.0, pygame.Color('orange')),
Ship(4.5, pygame.Color('dodgerblue')))
while not quit:
for event in pygame.event.get():
if event.type == pygame.QUIT:
return
if event.type == pygame.MOUSEBUTTONDOWN:
for ship in group.sprites():
ship.set_target(pygame.mouse.get_pos())
group.update()
screen.fill((20, 20, 20))
group.draw(screen)
pygame.display.flip()
clock.tick(60)
if __name__ == '__main__':
main()