在Pygame模块中,形状不能将浮点值作为参数吗?
这是因为我正在进行相对基本的物理模拟,并使用pygame来制作图形,并且在物理模拟中,很少/从未发生过对象居中以致它具有整数值。
我想知道这是否会对模拟的准确性产生重大影响?
答案 0 :(得分:0)
在模拟术语/准确性方面,您应该始终将数据保持为浮点数。你应该绕过它们,并在你调用Pygame需要整数的函数时将它们转换为int。
做一些像:
pygame.draw.rect(surface, color, (int(x), int(y), width, height))
例如,用于绘制矩形。
答案 1 :(得分:0)
我通常建议将游戏对象的位置和速度存储为vectors(包含浮点数)以保持物理准确。然后,您可以先将速度添加到位置矢量,然后更新作为blit位置的对象的rect,并可用于碰撞检测。在将位置向量分配给rect之前,您不必将位置向量转换为int,因为pygame会自动为您执行此操作。
这是一个跟随鼠标的对象的小例子。
import pygame as pg
from pygame.math import Vector2
class Player(pg.sprite.Sprite):
def __init__(self, pos, *groups):
super().__init__(*groups)
self.image = pg.Surface((30, 30))
self.image.fill(pg.Color('steelblue2'))
self.rect = self.image.get_rect(center=pos)
self.direction = Vector2(1, 0)
self.pos = Vector2(pos)
def update(self):
radius, angle = (pg.mouse.get_pos() - self.pos).as_polar()
self.velocity = self.direction.rotate(angle) * 3
# Add the velocity to the pos vector and then update the
# rect to move the sprite.
self.pos += self.velocity
self.rect.center = self.pos
def main():
screen = pg.display.set_mode((640, 480))
clock = pg.time.Clock()
font = pg.font.Font(None, 30)
color = pg.Color('steelblue2')
all_sprites = pg.sprite.Group()
player = Player((100, 300), all_sprites)
done = False
while not done:
for event in pg.event.get():
if event.type == pg.QUIT:
done = True
all_sprites.update()
screen.fill((30, 30, 30))
all_sprites.draw(screen)
txt = font.render(str(player.pos), True, color)
screen.blit(txt, (30, 30))
pg.display.flip()
clock.tick(30)
if __name__ == '__main__':
pg.init()
main()
pg.quit()