我一直在努力将一些处理代码移植到NetBeans中的常规Java.到目前为止,除了当我使用非灰度颜色时,大多数一切都很好.
我有一个绘制螺旋图案的脚本,并应根据模数检查改变螺旋中的颜色.然而,该剧本似乎悬而未决,我无法解释原因.
如果有人对Processing和Java有一些经验,你可以告诉我我的错误在哪里,我真的很想知道.
为了同行评审,这是我的小程序:
package spirals;
import processing.core.*;
public class Main extends PApplet
{
float x, y;
int i = 1, dia = 1;
float angle = 0.0f, orbit = 0f;
float speed = 0.05f;
//color palette
int gray = 0x0444444;
int blue = 0x07cb5f7;
int pink = 0x0f77cb5;
int green = 0x0b5f77c;
public Main(){}
public static void main( String[] args )
{
PApplet.main( new String[] { "spirals.Main" } );
}
public void setup()
{
background( gray );
size( 400, 400 );
noStroke();
smooth();
}
public void draw()
{
if( i % 11 == 0 )
fill( green );
else if( i % 13 == 0 )
fill( blue );
else if( i % 17 == 0 )
fill( pink );
else
fill( gray );
orbit += 0.1f; //ever so slightly increase the orbit
angle += speed % ( width * height );
float sinval = sin( angle );
float cosval = cos( angle );
//calculate the (x, y) to produce an orbit
x = ( width / 2 ) + ( cosval * orbit );
y = ( height / 2 ) + ( sinval * orbit );
dia %= 11; //keep the diameter within bounds.
ellipse( x, y, dia, dia );
dia++;
i++;
}
}
解决方法:
您是否考虑过添加调试语句(System.out.println)并查看Java控制台?
可能会有大量的输出和明确的减速,但你至少可以看到当似乎没有任何事情发生时会发生什么.
我认为是一个逻辑错误是填充if语句;在每个迭代中,您决定该迭代的颜色并填充该颜色.只有i == 11,13或17的迭代才会填充颜色.并且下一次迭代颜色被灰色覆盖.我认为它往往会闪烁,可能会快速看到.
你不想要的东西吗?
public class Main extends PApplet
{
...
int currentColor = gray;
public Main(){}
...
public void draw()
{
if( i % 11 == 0 )
currentColor = green;
else if( i % 13 == 0 )
currentColor = blue;
else if( i % 17 == 0 )
currentColor = pink;
else {
// Use current color
}
fill(currentColor);
...
}
以这种方式,你从灰色开始,去绿色,蓝色,粉红色,绿色,蓝色,粉红色等.如果你
也想在某些时候看到灰色,你必须添加类似的东西
else if ( i % 19 ) {
currentColor = gray;
}
希望这可以帮助.