So i am making random stuff, and i was testing something. And i found a problem with what i was doing. I can't make something that gets each 'game' part.
For example of what i mean:
I want a script that gets every item (class) present in the place. How do i do that? I will be glad when i find out. Thanks
You can use the for
statement to sort through children of the Workspace pretty easily.
Here's some code that will do what you're asking. I explained everything in comments.
1 | a = game.Workspace:GetChildren() --Gets all of the Children of the workspace, regardless of ClassName. |
2 | bricks = 0 --This will change when the script finds bricks. |
3 |
4 | for i,v in pairs (a) do --Starts a for loop to run through the children of the workspace |
5 | if v:IsA( "Part" ) then --Checks if the Child of the workspace's ClassName is "Part". |
6 | bricks = bricks + 1 --Adds 1 to the brick counter. |
7 | end |
8 | print (bricks) --When the script is done finding the Workspace's children, it will print the total number of bricks in the output. |
Hope I helped!
If you want to get every single object in the workspace, then I suggest this:
1 | local ObjectTable = { } |
2 | function GetObjects(Area) |
3 | for _,Obj in pairs (Area:GetChildren() do |
4 | table.insert(ObjectTable,Obj) |
5 | GetObjects(Obj) |
6 | end |
7 | end |
8 | GetObjects(game.Workspace) |
This will make table ObjectTable
contain every single object in the workspace. However, if you wanted every PART in the workspace, then you would slightly modify the script, like so:
01 | local ObjectTable = { } |
02 | function GetObjects(Area) |
03 | for _,Obj in pairs (Area:GetChildren() do |
04 | if Obj:IsA( "BasePart" ) then --This makes sure Obj is a brick |
05 | table.insert(ObjectTable,Obj) |
06 | end |
07 | GetObjects(Obj) |
08 | end |
09 | end |
10 | GetObjects(game.Workspace) |
Hope this helped!