I’ll try and break this down bit by bit, so that you not only get the idea of how this particular problem is solved, but the process to do so.
First of all, doing something every one second is our time scale, thisis the first part I would do. That sounds like a while loop.
while true do
wait(1) --Wait a second
---Do something
end
So that will do something every second. Great. But what are we going to do every second. Changing the speed of the character but only if they have moved in any direction. I would start by tackling the first part of that statement. The speed.
You mentioned humanoid walk speed, and that’s exactly what it sounds like. The default player has a humanoid in his character model with a default walk speed of 16. Setting that walk speed to 32 will double the walk speed, and conversely a walk speed of 8 will half it.
humanoid.WalkSpeed = 32 --Double speed
humanoid.WalkSpeed = 16 --Normal speed.
humanoid.WalkSpeed = humanoid.WalkSpeed + 1 --One more speed than before
But how do we get the humanoid to change the walk speed. Lucky every player object has a .Character function that will allow us to get the character, and the character’s humanoid is a child of the character.
if player.Character == nil then
player.CharacterAdded:Wait() -- If the character has yet to be added, wait for it.
end
player.Character.Humanoid.WalkSpeed = 32 --Sets the players walk speed to x2
Player API reference
Not things are starting to come together. We just need a way of determining if a player moved or not. If I was making this, I would use the character’s position to determine if the player moved in the last second. Store the position before we wait a second, and check if it has changed next time we loop.
local start_pos = player.Character.Head.CFrame.Position --Store the position of the player's head
wait(1) --Wait a second
local distance = (start_pos - player.Character.Head.CFrame.Position).Magnitude --Calculate the distance
if distance > 1 then
--Do our thing
end
A resource on finding distance between two points
Now we know how to check when to update our speed, how to update our speed, and how to do it every one second.
But what was that leaderstat thing. Simply put, it’s the stats that show on your leaderboard.
Speed.Value = 1 -- One on the leaderboard
Speed.Value = Speed.Value + 1 -- Increment the leaderboard stat
Speed.Value = player.Character.Humanoid.Walkspeed --Set the leader board to reflect the player's walkspeed
I hope this response was not too long, I can get a bit expositional. This should be all the parts needed to assemble the script, you just need to put it together.