Answered by
6 years ago Edited 6 years ago
You could achieve this by shooting a Ray from the camera to the mouse position. You would need to supply Ray.new() with a starting/origin position and direction.
We can get the direction by using a function called :ScreenPointToRay()
from the Camera object along with the mouse using :GetMouse()
.
1 | local Players = game:GetService( "Players" ) |
3 | local player = Players.LocalPlayer |
4 | local mouse = player:GetMouse() |
6 | local pointRay = workspace.CurrentCamera:ScreenPointToRay(mouse.X, mouse.Y, 1 ) |
pointRay
will be a unit vector of length 1 that is positioned to the camera's location in the world and faces the mouse's own position.
We can then create a new Ray and provide the Origin and Direction properties of pointRay
to this Ray.
2 | local ray = Ray.new(pointRay.Origin, pointRay.Direction * distance) |
4 | local hit, pos = workspace:FindPartOnRay(ray) |
We now have a ray firing from the camera to the mouse with a magnitude of 500 studs. We could connect all this to create some kind of click detection for certain parts. I use UserInputService to do this.
01 | local Players = game:GetService( "Players" ) |
02 | local uis = game:GetService( "UserInputService" ) |
04 | local player = Players.LocalPlayer |
05 | local mouse = player:GetMouse() |
07 | local partToIgnore = workspace:WaitForChild( "IgnorePart" ) |
08 | local targetedPart = workspace:WaitForChild( "TargetPart" ) |
12 | local function onInput(inputObject, gameProccessed) |
13 | if inputObject.UserInputType = = Enum.UserInputType.MouseButton 1 then |
15 | local pointRay = workspace.CurrentCamera:ScreenPointToRay(mouse.X, mouse.Y, 1 ) |
17 | local ray = Ray.new(pointRay.Origin, pointRay.Direction * distance) |
19 | local hit, pos = workspace:FindPartOnRay(ray, partToIgnore) |
21 | if hit = = targetedPart then |
22 | hit.BrickColor = BrickColor.Random() |
27 | uis.InputBegan:Connect(onInput) |
Here's a example gif linked to imgur.
For testing, I included a part that :FindPartOnRay
will ignore. I then compare what it returns through the hit variable to my target part and change it's BrickColor to something random. You can see more on UserInputService for InputBegan here.
Note that this is done in a local script so nothing is replicated to the server.