Loading...
Logo
Processing Forum
Hi everybody.

I am very new to programming and am learning the basics. I made a block that bounces off of the walls and I wanted to make the color of the block randomly generate every time I clicked the mouse. I did some research and learned how to make the random color, but it will only work for my first click. 

Here is my code:

int xspeed = 2;
int yspeed = 1;
float xpos;
float ypos; 

float R = random(255);
float G = random (255);
float B = random (255);

void setup() {
  fill(255, 150, 0);
  size(600, 200);
  noStroke();
  smooth();
  xpos = 20;
  ypos = 20;
}

void draw() {
  background (0);
    
  xpos = xpos + xspeed;
  if (xpos+20 > 600 || xpos-20 < 0) {
    xspeed *= -1;
  }
  
  ypos = ypos + yspeed;
  if (ypos+20 > 200 || ypos-20 < 0) {
    yspeed *= -1;
  }

  rectMode(CENTER);
  rect(xpos, ypos, 40, 40);
  
   if (mousePressed) {
    fill(R, G, B);
    }
  }

Any advice about this would be very much appreciated! Thanks!


Grayson

Replies(2)

Problem:

Instead of declaring three randomized variables, why not simply randomize the color upon assigning it?
That would be:

Copy code
  1. fill(random(0, 255), random(0, 255), random(0, 255));

Notes:

If you do this, then when the mouse is down, it will constantly change.
A better way is to put the code inside mousePressed() (that's a function, not a variable).

Final Code:

Copy code
  1. int xspeed = 2;
  2. int yspeed = 1;
  3. float xpos;
  4. float ypos;

  5. void setup() {
  6.   size(600, 200);

  7.   fill(255, 150, 0);
  8.   noStroke();

  9.   smooth();

  10.   xpos = 20;
  11.   ypos = 20;
  12. }

  13. void draw() {
  14.   background (0);

  15.   xpos = xpos + xspeed;
  16.   if (xpos+20 > 600 || xpos-20 < 0) {
  17.     xspeed *= -1;
  18.   }

  19.   ypos = ypos + yspeed;
  20.   if (ypos+20 > 200 || ypos-20 < 0) {
  21.     yspeed *= -1;
  22.   }

  23.   rectMode(CENTER);
  24.   rect(xpos, ypos, 40, 40);
  25. }

  26. void mousePressed() {
  27.   fill(random(255), random(255), random(255));
  28. }
Thank you! that helps a lot.