如何在P5中为球添加弹跳压缩动画?

Sad*_*ena 7 javascript processing canvas p5.js

我用P5.js创建的简单游戏包括一个球,该球在重力作用下掉落并在地面反弹。我想在球触地时为其添加“压缩”动画,以使其看起来更逼真。

我该如何做而又不会显得怪异?

代码是这样的:

function Ball() {
  this.diameter = 50;
  this.v_speed = 0;
  this.gravity = 0.2;
  this.starty = height / 2 - 100;
  this.endy = height - this.diameter / 2;
  this.ypos = this.starty;
  this.xpos = width / 2;

  this.update = function() {

    this.v_speed = this.v_speed + this.gravity;
    this.ypos = this.ypos + this.v_speed;

    if (this.ypos >= this.endy) {
      this.ypos = this.endy;
      this.v_speed *= -1.0; // change direction
      this.v_speed = this.v_speed * 0.9;
      if (Math.abs(this.v_speed) < 0.5) {
        this.ypos = this.starty;
      }
    }
  }

  this.show = function() {
    ellipse(this.xpos, this.ypos, this.diameter);
    fill(255);
  }
}

var ball;

function setup() {
  createCanvas(600, 600);
  ball = new Ball();
}

function draw() {
  background(0);
  ball.update();
  ball.show();
}
Run Code Online (Sandbox Code Playgroud)
<script src="https://cdnjs.cloudflare.com/ajax/libs/p5.js/0.8.0/p5.js"></script>
Run Code Online (Sandbox Code Playgroud)

Rab*_*d76 5

一个非常简单的解决方案是根据this.endy经验值动态增加,该值取决于速度。该值的最大值必须小于this.diameter/2。在示例中,我使用this.diameter/3了最大数量,但是您可以使用该值。如果速度为0,那么量也必须为0:

endy = this.endy + Math.min(Math.abs(this.v_speed), this.diameter/3);
if (this.ypos >= endy) {
      this.ypos = endy;
      // [...]
}
Run Code Online (Sandbox Code Playgroud)

这导致球稍微低于底部。使用此按钮将球“挤压”相同的量:

this.show = function() {
    h = Math.min(this.diameter, (height - this.ypos)*2)
    w = 2 * this.diameter - h;
    ellipse(this.xpos, this.ypos, w, h);
    fill(255);
}
Run Code Online (Sandbox Code Playgroud)

请参见示例,其中我将建议应用于问题的代码:

function Ball() {
  this.diameter = 50;
  this.v_speed = 0;
  this.gravity = 0.2;
  this.starty = height / 2 - 100;
  this.endy = height - this.diameter / 2;
  this.ypos = this.starty;
  this.xpos = width / 2;

  this.update = function() {

    this.v_speed = this.v_speed + this.gravity;
    this.ypos = this.ypos + this.v_speed;

    endy = this.endy + Math.min(Math.abs(this.v_speed), this.diameter/3); 
    if (this.ypos >= endy) {
      this.ypos = endy;
      this.v_speed *= -1.0; // change direction
      this.v_speed = this.v_speed * 0.9;
      if (Math.abs(this.v_speed) < 0.5) {
        this.ypos = this.starty;
      }
    }
  }

  this.show = function() {
    h = Math.min(this.diameter, (height - this.ypos)*2)
    w = 2 * this.diameter - h;
    ellipse(this.xpos, this.ypos, w, h);
    fill(255);
  }
}

var ball;

function setup() {
  createCanvas(600, 600);
  ball = new Ball();
}

function draw() {
  background(0);
  ball.update();
  ball.show();
}
Run Code Online (Sandbox Code Playgroud)
<script src="https://cdnjs.cloudflare.com/ajax/libs/p5.js/0.8.0/p5.js"></script>
Run Code Online (Sandbox Code Playgroud)

  • 这很棒。感谢您提供这样充实的解决方案。 (2认同)