How to Make Model Properly Point Toward Mouse

You can write your topic however you want, but you need to answer these questions:

  1. What do you want to achieve? Keep it simple and clear!

I want the sword to be able to point toward the mouse cursor no wonder where the mouse is compared to the radius of the circle and I want the sword to keep pointing in the direction of where the mouse is

  1. What is the issue? Include screenshots / videos if possible!

The issue is the model doesn’t point the mouse correctly

  1. What solutions have you tried so far? Did you look for solutions on the Developer Hub?
    I’ve asked GPT multiple times for help but it didn’t solve my problem and would still send the same code that does the same output every time I even tried to make a thread on the Roblox Forum to solve my problem

Code of the Sword

local Players = game:GetService("Players")
local ReplicatedStorage = game:GetService("ReplicatedStorage")
local RunService = game:GetService("RunService")

local player = Players.LocalPlayer
local character = player.Character or player.CharacterAdded:Wait()
local mouse = player:GetMouse()

local swordModel = ReplicatedStorage.Weapons:FindFirstChild("Warrior Sword"):Clone()
local handle = swordModel:FindFirstChild("Handle")
local sharpPart = swordModel:FindFirstChild("SHARP")

if not sharpPart then
	warn("SHARP part is missing in the sword model!")
	return
end

swordModel.PrimaryPart = sharpPart
swordModel.Parent = character

local radius = 5  
local heightOffset = 2 

RunService.RenderStepped:Connect(function()
	if not character or not character.PrimaryPart then return end

	local root = character.PrimaryPart.Position
	local mousePos = mouse.Hit.Position

	local direction = Vector3.new(mousePos.X - root.X, 0, mousePos.Z - root.Z).unit

	local targetPosition = root + direction * radius + Vector3.new(0, heightOffset, 0)

	swordModel:SetPrimaryPartCFrame(
		CFrame.lookAt(targetPosition, targetPosition + direction) * CFrame.Angles(math.rad(90), 0, math.rad(180))
	)
end)

Here’s the Model of the Sword

1 Like

direction is being set to a vector3 that doesn’t take into account the y component of mousePos. When it is added to targetPosition, this results in a vector3 that is horizontally level with targetPosition. I think if you just swap the lookAt argument with just mousePos, it should work just fine. I suspect that the extra cframe that you’re multiplying the first constructed cframe with is going to do some unexpected things, so get rid of that if the argument swapping doesn’t work.

While you’re at it, get rid of direction as well. If my solution works, you probably won’t need it.

3 Likes

You could probably use cframe.lookat and offset the sword in the same direction its looking at

1 Like

Already tried that unfortunatelly

What would be the whole code then this is what it gives me we are worse off then the start

I want the sword to put in the direction the mouse is looking at but it stay like horizontal the sword shouldn’t be able to point toward the sky nor the ground or point in diagonal that’s not what we want alright. It’s near perfect it’s just that there’s an offset with the mouse cursor and sword

It should point like this the spike of the sword must point directly toward the mouse or must be pointed to the mouse cursor

Alright with the testing I’ve tried making a simple part that follows the mouse cursor and from what I’ve seen there’s an offset with the actuel mouse cursor so this is something that I’ve noticed and when I removed the WeldConstraints the part would perfectly follow my mouse cursor and be centered to it

image

Ok we are a little bit more advanced now sword centered toward the mouse now we would have to bring in the circle rotation and the thing would be perfect

here’s the current code at the moment

local Players = game:GetService("Players")
local ReplicatedStorage = game:GetService("ReplicatedStorage")
local RunService = game:GetService("RunService")

local player = Players.LocalPlayer
local character = player.Character or player.CharacterAdded:Wait()
local mouse = player:GetMouse()

local swordModel = ReplicatedStorage.Weapons:FindFirstChild("Warrior Sword"):Clone()
local sharpPart = swordModel:FindFirstChild("SHARP")

if not sharpPart then
	warn("SHARP part is missing in the sword model!")
	return
end

