Answered by
5 years ago Edited 2 years ago
Whenever you're simulating the movement or animation of something, it should always be a function of time. In other words, "where should this part be t
seconds from now?" or "how should this object look t
seconds from now?"
This way, instead of basing your animation on a constant "step" or "speed" when you have inconsistent intervals, you base the animation on what the intervals should add up to (the time it takes to complete.) In turn, this does define the speed the animation will run in, while making it a lot smoother.
Here's an example using your situation:
2 | local cycle_duration = 5 |
5 | part.CFrame = part.CFrame |
6 | * CFrame.Angles( 0 , math.rad((wait() / cycle_duration) * 360 ), 0 ) |
The math can be explained as follows:
Of course, the axis you wish to rotate around and the speed at which you want it to rotate is left for you to easily configure. For faster rotations, lower the cycle_duration
to a shorter amount of time. For slower rotations, lengthen it. If you want to rotate around the x-axis, then put the angle increment in CFrame.Angles(x, 0, 0)
. If you want to rotate around the y-axis, put the angle increment in CFrame.Angles(0, x, 0)
. You get the idea.
Hope this helped!
Edit
The solution you're looking for isn't all that different from what was provided above, but there are some changes worth noting that I'll cover.
Here is the modified code:
01 | local RunService = game:GetService( "RunService" ) |
02 | local rstep = RunService.RenderStepped |
05 | local cycle_duration = 5 |
08 | local radius_offset = 10 |
11 | local center_part = workspace.Part |
15 | local angle_inc = math.rad((rstep:Wait() / cycle_duration) * 360 ) |
17 | part.CFrame = center_part.CFrame |
18 | * CFrame.Angles( 0 , angle_inc, 0 ) |
19 | * CFrame.new( 0 , 0 , radius_offset) |
Here is an explanation of the modifications:
radius_offset
- This determines how far away the part is from the object it's orbiting around.
center_part
- This should be the central part that the satellite part is orbiting around.
local angle_inc = math.rad((rstep:Wait() / cycle_duration) * 360)
- This is just a clean-up of the previous code, and also implementing
RunService.RenderStepped:Wait()
instead of just wait()
as mentioned before.
CFrame.new(0, 0, radius_offset)
- This is the CFrame that offsets the satellite part on the Z axis by
radius_offset
studs. You are also free to modify the X and Y axes to offset the satellite differently as well.
Expected Result
That should cover everything. Again, hope this helps. If this still isn't what you were looking for, let me know and I'll try to clarify.