这是一个概念性问题: 如果我想将整个游戏板(例如棋盘)旋转90度,我最好单独围绕其中心点旋转电路板的各个区域,还是有办法让我拍摄“截图”该字段并将其旋转为单张图片?我会让代码与动画分开旋转电路板的实际值(一旦动画完成,我只需重新绘制屏幕,现在所有内容都在正确的位置)。
我希望我的问题是可以理解的。我几天前刚开始使用python进行编程,到目前为止只进行了基于文本的游戏,但是想要转向基于GUI的游戏,
提前感谢您,非常感谢您的帮助, 龙骨船
答案 0 :(得分:2)
您应该完全旋转电路板。 截取屏幕截图,旋转这几乎就像旋转棋盘的对象一样费力。批处理对象并旋转它们将是一种解决方案。
编辑:我刚刚意识到Pygame是少数可能错过批量渲染的库之一。 Pygame很不错,对于一个开始学习的曲线,你最好和其他图书馆一起使用(这只是一个友好的建议)
如果我真的想做一些很酷的东西(包括你的规模的游戏开发),我会选择Pyglet。 它是跨平台的,不依赖于所有其他人所做的Python版本,而是直接挂钩到OpenGL库,使其快速。它实际上很容易使用。
这是拖放的例子:
#!/usr/bin/python
import pyglet
from time import time, sleep
class Window(pyglet.window.Window):
def __init__(self, refreshrate):
super(Window, self).__init__(vsync = False)
self.frames = 0
self.framerate = pyglet.text.Label(text='Unknown', font_name='Verdana', font_size=8, x=10, y=10, color=(255,255,255,255))
self.last = time()
self.alive = 1
self.refreshrate = refreshrate
self.click = None
self.drag = False
def on_draw(self):
self.render()
def on_mouse_press(self, x, y, button, modifiers):
self.click = x,y
def on_mouse_drag(self, x, y, dx, dy, buttons, modifiers):
if self.click:
self.drag = True
print 'Drag offset:',(dx,dy)
def on_mouse_release(self, x, y, button, modifiers):
if not self.drag and self.click:
print 'You clicked here', self.click, 'Relese point:',(x,y)
else:
print 'You draged from', self.click, 'to:',(x,y)
self.click = None
self.drag = False
def render(self):
self.clear()
if time() - self.last >= 1:
self.framerate.text = str(self.frames)
self.frames = 0
self.last = time()
else:
self.frames += 1
self.framerate.draw()
self.flip()
def on_close(self):
self.alive = 0
def run(self):
while self.alive:
self.render()
# ----> Note: <----
# Without self.dispatc_events() the screen will freeze
# due to the fact that i don't call pyglet.app.run(),
# because i like to have the control when and what locks
# the application, since pyglet.app.run() is a locking call.
event = self.dispatch_events()
sleep(1.0/self.refreshrate)
win = Window(23) # set the fps
win.run()
Pyglet还可以让你进行批量渲染(这意味着你可以在一个大块中发送指令到GPU而不是每件物品,这样可以轻松快速,轻松地完成复杂的任务。你也可以{{ 1}}并且你们都已经完成了)
答案 1 :(得分:1)
在Pygame中,您有一个初始化和配置显示时创建的曲面。通常,人们会将其他图像直接插入到此表面,然后更新显示以将图像渲染到屏幕,但没有理由不能创建另一个要绘制的表面,然后可以将其旋转并绘制到表面由显示器呈现。
screen = pygame.display.set_mode((500,500))
middle_man = pygame.Surface((500,500))
# draw stuff to middle_man here
....
# rotate middle_man
# note that this creates a padded surface if not rotating in 90 degree increments
rotated_middle_man = pygame.transform.rotate(middle_man, 45.0)
# draw middle_man back to the screen surface
crop_rect = pygame.Rect(rotated_middle_man.get_width() / 2 - screen.get_width() / 2,
rotated_middle_man.get_height() / 2 - screen.get_height() / 2,
screen.get_width(), screen.get_height())
screen.blit(rotated_middle_man, (0,0), crop_rect)
# update the screen
pygame.display.update()