-- On positionne le modèle de l'épée dans le personnage
swordModel.Parent = character

-- Trouver le WeldConstraint entre la partie de l'épée et la poignée
local weld = sharpPart:FindFirstChildOfClass("WeldConstraint")

-- Si un WeldConstraint est trouvé, on peut essayer de le manipuler ou de le désactiver
if weld then
	weld.Enabled = false  -- Désactive le WeldConstraint pour éviter les décalages
end

RunService.RenderStepped:Connect(function()
	-- Récupère la position de la souris dans l'espace 3D
	local mousePosition = mouse.Hit.p 

	-- On ajuste la position de la lame en centrant le pivot de l'épée sur la position de la souris
	-- La lame doit être centrée à la souris sur l'axe X et Z, et on garde la position Y de la lame intacte
	sharpPart.CFrame = CFrame.new(Vector3.new(mousePosition.X, sharpPart.Position.Y, mousePosition.Z))

	-- (Optionnel) Ajouter l'orientation de l'épée pour qu'elle soit dirigée vers la souris
	local direction = (mousePosition - sharpPart.Position).unit
	local swordCFrame = CFrame.lookAt(sharpPart.Position, mousePosition)
	swordModel:SetPrimaryPartCFrame(swordCFrame)
end)


I think I got what you’re trying to do now. The reason your sword isn’t pointing towards the cursor is because it’s actually pointing towards where the mouse ray is intersecting with a part, not the actual mouse’s position in 3D space (the subsection in Mouse.Hit mentions this). The same thing is happening to what you’ve got going in post 9; the sword is being moved to where the mouse ray is intersecting with the base plate. If you moved your mouse over the sky, I’d suspect the sword would fly off into the distance, because it will attempt to move to a point that is infinitely far away.

Instead, you should be setting swordCFrame to CFrame.lookAt(targetPosition, mouse.UnitRay.Origin) in order to get the sword to point to the cursor.

However, based on your drawing in post 7, I don’t think that’s what you’re going for. It seems like you want the sword to point directly at the cursor. For that, I have an idea that may or may not work.

The idea is to calculate a point on a plane horizontally level with where you want the sword to point towards (which seems like the head in your case) and have the sword point towards that. I’ve figured out how to do that for my own project and put it in its own function. Feel free to copy it.

local function FindPoint(mouseRay: Ray, planeNormal: Ray)
    local divisor = (planeNormal.Origin - mouseRay.Origin):Dot(planeNormal.Direction)
    local dividend = mouseRay.Direction:Dot(planeNormal.Direction)
    local distance = divisor / dividend

    local position = mouseRay.Origin + mouseRay.Direction * distance

    return position
end

mouseRay in FindPoint should be the mouse’s unit ray (mouse.UnitRay in your case) and planeNormal should be the normal of the plane where the origin dictates the plane’s position (the head in your case) and the direction dictates the direction the plane faces (upwards in your case). position should be a point that is level with the head, which you can then use in a lookAt constructor to point the sword towards.

As for what happened in post 5, I realize now that your sword’s model’s primary part’s origin is not slightly below the sword’s pommel, like the black dot below:

My idea in post 2 relied on that fact to work. Sorry for assuming.

Edit: It’s now been about 11 hours since I’ve posted this. I’ve re-read it and have to give an additional disclaimer. This won’t actually fully solve the problem. If you aim the camera to be horizontal with the head (and consequently, the plane), the sword will be pointing away from the camera again. If you find that you don’t like this after implementing my suggestions, I’d try making planeNormal point towards the camera. I’m currently not entirely sure how this would cause the sword to react (especially with your current methods of rotating the sword), but that’s the best I’ve got as a fix towards the solution I’ve presented in this post.

Ok based on GPT and your response this is what it gave me

Here’s the code I’ve tried with GPT

local Players = game:GetService("Players")
local ReplicatedStorage = game:GetService("ReplicatedStorage")
local RunService = game:GetService("RunService")

local player = Players.LocalPlayer
local character = player.Character or player.CharacterAdded:Wait()
local mouse = player:GetMouse()

