我是physicsjs的新手,我正在创建一些测试模拟,以便熟悉库。
我想模拟多个盒子在屏幕上滑动,它们都经历不同程度的摩擦。到目前为止,我有3个盒子,从屏幕的左边框开始,都有一个pos xvel。我不确定最好的方法是在模拟中添加摩擦。所有3个盒子不应该受到相同方式的摩擦影响。因此,我需要某种方法将一般的摩擦算法应用于所有的盒子,然而,摩擦的量需要取决于它当前作用于哪个盒子。
摩擦是内置的(但它不是最好的算法)。
只使用:
Physics.body('rectangle', {
width: 40,
height: 40,
cof: 0.5, // <-- change the friction. range [0, 1]
x: ...
...
});
空白空间摩擦可以这样做。无论球在做什么,它都在变慢。
它监听tick事件,然后在每次更新时,它通过摩擦量降低速度。
' ' '
function applyFriction(obj, friction) {
// invert it so that 0.1 friction is a multiplication of 0.9 to x.
// it makes more sense to apply 0.1 as friction that way.
var value = 1 - friction;
obj.state.vel.set(obj.state.vel.x * value, obj.state.vel.y * value);
}
// subscribe to the ticker
Physics.util.ticker.on(function (time) {
applyFriction(ball, 0.1);// apply friction to the ball.
world.step(time);
});
// start the ticker
Physics.util.ticker.start();
' ' '