I am currently trying to make my own character replication system, and I tried making my own buffering system (interpolation buffering), but it hasn’t come out so well. The result is stuttering when the player is moving, like so:
Obviously, the result isn’t bad, but I want to get rid of the jittering and make it better. I also want some advice if my buffering system is even correct at all? Here is the full code:
local ReplicatedStorage = game:GetService("ReplicatedStorage")
local TweenService = game:GetService("TweenService")
local Players = game:GetService("Players")
local INTERPOLATION_BUFFER_DELAY = 0.05
local REPLICATION_UPDATE_RATE = 0.01
local replicateCharacterRemoteEvent = ReplicatedStorage.Events.RemoteEvents.ReplicateCharacter
local localPlayer = Players.LocalPlayer
local humanoidRootPart
local replicationBufferCFrames = {}
task.spawn(function()
while task.wait(REPLICATION_UPDATE_RATE) do
if humanoidRootPart then
replicateCharacterRemoteEvent:FireServer(humanoidRootPart.Position, humanoidRootPart.orientation, humanoidRootPart.AssemblyLinearVelocity)
end
end
end)
localPlayer.CharacterAppearanceLoaded:Connect(function(character)
if character.HumanoidRootPart then
humanoidRootPart = character.HumanoidRootPart
if humanoidRootPart.Anchored == true then
humanoidRootPart.Anchored = false
end
humanoidRootPart:GetPropertyChangedSignal("Anchored"):Connect(function()
if humanoidRootPart.Anchored == true then
humanoidRootPart.Anchored = false
end
end)
end
end)
replicateCharacterRemoteEvent.OnClientEvent:Connect(function(player, position, orientation, assemblyLinearVelocity)
if player.Character then
if player.Character.HumanoidRootPart then
local predictedCFrame = CFrame.new(position + assemblyLinearVelocity * REPLICATION_UPDATE_RATE) * CFrame.Angles(math.rad(orientation.X), math.rad(orientation.Y), math.rad(orientation.Z))
task.delay(INTERPOLATION_BUFFER_DELAY, function()
TweenService:Create(player.Character.HumanoidRootPart, TweenInfo.new(REPLICATION_UPDATE_RATE, Enum.EasingStyle.Linear), {CFrame = replicationBufferCFrames[1]}):Play()
task.delay(REPLICATION_UPDATE_RATE, function()
table.remove(replicationBufferCFrames, table.find(replicationBufferCFrames, predictedCFrame))
end)
end)
replicationBufferCFrames[#replicationBufferCFrames + 1] = predictedCFrame
end
end
end)
I recommend binding this to run service instead of trying to do task.delays(). You are likely skipping frames when the stars don’t align. Then you are using tween service to override it each time. I recommend tweening it yourself.
Also I recommend using an unreliable remote since you don’t need reliability here. Just have it store a timestamp for the relative time the packet arrived and the most recent position, then play the tween up to that time directly before trying to project forward. A bigger buffer time will let you hide more of the incorrectness inherit to predicting the users movement at the cost of increased replication lag so you may also want to experiment with delay amounts to find a tradeoff you are happy with.
I recommend binding this to run service instead of trying to do task.delays()
So instead of doing a task.wait(0.01) ideally it could be in a RunService.PreRender loop or something like that? That sounds like a lot of events firing to the server (If I understood your statement, if not would you be able to clarify?)
Just have it store a timestamp for the relative time the packet arrived and the most recent position, then play the tween up to that time directly
Could you clarify more on what you mean by “play the tween up to that time directly?” Do you mean the length of the tween?
So you don’t want to fire the event every frame. You just want to update the characters position every frame. You’ll want a fixed rate for sending the updated information. Like 10 times per second or something. So you’ll basically want to keep the most up to date position in a variable you update every time you receive a message (like 10x per second or whatever rate you sent at). Then you bind to runservice your own tween code. The specifics of the tween depend on exactly how you want it to look. I’m going to assume the simplest version which is to basically just keep tweening between the current position and the most up to date position. This means that it technically won’t be linear since every frame you will be closer to the goal, but you will move 10% there every time or something which means you will technically never hit it and you get slower the closer you are but should be good enough for the example. You can try projecting ahead like you do in your code if you want though.
local target_cframes = {}
task.spawn(function()
while true do
task.wait(1/10)
fireserver() --send position info
end
end)
remoteEvent.OnClientEvent:Connect(function(player, cframe)
target_cframes[player] = cframe --This is a memory leak. We never clean up old players in this example which you have to do technically. Though it's small enough this probably won't break your games since it would take forever to become an actual problem
end)
game:GetService("RunService").heartbeat:Connect(function()
for _, plr in ipairs(game.Players:GetPlayers()) do
if not target_cframes[plr] then continue end
if not plr.Character then continue end
if not plr.Character:FindFirstChild("HumanoidRootPart") then continue end
local curCFrame = plr.Character.HumanoidRootPart.CFrame
local targetCFrame = target_cframes[plr]
plr.Character.HumanoidRootPart.CFrame = curCFrame:Lerp(targetCFrame, 0.1) --Remember this isn't linear because we are moving towards target 10% every frame. You can make this linear though but the actual distance a player travels can vary so you will likely end up with some form of inaccuracy however you manage it, but of course tune it to what feels good.
end
end)
Now to talk about the buffer part. Packets on the internet take variable times to arrive. Some will arrive early and some late and some not at all. It’s basically random since it’s out of your control. But this lack of consistency causes problems with respect to playing back stuff like this because a late packet would be a bit of a problem. To solve this a “jitter buffer” is often used which basically adds artificial latency by just holding packets for a longer amount of time. That way we can hide the fact some came late because we are simply using the data later. This of course impacts how recent the information the player sees is. But the concept here is that we would store an array of the positions, and the accompanying timestamp of when the client sent them. You can then play back their positions by watching when relative to your own time, the client positions activate from the delay buffer. Then you just run through the most recent active one while storing the future ones. That’s the basic concept.