I am trying to make this change the BackgroundColor3
to one shade less than the current one, can anyone tell me how to make this script work properly?
Code:
1 | local this = script.Parent |
2 |
3 | while wait( 0.03 ) do |
4 | for a = 1 , 70 do |
5 | this.BackgroundColor 3 = Color 3. new(this.BackgroundColor 3 - 1 ) |
6 | wait( 0.03 ) |
7 | end |
8 | end |
Output:
attempt to perform arithmetic on field 'BackgroundColor3' (a userdata value)
01 | local this = script.Parent |
02 |
03 | -- |
04 |
05 | for a = 1 , 70 do |
06 |
07 | this.BackgroundColor 3 = Color 3. new( |
08 |
09 | this.BackgroundColor 3. r - ( 1 / 255 ), |
10 |
11 | this.BackgroundColor 3. g - ( 1 / 255 ), |
12 |
13 | this.BackgroundColor 3. b - ( 1 / 255 ) |
14 |
15 | ) |
16 |
17 | wait( 1 / 30 ) |
18 |
19 | end |
This will run the for loop once, which will reduce the GUI's BackgroundColor3 by Color3.new(70/255, 70/255, 70/255) total, over the course of ~2.3 seconds. I'm not sure exactly what you need this for, so that's the best I could do.
The main problem in your original script was the statement
this.BackgroundColor3 = Color3.new(this.BackgroundColor3-1)
Color3.new(r, g, b) takes 3 parameters ranging from 0 - 1. Also, you cannot subtract an integer (1) from a userdata value (Color3).
Color3 is kinda like Vector3. You can't subtract a number from the set itself...
1 | this.BackgroundColor 3 = Color 3. new(this.BackgroundColor 3 - 1 ) |
but you can subtract one from each element in the set...
1 | original = this.BackgroundColor 3 |
2 | this.BackgroundColor 3 = Color 3. new(this.r - 1 , this.g - 1 , this.b - 1 ) --r, g and b is the equivalent of x, y and z in Vector3. |
However, Color3 is a bit weird. In the properties window, the values of Color3 seem to be [255, 255, 255]. However, its true value is [1, 1, 1]. Thus, [0, 0, 0] is pitch black, and [1, 1, 1] is pure white. If we subtract 1 from the Color3 values, we're immediately going from white to black. To fix this, divide by 255:
1 | original = this.BackgroundColor 3 |
2 | this.BackgroundColor 3 = Color 3. new(original.r - 1 / 255 , original.g - 1 / 255 , original.b - 1 / 255 ) |
Full script:
1 | local this = script.Parent |
2 |
3 | while wait() do --The default value for the wait function is set to 0.03. |
4 | for a = 1 , 70 do |
5 | local original = this.BackgroundColor 3 |
6 | this.BackgroundColor 3 = Color 3. new(original.r - 1 / 255 , original.g - 1 / 255 , original.b - 1 / 255 ) |
7 | wait() |
8 | end |
9 | end |