python将度数转换为x并更改为y

时间:2010-12-28 23:18:39

标签: python coordinates pygame degrees

我正在用pygame在python中制作一个蛇游戏,为了移动角色我有一个整数,它应该是它应该移动的角度。我有什么方法可以根据度数来改变x和y的变化吗?例如:func(90) # [0, 5]func(0) # [5, 0]

3 个答案:

答案 0 :(得分:9)

import math

speed = 5
angle = math.radians(90)    # Remember to convert to radians!
change = [speed * math.cos(angle), speed * math.sin(angle)]

答案 1 :(得分:4)

角度的正弦和余弦乘以移动的总量,将为您提供X和Y的变化。

import math
def func(degrees, magnitude):
    return magnitude * math.cos(math.radians(degrees)), magnitude * math.sin(math.radians(degrees))

>>> func(90,5)
(3.0616169978683831e-16, 5.0)
>>> func(0,5)
(5.0, 0.0)

答案 2 :(得分:3)

如果蛇只能以某种角度(例如90度或45度)移动,这在这种游戏中很常见,那么你只能走4或8个方向。您可以将角度除以允许的增量并获得方向索引,然后可以将其用于索引到X / Y偏移表中。这比使用三角法要快得多。

x, y = 100, 100   # starting position of the snake

direction = angle / 90 % 4   # convert angle to direction

directions = [(0,-1), (1, 0), (0, 1), (-1, 0)]   # up, right, down, left

# convert the direction to x and y offsets for the next move
xoffset, yoffset = directions[direction]

# calculate the next move
x, y = x + xoffset, y + yoffset

更好的是,完全省去角度概念,只使用方向变量。然后旋转蛇是一个简单的增加或减少方向的问题。

# rotate counter-clockwise
direction = (direction - 1) % 4

# rotate clockwise
direction = (direction + 1) % 4

如果需要,可以轻松扩展到8个方向(以45度增量移动)。