我目前正在使用 Pygame、Python 3 制作游戏,其中一个错误是它们的镜头移动方式。该游戏是一款 2D 自上而下的射击游戏,玩家射击机制的代码如下:
(player_rect
是播放器的 Rect,bullet_speed 是预定义的int
)
if pygame.mouse.get_pressed()[0]:
dx = mouse_pos[0]-player_rect.centerx
dy = mouse_pos[1]-player_rect.centery
x_speed = bullet_speed/(math.sqrt(1+((dy**2)/(dx**2))))
y_speed = bullet_speed/(math.sqrt(1+((dx**2)/(dy**2))))
if dx < 0:
x_speed *= -1
if dy < 0:
y_speed *= -1
#surface, rect, x-speed, y-speed
player_shots.append([player_shot_image, player_shot_image.get_rect(centerx=player_rect.centerx, centery=player_rect.centery), x_speed, y_speed])
在循环的后面,有这部分代码:
for player_shot_counter in range(len(player_shots)):
player_shots[player_shot_counter][1][0] += player_shots[player_shot_counter][2]
player_shots[player_shot_counter][1][1] += player_shots[player_shot_counter][3]
这个机制大部分都很好,除了一个主要错误:射击越慢,它就越不准确,pygame.Rect[0]
并且pygame.Rect[1]
只能是整数值。比如如果player_rect.center
是(0, 0)
,鼠标的位置是(100, 115)
,bullet_speed是10
,那么x_speed
会自动四舍五入to7
和y_speed
to 8
,导致子弹最终通过该点(98, 112)
。但是,如果 bullet_speed 为5
,则子弹将通过点(99, 132)
。
有没有办法在pygame中解决这个问题?
提前感谢您的帮助!