|
马上注册,结交更多好友,享用更多功能^_^
您需要 登录 才可以下载或查看,没有账号?立即注册
x
如下代码意在让标签在重力下自动下落,有什么问题呢?import cocos
import pymunk
class Hello(cocos.layer.Layer):
is_event_handler = True
def __init__(self):
super(Hello, self).__init__()
self.label = cocos.text.Label('Hello,World',
font_name='Times New Roman',
font_size=32,
anchor_x='center', anchor_y='center')
self.label.position = 320, 400
self.add(self.label)
self.elapsed = 0
space = pymunk.Space() # Create a Space which contain the simulation
space.gravity = 0, -30 # Set its gravity
# 创建文本框的Pymunk body和shape
twidth = 250
theight = 100
mass = 20
moment = pymunk.moment_for_box(mass, (twidth, theight))
tbody = pymunk.Body(mass, moment)
t = pymunk.Poly.create_box(tbody, size=(twidth, theight))
space.add(tbody, t)
def update(self,t,dt):
self.elapsed += dt
self.label.x = t.body.position.x
self.label.y = t.body.position.y
if __name__ == "__main__":
cocos.director.director.init()
hello_layer = Hello()
main_scene = cocos.scene.Scene(hello_layer)
cocos.director.director.run(main_scene)
在您的代码中,让文本在重力下自动下落有几个问题需要解决:
1. **Pymunk和Cocos2d整合**:虽然您已创建了Pymunk的`Space`和相应的物理对象,但您没有在主循环中更新Pymunk的物理模拟。所以,您需要周期性地调用`space.step(dt)`来更新物理世界。
2. **访问错误**:在`update`方法中,您尝试直接使用`t.body.position`,但`t`并不存在于`update`方法中,因为`t`仅在`__init__`中定义。
3. **连接Cocos2d的更新方式**:您需要在场景或层中注册更新函数,使其能周期性调用。
下面是调整后的代码:
import cocos
import pymunk
class Hello(cocos.layer.Layer):
is_event_handler = True
def __init__(self):
super(Hello, self).__init__()
self.label = cocos.text.Label('Hello,World',
font_name='Times New Roman',
font_size=32,
anchor_x='center', anchor_y='center')
self.label.position = 320, 400
self.add(self.label)
self.elapsed = 0
# 创建Pymunk空间
self.space = pymunk.Space()
self.space.gravity = (0, -300)
# 创建文本框的Pymunk body和shape
twidth = 250
theight = 100
mass = 20
moment = pymunk.moment_for_box(mass, (twidth, theight))
self.tbody = pymunk.Body(mass, moment)
self.tbody.position = (320, 400)
self.t = pymunk.Poly.create_box(self.tbody, size=(twidth, theight))
self.space.add(self.tbody, self.t)
self.schedule(self.update)
def update(self, dt):
self.space.step(dt)
self.label.position = self.tbody.position
if __name__ == "__main__":
cocos.director.director.init()
hello_layer = Hello()
main_scene = cocos.scene.Scene(hello_layer)
cocos.director.director.run(main_scene)
在这个修正版本中:
- `self.space.step(dt)`在`update`方法中被调用,确保物理模拟随着时间推进。
- `self.tbody.position`用于更新标签的位置,而不是`t.body.position`。
- `self.schedule(self.update)`确保定期调用`update`方法,使得物理和Cocos2d的绘图可以同步进行。
以上回复来自 FishC AI 小助理,如未能正确解答您的问题,请继续追问。
|
|