How do i check if a part in a model is touched???
I made a script which i stored within the ServerScriptService and made a model which consists of 6 instances all with the same name "Part" apart from 3 which I named "Part1", "Part2" and "Part3" so i used this script to print the 3 of parts names. Remove "V.Name ~= "Part"" if you have 3 parts, also if you have more than three parts but they have different names then use this in the if statement --> "V.Name == "Part 1"" and so on, use "and" to seperate them. Here is the script:
1 | local model = game.Workspace.Model |
2 | for _,v in ipairs (model:GetChildren()) do |
3 | if v:IsA( "Part" ) and v.Name ~ = "Part" then |
4 | print (v.Name) |
5 | end |
6 | end |
Follow the steps above and if you find it useful please upvote.
To test if a specific part is touched, use the Touched
event:
1 | Part.Touched:connect( function (otherPart) |
2 | -- otherPart is the Part which touched |
3 | end ) |
To test if any part is touched in an entire Model, use GetChildren
or GetDescendants
to collect every member of the Model, and then connect every Part in the model
1 | for _, part in pairs (Model:GetChildren()) do -- Iterate through the children |
2 | if part:IsA( "BasePart" ) then -- Make sure that the child is a part, and not something else (i.e. script) |
3 | part.Touched:connect( function (otherPart) |
4 | -- ... |
5 | end ) |
6 | end |
7 | end |
01 | local Model = game.Workspace.Model |
02 |
03 |
04 | while true do |
05 |
06 | for _, Part in pairs (Model:GetChildren()) do |
07 | if Part:IsA( 'Part' ) then |
08 | Part.Touched:connect( function () |
09 | print (Part.Name .. ' was touched.' ) |
10 | end ) |
11 | end |
12 | end |
13 | wait() |
14 | end |
There you go!