Can I use :GetChildren() but only have it get children that are, for instance, tools?
Yes, you can. By using :IsA()
you can easily identify what you want from a group of items. For example let's say you had a model with random items:
1 | local Model = script.Parent |
2 |
3 | for _, item in pairs (Modle:GetChildren()) do |
4 | if item:IsA( 'Tool' ) then |
5 | -- do something to the tool |
6 | end |
7 | end |
Hopefully, this helped. Best of luck developer. Comment if you have problems.
Unfortunately, while this has been requested on the official developer forum, it is not [yet] a feature. You can, however, use a loop containing an if statement to check if an item is a specific class.
1 | local newTable = { } |
2 | local items = something:GetChildren() |
3 | for i,v in pairs (items) do |
4 | if v:IsA( "Tool" ) then -- Any class can go here. You can also put multiple statements. |
5 | table.insert(newTable,v) |
6 | end |
7 | end |
8 | -- do something with newTable here. |
Use :IsA(className)
to check the class of an instance.
1 | function GetChildrenOfType(parent, t) |
2 | children = { } |
3 | for i, v in pairs (parent:GetChildren()) do |
4 | if (v:IsA(t)) then |
5 | table.insert(children, v) |
6 | end |
7 | end |
8 | return children |
9 | end |
At the moment we are not able to only GetChildren of one class. This can be achieved in a few ways but the best way would be using a generic for loop to add all children of that class to a table.
1 | childrenOfClass = { } -- Table that the children will be put in. |
2 | for _, v in ipairs (parent:GetChildren()) do -- Loops through ALL children |
3 | if v:IsA( "Class" ) then -- Checks if child is of a specific class. |
4 | table.insert(childrenOfClass, v) -- Adds child to table |
5 | end |
6 | end |
You could make this more useful by turning it into a function like this:
1 | function GetChildrenOfClass(parent, class) |
2 | children = { } -- Table of children |
3 | for _,v in ipairs (parent:GetChildren()) do -- Loops through ALL children |
4 | if v:IsA(class) then -- Checks if "v" is of class "class" |
5 | table.insert(children, v) -- Adds "v" to table |
6 | end |
7 | end |
8 | return children -- Sends the children back to the line that called it. |
9 | end |
If my answer solved your problem, please remember to mark it as correct!