how could i make it so when a certain condition is met, the loop starts all over again from the top??
01 | local Amount = game:GetService( "ReplicatedStorage" ):WaitForChild( "Amount" ) |
02 |
03 |
04 | while wait( 1 ) do |
05 |
06 | if Amount.Value < 5 then |
07 | --// make the loop start all over again(so it makes the timer start from 20 again) |
08 | end |
09 |
10 |
11 | for i = 20 , 0 ,- 1 do |
12 | print (i) |
13 | wait( 1 ) |
14 | end |
15 |
16 | end |
You can use a recursive function, a function that calls itself from within itself as such:
01 | local Amount = game:GetService( "ReplicatedStorage" ):WaitForChild( "Amount" ) |
02 |
03 | local function BeginTimer() |
04 | while wait( 1 ) do |
05 | if Amount.Value < 5 then |
06 | BeginTimer() |
07 | break -- Make sure the ongoing loop stops |
08 | end |
09 | for t = 20 , 0 ,- 1 do |
10 | print (t) |
11 | wait( 1 ) |
12 | end |
13 | end |
14 | end ) |
15 |
16 | BeginTimer() |
However, I'm not sure this is the behaviour you're expecting. This will cause the loop to reset every 20 seconds, no matter what Amount.Value is. Incase you want this to occur only once each time the value goes below 5, you can listen for changes and then start the timer:
01 | local Amount = game:GetService( "ReplicatedStorage" ):WaitForChild( "Amount" ) |
02 | local timerOff = true |
03 |
04 | Amount.Changed:Connect( function () |
05 | if Amount.Value < 5 and timerOff then |
06 | timerOff = false |
07 | for t = 20 , 0 ,- 1 do |
08 | print (t) |
09 | wait( 1 ) |
10 | end |
11 | timerOff = true |
12 | end |
13 | end ) |