I need to find a way to make a light that blinks Really Black to orange every so often, but if i do it in the script, it will pause the script to run it. How do i get around this?
If I understand your question correctly, I'm assuming you want to have a function that will change the colour of a part to simulate a blinking light if you want it to not affect the timing of that script you're going to want to run it in a different thread so you can continue on with normal tasks.
There are 2 ways you can do this.
Both of them do different things. I recommend reading them both to try to accustom it to your idea. Good luck!
There is a built in function that Roblox adds called spawn. It creates a new thread that runs separately from the other code in the script.
Basic usage would look like
01 | spawn( function () |
02 | while true do |
03 | wait() |
04 | print ( 5 ) |
05 | end |
06 | end ) |
07 |
08 | while true do |
09 | wait() |
10 | print ( 6 ) |
11 | end |
This would constantly print out 5 and 6 together.
Instead of creating new threads as other answers suggest, you should instead put the code after your light blinking code before your light blinking code, such as turning
1 | blinkLights() |
2 | doStuff() |
to
1 | doStuff() |
2 | blinkLights() |
You should avoid creating threads that you can avoid so the thread manager has less threads to handle. If you have another infinite loop afterwards such as
1 | while true do |
2 | wait( 1 ) |
3 | doStuff() |
4 | end |
5 | while true do |
6 | wait( 1 ) |
7 | doOtherStuff() |
8 | end |
you can combine them to one loop, like so
1 | while true do |
2 | wait( 1 ) |
3 | doStuff() |
4 | doOtherStuff() |
5 | end |
If they have different wait times, you can turn something like
1 | while true do |
2 | wait( 1 ) |
3 | doStuff() |
4 | end |
5 | while true do |
6 | wait( 3 ) |
7 | doOtherStuff() |
8 | end |
to
01 | local iteration = 1 |
02 | while true do |
03 | doStuff() |
04 | if iteration = = 3 then |
05 | doOtherStuff() |
06 | iteration = 1 |
07 | else |
08 | iteration = iteration + 1 |
09 | end |
10 | wait( 1 ) |
11 | end |
This will help your code avoid creating a lot of unneeded threads, creating a more performant script and cleaner code.