如何创建一条线的正弦波,使波的起点恢复平坦

时间:2017-03-26 14:53:15

标签: processing

所以我知道如何根据下面的代码创建带有粒子的正弦运动。然而,我想要做的是创建一种效果,这种效果更像是沿着弦的波纹 - 这个想法是波沿着弦移动但是当前不在波中的部分返回到零位并且没有经历另一波 - 即只有一条波从线下通过。如何修改下面的正弦运动来达到这个目的?

int xspacing = 16;   // How far apart should each horizontal location be spaced
int w;              // Width of entire wave

float theta = 0.0;  // Start angle at 0
float amplitude = 75.0;  // Height of wave
float period = 500.0;  // How many pixels before the wave repeats
float dx;  // Value for incrementing X, a function of period and xspacing
float[] yvalues;  // Using an array to store height values for the wave

void setup() {
  size(640, 360);
  w = width+16;
  dx = (TWO_PI / period) * xspacing;
  yvalues = new float[w/xspacing];
}

void draw() {
  background(0);
  calcWave();
  renderWave();
}

void calcWave() {
  // Increment theta (try different values for 'angular velocity' here
  theta += 0.02;

  // For every x value, calculate a y value with sine function
  float x = theta;
  for (int i = 0; i < yvalues.length; i++) {
    yvalues[i] = sin(x)*amplitude;
    x+=dx;
  }
}

void renderWave() {
  noStroke();
  fill(255);
  // A simple way to draw the wave with an ellipse at each location
  for (int x = 0; x < yvalues.length; x++) {
    ellipse(x*xspacing, height/2+yvalues[x], 16, 16);
  }
}

1 个答案:

答案 0 :(得分:1)

我不完全确定你的目的是什么。提取一些例子可能有助于更好地解释它。

但你对问题的简短回答是:你可以通过修改这一行来改变正弦波的高度:

yvalues[i] = sin(x)*amplitude;

现在每个粒子具有相同的振幅,因此你的波浪具有均匀的高度。相反,你想要做的是给每个粒子一个不同的幅度。这是一个非常简单的例子:

yvalues[i] = sin(x) * x * 10;

这导致屏幕左侧的粒子具有较小的幅度,并且屏幕右侧的粒子具有较大的幅度。换句话说,当波向右移动时,波开始变平并变大。

我可能会做的是创建一个Particle类来封装每个粒子的位置,移动和振幅。然后我会随着时间的推移减小每个粒子的幅度,也可以在用户点击时(或者你想要产生波浪的任何事件)增加它。

无耻的自我推销:我已经编写了一篇关于在Processing available here中创建类的教程。