local swordModel = ReplicatedStorage.Weapons:FindFirstChild("Warrior Sword"):Clone()
local handle = swordModel:FindFirstChild("Handle")
local sharpPart = swordModel:FindFirstChild("SHARP")

if not sharpPart then
	warn("SHARP part is missing in the sword model!")
	return
end

swordModel.PrimaryPart = sharpPart
swordModel.Parent = character

local radius = 5  
local heightOffset = 2 

-- Fonction pour trouver un point d'intersection sur un plan horizontal (au niveau de la tête)
local function FindPoint(mouseRay, planeNormal)
	local divisor = (planeNormal.Origin - mouseRay.Origin):Dot(planeNormal.Direction)
	local dividend = mouseRay.Direction:Dot(planeNormal.Direction)
	local distance = divisor / dividend

	local position = mouseRay.Origin + mouseRay.Direction * distance
	return position
end

RunService.RenderStepped:Connect(function()
	if not character or not character.PrimaryPart then return end

	local root = character.PrimaryPart.Position
	local head = character:FindFirstChild("Head") 

	if not head then return end

	-- Définir un plan horizontal au niveau de la tête du personnage
	local planeNormal = Ray.new(head.Position, Vector3.new(0, 1, 0)) -- Plan horizontal

	-- Trouver le point d'intersection avec le plan
	local targetPosition = FindPoint(mouse.UnitRay, planeNormal)

	-- Vérification pour éviter des erreurs
	if not targetPosition then return end

	-- Positionner l'épée autour du joueur
	local direction = (targetPosition - root).unit
	local swordPosition = root + direction * radius + Vector3.new(0, heightOffset, 0)

	-- Appliquer la rotation correcte
	swordModel:SetPrimaryPartCFrame(
		CFrame.lookAt(swordPosition, targetPosition) * CFrame.Angles(math.rad(90), 0, math.rad(180))
	)
end)

basically the thing remaining is to make sure that the sword and is able to rotate in a circle circling around the player in the middle and to make the sword stay flat like it was at the start basically the sword must be parallel to the ground

you could do smth like:

sword.CFrame = CFrame.LookAt(sword.Position, mouse.Hit.Position)

lmk if it works

swordPosition is still reliant on where the point direction is, which isn’t exactly how I’d do it. I would’ve made the sword’s model origin be underneath the pommel like in the picture I posted in post 10. After that, it’s as simple as setting the at argument to the player’s head.

With enough tweening this is what I succeed for the normal character

Now let’s fix the issue for the morphed character I did for my game as you can tell there’s quite a difference in the way the sword point at the mouse in the morphed character

I copied the code that worked for the non-morphed character worked perfectly fine now my morphed character doesn’t do the same why

Edit : Nevermind it was the position of the head the problem

Alright my sword struggle to make a touched detection I tried using .Touched on Clients doesn’t seems to be working at all

local Players = game:GetService("Players")
local ReplicatedStorage = game:GetService("ReplicatedStorage")
local RunService = game:GetService("RunService")

local player = Players.LocalPlayer
local character = player.Character or player.CharacterAdded:Wait()
local mouse = player:GetMouse()


local swordModel = ReplicatedStorage.Weapons:FindFirstChild("Warrior Sword"):Clone()
local handle = swordModel:FindFirstChild("Handle")
local sharpPart = swordModel:FindFirstChild("SHARP")

local WeaponController = require(ReplicatedStorage:WaitForChild("ClientScripts"):WaitForChild("WeaponController"))

if not sharpPart then
	warn("SHARP part is missing in the sword model!")
	return
end

swordModel.PrimaryPart = sharpPart
swordModel.Parent = character

local radius = 5  
local forwardOffset = 3 

local stabDistance = 5  
local stabTime = 3  
local stabCooldown = 0.5 
local speedStab = 2
local stabInterval = 3 

local elapsedTime = 0
local isStabbing = false  
local isStabbingEnded = false
local currentPosition = nil
local stabFinalOffset = nil  
local stabFinalDirection = nil  

