Get all instance types to array?

Hello!

I’m looking to get an array of all the instance names in Roblox.

image

Is it possible to grab this list using :GetEnum?

Thank you!

Sheeesh-- that’d be an extremely long array with little to no information about each type. I think the closest thing that you can get is the Class Index on the ROBLOX Dev Wiki. That’ll display not just objects (which I believe is what you’re looking for), but also abstract classes, and services.

1 Like

That is totally fine, I just need to be able to know class names of each object. I’ve found the API Roblox API Reference so If I have to I can create a list manually :frowning:

But if that has already been done, or there is an easier way to do it I’d love to know :slight_smile:

Thanks for your reply.

Enum:GetEnums() returns an array with every single enum on Roblox.

1 Like

that’s for enum’s not Instances

1 Like

EDIT: Redoing this post lol. Here is the method I used to test if the object can be inserted into workspace:

output = function(...)
		local classes = "ABTestService Accessory Accoutrement AdService AdvancedDragger AlignOrientation AlignPosition AnalysticsSettings AnalyticsService AngularVelocity Animation AnimationController AnimationTrack Animator AppStorageService ArcHandles AssetCounterService AssetManagerService AssetService Atmosphere Attachment AvatarEditorService Backpack BackpackItem BadgeService BallSocketConstraint BasePlayerGui BaseScript Beam BillboardGui BinaryStringValue BindableEvent BindableFunction BlockMesh BloomEffect BlurEffect BodyAngularVelocity BodyColors BodyForce BodyGyro BodyMover BodyPosition BodyThrust BodyVelocity Bone BoolValue BoxHandleAdornment BrickColorValue BrowserService BulkImportService CacheableContentProvider Camera CatalogPages CFrameValue ChangeHistoryService CharacterAppearance CharacterMesh Chat ChorusSoundEffect ClickDetector ClientReplicator Clothing ClusterPacketCache CollectionService Color3Value ColorCorrectionEffect CompressorSoundEffect ConeHandleAdornment Configuration Constraint ContentProvider ContextActionService Controller ControllerService CookiesService CoreGui CorePackages CoreScript CoreScriptSyncService CornerWedgePart CSGDictionaryService CylinderHandleAdornment CylindricalConstraint DataModel DataModelSession DataStorePages DataStoreService Debris DebuggerBreakpoint DebuggerManager DebuggerWatch Decal DepthOfFieldEffect Dialog DialogChoice DistortionSoundEffect DockWidgetPluginGui DraftsService Dragger DynamicRotate EchoSoundEffect EmotesPages EqualizerSoundEffect EventIngestService Explosion Feature File FileMesh Fire FlagStandService FlangeSoundEffect FlyweightService Folder ForceField FormFactorPart Frame FriendPages FriendService GamepadService GamePassService GenericSettings Geometry GlobalDataStore GoogleAnalyticsConfiguration GroupService GuiBase GuiBase3d GuidRegistryService GuiLabel GuiService HandleAdornment Handles HandlesBase HapticService HingeConstraint HttpRbxApiService HttpRequest HttpService Humanoid HumanoidController HumanoidDescription ILegacyStudioBridge ImageButton ImageHandleAdornment ImageLabel InputObject InsertService InstanceAdornment InternalContainer IntValue InventoryPages JointInstance KeyboardService Keyframe KeyframeMarker KeyframeSequence KeyframeSequenceProvider LanguageService LegacyStudioBridge Light Lighting LineForce LineHandleAdornment LocalizationService LocalizationTable LocalScript LocalStorageService LoginService LogService LuaSettings LuaWebService ManualGlue ManualSurfaceJointInstance ManualWeld MarketplaceService MemStorageConnection MemStorageService MeshContentProvider MeshPart MessagingService Model ModuleScript Motor Motor6D Mouse MouseService MultipleDocumentInterfaceInstance NegateOperation NetworkClient NetworkReplicator NetworkServer NoCollisionConstraint NonReplicatedCSGDictionaryService NotificationService NumberValue ObjectValue OrderedDataStore OutfitPages PackageService Pages Pants ParabolaAdornment Part PartAdornment ParticleEmitter PartOperation PartOperationAsset Path PathfindingService PermissionsService PhysicsService PhysicsSettings PitchShiftSoundEffect Platform Player PlayerEmulatorService PlayerGui PlayerMouse Players PlayerScripts Plugin PluginAction PluginDebugService PluginDragEvent PluginGui PluginGuiService PluginManager PluginManagerInterface PluginMenu PluginMouse PluginToolbar PluginToolbarButton PointLight PolicyService Pose PostEffect PrismaticConstraint ProximityPrompt PVAdornment QWidgetPluginGui RayValue RbxAnalyticsService ReflectionMetadata ReflectionMetadataCallbacks ReflectionMetadataClass ReflectionMetadataClasses ReflectionMetadataEnum ReflectionMetadataEnumItem ReflectionMetadataEnums ReflectionMetadataEvents ReflectionMetadataFunctions ReflectionMetadataItem ReflectionMetadataMember ReflectionMetadataProperties ReflectionMetadataYieldFunctions RemoteEvent RemoteFunction RenderingTest ReplicatedFirst ReplicatedScriptService ReplicatedStorage ReverbSoundEffect RobloxPluginGuiService RocketPropulsion RodConstraint RopeConstraint Rotate RotateP RotateV RunningAverageItemDouble RunningAverageItemInt RunningAverageTimeIntervalItem RunService RuntimeScriptService ScreenGui Script ScriptContext ScriptDebugger ScriptService ScrollingFrame Seat Selection SelectionBox SelectionLasso SelectionSphere ServerReplicator ServerScriptService ServerStorage SessionService Shirt ShirtGraphic SkateboardController Sky SlidingBallConstraint Smoke Snap SocialService SolidModelContentProvider Sound SoundEffect SoundGroup SoundService Sparkles SpawnerService SpawnLocation SpecialMesh SphereHandleAdornment SpotLight SpringConstraint StandalonePluginScripts StandardPages StarterCharacterScripts StarterGear StarterGui StarterPack StarterPlayer StarterPlayerScripts Stats StatsItem StopWatchReporter StringValue Studio StudioData StudioService StudioTheme SunRaysEffect SurfaceAppearance SurfaceGui SurfaceLight SurfaceSelection TaskScheduler Team Teams TeleportService Terrain TerrainRegion TestService TextBox TextButton TextFilterResult TextLabel TextService Texture ThirdPartyUserService TimerService Tool Torque TotalCountTimeIntervalItem TouchInputService TracerService Trail Translator TremoloSoundEffect TriangleMeshPart TrussPart Tween TweenService UGCValidationService UIAspectRatioConstraint UIBase UIComponent UIConstraint UICorner UIGradient UIGridLayout UILayout UIListLayout UIPadding UIPageLayout UIScale UISizeConstraint UITableLayout UITextSizeConstraint UnionOperation UnvalidatedAssetService UserGameSettings UserInputService UserService UserSettings UserStorageService ValueBase Vector3Value VectorForce VehicleController VehicleSeat VelocityMotor VersionControlService VideoFrame ViewportFrame VirtualInputManager VirtualUser WedgePart Weld WeldConstraint Workspace"

		local preFilter = string.split(classes, " ")
		local classArray = {}
		
		local fold = Instance.new("Folder", workspace)
		
		for _, item in ipairs(preFilter) do

			local tempItem = nil
			local s, e = pcall(function()
				tempItem = Instance.new(item, fold)
				tempItem.Name = item
			end)
			
			if s and fold:FindFirstChild(item)then
				table.insert(classArray, item)
			end
		end
		
		fold:Destroy()
		
		print(#preFilter, #classArray, (#preFilter - #classArray) .. " Removed")
		
		local output = "{\n"
		for _, item in ipairs(classArray) do
			output = output .. ("'%s',\n"):format(item)
		end
		output = output .. "\n}"

		local scr = Instance.new("Script", workspace)
		scr.Name = "OUTPUT"
		scr.Source = output
	end

Here is the output of this for anyone who may need it!

{

'Accessory',

'Accoutrement',

'AlignOrientation',

'AlignPosition',

'AngularVelocity',

'Animation',

'AnimationController',

'ArcHandles',

'Atmosphere',

'Backpack',

'BallSocketConstraint',

'Beam',

'BillboardGui',

'BinaryStringValue',

'BindableEvent',

'BindableFunction',

'BlockMesh',

'BloomEffect',

'BlurEffect',

'BodyAngularVelocity',

'BodyColors',

'BodyForce',

'BodyGyro',

'BodyPosition',

'BodyThrust',

'BodyVelocity',

'BoolValue',

'BoxHandleAdornment',

'BrickColorValue',

'Camera',

'CFrameValue',

'CharacterMesh',

'ChorusSoundEffect',

'ClickDetector',

'Color3Value',

'ColorCorrectionEffect',

'CompressorSoundEffect',

'ConeHandleAdornment',

'Configuration',

'CornerWedgePart',

'CylinderHandleAdornment',

'CylindricalConstraint',

'Decal',

'DepthOfFieldEffect',

'Dialog',

'DialogChoice',

'DistortionSoundEffect',

'EchoSoundEffect',

'EqualizerSoundEffect',

'Explosion',

'FileMesh',

'Fire',

'FlangeSoundEffect',

'Folder',

'ForceField',

'Frame',

'Handles',

'HingeConstraint',

'Humanoid',

'HumanoidController',

'HumanoidDescription',

'ImageButton',

'ImageHandleAdornment',

'ImageLabel',

'IntValue',

'Keyframe',

'KeyframeMarker',

'KeyframeSequence',

'LineForce',

'LineHandleAdornment',

'LocalizationTable',

'LocalScript',

'ManualGlue',

'ManualWeld',

'MeshPart',

'Model',

'ModuleScript',

'Motor',

'Motor6D',

'NegateOperation',

'NoCollisionConstraint',

'NumberValue',

'ObjectValue',

'Pants',

'Part',

'ParticleEmitter',

'PartOperation',

'PartOperationAsset',

'PitchShiftSoundEffect',

'PointLight',

'Pose',

'PrismaticConstraint',

'ProximityPrompt',

'RayValue',

'ReflectionMetadata',

'ReflectionMetadataCallbacks',

'ReflectionMetadataClass',

'ReflectionMetadataClasses',

'ReflectionMetadataEnum',

'ReflectionMetadataEnumItem',

'ReflectionMetadataEnums',

'ReflectionMetadataEvents',

'ReflectionMetadataFunctions',

'ReflectionMetadataMember',

'ReflectionMetadataProperties',

'ReflectionMetadataYieldFunctions',

'RemoteEvent',

'RemoteFunction',

'RenderingTest',

'ReverbSoundEffect',

'RocketPropulsion',

'RodConstraint',

'RopeConstraint',

'Rotate',

'RotateP',

'RotateV',

'ScreenGui',

'Script',

'ScrollingFrame',

'Seat',

'SelectionBox',

'SelectionSphere',

'Shirt',

'ShirtGraphic',

'SkateboardController',

'Sky',

'Smoke',

'Snap',

'Sound',

'SoundGroup',

'Sparkles',

'SpawnLocation',

'SpecialMesh',

'SphereHandleAdornment',

'SpotLight',

'SpringConstraint',

'StandalonePluginScripts',

'StarterGear',

'StringValue',

'SunRaysEffect',

'SurfaceAppearance',

'SurfaceGui',

'SurfaceLight',

'SurfaceSelection',

'Team',

'TerrainRegion',

'TextBox',

'TextButton',

'TextLabel',

'Texture',

'Tool',

'Torque',

'Trail',

'TremoloSoundEffect',

'TrussPart',

'Tween',

'UIAspectRatioConstraint',

'UICorner',

'UIGradient',

'UIGridLayout',

'UIListLayout',

'UIPadding',

'UIPageLayout',

'UIScale',

'UISizeConstraint',

'UITableLayout',

'UITextSizeConstraint',

'UnionOperation',

'Vector3Value',

'VectorForce',

'VehicleController',

'VehicleSeat',

'VelocityMotor',

'VideoFrame',

'ViewportFrame',

'WedgePart',

'Weld',

'WeldConstraint',

}
8 Likes

Thanks to exhelsius and the link they gave https://create.roblox.com/docs/reference/engine. we can just make a js script that gets all the class names from the website using Developer Tools.
Open Dev Tools by clicking (F12 on chrome, Ctrl+Shift+C on Opera GX) and go to the console tab. paste this:

const nonFormatedClasses = JSON.parse(document.querySelector('#__NEXT_DATA__').innerHTML).props.pageProps.navigation.navigationContent[0].navigation[1].section
const classes = []
for (var [key, value] of Object.entries(nonFormatedClasses)) {
  classes[classes.length] = value.title
}
console.log(JSON.stringify(classes))

and it will return all the classes inside a string. If you want to convert it to a lua array, do:

game:GetService("HttpService"):JSONDecode(<what the code printed>)

At the time of my post, this is the string json:
[“Accessory”,“Accoutrement”,“Actor”,“AdGui”,“AdPortal”,“AdService”,“AdvancedDragger”,“AirController”,“AlignOrientation”,“AlignPosition”,“AnalysticsSettings”,“AnalyticsService”,“AngularVelocity”,“Animation”,“AnimationClip”,“AnimationClipProvider”,“AnimationConstraint”,“AnimationController”,“AnimationFromVideoCreatorService”,“AnimationFromVideoCreatorStudioService”,“AnimationImportData”,“AnimationRigData”,“AnimationStreamTrack”,“AnimationTrack”,“Animator”,“AppStorageService”,“AppUpdateService”,“ArcHandles”,“AssetCounterService”,“AssetDeliveryProxy”,“AssetImportService”,“AssetImportSession”,“AssetManagerService”,“AssetPatchSettings”,“AssetService”,“AssetSoundEffect”,“Atmosphere”,“Attachment”,“AudioPages”,“AudioSearchParams”,“AvatarChatService”,“AvatarEditorService”,“AvatarImportService”,“Backpack”,“BackpackItem”,“BadgeService”,“BallSocketConstraint”,“BaseImportData”,“BasePart”,“BasePlayerGui”,“BaseScript”,“BaseWrap”,“Beam”,“BevelMesh”,“BillboardGui”,“BinaryStringValue”,“BindableEvent”,“BindableFunction”,“BlockMesh”,“BloomEffect”,“BlurEffect”,“BodyAngularVelocity”,“BodyColors”,“BodyForce”,“BodyGyro”,“BodyMover”,“BodyPosition”,“BodyThrust”,“BodyVelocity”,“Bone”,“BoolValue”,“BoxHandleAdornment”,“Breakpoint”,“BrickColorValue”,“BrowserService”,“BubbleChatConfiguration”,“BubbleChatMessageProperties”,“BulkImportService”,“BuoyancySensor”,“CacheableContentProvider”,“CalloutService”,“Camera”,“CanvasGroup”,“CaptureService”,“CatalogPages”,“CFrameValue”,“ChangeHistoryService”,“ChannelSelectorSoundEffect”,“CharacterAppearance”,“CharacterMesh”,“Chat”,“ChatInputBarConfiguration”,“ChatWindowConfiguration”,“ChorusSoundEffect”,“ClickDetector”,“ClientReplicator”,“ClimbController”,“Clothing”,“CloudLocalizationTable”,“Clouds”,“ClusterPacketCache”,“CollectionService”,“Color3Value”,“ColorCorrectionEffect”,“CommandInstance”,“CommandService”,“CompressorSoundEffect”,“ConeHandleAdornment”,“Configuration”,“ConfigureServerService”,“Constraint”,“ContentProvider”,“ContextActionService”,“Controller”,“ControllerBase”,“ControllerManager”,“ControllerPartSensor”,“ControllerSensor”,“ControllerService”,“CookiesService”,“CoreGui”,“CorePackages”,“CoreScript”,“CoreScriptDebuggingManagerHelper”,“CoreScriptSyncService”,“CornerWedgePart”,“CrossDMScriptChangeListener”,“CSGDictionaryService”,“CurveAnimation”,“CustomEvent”,“CustomEventReceiver”,“CustomSoundEffect”,“CylinderHandleAdornment”,“CylinderMesh”,“CylindricalConstraint”,“DataModel”,“DataModelMesh”,“DataModelPatchService”,“DataModelSession”,“DataStore”,“DataStoreIncrementOptions”,“DataStoreInfo”,“DataStoreKey”,“DataStoreKeyInfo”,“DataStoreKeyPages”,“DataStoreListingPages”,“DataStoreObjectVersionInfo”,“DataStoreOptions”,“DataStorePages”,“DataStoreService”,“DataStoreSetOptions”,“DataStoreVersionPages”,“Debris”,“DebuggablePluginWatcher”,“DebuggerBreakpoint”,“DebuggerConnection”,“DebuggerConnectionManager”,“DebuggerLuaResponse”,“DebuggerManager”,“DebuggerUIService”,“DebuggerVariable”,“DebuggerWatch”,“DebugSettings”,“Decal”,“DepthOfFieldEffect”,“DeviceIdService”,“Dialog”,“DialogChoice”,“DistortionSoundEffect”,“DockWidgetPluginGui”,“DoubleConstrainedValue”,“DraftsService”,“DragDetector”,“Dragger”,“DraggerService”,“DynamicMesh”,“DynamicRotate”,“EchoSoundEffect”,“EmotesPages”,“EqualizerSoundEffect”,“EulerRotationCurve”,“EventIngestService”,“ExperienceAuthService”,“ExperienceInviteOptions”,“Explosion”,“FaceAnimatorService”,“FaceControls”,“FaceInstance”,“FacialAnimationRecordingService”,“FacialAnimationStreamingServiceStats”,“FacialAnimationStreamingServiceV2”,“FacialAnimationStreamingSubsessionStats”,“FacsImportData”,“Feature”,“File”,“FileMesh”,“Fire”,“Flag”,“FlagStand”,“FlagStandService”,“FlangeSoundEffect”,“FloatCurve”,“FloorWire”,“FlyweightService”,“Folder”,“ForceField”,“FormFactorPart”,“Frame”,“FriendPages”,“FriendService”,“FunctionalTest”,“GamepadService”,“GamePassService”,“GameSettings”,“GenericSettings”,“Geometry”,“GeometryService”,“GetTextBoundsParams”,“GlobalDataStore”,“GlobalSettings”,“Glue”,“GoogleAnalyticsConfiguration”,“GroundController”,“GroupImportData”,“GroupService”,“GuiBase”,“GuiBase2d”,“GuiBase3d”,“GuiButton”,“GuidRegistryService”,“GuiLabel”,“GuiMain”,“GuiObject”,“GuiService”,“HandleAdornment”,“Handles”,“HandlesBase”,“HapticService”,“Hat”,“HeightmapImporterService”,“HiddenSurfaceRemovalAsset”,“Highlight”,“HingeConstraint”,“Hint”,“Hole”,“Hopper”,“HopperBin”,“HSRDataContentProvider”,“HttpRbxApiService”,“HttpRequest”,“HttpService”,“Humanoid”,“HumanoidController”,“HumanoidDescription”,“IKControl”,“ILegacyStudioBridge”,“ImageButton”,“ImageDataExperimental”,“ImageHandleAdornment”,“ImageLabel”,“IncrementalPatchBuilder”,“InputObject”,“InsertService”,“Instance”,“InstanceAdornment”,“IntConstrainedValue”,“IntersectOperation”,“IntValue”,“InventoryPages”,“IXPService”,“JointImportData”,“JointInstance”,“JointsService”,“KeyboardService”,“Keyframe”,“KeyframeMarker”,“KeyframeSequence”,“KeyframeSequenceProvider”,“LanguageService”,“LayerCollector”,“LegacyStudioBridge”,“Light”,“Lighting”,“LinearVelocity”,“LineForce”,“LineHandleAdornment”,“LiveScriptingService”,“LocalDebuggerConnection”,“LocalizationService”,“LocalizationTable”,“LocalScript”,“LocalStorageService”,“LodDataEntity”,“LodDataService”,“LoginService”,“LogService”,“LSPFileSyncService”,“LuaSettings”,“LuaSourceContainer”,“LuauScriptAnalyzerService”,“LuaWebService”,“ManualGlue”,“ManualSurfaceJointInstance”,“ManualWeld”,“MarkerCurve”,“MarketplaceService”,“MaterialGenerationService”,“MaterialGenerationSession”,“MaterialImportData”,“MaterialService”,“MaterialVariant”,“MemoryStoreQueue”,“MemoryStoreService”,“MemoryStoreSortedMap”,“MemStorageConnection”,“MemStorageService”,“MeshContentProvider”,“MeshDataExperimental”,“MeshImportData”,“MeshPart”,“Message”,“MessageBusConnection”,“MessageBusService”,“MessagingService”,“MetaBreakpoint”,“MetaBreakpointContext”,“MetaBreakpointManager”,“Model”,“ModuleScript”,“Motor”,“Motor6D”,“MotorFeature”,“Mouse”,“MouseService”,“MultipleDocumentInterfaceInstance”,“NegateOperation”,“NetworkClient”,“NetworkMarker”,“NetworkPeer”,“NetworkReplicator”,“NetworkServer”,“NetworkSettings”,“NoCollisionConstraint”,“NonReplicatedCSGDictionaryService”,“NotificationService”,“NumberPose”,“NumberValue”,“ObjectValue”,“OmniRecommendationsService”,“OpenCloudService”,“OrderedDataStore”,“OutfitPages”,“PackageLink”,“PackageService”,“PackageUIService”,“Pages”,“Pants”,“ParabolaAdornment”,“Part”,“PartAdornment”,“ParticleEmitter”,“PartOperation”,“PartOperationAsset”,“PatchBundlerFileWatch”,“PatchMapping”,“Path”,“PathfindingLink”,“PathfindingModifier”,“PathfindingService”,“PausedState”,“PausedStateBreakpoint”,“PausedStateException”,“PermissionsService”,“PhysicsService”,“PhysicsSettings”,“PitchShiftSoundEffect”,“Plane”,“PlaneConstraint”,“Platform”,“Player”,“PlayerEmulatorService”,“PlayerGui”,“PlayerMouse”,“Players”,“PlayerScripts”,“Plugin”,“PluginAction”,“PluginDebugService”,“PluginDragEvent”,“PluginGui”,“PluginGuiService”,“PluginManagementService”,“PluginManager”,“PluginManagerInterface”,“PluginMenu”,“PluginMouse”,“PluginPolicyService”,“PluginToolbar”,“PluginToolbarButton”,“PointLight”,“PointsService”,“PolicyService”,“Pose”,“PoseBase”,“PostEffect”,“PrismaticConstraint”,“ProcessInstancePhysicsService”,“ProximityPrompt”,“ProximityPromptService”,“PublishService”,“PVAdornment”,“PVInstance”,“QWidgetPluginGui”,“RayValue”,“RbxAnalyticsService”,“ReflectionMetadata”,“ReflectionMetadataCallbacks”,“ReflectionMetadataClass”,“ReflectionMetadataClasses”,“ReflectionMetadataEnum”,“ReflectionMetadataEnumItem”,“ReflectionMetadataEnums”,“ReflectionMetadataEvents”,“ReflectionMetadataFunctions”,“ReflectionMetadataItem”,“ReflectionMetadataMember”,“ReflectionMetadataProperties”,“ReflectionMetadataYieldFunctions”,“RemoteCursorService”,“RemoteDebuggerServer”,“RemoteEvent”,“RemoteFunction”,“RenderingTest”,“RenderSettings”,“ReplicatedFirst”,“ReplicatedStorage”,“ReverbSoundEffect”,“RigidConstraint”,“RobloxPluginGuiService”,“RobloxReplicatedStorage”,“RocketPropulsion”,“RodConstraint”,“RomarkService”,“RootImportData”,“RopeConstraint”,“Rotate”,“RotateP”,“RotateV”,“RotationCurve”,“RtMessagingService”,“RunningAverageItemDouble”,“RunningAverageItemInt”,“RunningAverageTimeIntervalItem”,“RunService”,“RuntimeScriptService”,“SafetyService”,“ScreenGui”,“ScreenshotHud”,“Script”,“ScriptBuilder”,“ScriptChangeService”,“ScriptCloneWatcher”,“ScriptCloneWatcherHelper”,“ScriptCommitService”,“ScriptContext”,“ScriptDebugger”,“ScriptDocument”,“ScriptEditorService”,“ScriptRegistrationService”,“ScriptRuntime”,“ScriptService”,“ScrollingFrame”,“Seat”,“Selection”,“SelectionBox”,“SelectionHighlightManager”,“SelectionLasso”,“SelectionPartLasso”,“SelectionPointLasso”,“SelectionSphere”,“SensorBase”,“ServerReplicator”,“ServerScriptService”,“ServerStorage”,“ServiceProvider”,“ServiceVisibilityService”,“SessionService”,“SharedTableRegistry”,“Shirt”,“ShirtGraphic”,“ShorelineUpgraderService”,“SkateboardController”,“SkateboardPlatform”,“Skin”,“Sky”,“SlidingBallConstraint”,“Smoke”,“SmoothVoxelsUpgraderService”,“Snap”,“SnippetService”,“SocialService”,“SolidModelContentProvider”,“Sound”,“SoundEffect”,“SoundGroup”,“SoundService”,“Sparkles”,“SpawnerService”,“SpawnLocation”,“SpecialMesh”,“SphereHandleAdornment”,“SpotLight”,“SpringConstraint”,“StackFrame”,“StandalonePluginScripts”,“StandardPages”,“StarterCharacterScripts”,“StarterGear”,“StarterGui”,“StarterPack”,“StarterPlayer”,“StarterPlayerScripts”,“Stats”,“StatsItem”,“Status”,“StringValue”,“Studio”,“StudioAssetService”,“StudioData”,“StudioDeviceEmulatorService”,“StudioPublishService”,“StudioScriptDebugEventListener”,“StudioSdkService”,“StudioService”,“StudioTheme”,“StyleBase”,“StyleDerive”,“StyleLink”,“StyleRule”,“StyleSheet”,“StylingService”,“SunRaysEffect”,“SurfaceAppearance”,“SurfaceGui”,“SurfaceGuiBase”,“SurfaceLight”,“SurfaceSelection”,“SwimController”,“SyncScriptBuilder”,“TaskScheduler”,“Team”,“TeamCreateData”,“TeamCreatePublishService”,“TeamCreateService”,“Teams”,“TeleportAsyncResult”,“TeleportOptions”,“TeleportService”,“TemporaryCageMeshProvider”,“TemporaryScriptService”,“Terrain”,“TerrainDetail”,“TerrainRegion”,“TestService”,“TextBox”,“TextBoxService”,“TextButton”,“TextChannel”,“TextChatCommand”,“TextChatConfigurations”,“TextChatMessage”,“TextChatMessageProperties”,“TextChatService”,“TextFilterResult”,“TextFilterTranslatedResult”,“TextLabel”,“TextService”,“TextSource”,“Texture”,“TextureGuiExperimental”,“ThirdPartyUserService”,“ThreadState”,“TimerService”,“ToastNotificationService”,“Tool”,“Torque”,“TorsionSpringConstraint”,“TotalCountTimeIntervalItem”,“TouchInputService”,“TouchTransmitter”,“TracerService”,“TrackerLodController”,“TrackerStreamAnimation”,“Trail”,“Translator”,“TremoloSoundEffect”,“TriangleMeshPart”,“TrussPart”,“TutorialService”,“Tween”,“TweenBase”,“TweenService”,“UGCAvatarService”,“UGCValidationService”,“UIAspectRatioConstraint”,“UIBase”,“UIComponent”,“UIConstraint”,“UICorner”,“UIGradient”,“UIGridLayout”,“UIGridStyleLayout”,“UILayout”,“UIListLayout”,“UIPadding”,“UIPageLayout”,“UIScale”,“UISizeConstraint”,“UIStroke”,“UITableLayout”,“UITextSizeConstraint”,“UnionOperation”,“UniversalConstraint”,“UnvalidatedAssetService”,“UserGameSettings”,“UserInputService”,“UserService”,“UserSettings”,“UserStorageService”,“ValueBase”,“Vector3Curve”,“Vector3Value”,“VectorForce”,“VehicleController”,“VehicleSeat”,“VelocityMotor”,“VersionControlService”,“VideoCaptureService”,“VideoFrame”,“ViewportFrame”,“VirtualInputManager”,“VirtualUser”,“VisibilityCheckDispatcher”,“VisibilityService”,“Visit”,“VoiceChatInternal”,“VoiceChatService”,“VRService”,“WedgePart”,“Weld”,“WeldConstraint”,“WireframeHandleAdornment”,“Workspace”,“WorldModel”,“WorldRoot”,“WrapLayer”,“WrapTarget”]

2 Likes