local heightOffset = 2
local disappearSword = false

local function SmoothCurve(t)
	return 1 - math.pow(1 - t, 3) 
end

local function FindPoint(mouseRay, planeY)
	local direction = mouseRay.Direction
	local origin = mouseRay.Origin

	if direction.Y == 0 then
		return nil
	end

	local distance = (planeY - origin.Y) / direction.Y
	local position = origin + direction * distance
	return position
end

local function UpdateSwordPosition(deltaTime)
	if not character or not character.PrimaryPart then return end

	local root = character.PrimaryPart.Position
	local head = character:FindFirstChild("Head")

	if not head then return end

	local targetPosition = FindPoint(mouse.UnitRay, head.Position.Y)
	if not targetPosition then return end

	local horizontalTarget = Vector3.new(targetPosition.X, root.Y, targetPosition.Z)
	local direction = (horizontalTarget - root).unit

	if isStabbing and isStabbingEnded == false then
		-- Si c'est le début du stab, enregistrer la direction initiale pour la conserver jusqu'à la fin
		if elapsedTime == 0 then
			stabFinalDirection = direction  -- On verrouille la direction dès le début
		end

		disappearSword = false

		elapsedTime += deltaTime * speedStab


		local progress = math.clamp(elapsedTime / stabTime, 0, 0.4)
		local easedProgress = SmoothCurve(progress)

		if progress >= 0.4 then
			stabFinalOffset = swordModel.PrimaryPart.Position - root

			--task.wait(stabCooldown)

			isStabbing = false  
			isStabbingEnded = true

			elapsedTime = 0
		end

		local swordPosition = root + stabFinalDirection * (radius + forwardOffset + easedProgress * stabDistance) + Vector3.new(0, heightOffset, 0)
		currentPosition = swordPosition

		swordModel:SetPrimaryPartCFrame(
			CFrame.lookAt(swordPosition, swordPosition + stabFinalDirection) 
				* CFrame.Angles(math.rad(90), math.rad(90), math.rad(180))
		)
		
		swordModel.PrimaryPart.Touched:Connect(function(hit)
			print("SWORD HAS HIT : ", hit)

			local enemy = hit.Parent
			if enemy and enemy:FindFirstChild("Humanoid") and enemy:FindFirstChild("HumanoidRootPart") and enemy ~= character then
				print("ENEMY HAS BEEN TOUCHED")
			end
		end)



	elseif isStabbing == false and isStabbingEnded == true then
		if stabFinalOffset and stabFinalDirection then			
			elapsedTime += deltaTime * speedStab

			local progress = math.clamp(0.4 + (elapsedTime / stabTime), 0, 1)

			local easedProgress = SmoothCurve(progress)

			if progress >= 0.4 and not disappearSword then
				disappearSword = true
				WeaponController.Visible(player, swordModel, false)
			end

			local swordPosition = root + stabFinalDirection * (radius + forwardOffset + easedProgress * stabDistance) + Vector3.new(0, heightOffset, 0)
			currentPosition = swordPosition

			swordModel:SetPrimaryPartCFrame(
				CFrame.lookAt(swordPosition, swordPosition + stabFinalDirection) 
					* CFrame.Angles(math.rad(90), math.rad(90), math.rad(180))
			)
			
			swordModel.PrimaryPart.Touched:Connect(function(hit)
				print("SWORD HAS HIT : ", hit)

				local enemy = hit.Parent
				if enemy and enemy:FindFirstChild("Humanoid") and enemy:FindFirstChild("HumanoidRootPart") and enemy ~= character then
					print("ENEMY HAS BEEN TOUCHED")
				end
			end)
		end
	end
end

task.spawn(function()
	while true do
		task.wait(stabInterval)
		if not isStabbing then
			WeaponController.Visible(player, swordModel, true)

			isStabbing = true
			isStabbingEnded = false
			elapsedTime = 0
		end
	end
end)

RunService.RenderStepped:Connect(UpdateSwordPosition)