Garry's Mod Wiki
Home
/
Edit Concepts - Conditional Flow Control
View
Edit
History
No Category
Getting Started
Sandbox Tools
Game Modes
Server Hosting
Other Topics
Getting Started
Lua Programming
Game Systems
Gamemode Creation
HUD and User Interface
Scripted Entities and Weapons
NPCs and AI
Map and Level Design
Models, Textures and Animation
Addons and Steam Workshop
Binary Modules
Other Topics
Globals
Classes
Libraries
Hooks
Game Events
Panels
Enumerations
Structures
Shaders
Miscellaneous Reference
Log in to edit
Concepts - Conditional Flow Control
<cat>Dev.Lua</cat> <title>Concepts - Conditional Flow Control</title> # If Statements The "If" statement is a very common tool found in almost every programming language. This statement is a very basic, direct order to Lua. This can be really useful in creating your own scripts. "If" tells the code to do something if a condition is true or not. This is a simple if statement: ``` local age = 18 if age == 20 then print("You're 20!") end ``` The if statement can be a little confusing. The local age = 18 part of this script sets a "Local" variable named age as 18. Local just means that the variable will only exist within the control structure. In this case the if statement. The above example basically means "if age is equal to 20 then say 'You're 20!' and stop." The if statement looks like this to Lua: ``` if (Condition) then -- Do something end ``` Condition has to be true to run the code block after it. A code block is code that only runs under certain conditions. In this case, the code block runs if the condition is true. ## Else Statements Else is used to define the opposite of the condition, so if a condition is false, then else would tell it to execute the following code, a good usage of else is shown below. ``` local age = 40 if age == 20 then print("You're 20!\n") else print("You're NOT 20!\n") end ``` The above example checks if the variable "age" is 20, if this is true, then it prints to console "You're 20!", but if the variable "age" is NOT 20, then it prints "You're NOT 20!" to console. ## Conditions Available For Use ### Equal To The equal to condition is true if the thing on the left and right of == are equal. ``` local age = 1 if age == 20 then print("You are 20!\n") end ``` ### Not Equal To The "not equal to" condition is true if the thing on the left and right of ~= aren't equal. You can also use != instead of ~= ``` local age = 15 if age ~= 20 then print("You are NOT 20!\n") end ``` The code below is the same as the code above. ``` local age = 15 if age != 20 then print("You are NOT 20!\n") end ``` ### Less Than The "less than" condition is true if the thing on the left is less than the thing on the right. ``` local age = 15 if age < 20 then print("You are under 20!\n") end ``` ### Greater Than The "greater than" condition is true if the thing on the left is more than the thing on the right. ``` local age = 15 if age > 20 then print("You are over 20!\n") end ``` ### Less Than or Equal To The "less than or equal" condition is true if the thing on the left is less or equal to the thing on the right. ``` local age = 15 if age <= 20 then print("You are 20 or below!\n") end ``` ### Greater Than or Equal To The "greater than or equal" condition is true if the thing on the left is more or equal to the thing on the right. ``` local age = 15 if age >= 20 then print("You are 20 or over!\n") end ``` This is a lot for first time Lua scripters, however, if you practice enough with using Conditionals, you will get the hang of it eventually. # Else-If Statement Last, I want to show you how to do else if. Else if is used to say, basically, "If it's not that, then if..." in lua. This is more precise than using else, but else if is NOT effective all the time ``` local age = 15 if age < 15 then print("Sorry, you need to be at least 15.\n") elseif age > 18 then print("Sorry, nobody over 18 is allowed in here.\n") else print("Welcome to High School!") end ``` What this script is doing is trying to figure out if you can go to high school. If you're not under 15, and you're not over 18, then you can come in. Give it a try yourself. Try writing a simple if statement in notepad. If you need help just look at the examples in here. Start with the simple ones and work up. # What's next? Next we will learn about <page text="tables">Beginner_Tutorial_Tables</page>.
Garry's Mod Wiki
Player Guides
Getting Started
13
Addons
Addons Menu
Addons Usage
FAQ
Finding a Multiplayer Game
How To - Physics Gun (Physgun)
Main Menu
Opening The Spawnmenu
Problems Menu
Quick Start
Spawning Props
The Context Menu
Using Tools
Sandbox Tools
3
Balloons
Axis
Remover
Game Modes
5
DarkRP
Murder
Prop Hunt
Sandbox
Trouble In Terrorist Town
Server Hosting
9
Downloading and Hosting a Dedicated Server
Downloading Game Content
Linux Dedicated Server Hosting
Loading Screen
Mounting Content
Server Operator Rules
Serving Content
Steam Game Server Accounts
Workshop for Dedicated Servers
Other Topics
8
Achievements
Command Line Parameters
ConVars In Garrysmod
Crash Reporting
Dev Branch
Finding Where Content Is From
Update Preview Changelog
Using The Kinect
Developer Guides
Getting Started
10
Operators & Aliases
Auto Refresh/HotLoading
Global Variables
Lua Editors
Lua Error Explanation
Lua Folder Structure
Lua Loading Order
References
States / Realms
Understanding AddCSLuaFile and include
Lua Programming
29
Basics - Getting Started
Basics - LuaLS
Bitwise Guide
Cheat Sheet
Concepts - Any Type
Concepts - BaseClasses
Concepts - Boolean Values
Concepts - Conditional Flow Control
Concepts - Coroutines
Concepts - Functions
Concepts - nil Value
Concepts - No value
Concepts - Not a Number (NaN)
Concepts - NULL Entity
Concepts - Optimization Tips
Concepts - self
Concepts - Tables and Arrays
Concepts - Userdata
Concepts - Variable Argument Count (varargs)
Concepts - Variables
Meta Tables
Metamethods
Numbers & Integers
Object Oriented Lua
Patterns
Prototype Functions
Tables - Hashmap Usage
Tables - Pitfalls and Bad Habits
Tutorials - Trigonometry
Game Systems
10
Console Command Auto-completion
Console Commands
Console Variables (CVars, ConVars)
Editable Entities
Entity Driving
File Based Storage
Hook Library Usage
Net Library Example
Net Library Usage
Networking Options, Limits and Errors
Gamemode Creation
5
Game Movement
Gamemode Creation
Player Classes
Prediction
Prediction Examples
HUD and User Interface
15
Addon Localization
Advanced Chatbox
Basic Chatbox
Basic Scoreboard Creation
Custom SpawnMenu
Derma Basic Guide
Derma Skin Creation
Drag and Drop for VGUI
Grid-Based Inventory System
How to Create a Font and Find its Name
Introduction To Using Derma
Panel Customization
SourceScheme
Tool Information Display
VGUI Creating Custom Elements
Scripted Entities and Weapons
9
Animation Layers (BaseAnimatingOverlay)
Controlling Entity Transmission
Creating Custom Entities/Entity
Custom Entity Fields
Fake Scripted Entity Creation
Hold Types
Networking Variables on Entities (Data Tables)
Scripted Entities
Tutorials - Chair Throwing Gun
NPCs and AI
2
NextBot NPC Creation
Simple Pathfinding
Map and Level Design
6
Custom Entity Inputs And Outputs
Map Lua
Map Testing
Mapping Fundamentals
Mapping Resources
Sandbox Specific Mapping
Models, Textures and Animation
7
Important Filetypes
Materials and Textures
Player Animations
Player model compilation
Player model LOD settings
Using Viewmodel Hands
ValveBiped Bones
Addons and Steam Workshop
4
Steam Workshop Rules
Workshop Addon Creation
Workshop Addon Updating
Writing For Workshop
Binary Modules
6
C Lua: Functions
Creating Binary Modules: CMake
Creating Binary Modules: Premake
Creating Binary Modules: Rust
Detouring Functions with Binary Modules
Setting Visual Studio Up for Making Binary Modules
Other Topics
16
Calling net.Start with unpooled message name
Custom Shaders
Delays and Cooldowns
Floats
Integers
Kinect developing
Lua Error Logging
Material Parameters
Mesh Reference - Primitive Types
Render Reference - Beams
Render Reference - Min/Mag Texture Filters
Render Reference - Render Targets
Render Reference - Stencils
Sound Reference - Creating Looping Sounds
Vehicle Scripts Information
Wiki Search Tags
Developer Reference
Globals
334
BRANCH
AccessorFunc
Add_NPC_Class
AddBackgroundImage
AddConsoleCommand
AddCSLuaFile
AddonMaterial
AddOriginToPVS
AddPropsOfParent
AddWorldTip
Angle
AngleRand
assert
BroadcastLua
BuildNetworkedVarsTable
CanAddServerToFavorites
CancelLoading
ChangeBackground
ChangeTooltip
ClearBackgroundImages
ClearLuaErrorGroup
ClearProblem
ClientsideModel
ClientsideRagdoll
ClientsideScene
CloseDermaMenus
collectgarbage
Color
ColorAlpha
ColorRand
ColorToHSL
ColorToHSV
CompileFile
CompileString
ConVarExists
CreateClientConVar
CreateContextMenu
CreateConVar
CreateMaterial
CreateNewAddonPreset
CreateParticleSystem
CreateParticleSystemNoEntity
CreatePhysCollideBox
CreatePhysCollidesFromModel
CreateSound
CreateSprite
CurTime
DamageInfo
DebugInfo
DEFINE_BASECLASS
DeleteAddonPreset
DeriveGamemode
Derma_Anim
Derma_DrawBackgroundBlur
Derma_Hook
Derma_Install_Convar_Functions
Derma_Message
Derma_Query
Derma_StringRequest
DermaMenu
DisableClipping
DOF_Kill
DOF_Start
DOFModeHack
DoStopServers
DrawBackground
DrawBloom
DrawBokehDOF
DrawColorModify
DrawMaterialOverlay
DrawMotionBlur
DrawSharpen
DrawSobel
DrawSunbeams
DrawTexturize
DrawToyTown
DropEntityIfHeld
DTVar_ReceiveProxyGL
DynamicLight
DynamicMaterial
EffectData
Either
EmitSentence
EmitSound
EndTooltip
Entity
error
ErrorNoHalt
ErrorNoHaltWithStack
EyeAngles
EyePos
EyeVector
FindMetaTable
FindTooltip
FireAddonConflicts
FireProblem
FireProblemFromEngine
Format
FrameNumber
FrameTime
GameDetails
gcinfo
GenerateSpawnlistFromPath
GetAddonStatus
GetAPIManifest
GetConVar
GetConVar_Internal
GetConVarNumber
GetConVarString
GetDefaultLoadingHTML
GetDemoFileDetails
GetDownloadables
getfenv
GetGlobal2Angle
GetGlobal2Bool
GetGlobal2Entity
GetGlobal2Float
GetGlobal2Int
GetGlobal2String
GetGlobal2Var
GetGlobal2Vector
GetGlobalAngle
GetGlobalBool
GetGlobalEntity
GetGlobalFloat
GetGlobalInt
GetGlobalString
GetGlobalVar
GetGlobalVector
GetHostName
GetHUDPanel
GetLoadPanel
GetLoadStatus
GetMapList
getmetatable
GetOverlayPanel
GetPlayerList
GetPredictionPlayer
GetRenderTarget
GetRenderTargetEx
GetSaveFileDetails
GetServers
GetTimeoutInfo
GetViewEntity
GMOD_OpenURLNoOverlay
HexToColor
HSLToColor
HSVToColor
HTTP
HWBToColor
include
IncludeCS
InvalidateInternalEntityCache
ipairs
isangle
isbool
IsColor
IsConCommandBlocked
IsEnemyEntityName
IsEntity
IsFirstTimePredicted
IsFriendEntityName
isfunction
IsInGame
IsInLoading
ismatrix
IsMounted
isnumber
ispanel
IsServerBlacklisted
isstring
istable
IsTableOfEntitiesValid
IsUselessModel
IsValid
isvector
JoinServer
JS_Language
JS_Utility
JS_Workshop
Label
LanguageChanged
Lerp
LerpAngle
LerpVector
ListAddonPresets
LoadAddonPresets
LoadLastMap
LoadNewsList
LoadPresets
Localize
LocalPlayer
LocalToWorld
MainEyeAngles
MainEyePos
MakeBalloon
Material
Matrix
MenuGetAddonData
Mesh
Model
module
Msg
MsgAll
MsgC
MsgN
NamedColor
newproxy
next
NumDownloadables
NumModelSkins
OnModelLoaded
OpenFolder
OpenProblemsPanel
OrderVectors
pairs
Particle
ParticleEffect
ParticleEffectAttach
ParticleEmitter
Path
pcall
Player
PositionSpawnIcon
PrecacheParticleSystem
PrecacheScene
PrecacheSentenceFile
PrecacheSentenceGroup
print
PrintMessage
PrintTable
ProjectedTexture
ProtectedCall
RandomPairs
rawequal
rawget
rawset
RealFrameTime
RealTime
RecipientFilter
RecordDemoFrame
RefreshAddonConflicts
RegisterDermaMenuForClose
RegisterMetaTable
RememberCursorPosition
RemoveTooltip
RenderAngles
RenderDoF
RenderStereoscopy
RenderSuperDoF
RequestConnectToServer
RequestOpenURL
RequestPermission
require
RestoreCursorPosition
RunConsoleCommand
RunGameUICommand
RunString
RunStringEx
SafeRemoveEntity
SafeRemoveEntityDelayed
SaveAddonPresets
SaveHideNews
SaveLastMap
SavePresets
ScreenScale
ScreenScaleH
ScrH
ScrW
select
SendUserMessage
SentenceDuration
ServerLog
SetClipboardText
setfenv
SetGlobal2Angle
SetGlobal2Bool
SetGlobal2Entity
SetGlobal2Float
SetGlobal2Int
SetGlobal2String
SetGlobal2Var
SetGlobal2Vector
SetGlobalAngle
SetGlobalBool
SetGlobalEntity
SetGlobalFloat
SetGlobalInt
SetGlobalString
SetGlobalVar
SetGlobalVector
setmetatable
SetPhysConstraintSystem
SortedPairs
SortedPairsByMemberValue
SortedPairsByValue
Sound
SoundDuration
SQLStr
SScale
STNDRD
SuppressHostEvents
SysTime
TauntCamera
TextEntryLoseFocus
TimedCos
TimedSin
tobool
ToggleFavourite
tonumber
tostring
TranslateDownloadableName
type
TypeID
unpack
UnPredictedCurTime
UpdateAddonDisabledState
UpdateAddonMapList
UpdateGames
UpdateLanguages
UpdateLoadPanel
UpdateMapList
UpdateServerSettings
UpdateSubscribedAddons
UTIL_IsUselessModel
ValidPanel
Vector
VectorRand
VGUIFrameTime
VGUIRect
VisualizeLayout
WorkshopFileBase
WorldToLocal
xpcall
Classes
46
Angle
Add
Div
Forward
IsEqualTol
IsZero
Mul
Normalize
Random
Right
RotateAroundAxis
Set
SetUnpacked
SnapTo
Sub
ToTable
Unpack
Up
Zero
bf_read
ReadAngle
ReadBool
ReadChar
ReadEntity
ReadFloat
ReadLong
ReadShort
ReadString
ReadVector
ReadVectorNormal
Reset
CEffectData
GetAngles
GetAttachment
GetColor
GetDamageType
GetEntIndex
GetEntity
GetFlags
GetHitBox
GetMagnitude
GetMaterialIndex
GetNormal
GetOrigin
GetRadius
GetScale
GetStart
GetSurfaceProp
SetAngles
SetAttachment
SetColor
SetDamageType
SetEntIndex
SetEntity
SetFlags
SetHitBox
SetMagnitude
SetMaterialIndex
SetNormal
SetOrigin
SetRadius
SetScale
SetStart
SetSurfaceProp
CLuaEmitter
Add
Draw
Finish
GetNumActiveParticles
GetPos
Is3D
IsValid
SetBBox
SetNearClip
SetNoDraw
SetParticleCullRadius
SetPos
CLuaLocomotion
Approach
ClearStuck
FaceTowards
GetAcceleration
GetAvoidAllowed
GetClimbAllowed
GetCurrentAcceleration
GetDeathDropHeight
GetDeceleration
GetDesiredSpeed
GetGravity
GetGroundMotionVector
GetGroundNormal
GetJumpGapsAllowed
GetJumpHeight
GetMaxJumpHeight
GetMaxYawRate
GetNextBot
GetStepHeight
GetVelocity
IsAreaTraversable
IsAttemptingToMove
IsClimbingOrJumping
IsOnGround
IsStuck
IsUsingLadder
Jump
JumpAcrossGap
SetAcceleration
SetAvoidAllowed
SetClimbAllowed
SetDeathDropHeight
SetDeceleration
SetDesiredSpeed
SetGravity
SetJumpGapsAllowed
SetJumpHeight
SetMaxYawRate
SetStepHeight
SetVelocity
CLuaParticle
GetAirResistance
GetAngles
GetAngleVelocity
GetBounce
GetColor
GetDieTime
GetEndAlpha
GetEndLength
GetEndSize
GetGravity
GetLifeTime
GetMaterial
GetPos
GetRoll
GetRollDelta
GetStartAlpha
GetStartLength
GetStartSize
GetVelocity
SetAirResistance
SetAngles
SetAngleVelocity
SetBounce
SetCollide
SetCollideCallback
SetColor
SetDieTime
SetEndAlpha
SetEndLength
SetEndSize
SetGravity
SetLifeTime
SetLighting
SetMaterial
SetNextThink
SetPos
SetRoll
SetRollDelta
SetStartAlpha
SetStartLength
SetStartSize
SetThinkFunction
SetVelocity
SetVelocityScale
CMoveData
AddKey
GetAbsMoveAngles
GetAngles
GetButtons
GetConstraintCenter
GetConstraintRadius
GetConstraintSpeedScale
GetConstraintWidth
GetFinalIdealVelocity
GetFinalJumpVelocity
GetFinalStepHeight
GetForwardSpeed
GetImpulseCommand
GetMaxClientSpeed
GetMaxSpeed
GetMoveAngles
GetOldAngles
GetOldButtons
GetOrigin
GetSideSpeed
GetUpSpeed
GetVelocity
KeyDown
KeyPressed
KeyReleased
KeyWasDown
SetAbsMoveAngles
SetAngles
SetButtons
SetConstraintCenter
SetConstraintRadius
SetConstraintSpeedScale
SetConstraintWidth
SetFinalIdealVelocity
SetFinalJumpVelocity
SetFinalStepHeight
SetForwardSpeed
SetImpulseCommand
SetMaxClientSpeed
SetMaxSpeed
SetMoveAngles
SetOldAngles
SetOldButtons
SetOrigin
SetSideSpeed
SetUpSpeed
SetVelocity
CNavArea
AddAttributes
AddHidingSpot
AddToClosedList
AddToOpenList
ClearSearchLists
ComputeAdjacentConnectionHeightChange
ComputeDirection
ComputeGroundHeightChange
ConnectTo
Contains
Disconnect
Draw
DrawSpots
GetAdjacentAreaDistances
GetAdjacentAreas
GetAdjacentAreasAtSide
GetAdjacentCount
GetAdjacentCountAtSide
GetAttributes
GetCenter
GetClosestPointOnArea
GetCorner
GetCostSoFar
GetExposedSpots
GetExtentInfo
GetHidingSpots
GetID
GetIncomingConnectionDistances
GetIncomingConnections
GetIncomingConnectionsAtSide
GetLadders
GetLaddersAtSide
GetParent
GetParentHow
GetPlace
GetRandomAdjacentAreaAtSide
GetRandomPoint
GetSizeX
GetSizeY
GetSpotEncounters
GetTotalCost
GetVisibleAreas
GetZ
HasAttributes
IsBlocked
IsClosed
IsCompletelyVisible
IsConnected
IsConnectedAtSide
IsCoplanar
IsDamaging
IsFlat
IsOpen
IsOpenListEmpty
IsOverlapping
IsOverlappingArea
IsPartiallyVisible
IsPotentiallyVisible
IsRoughlySquare
IsUnderwater
IsValid
IsVisible
MarkAsBlocked
MarkAsDamaging
MarkAsUnblocked
PlaceOnGround
PopOpenList
Remove
RemoveAttributes
RemoveFromClosedList
SetAttributes
SetCorner
SetCostSoFar
SetParent
SetPlace
SetTotalCost
UpdateOnOpenList
CNavLadder
ConnectTo
Disconnect
GetBottom
GetBottomArea
GetID
GetLength
GetNormal
GetPosAtHeight
GetTop
GetTopBehindArea
GetTopForwardArea
GetTopLeftArea
GetTopRightArea
GetWidth
IsConnectedAtSide
IsValid
Remove
SetBottomArea
SetTopBehindArea
SetTopForwardArea
SetTopLeftArea
SetTopRightArea
CNewParticleEffect
AddControlPoint
GetAutoUpdateBBox
GetEffectName
GetHighestControlPoint
GetOwner
GetRenderBounds
IsFinished
IsValid
IsViewModelEffect
Render
Restart
SetControlPoint
SetControlPointEntity
SetControlPointForwardVector
SetControlPointOrientation
SetControlPointParent
SetControlPointRightVector
SetControlPointUpVector
SetIsViewModelEffect
SetShouldDraw
SetSortOrigin
StartEmission
StopEmission
StopEmissionAndDestroyImmediately
Color
AddBlackness
AddBrightness
AddHue
AddLightness
AddSaturation
AddWhiteness
Copy
GetBlackness
GetBrightness
GetHue
GetLightness
GetSaturation
GetWhiteness
Lerp
SetBlackness
SetBrightness
SetHue
SetLightness
SetSaturation
SetUnpacked
SetWhiteness
ToHex
ToHSL
ToHSV
ToHWB
ToTable
ToVector
Unpack
ConVar
GetBool
GetDefault
GetFlags
GetFloat
GetHelpText
GetInt
GetMax
GetMin
GetName
GetString
IsFlagSet
Revert
SetBool
SetFloat
SetInt
SetString
CRecipientFilter
AddAllPlayers
AddPAS
AddPlayer
AddPlayers
AddPVS
AddRecipientsByTeam
GetCount
GetPlayers
RemoveAllPlayers
RemoveMismatchedPlayers
RemovePAS
RemovePlayer
RemovePlayers
RemovePVS
RemoveRecipientsByTeam
RemoveRecipientsNotOnTeam
CSEnt
Remove
CSoundPatch
ChangePitch
ChangeVolume
FadeOut
GetDSP
GetPitch
GetSoundLevel
GetVolume
IsPlaying
Play
PlayEx
SetDSP
SetSoundLevel
Stop
CTakeDamageInfo
AddDamage
GetAmmoType
GetAttacker
GetBaseDamage
GetDamage
GetDamageBonus
GetDamageCustom
GetDamageForce
GetDamagePosition
GetDamageType
GetInflictor
GetMaxDamage
GetReportedPosition
GetWeapon
IsBulletDamage
IsDamageType
IsExplosionDamage
IsFallDamage
ScaleDamage
SetAmmoType
SetAttacker
SetBaseDamage
SetDamage
SetDamageBonus
SetDamageCustom
SetDamageForce
SetDamagePosition
SetDamageType
SetInflictor
SetMaxDamage
SetReportedPosition
SetWeapon
SubtractDamage
CUserCmd
AddKey
ClearButtons
ClearMovement
CommandNumber
GetButtons
GetForwardMove
GetImpulse
GetMouseWheel
GetMouseX
GetMouseY
GetSideMove
GetUpMove
GetViewAngles
IsForced
KeyDown
RemoveKey
SelectWeapon
SetButtons
SetForwardMove
SetImpulse
SetMouseWheel
SetMouseX
SetMouseY
SetSideMove
SetUpMove
SetViewAngles
TickCount
Entity
Activate
AddCallback
AddEffects
AddEFlags
AddFlags
AddGesture
AddGestureSequence
AddLayeredSequence
AddSolidFlags
AddSpawnFlags
AddToMotionController
AlignAngles
Alive
BecomeRagdollOnClient
BeingLookedAtByLocalPlayer
Blocked
BodyTarget
BoneHasFlag
BoneLength
BoundingRadius
CallDTVarProxies
CallOnRemove
ClearAllOutputs
ClearPoseParameters
CollisionRulesChanged
CreateBoneFollowers
CreatedByMap
CreateParticleEffect
CreateShadow
DeleteOnRemove
DestroyBoneFollowers
DestroyShadow
DisableMatrix
DispatchTraceAttack
Dissolve
DontDeleteOnRemove
DrawModel
DrawShadow
DropToFloor
DTVar
EmitSound
EnableConstraints
EnableCustomCollisions
EnableMatrix
EntIndex
Extinguish
EyeAngles
EyePos
FindBodygroupByName
FindGestureLayer
FindTransitionSequence
Fire
FireBullets
FollowBone
ForcePlayerDrop
FrameAdvance
GetAbsVelocity
GetAngles
GetAnimCount
GetAnimInfo
GetAnimTime
GetAnimTimeInterval
GetAttachment
GetAttachments
GetBaseVelocity
GetBloodColor
GetBodygroup
GetBodygroupCount
GetBodygroupName
GetBodyGroups
GetBoneContents
GetBoneController
GetBoneCount
GetBoneMatrix
GetBoneName
GetBoneParent
GetBonePosition
GetBoneSurfaceProp
GetBrushPlane
GetBrushPlaneCount
GetBrushSurfaces
GetCallbacks
GetChildBones
GetChildren
GetClass
GetCollisionBounds
GetCollisionGroup
GetColor
GetColor4Part
GetConstrainedEntities
GetConstrainedPhysObjects
GetCreationID
GetCreationTime
GetCreator
GetCustomCollisionCheck
GetCycle
GetDTAngle
GetDTBool
GetDTEntity
GetDTFloat
GetDTInt
GetDTString
GetDTVector
GetEditingData
GetEffects
GetEFlags
GetElasticity
GetFlags
GetFlexBounds
GetFlexIDByName
GetFlexName
GetFlexNum
GetFlexScale
GetFlexType
GetFlexWeight
GetForward
GetFriction
GetGravity
GetGroundEntity
GetGroundSpeedVelocity
GetHitBoxBone
GetHitBoxBounds
GetHitBoxCount
GetHitBoxGroupCount
GetHitBoxHitGroup
GetHitboxSet
GetHitboxSetCount
GetInternalVariable
GetKeyValues
GetLayerCycle
GetLayerDuration
GetLayerPlaybackRate
GetLayerSequence
GetLayerWeight
GetLightingOriginEntity
GetLocalAngles
GetLocalAngularVelocity
GetLocalPos
GetManipulateBoneAngles
GetManipulateBoneJiggle
GetManipulateBonePosition
GetManipulateBoneScale
GetMaterial
GetMaterials
GetMaterialType
GetMaxHealth
GetModel
GetModelBounds
GetModelContents
GetModelPhysBoneCount
GetModelRadius
GetModelRenderBounds
GetModelScale
GetMomentaryRotButtonPos
GetMoveCollide
GetMoveParent
GetMoveType
GetName
GetNetworkAngles
GetNetworked2Angle
GetNetworked2Bool
GetNetworked2Entity
GetNetworked2Float
GetNetworked2Int
GetNetworked2String
GetNetworked2Var
GetNetworked2VarProxy
GetNetworked2VarTable
GetNetworked2Vector
GetNetworkedAngle
GetNetworkedBool
GetNetworkedEntity
GetNetworkedFloat
GetNetworkedInt
GetNetworkedString
GetNetworkedVar
GetNetworkedVarProxy
GetNetworkedVarTable
GetNetworkedVector
GetNetworkOrigin
GetNetworkVars
GetNoDraw
GetNPCClass
GetNumBodyGroups
GetNumPoseParameters
GetNW2Angle
GetNW2Bool
GetNW2Entity
GetNW2Float
GetNW2Int
GetNW2String
GetNW2Var
GetNW2VarProxy
GetNW2VarTable
GetNW2Vector
GetNWAngle
GetNWBool
GetNWEntity
GetNWFloat
GetNWInt
GetNWString
GetNWVarProxy
GetNWVarTable
GetNWVector
GetOwner
GetParent
GetParentAttachment
GetParentPhysNum
GetParentWorldTransformMatrix
GetPersistent
GetPhysicsAttacker
GetPhysicsObject
GetPhysicsObjectCount
GetPhysicsObjectNum
GetPlaybackRate
GetPos
GetPoseParameter
GetPoseParameterName
GetPoseParameterRange
GetPredictable
GetPreferredCarryAngles
GetRagdollOwner
GetRenderAngles
GetRenderBounds
GetRenderFX
GetRenderGroup
GetRenderMode
GetRenderOrigin
GetRight
GetRotatedAABB
GetSaveTable
GetSequence
GetSequenceActivity
GetSequenceActivityName
GetSequenceCount
GetSequenceGroundSpeed
GetSequenceInfo
GetSequenceList
GetSequenceMoveDist
GetSequenceMovement
GetSequenceMoveYaw
GetSequenceName
GetSequenceVelocity
GetShouldPlayPickupSound
GetShouldServerRagdoll
GetSkin
GetSolid
GetSolidFlags
GetSpawnEffect
GetSpawnFlags
GetSubMaterial
GetSubModels
GetSurroundingBounds
GetTable
GetTouchTrace
GetTransmitWithParent
GetUnFreezable
GetUp
GetVar
GetVelocity
GetWorkshopID
GetWorldTransformMatrix
GibBreakClient
GibBreakServer
HasBoneManipulations
HasFlexManipulatior
HasSpawnFlags
HeadTarget
Health
Ignite
InitializeAsClientEntity
Input
InstallDataTable
InvalidateBoneCache
IsConstrained
IsConstraint
IsDormant
IsEffectActive
IsEFlagSet
IsFlagSet
IsInWorld
IsLagCompensated
IsLineOfSightClear
IsMarkedForDeletion
IsNextBot
IsNPC
IsOnFire
IsOnGround
IsPlayer
IsPlayerHolding
IsPlayingGesture
IsPointInBounds
IsRagdoll
IsScripted
IsSequenceFinished
IsSolid
IsValid
IsValidLayer
IsVehicle
IsWeapon
IsWidget
IsWorld
LocalToWorld
LocalToWorldAngles
LookupAttachment
LookupBone
LookupPoseParameter
LookupSequence
MakePhysicsObjectAShadow
ManipulateBoneAngles
ManipulateBoneJiggle
ManipulateBonePosition
ManipulateBoneScale
MapCreationID
MarkShadowAsDirty
MuzzleFlash
NearestPoint
NetworkVar
NetworkVarElement
NetworkVarNotify
NextThink
OBBCenter
OBBMaxs
OBBMins
ObjectCaps
OnGround
PassesDamageFilter
PassesFilter
PhysicsDestroy
PhysicsFromMesh
PhysicsInit
PhysicsInitBox
PhysicsInitConvex
PhysicsInitMultiConvex
PhysicsInitShadow
PhysicsInitSphere
PhysicsInitStatic
PhysWake
PlayScene
PointAtEntity
PrecacheGibs
RagdollSolve
RagdollStopControlling
RagdollUpdatePhysics
Remove
RemoveAllDecals
RemoveAllGestures
RemoveCallback
RemoveCallOnRemove
RemoveEffects
RemoveEFlags
RemoveFlags
RemoveFromMotionController
RemoveGesture
RemoveInternalConstraint
RemoveLayer
RemoveSolidFlags
RemoveSpawnFlags
ResetSequence
ResetSequenceInfo
Respawn
RestartGesture
RestoreNetworkVars
SelectWeightedSequence
SelectWeightedSequenceSeeded
SendViewModelMatchingSequence
SequenceDuration
SetAbsVelocity
SetAngles
SetAnimation
SetAnimTime
SetAttachment
SetBloodColor
SetBodygroup
SetBodyGroups
SetBoneController
SetBoneMatrix
SetBonePosition
SetCollisionBounds
SetCollisionBoundsWS
SetCollisionGroup
SetColor
SetColor4Part
SetCreator
SetCustomCollisionCheck
SetCycle
SetDTAngle
SetDTBool
SetDTEntity
SetDTFloat
SetDTInt
SetDTString
SetDTVector
SetElasticity
SetEntity
SetEyeTarget
SetFlexScale
SetFlexWeight
SetFriction
SetGravity
SetGroundEntity
SetHealth
SetHitboxSet
SetIK
SetKeyValue
SetLagCompensated
SetLayerAutokill
SetLayerBlendIn
SetLayerBlendOut
SetLayerCycle
SetLayerDuration
SetLayerLooping
SetLayerPlaybackRate
SetLayerPriority
SetLayerSequence
SetLayerWeight
SetLegacyTransform
SetLightingOriginEntity
SetLocalAngles
SetLocalAngularVelocity
SetLocalPos
SetLocalVelocity
SetLOD
SetMaterial
SetMaxHealth
SetMaxYawSpeed
SetModel
SetModelName
SetModelScale
SetMoveCollide
SetMoveParent
SetMoveType
SetName
SetNetworkAngles
SetNetworked2Angle
SetNetworked2Bool
SetNetworked2Entity
SetNetworked2Float
SetNetworked2Int
SetNetworked2String
SetNetworked2Var
SetNetworked2VarProxy
SetNetworked2Vector
SetNetworkedAngle
SetNetworkedBool
SetNetworkedEntity
SetNetworkedFloat
SetNetworkedInt
SetNetworkedNumber
SetNetworkedString
SetNetworkedVar
SetNetworkedVarProxy
SetNetworkedVector
SetNetworkKeyValue
SetNetworkOrigin
SetNetworkVarsFromMapInput
SetNextClientThink
SetNoDraw
SetNotSolid
SetNPCClass
SetNW2Angle
SetNW2Bool
SetNW2Entity
SetNW2Float
SetNW2Int
SetNW2String
SetNW2Var
SetNW2VarProxy
SetNW2Vector
SetNWAngle
SetNWBool
SetNWEntity
SetNWFloat
SetNWInt
SetNWString
SetNWVarProxy
SetNWVector
SetOwner
SetParent
SetParentPhysNum
SetPersistent
SetPhysConstraintObjects
SetPhysicsAttacker
SetPlaybackRate
SetPos
SetPoseParameter
SetPredictable
SetPreventTransmit
SetRagdollAng
SetRagdollBuildFunction
SetRagdollPos
SetRenderAngles
SetRenderBounds
SetRenderBoundsWS
SetRenderClipPlane
SetRenderClipPlaneEnabled
SetRenderFX
SetRenderMode
SetRenderOrigin
SetSaveValue
SetSequence
SetShouldPlayPickupSound
SetShouldServerRagdoll
SetSkin
SetSolid
SetSolidFlags
SetSpawnEffect
SetSpawnFlags
SetSubMaterial
SetSurroundingBounds
SetSurroundingBoundsType
SetTable
SetTransmitWithParent
SetTrigger
SetUnFreezable
SetupBones
SetupPhonemeMappings
SetUseType
SetVar
SetVelocity
SetWeaponModel
SkinCount
SnatchModelInstance
Spawn
StartLoopingSound
StartMotionController
StopAndDestroyParticles
StopLoopingSound
StopMotionController
StopParticleEmission
StopParticles
StopParticlesNamed
StopParticlesWithNameAndAttachment
StopSound
TakeDamage
TakeDamageInfo
TakePhysicsDamage
TestPVS
TranslateBoneToPhysBone
TranslatePhysBoneToBone
UpdateBoneFollowers
UpdateShadow
Use
UseClientSideAnimation
UseTriggerBounds
ViewModelIndex
Visible
VisibleVec
WaterLevel
Weapon_SetActivity
Weapon_TranslateActivity
WorldSpaceAABB
WorldSpaceCenter
WorldToLocal
WorldToLocalAngles
File
Close
EndOfFile
Flush
Read
ReadBool
ReadByte
ReadDouble
ReadFloat
ReadLine
ReadLong
ReadShort
ReadUInt64
ReadULong
ReadUShort
Seek
Size
Skip
Tell
Write
WriteBool
WriteByte
WriteDouble
WriteFloat
WriteLong
WriteShort
WriteUInt64
WriteULong
WriteUShort
IGModAudioChannel
EnableLooping
FFT
Get3DCone
Get3DEnabled
Get3DFadeDistance
GetAverageBitRate
GetBitsPerSample
GetBufferedTime
GetFileName
GetLength
GetLevel
GetPan
GetPlaybackRate
GetPos
GetSamplingRate
GetState
GetTagsHTTP
GetTagsID3
GetTagsMeta
GetTagsMP4
GetTagsOGG
GetTagsVendor
GetTagsWMA
GetTime
GetVolume
Is3D
IsBlockStreamed
IsLooping
IsOnline
IsValid
Pause
Play
Set3DCone
Set3DEnabled
Set3DFadeDistance
SetPan
SetPlaybackRate
SetPos
SetTime
SetVolume
Stop
IMaterial
GetColor
GetFloat
GetInt
GetKeyValues
GetMatrix
GetName
GetShader
GetString
GetTexture
GetVector
GetVector4D
GetVectorLinear
Height
IsError
Recompute
SetDynamicImage
SetFloat
SetInt
SetMatrix
SetShader
SetString
SetTexture
SetUndefined
SetVector
SetVector4D
Width
IMesh
BuildFromTriangles
Destroy
Draw
IsValid
IRestore
EndBlock
ReadAngle
ReadBool
ReadEntity
ReadFloat
ReadInt
ReadString
ReadVector
StartBlock
ISave
EndBlock
StartBlock
WriteAngle
WriteBool
WriteEntity
WriteFloat
WriteInt
WriteString
WriteVector
ITexture
Download
GetColor
GetMappingHeight
GetMappingWidth
GetName
GetNumAnimationFrames
Height
IsError
IsErrorTexture
Width
IVideoWriter
AddFrame
Finish
Height
SetRecordSound
Width
MarkupObject
Draw
GetHeight
GetMaxWidth
GetWidth
Size
NextBot
BecomeRagdoll
BodyMoveXY
ClearLastKnownArea
FindSpot
FindSpots
GetActivity
GetFOV
GetLastKnownArea
GetMaxVisionRange
GetRangeSquaredTo
GetRangeTo
GetSolidMask
HandleStuck
IsAbleToSee
MoveToPos
PlaySequenceAndWait
SetFOV
SetMaxVisionRange
SetSolidMask
StartActivity
NPC
AddEntityRelationship
AddRelationship
AdvancePath
AlertSound
AutoMovement
BecomeRagdoll
CapabilitiesAdd
CapabilitiesClear
CapabilitiesGet
CapabilitiesHas
CapabilitiesRemove
Classify
ClearBlockingEntity
ClearCondition
ClearEnemyMemory
ClearExpression
ClearGoal
ClearSchedule
ConditionID
ConditionName
Disposition
DropWeapon
ExitScriptedSequence
FearSound
FoundEnemySound
GetActiveWeapon
GetActivity
GetAimVector
GetArrivalActivity
GetArrivalDirection
GetArrivalDistance
GetArrivalSequence
GetArrivalSpeed
GetBestSoundHint
GetBlockingEntity
GetCurGoalType
GetCurrentSchedule
GetCurrentWeaponProficiency
GetCurWaypointPos
GetEnemy
GetEnemyFirstTimeSeen
GetEnemyLastKnownPos
GetEnemyLastSeenPos
GetEnemyLastTimeSeen
GetExpression
GetEyeDirection
GetFOV
GetGoalPos
GetGoalTarget
GetHeadDirection
GetHullType
GetIdealActivity
GetIdealMoveAcceleration
GetIdealMoveSpeed
GetIdealSequence
GetIdealYaw
GetKnownEnemies
GetKnownEnemyCount
GetLastPosition
GetLastTimeTookDamageFromEnemy
GetMaxLookDistance
GetMinMoveCheckDist
GetMinMoveStopDist
GetMoveDelay
GetMoveInterval
GetMovementActivity
GetMovementSequence
GetMoveVelocity
GetNavType
GetNearestSquadMember
GetNextWaypointPos
GetNPCState
GetPathDistanceToGoal
GetPathTimeToGoal
GetShootPos
GetSquad
GetStepHeight
GetTarget
GetTaskStatus
GetTimeEnemyLastReacquired
GetViewOffset
GetWeapon
GetWeapons
Give
HasCondition
HasEnemyEluded
HasEnemyMemory
HasObstacles
IdleSound
IgnoreEnemyUntil
IsCrouching
IsCurrentSchedule
IsCurWaypointGoal
IsFacingIdealYaw
IsGoalActive
IsInViewCone
IsMoveYawLocked
IsMoving
IsRunningBehavior
IsSquadLeader
IsUnforgettable
IsUnreachable
LostEnemySound
MaintainActivity
MarkEnemyAsEluded
MarkTookDamageFromEnemy
MoveClimbExec
MoveClimbStart
MoveClimbStop
MoveGroundStep
MoveJumpExec
MoveJumpStart
MoveJumpStop
MoveOrder
MovePause
MoveStart
MoveStop
NavSetGoal
NavSetGoalPos
NavSetGoalTarget
NavSetRandomGoal
NavSetWanderGoal
PickupWeapon
PlaySentence
RememberUnreachable
RemoveIgnoreConditions
ResetIdealActivity
ResetMoveCalc
RunEngineTask
SelectWeapon
SentenceStop
SetActivity
SetArrivalActivity
SetArrivalDirection
SetArrivalDistance
SetArrivalSequence
SetArrivalSpeed
SetCondition
SetCurrentWeaponProficiency
SetEnemy
SetExpression
SetForceCrouch
SetFOV
SetHullSizeNormal
SetHullType
SetIdealActivity
SetIdealSequence
SetIdealYaw
SetIdealYawAndUpdate
SetIgnoreConditions
SetLastPosition
SetMaxLookDistance
SetMaxRouteRebuildTime
SetMoveDelay
SetMoveInterval
SetMovementActivity
SetMovementSequence
SetMoveVelocity
SetMoveYawLocked
SetNavType
SetNPCState
SetSchedule
SetSquad
SetStepHeight
SetTarget
SetTaskStatus
SetUnforgettable
SetViewOffset
StartEngineTask
StopMoving
TargetOrder
TaskComplete
TaskFail
UpdateEnemyMemory
UpdateTurnActivity
UpdateYaw
UseActBusyBehavior
UseAssaultBehavior
UseFollowBehavior
UseFuncTankBehavior
UseLeadBehavior
UseNoBehavior
Panel
PaintingDragging
Add
AddText
AlignBottom
AlignLeft
AlignRight
AlignTop
AlphaTo
AnimationThinkInternal
AnimTail
AppendText
AppendTextWithURLs
ApplyGWEN
Center
CenterHorizontal
CenterVertical
ChildCount
ChildrenSize
Clear
ColorTo
ConVarChanged
ConVarNumberThink
ConVarStringThink
CopyBase
CopyBounds
CopyHeight
CopyPos
CopySelected
CopyWidth
CursorPos
CutSelected
DeleteCookie
DisableLerp
Distance
DistanceFrom
Dock
DockMargin
DockPadding
DoModal
DragClick
DragHover
DragHoverEnd
DragMousePress
DragMouseRelease
DrawDragHover
DrawFilledRect
DrawOutlinedRect
DrawSelections
DrawTextEntryText
DrawTexturedRect
Droppable
EndBoxSelection
Exec
Find
FocusNext
FocusPrevious
GetAlpha
GetBGColor
GetBounds
GetCaretPos
GetChild
GetChildPosition
GetChildren
GetChildrenInRect
GetClassName
GetClosestChild
GetContentAlignment
GetContentSize
GetCookie
GetCookieName
GetCookieNumber
GetDock
GetDockMargin
GetDockPadding
GetFGColor
GetFont
GetHTMLMaterial
GetLineHeight
GetMaximumCharCount
GetName
GetNumLines
GetParent
GetPos
GetScrollStartIndexes
GetSelectedChildren
GetSelectedTextRange
GetSelectionCanvas
GetSize
GetSkin
GetTable
GetTall
GetText
GetTextInset
GetTextSize
GetTooltip
GetTooltipDelay
GetTooltipPanel
GetValidReceiverSlot
GetValue
GetWide
GetX
GetY
GetZPos
GoBack
GoForward
GoToHistoryOffset
GotoTextEnd
GotoTextStart
GWEN_SetCheckboxText
GWEN_SetControlName
GWEN_SetDock
GWEN_SetHorizontalAlign
GWEN_SetMargin
GWEN_SetMax
GWEN_SetMin
GWEN_SetPosition
GWEN_SetSize
GWEN_SetText
HasChildren
HasFocus
HasHierarchicalFocus
HasParent
Hide
InsertClickableTextEnd
InsertClickableTextStart
InsertColorChange
InsertFade
InvalidateChildren
InvalidateLayout
InvalidateParent
IsChildHovered
IsDraggable
IsDragging
IsEnabled
IsHovered
IsKeyboardInputEnabled
IsLoading
IsMarkedForDeletion
IsModal
IsMouseInputEnabled
IsMultiline
IsOurChild
IsPopup
IsSelectable
IsSelected
IsSelectionCanvas
IsValid
IsVisible
IsWorldClicker
KillFocus
LerpPositions
LoadControlsFromFile
LoadControlsFromString
LoadGWENFile
LoadGWENString
LoadTGAImage
LocalCursorPos
LocalToScreen
MakePopup
MouseCapture
MoveAbove
MoveBelow
MoveBy
MoveLeftOf
MoveRightOf
MoveTo
MoveToAfter
MoveToBack
MoveToBefore
MoveToFront
NewAnimation
NewObject
NewObjectCallback
NoClipping
NumSelectedChildren
OpenURL
PaintAt
PaintManual
ParentToHUD
Paste
PositionLabel
Prepare
Queue
RebuildSpawnIcon
RebuildSpawnIconEx
Receiver
Refresh
Remove
RequestFocus
ResetAllFades
RunJavascript
SaveUndoState
ScreenToLocal
SelectAll
SelectAllOnFocus
SelectAllText
SelectNone
SetAchievement
SetAllowNonAsciiCharacters
SetAlpha
SetAnimationEnabled
SetAutoDelete
SetBGColor
SetBGColorEx
SetCaretPos
SetContentAlignment
SetConVar
SetCookie
SetCookieName
SetCursor
SetDragParent
SetDrawLanguageID
SetDrawLanguageIDAtLeft
SetDrawOnTop
SetDropTarget
SetEnabled
SetExpensiveShadow
SetFGColor
SetFGColorEx
SetFocusTopLevel
SetFontInternal
SetHeight
SetHTML
SetKeyBoardInputEnabled
SetLineHeight
SetMaximumCharCount
SetMinimumSize
SetModel
SetMouseInputEnabled
SetMultiline
SetName
SetOpenLinksExternally
SetPaintBackgroundEnabled
SetPaintBorderEnabled
SetPaintedManually
SetParent
SetPlayer
SetPopupStayAtBack
SetPos
SetRenderInScreenshots
SetSelectable
SetSelected
SetSelectionCanvas
SetSize
SetSkin
SetSpawnIcon
SetSteamID
SetTabPosition
SetTall
SetTerm
SetText
SetTextHidden
SetTextInset
SetTextSelectionColors
SetToFullHeight
SetTooltip
SetTooltipDelay
SetTooltipPanel
SetTooltipPanelOverride
SetUnderlineFont
SetURL
SetVerticalScrollbarEnabled
SetVisible
SetWide
SetWidth
SetWorldClicker
SetWrap
SetX
SetY
SetZPos
Show
SizeTo
SizeToChildren
SizeToContents
SizeToContentsX
SizeToContentsY
SlideDown
SlideUp
StartBoxSelection
Stop
StopLoading
StretchBottomTo
StretchRightTo
StretchToParent
ToggleSelection
ToggleVisible
Undo
UnselectAll
UpdateHTMLTexture
Valid
PathFollower
Chase
Compute
Draw
FirstSegment
GetAge
GetAllSegments
GetClosestPosition
GetCurrentGoal
GetCursorData
GetCursorPosition
GetEnd
GetGoalTolerance
GetHindrance
GetLength
GetMinLookAheadDistance
GetPositionOnPath
GetStart
Invalidate
IsValid
LastSegment
MoveCursor
MoveCursorTo
MoveCursorToClosestPosition
MoveCursorToEnd
MoveCursorToStart
NextSegment
PriorSegment
ResetAge
SetGoalTolerance
SetMinLookAheadDistance
Update
PhysCollide
Destroy
IsValid
TraceBox
PhysObj
AddAngleVelocity
AddGameFlag
AddVelocity
AlignAngles
ApplyForceCenter
ApplyForceOffset
ApplyTorqueCenter
CalculateForceOffset
CalculateVelocityOffset
ClearGameFlag
ComputeShadowControl
EnableCollisions
EnableDrag
EnableGravity
EnableMotion
GetAABB
GetAngles
GetAngleVelocity
GetContents
GetDamping
GetEnergy
GetEntity
GetFrictionSnapshot
GetIndex
GetInertia
GetInvInertia
GetInvMass
GetMass
GetMassCenter
GetMaterial
GetMesh
GetMeshConvexes
GetName
GetPos
GetPositionMatrix
GetRotDamping
GetShadowAngles
GetShadowPos
GetSpeedDamping
GetStress
GetSurfaceArea
GetVelocity
GetVelocityAtPoint
GetVolume
HasGameFlag
IsAsleep
IsCollisionEnabled
IsDragEnabled
IsGravityEnabled
IsMotionEnabled
IsMoveable
IsPenetrating
IsValid
LocalToWorld
LocalToWorldVector
OutputDebugInfo
RecheckCollisionFilter
RotateAroundAxis
SetAngleDragCoefficient
SetAngles
SetAngleVelocity
SetAngleVelocityInstantaneous
SetBuoyancyRatio
SetContents
SetDamping
SetDragCoefficient
SetInertia
SetMass
SetMaterial
SetPos
SetVelocity
SetVelocityInstantaneous
Sleep
UpdateShadow
Wake
WorldToLocal
WorldToLocalVector
Player
AccountID
AddCleanup
AddCount
AddDeaths
AddFrags
AddFrozenPhysicsObject
AddPlayerOption
AddVCDSequenceToGestureSlot
Alive
AllowFlashlight
AllowImmediateDecalPainting
AnimResetGestureSlot
AnimRestartGesture
AnimRestartMainSequence
AnimSetGestureSequence
AnimSetGestureWeight
Armor
Ban
CanUseFlashlight
ChatPrint
CheckLimit
ConCommand
CreateRagdoll
CrosshairDisable
CrosshairEnable
Crouching
Deaths
DebugInfo
DetonateTripmines
DisableWorldClicking
DoAnimationEvent
DoAttackEvent
DoCustomAnimEvent
DoReloadEvent
DoSecondaryAttack
DrawViewModel
DrawWorldModel
DropNamedWeapon
DropObject
DropWeapon
EnterVehicle
EquipSuit
ExitLadder
ExitVehicle
Flashlight
FlashlightIsOn
Frags
Freeze
GetActiveWeapon
GetActivity
GetAimVector
GetAllowFullRotation
GetAllowWeaponsInVehicle
GetAmmo
GetAmmoCount
GetAvoidPlayers
GetCanWalk
GetCanZoom
GetClassID
GetCount
GetCrouchedWalkSpeed
GetCurrentCommand
GetCurrentViewOffset
GetDrivingEntity
GetDrivingMode
GetDuckSpeed
GetEntityInUse
GetEyeTrace
GetEyeTraceNoCursor
GetFOV
GetFriendStatus
GetHands
GetHoveredWidget
GetHull
GetHullDuck
GetInfo
GetInfoNum
GetJumpPower
GetLadderClimbSpeed
GetLaggedMovementValue
GetMaxArmor
GetMaxSpeed
GetName
GetNoCollideWithTeammates
GetObserverMode
GetObserverTarget
GetPData
GetPlayerColor
GetPlayerInfo
GetPreferredCarryAngles
GetPressedWidget
GetPreviousWeapon
GetPunchAngle
GetRagdollEntity
GetRenderAngles
GetRunSpeed
GetShootPos
GetSlowWalkSpeed
GetStepSize
GetSuitPower
GetTimeoutSeconds
GetTool
GetUnDuckSpeed
GetUseEntity
GetUserGroup
GetVehicle
GetViewEntity
GetViewModel
GetViewOffset
GetViewOffsetDucked
GetViewPunchAngles
GetViewPunchVelocity
GetVoiceVolumeScale
GetWalkSpeed
GetWeapon
GetWeaponColor
GetWeapons
Give
GiveAmmo
GodDisable
GodEnable
HasGodMode
HasWeapon
InVehicle
IPAddress
IsAdmin
IsBot
IsConnected
IsDrivingEntity
IsFrozen
IsFullyAuthenticated
IsListenServerHost
IsMuted
IsPlayingTaunt
IsSpeaking
IsSprinting
IsSuitEquipped
IsSuperAdmin
IsTimingOut
IsTyping
IsUserGroup
IsVoiceAudible
IsWalking
IsWorldClicking
IsWorldClickingDisabled
KeyDown
KeyDownLast
KeyPressed
KeyReleased
Kick
Kill
KillSilent
LagCompensation
LastHitGroup
LimitHit
LocalEyeAngles
Lock
MotionSensorPos
Name
Nick
OwnerSteamID64
PacketLoss
PhysgunUnfreeze
PickupObject
PickupWeapon
Ping
PlayStepSound
PrintMessage
RemoveAllAmmo
RemoveAllItems
RemoveAmmo
RemovePData
RemoveSuit
ResetHull
Say
ScreenFade
SelectWeapon
SendHint
SendLua
SetActiveWeapon
SetActivity
SetAllowFullRotation
SetAllowWeaponsInVehicle
SetAmmo
SetArmor
SetAvoidPlayers
SetCanWalk
SetCanZoom
SetClassID
SetCrouchedWalkSpeed
SetCurrentViewOffset
SetDeaths
SetDrivingEntity
SetDSP
SetDuckSpeed
SetEyeAngles
SetFOV
SetFrags
SetHands
SetHoveredWidget
SetHull
SetHullDuck
SetJumpPower
SetLadderClimbSpeed
SetLaggedMovementValue
SetLastHitGroup
SetMaxArmor
SetMaxSpeed
SetMuted
SetNoCollideWithTeammates
SetNoTarget
SetObserverMode
SetPData
SetPlayerColor
SetPressedWidget
SetRenderAngles
SetRunSpeed
SetSlowWalkSpeed
SetStepSize
SetSuitPower
SetSuppressPickupNotices
SetTeam
SetUnDuckSpeed
SetupHands
SetUserGroup
SetViewEntity
SetViewOffset
SetViewOffsetDucked
SetViewPunchAngles
SetViewPunchVelocity
SetVoiceVolumeScale
SetWalkSpeed
SetWeaponColor
ShouldDrawLocalPlayer
ShouldDropWeapon
ShowProfile
SimulateGravGunDrop
SimulateGravGunPickup
Spectate
SpectateEntity
SprayDecal
SprintDisable
SprintEnable
StartSprinting
StartWalking
SteamID
SteamID64
StopSprinting
StopWalking
StopZooming
StripAmmo
StripWeapon
StripWeapons
SuppressHint
SwitchToDefaultWeapon
Team
TimeConnected
TraceHullAttack
TranslateWeaponActivity
UnfreezePhysicsObjects
UniqueID
UniqueIDTable
UnLock
UnSpectate
UserID
ViewPunch
ViewPunchReset
VoiceVolume
ProjectedTexture
GetAngles
GetBrightness
GetColor
GetConstantAttenuation
GetEnableShadows
GetFarZ
GetHorizontalFOV
GetLightWorld
GetLinearAttenuation
GetNearZ
GetNoCull
GetOrthographic
GetPos
GetQuadraticAttenuation
GetShadowDepthBias
GetShadowFilter
GetShadowSlopeScaleDepthBias
GetTargetEntity
GetTexture
GetTextureFrame
GetVerticalFOV
IsValid
Remove
SetAngles
SetBrightness
SetColor
SetConstantAttenuation
SetEnableShadows
SetFarZ
SetFOV
SetHorizontalFOV
SetLightWorld
SetLinearAttenuation
SetNearZ
SetNoCull
SetOrthographic
SetPos
SetQuadraticAttenuation
SetShadowDepthBias
SetShadowFilter
SetShadowSlopeScaleDepthBias
SetTargetEntity
SetTexture
SetTextureFrame
SetVerticalFOV
Update
Schedule
AddTask
AddTaskEx
EngTask
GetTask
Init
NumTasks
Stack
Pop
PopMulti
Push
Size
Top
SurfaceInfo
GetMaterial
GetVertices
IsNoDraw
IsSky
IsWater
Task
Init
InitEngine
InitFunctionName
IsEngineType
IsFNameType
Run
Run_FName
Start
Start_FName
Tool
Allowed
BuildConVarList
CheckObjects
ClearObjects
Create
CreateConVars
GetBone
GetClientBool
GetClientInfo
GetClientNumber
GetEnt
GetHelpText
GetLocalPos
GetMode
GetNormal
GetOperation
GetOwner
GetPhys
GetPos
GetServerInfo
GetStage
GetSWEP
GetWeapon
MakeGhostEntity
NumObjects
RebuildControlPanel
ReleaseGhostEntity
SetObject
SetOperation
SetStage
StartGhostEntity
UpdateData
UpdateGhostEntity
Vector
Add
Angle
AngleEx
Cross
Distance
Distance2D
Distance2DSqr
DistToSqr
Div
Dot
DotProduct
GetNegated
GetNormal
GetNormalized
IsEqualTol
IsZero
Length
Length2D
Length2DSqr
LengthSqr
Mul
Negate
Normalize
Random
Rotate
Set
SetUnpacked
Sub
ToColor
ToScreen
ToTable
Unpack
WithinAABox
Zero
Vehicle
BoostTimeLeft
CheckExitPoint
EnableEngine
GetAmmo
GetCameraDistance
GetDriver
GetHLSpeed
GetMaxSpeed
GetOperatingParams
GetPassenger
GetPassengerSeatPoint
GetRPM
GetSpeed
GetSteering
GetSteeringDegrees
GetThirdPersonMode
GetThrottle
GetVehicleClass
GetVehicleParams
GetVehicleViewPosition
GetWheel
GetWheelBaseHeight
GetWheelContactPoint
GetWheelCount
GetWheelTotalHeight
HasBoost
HasBrakePedal
IsBoosting
IsEngineEnabled
IsEngineStarted
IsValidVehicle
IsVehicleBodyInWater
ReleaseHandbrake
SetBoost
SetCameraDistance
SetHandbrake
SetHasBrakePedal
SetMaxReverseThrottle
SetMaxThrottle
SetSpringLength
SetSteering
SetSteeringDegrees
SetThirdPersonMode
SetThrottle
SetVehicleClass
SetVehicleEntryAnim
SetVehicleParams
SetWheelFriction
StartEngine
VMatrix
Add
GetAngles
GetField
GetForward
GetInverse
GetInverseTR
GetRight
GetScale
GetTranslation
GetTransposed
GetUp
Identity
Invert
InvertTR
IsIdentity
IsRotationMatrix
IsZero
Mul
Rotate
Scale
ScaleTranslation
Set
SetAngles
SetField
SetForward
SetRight
SetScale
SetTranslation
SetUnpacked
SetUp
Sub
ToTable
Translate
Unpack
Zero
Weapon
AllowsAutoSwitchFrom
AllowsAutoSwitchTo
CallOnClient
Clip1
Clip2
DefaultReload
GetActivity
GetDeploySpeed
GetHoldType
GetMaxClip1
GetMaxClip2
GetNextPrimaryFire
GetNextSecondaryFire
GetPrimaryAmmoType
GetPrintName
GetSecondaryAmmoType
GetSlot
GetSlotPos
GetWeaponViewModel
GetWeaponWorldModel
GetWeight
HasAmmo
IsCarriedByLocalPlayer
IsScripted
IsWeaponVisible
LastShootTime
SendWeaponAnim
SetActivity
SetClip1
SetClip2
SetDeploySpeed
SetHoldType
SetLastShootTime
SetNextPrimaryFire
SetNextSecondaryFire
WorkshopFileBase
Fetch
FetchSubscribed
FillFileInfo
Publish
RetrieveUserName
pixelvis_handle_t
Libraries
88
achievements
BalloonPopped
Count
EatBall
GetCount
GetDesc
GetGoal
GetName
IncBaddies
IncBystander
IncGoodies
IsAchieved
Remover
SpawnedNPC
SpawnedProp
SpawnedRagdoll
SpawnMenuOpen
ai
GetNodeCount
GetScheduleID
GetSquadLeader
GetSquadMemberCount
GetSquadMembers
GetTaskID
ai_schedule
New
ai_task
New
baseclass
Get
Set
bit
arshift
band
bnot
bor
bswap
bxor
lshift
rol
ror
rshift
tobit
tohex
cam
ApplyShake
End
End2D
End3D
End3D2D
EndOrthoView
GetModelMatrix
IgnoreZ
PopModelMatrix
PushModelMatrix
Start
Start2D
Start3D
Start3D2D
StartOrthoView
chat
AddText
Close
GetChatBoxPos
GetChatBoxSize
Open
PlaySound
cleanup
Add
CC_AdminCleanup
CC_Cleanup
GetList
GetTable
Register
ReplaceEntity
UpdateUI
concommand
Add
AutoComplete
GetTable
Remove
Run
constraint
AddConstraintTable
AddConstraintTableNoDelete
AdvBallsocket
Axis
Ballsocket
CanConstrain
CreateKeyframeRope
CreateStaticAnchorPoint
Elastic
Find
FindConstraint
FindConstraintEntity
FindConstraints
ForgetConstraints
GetAllConstrainedEntities
GetTable
HasConstraints
Hydraulic
Keepupright
Motor
Muscle
NoCollide
Pulley
RemoveAll
RemoveConstraints
Rope
Slider
Weld
Winch
construct
Magnet
SetPhysProp
controlpanel
Clear
Get
cookie
Delete
GetNumber
GetString
Set
coroutine
create
isyieldable
resume
running
status
wait
wrap
yield
cvars
AddChangeCallback
Bool
GetConVarCallbacks
Number
OnConVarChanged
RemoveChangeCallback
String
debug
debug
getfenv
gethook
getinfo
getlocal
getmetatable
getregistry
getupvalue
setfenv
sethook
setlocal
setmetatable
setupvalue
Trace
traceback
upvalueid
upvaluejoin
debugoverlay
Axis
Box
BoxAngles
Cross
EntityTextAtPosition
Grid
Line
ScreenText
Sphere
SweptBox
Text
Triangle
derma
Controls
SkinList
Color
DefineControl
DefineSkin
GetControlList
GetDefaultSkin
GetNamedSkin
GetSkinTable
RefreshSkins
SkinChangeIndex
SkinHook
SkinTexture
dragndrop
CallReceiverFunction
Clear
Drop
GetDroppable
HandleDroppedInGame
HoverThink
IsDragging
StartDragging
StopDragging
Think
UpdateReceiver
draw
DrawText
GetFontHeight
NoTexture
RoundedBox
RoundedBoxEx
SimpleText
SimpleTextOutlined
Text
TextShadow
TexturedQuad
WordBox
drive
CalcView
CreateMove
DestroyMethod
End
FinishMove
GetMethod
Move
PlayerStartDriving
PlayerStopDriving
Register
Start
StartMove
duplicator
BoneModifiers
ConstraintType
EntityClasses
EntityModifiers
Allow
ApplyBoneModifiers
ApplyEntityModifiers
ClearEntityModifier
Copy
CopyEnts
CopyEntTable
CreateConstraintFromTable
CreateEntityFromTable
Disallow
DoBoneManipulator
DoFlex
DoGeneric
DoGenericPhysics
FigureOutRequiredAddons
FindEntityClass
GenericDuplicatorFunction
GetAllConstrainedEntitiesAndConstraints
IsAllowed
Paste
RegisterBoneModifier
RegisterConstraint
RegisterEntityClass
RegisterEntityModifier
RemoveMapCreatedEntities
SetLocalAng
SetLocalPos
StoreBoneModifier
StoreEntityModifier
WorkoutSize
effects
BeamRingPoint
Bubbles
BubbleTrail
Create
GetList
Register
TracerSound
engine
AbsoluteFrameTime
ActiveGamemode
CloseServer
GetAddons
GetDemoPlaybackStartTick
GetDemoPlaybackTick
GetDemoPlaybackTimeScale
GetDemoPlaybackTotalTicks
GetGamemodes
GetGames
GetUserContent
IsPlayingDemo
IsRecordingDemo
LightStyle
OpenDupe
ServerFrameTime
SetMounted
TickCount
TickInterval
VideoSettings
WriteDupe
WriteSave
ents
Create
CreateClientProp
CreateClientRope
CreateClientside
FindAlongRay
FindByClass
FindByClassAndParent
FindByModel
FindByName
FindInBox
FindInCone
FindInPVS
FindInSphere
FireTargets
GetAll
GetByIndex
GetCount
GetEdictCount
GetMapCreatedEntity
Iterator
file
Append
AsyncRead
CreateDir
Delete
Exists
Find
IsDir
Open
Read
Rename
Size
Time
Write
frame_blend
AddFrame
BlendFrame
CompleteFrame
DrawPreview
IsActive
IsLastFrame
RenderableFrames
ShouldSkipFrame
game
AddAmmoType
AddDecal
AddParticles
BuildAmmoTypes
CleanUpMap
ConsoleCommand
GetAmmoDamageType
GetAmmoData
GetAmmoForce
GetAmmoID
GetAmmoMax
GetAmmoName
GetAmmoNPCDamage
GetAmmoPlayerDamage
GetAmmoTypes
GetGlobalCounter
GetGlobalState
GetIPAddress
GetMap
GetMapNext
GetMapVersion
GetSkillLevel
GetTimeScale
GetWorld
IsDedicated
KickID
LoadNextMap
MapLoadType
MaxPlayers
MountGMA
RemoveRagdolls
SetGlobalCounter
SetGlobalState
SetSkillLevel
SetTimeScale
SinglePlayer
StartSpot
gameevent
Listen
gamemode
Call
Get
Register
gmod
GetGamemode
gmsave
LoadMap
PlayerLoad
PlayerSave
SaveMap
ShouldSaveEntity
gui
ActivateGameUI
AddCaption
EnableScreenClicker
HideGameUI
InternalCursorMoved
InternalKeyCodePressed
InternalKeyCodeReleased
InternalKeyCodeTyped
InternalKeyTyped
InternalMouseDoublePressed
InternalMousePressed
InternalMouseReleased
InternalMouseWheeled
IsConsoleVisible
IsGameUIVisible
MousePos
MouseX
MouseY
OpenURL
ScreenToVector
SetMousePos
ShowConsole
GWEN
CreateTextureBorder
CreateTextureCentered
CreateTextureNormal
TextureColor
halo
Add
Render
RenderedEntity
hammer
SendCommand
hook
Add
Call
GetTable
Remove
Run
http
Fetch
Post
input
CheckKeyTrapping
GetAnalogValue
GetCursorPos
GetKeyCode
GetKeyName
IsButtonDown
IsControlDown
IsKeyDown
IsKeyTrapping
IsMouseDown
IsShiftDown
LookupBinding
LookupKeyBinding
SelectWeapon
SetCursorPos
StartKeyTrapping
TranslateAlias
WasKeyPressed
WasKeyReleased
WasKeyTyped
WasMouseDoublePressed
WasMousePressed
WasMouseReleased
jit
opt
start
util
funcbc
funcinfo
funck
funcuvname
ircalladdr
traceexitstub
traceinfo
traceir
tracek
tracemc
tracesnap
arch
os
version
version_num
attach
flush
off
on
status
killicon
Add
AddAlias
AddFont
AddTexCoord
Draw
Exists
GetSize
Render
language
Add
GetPhrase
list
Add
Contains
Get
GetEntry
GetForEdit
GetTable
HasEntry
RemoveEntry
Set
markup
Color
Escape
Parse
math
ease
InBack
InBounce
InCirc
InCubic
InElastic
InExpo
InOutBack
InOutBounce
InOutCirc
InOutCubic
InOutElastic
InOutExpo
InOutQuad
InOutQuart
InOutQuint
InOutSine
InQuad
InQuart
InQuint
InSine
OutBack
OutBounce
OutCirc
OutCubic
OutElastic
OutExpo
OutQuad
OutQuart
OutQuint
OutSine
huge
pi
tau
abs
acos
AngleDifference
Approach
ApproachAngle
asin
atan
atan2
BinToInt
BSplinePoint
calcBSplineN
ceil
CHSpline
Clamp
cos
cosh
CubicBezier
deg
Dist
Distance
DistanceSqr
EaseInOut
exp
Factorial
floor
fmod
frexp
IntToBin
IsNearlyEqual
ldexp
log
log10
max
min
mod
modf
NormalizeAngle
pow
QuadraticBezier
rad
Rand
random
randomseed
Remap
Round
sin
sinh
SnapTo
sqrt
tan
tanh
TimeFraction
Truncate
matproxy
ActiveList
ProxyList
Add
Call
Init
ShouldOverrideProxy
menu
RecordFrame
menubar
Init
IsParent
ParentTo
mesh
AdvanceVertex
Begin
Color
End
Normal
Position
Quad
QuadEasy
Specular
TangentS
TangentT
TexCoord
UserData
VertexCount
motionsensor
BuildSkeleton
ChooseBuilderFromEntity
GetColourMaterial
GetSkeleton
IsActive
IsAvailable
ProcessAngle
ProcessAnglesTable
ProcessPositionTable
Start
Stop
navmesh
AddWalkableSeed
BeginGeneration
ClearWalkableSeeds
CreateNavArea
CreateNavLadder
Find
FindInBox
GetAllNavAreas
GetBlockedAreas
GetEditCursorPosition
GetGroundHeight
GetMarkedArea
GetMarkedLadder
GetNavArea
GetNavAreaByID
GetNavAreaCount
GetNavLadderByID
GetNearestNavArea
GetPlayerSpawnName
IsGenerating
IsLoaded
Load
Reset
Save
SetMarkedArea
SetMarkedLadder
SetPlayerSpawnName
net
ReadVars
Receivers
WriteVars
Abort
Broadcast
BytesLeft
BytesWritten
Incoming
ReadAngle
ReadBit
ReadBool
ReadColor
ReadData
ReadDouble
ReadEntity
ReadFloat
ReadHeader
ReadInt
ReadMatrix
ReadNormal
ReadPlayer
ReadString
ReadTable
ReadType
ReadUInt
ReadUInt64
ReadVector
Receive
Send
SendOmit
SendPAS
SendPVS
SendToServer
Start
WriteAngle
WriteBit
WriteBool
WriteColor
WriteData
WriteDouble
WriteEntity
WriteFloat
WriteInt
WriteMatrix
WriteNormal
WritePlayer
WriteString
WriteTable
WriteType
WriteUInt
WriteUInt64
WriteVector
notification
AddLegacy
AddProgress
Kill
numpad
Activate
Deactivate
FromButton
OnDown
OnUp
Register
Remove
Toggle
os
clock
date
difftime
time
package
loaded
seeall
permissions
AskToConnect
Connect
EnableVoiceChat
GetAll
Grant
IsGranted
Revoke
physenv
AddSurfaceData
GetAirDensity
GetGravity
GetLastSimulationTime
GetPerformanceSettings
GetPhysicsPaused
SetAirDensity
SetGravity
SetPerformanceSettings
SetPhysicsPaused
player
CreateNextBot
GetAll
GetBots
GetByAccountID
GetByID
GetBySteamID
GetBySteamID64
GetByUniqueID
GetCount
GetCountConnecting
GetHumans
Iterator
player_manager
AddValidHands
AddValidModel
AllValidModels
ClearPlayerClass
GetPlayerClass
GetPlayerClasses
GetPlayerClassTable
OnPlayerSpawn
RegisterClass
RunClass
SetPlayerClass
TranslatePlayerHands
TranslatePlayerModel
TranslateToPlayerModelName
presets
Add
BadNameAlert
Exists
GetTable
OverwritePresetPrompt
Remove
Rename
properties
List
Add
CanBeTargeted
GetHovered
OnScreenClick
OpenEntityMenu
Remove
render
AddBeam
BlurRenderTarget
BrushMaterialOverride
Capture
CapturePixels
Clear
ClearBuffersObeyStencil
ClearDepth
ClearRenderTarget
ClearStencil
ClearStencilBufferRectangle
ComputeDynamicLighting
ComputeLighting
ComputePixelDiameterOfSphere
CopyRenderTargetToTexture
CopyTexture
CullMode
DepthRange
DrawBeam
DrawBox
DrawLine
DrawQuad
DrawQuadEasy
DrawScreenQuad
DrawScreenQuadEx
DrawSphere
DrawSprite
DrawTextureToScreen
DrawTextureToScreenRect
DrawWireframeBox
DrawWireframeSphere
EnableClipping
EndBeam
FogColor
FogEnd
FogMaxDensity
FogMode
FogStart
GetAmbientLightColor
GetBlend
GetBloomTex0
GetBloomTex1
GetColorModulation
GetDXLevel
GetFogColor
GetFogDistances
GetFogMaxDensity
GetFogMode
GetFullScreenDepthTexture
GetHDREnabled
GetLightColor
GetMoBlurTex0
GetMoBlurTex1
GetMorphTex0
GetMorphTex1
GetPowerOfTwoTexture
GetRefractTexture
GetRenderTarget
GetResolvedFullFrameDepth
GetScreenEffectTexture
GetSmallTex0
GetSmallTex1
GetSuperFPTex
GetSuperFPTex2
GetSurfaceColor
GetToneMappingScaleLinear
GetViewSetup
MaterialOverride
MaterialOverrideByIndex
MaxTextureHeight
MaxTextureWidth
Model
ModelMaterialOverride
OverrideAlphaWriteEnable
OverrideBlend
OverrideBlendFunc
OverrideColorWriteEnable
OverrideDepthEnable
PerformFullScreenStencilOperation
PopCustomClipPlane
PopFilterMag
PopFilterMin
PopFlashlightMode
PopRenderTarget
PushCustomClipPlane
PushFilterMag
PushFilterMin
PushFlashlightMode
PushRenderTarget
ReadPixel
RedownloadAllLightmaps
RenderFlashlights
RenderHUD
RenderView
ResetModelLighting
ResetToneMappingScale
SetAmbientLight
SetBlend
SetColorMaterial
SetColorMaterialIgnoreZ
SetColorModulation
SetFogZ
SetGoalToneMappingScale
SetLightingMode
SetLightingOrigin
SetLightmapTexture
SetLocalModelLights
SetMaterial
SetModelLighting
SetRenderTarget
SetRenderTargetEx
SetScissorRect
SetShadowColor
SetShadowDirection
SetShadowDistance
SetShadowsDisabled
SetStencilCompareFunction
SetStencilEnable
SetStencilFailOperation
SetStencilPassOperation
SetStencilReferenceValue
SetStencilTestMask
SetStencilWriteMask
SetStencilZFailOperation
SetToneMappingScaleLinear
SetViewPort
SetWriteDepthToDestAlpha
Spin
StartBeam
SupportsHDR
SupportsPixelShaders_1_4
SupportsPixelShaders_2_0
SupportsVertexShaders_2_0
SuppressEngineLighting
TurnOnToneMapping
UpdateFullScreenDepthTexture
UpdatePowerOfTwoTexture
UpdateRefractTexture
UpdateScreenEffectTexture
WorldMaterialOverride
resource
AddFile
AddSingleFile
AddWorkshop
saverestore
AddRestoreHook
AddSaveHook
LoadEntity
LoadGlobal
PreRestore
PreSave
ReadTable
ReadVar
SaveEntity
SaveGlobal
WritableKeysInTable
WriteTable
WriteVar
scripted_ents
Alias
Get
GetList
GetMember
GetSpawnable
GetStored
GetType
IsBasedOn
OnLoaded
Register
search
AddProvider
GetResults
serverlist
AddCurrentServerToFavorites
AddServerToFavorites
IsCurrentServerFavorite
IsServerFavorite
PingServer
PlayerList
Query
RemoveServerFromFavorites
sound
Add
AddSoundOverrides
EmitHint
Generate
GetLoudestSoundHint
GetProperties
GetTable
Play
PlayFile
PlayURL
SetActorGender
spawnmenu
ActivateTool
ActivateToolPanel
ActiveControlPanel
AddContentType
AddCreationTab
AddPropCategory
AddToolCategory
AddToolMenuOption
AddToolTab
ClearToolMenus
CreateContentIcon
DoSaveToTextFiles
GetContentType
GetCreationTabs
GetCustomPropTable
GetPropTable
GetToolMenu
GetTools
PopulateFromEngineTextFiles
PopulateFromTextFiles
SaveToTextFiles
SetActiveControlPanel
SwitchCreationTab
SwitchToolTab
sql
Begin
Commit
IndexExists
LastError
Query
QueryRow
QueryTyped
QueryValue
SQLStr
TableExists
steamworks
ApplyAddons
Download
DownloadUGC
FileInfo
GetList
GetPlayerName
IsSubscribed
OpenWorkshop
Publish
RequestPlayerInfo
SetFileCompleted
SetFilePlayed
SetShouldMountAddon
ShouldMountAddon
Subscribe
Unsubscribe
ViewFile
Vote
VoteInfo
string
byte
CardinalToOrdinal
char
Comma
dump
EndsWith
Explode
find
format
FormattedTime
FromColor
GetChar
GetExtensionFromFilename
GetFileFromFilename
GetPathFromFilename
gfind
gmatch
gsub
Implode
Interpolate
JavascriptSafe
Left
len
lower
match
NiceName
NiceSize
NiceTime
PatternSafe
rep
Replace
reverse
Right
SetChar
Split
StartsWith
StartWith
StripExtension
sub
ToColor
ToMinutesSeconds
ToMinutesSecondsMilliseconds
ToTable
Trim
TrimLeft
TrimRight
upper
surface
CreateFont
DisableClipping
DrawCircle
DrawLine
DrawOutlinedRect
DrawPoly
DrawRect
DrawText
DrawTexturedRect
DrawTexturedRectRotated
DrawTexturedRectUV
GetAlphaMultiplier
GetDrawColor
GetHUDTexture
GetPanelPaintState
GetTextColor
GetTextPos
GetTextSize
GetTextureID
GetTextureNameByID
GetTextureSize
PlaySound
ScreenHeight
ScreenWidth
SetAlphaMultiplier
SetDrawColor
SetFont
SetMaterial
SetTextColor
SetTextPos
SetTexture
system
AppTime
BatteryPower
FlashWindow
GetCountry
HasFocus
IsLinux
IsOSX
IsWindowed
IsWindows
SteamTime
UpTime
table
Add
ClearKeys
CollapseKeyValue
concat
Copy
CopyFromTo
Count
DeSanitise
Empty
FindNext
FindPrev
Flip
ForceInsert
foreach
foreachi
GetFirstKey
GetFirstValue
GetKeys
GetLastKey
GetLastValue
getn
GetWinningKey
HasValue
Inherit
insert
IsEmpty
IsSequential
KeyFromValue
KeysFromValue
LowerKeyNames
maxn
MemberValuesFromKey
Merge
move
Pack
Random
remove
RemoveByValue
Reverse
Sanitise
Shuffle
sort
SortByKey
SortByMember
SortDesc
ToString
team
AddScore
BestAutoJoinTeam
GetAllTeams
GetClass
GetColor
GetName
GetPlayers
GetScore
GetSpawnPoint
GetSpawnPoints
Joinable
NumPlayers
SetClass
SetColor
SetScore
SetSpawnPoint
SetUp
TotalDeaths
TotalFrags
Valid
timer
Adjust
Check
Create
Destroy
Exists
Pause
Remove
RepsLeft
Simple
Start
Stop
TimeLeft
Toggle
UnPause
umsg
Angle
Bool
Char
End
Entity
Float
Long
PoolString
Short
Start
String
Vector
VectorNormal
undo
AddEntity
AddFunction
Create
Do_Undo
Finish
GetTable
MakeUIDirty
ReplaceEntity
SetCustomUndoText
SetPlayer
SetupUI
usermessage
GetTable
Hook
IncomingMessage
utf8
charpattern
char
codepoint
codes
force
GetChar
len
offset
sub
util
worldpicker
Active
Finish
Start
AddNetworkString
AimVector
Base64Decode
Base64Encode
BlastDamage
BlastDamageInfo
Compress
CRC
DateStamp
Decal
DecalEx
DecalMaterial
Decompress
DistanceToLine
Effect
FilterText
FullPathToRelative_Menu
GetActivityIDByName
GetActivityNameByID
GetAnimEventIDByName
GetAnimEventNameByID
GetModelInfo
GetModelMeshes
GetPData
GetPixelVisibleHandle
GetPlayerTrace
GetSunInfo
GetSurfaceData
GetSurfaceIndex
GetSurfacePropName
GetUserGroups
IntersectRayWithOBB
IntersectRayWithPlane
IntersectRayWithSphere
IsBinaryModuleInstalled
IsBoxIntersectingBox
IsBoxIntersectingSphere
IsInWorld
IsModelLoaded
IsOBBIntersectingOBB
IsPointInCone
IsRayIntersectingRay
IsSkyboxVisibleFromPoint
IsSphereIntersectingCone
IsSphereIntersectingSphere
IsValidModel
IsValidPhysicsObject
IsValidProp
IsValidRagdoll
JSONToTable
KeyValuesToTable
KeyValuesToTablePreserveOrder
LocalToWorld
MD5
NetworkIDToString
NetworkStringToID
NiceFloat
ParticleTracer
ParticleTracerEx
PixelVisible
PointContents
PrecacheModel
PrecacheSound
QuickTrace
RelativePathToFull_Menu
RelativePathToGMA_Menu
RemoveDecalsAt
RemovePData
ScreenShake
SetPData
SHA1
SHA256
SharedRandom
SpriteTrail
Stack
SteamIDFrom64
SteamIDTo64
StringToType
TableToJSON
TableToKeyValues
Timer
TimerCycle
tobool
TraceEntity
TraceEntityHull
TraceHull
TraceLine
TypeToString
vgui
Create
CreateFromTable
CreateX
CursorVisible
Exists
FocusedHasParent
GetAll
GetControlTable
GetHoveredPanel
GetKeyboardFocus
GetWorldPanel
IsHoveringWorld
Register
RegisterFile
RegisterTable
video
Record
weapons
Get
GetList
GetStored
IsBasedOn
OnLoaded
Register
widgets
PlayerTick
RenderMe
Hooks
10
DRIVE
CalcView
EFFECT
EndTouch
GetTracerShootPos
Init
PhysicsCollide
Render
StartTouch
Think
Touch
ENTITY
AcceptInput
AddOutputFromAcceptInput
AddOutputFromKeyValue
CalcAbsolutePosition
CanEditVariables
CanProperty
CanTool
CreateSchedulesInternal
DoImpactEffect
DoingEngineSchedule
DoSchedule
Draw
DrawTranslucent
EndTouch
EngineScheduleFinish
ExpressionFinished
FireAnimationEvent
GetAttackSpread
GetRelationship
GetRenderMesh
GetShadowCastDirection
GetSoundInterests
GravGunPickupAllowed
GravGunPunt
HandleAnimEvent
ImpactTrace
Initialize
IsJumpLegal
KeyValue
NextTask
OnChangeActiveWeapon
OnChangeActivity
OnCondition
OnDuplicated
OnEntityCopyTableFinish
OnMovementComplete
OnMovementFailed
OnReloaded
OnRemove
OnRestore
OnStateChange
OnTakeDamage
OnTaskComplete
OnTaskFailed
OverrideMove
OverrideMoveFacing
PassesTriggerFilters
PhysicsCollide
PhysicsSimulate
PhysicsUpdate
PostEntityCopy
PostEntityPaste
PreEntityCopy
RenderOverride
RunAI
RunEngineTask
RunTask
ScheduleFinished
SelectSchedule
SetAutomaticFrameAdvance
SetTask
SetupDataTables
SpawnFunction
StartEngineSchedule
StartEngineTask
StartSchedule
StartTask
StartTouch
StoreOutput
TaskFinished
TaskTime
TestCollision
Think
Touch
TranslateActivity
TranslateNavGoal
TranslateSchedule
TriggerOutput
UpdateTransmitState
Use
GM
AcceptInput
AddDeathNotice
AdjustMouseSensitivity
AllowPlayerPickup
CalcMainActivity
CalcVehicleView
CalcView
CalcViewModelView
CanCreateUndo
CanEditVariable
CanExitVehicle
CanPlayerEnterVehicle
CanPlayerSuicide
CanPlayerUnfreeze
CanProperty
CanUndo
CaptureVideo
ChatText
ChatTextChanged
CheckPassword
ClientSignOnStateChanged
CloseDermaMenus
CreateClientsideRagdoll
CreateEntityRagdoll
CreateMove
CreateTeams
DoAnimationEvent
DoPlayerDeath
DrawDeathNotice
DrawMonitors
DrawOverlay
DrawPhysgunBeam
EndEntityDriving
EntityEmitSound
EntityFireBullets
EntityKeyValue
EntityNetworkedVarChanged
EntityRemoved
EntityTakeDamage
FindUseEntity
FinishChat
FinishMove
ForceDermaSkin
GameContentChanged
GetDeathNoticeEntityName
GetFallDamage
GetGameDescription
GetMotionBlurValues
GetPreferredCarryAngles
GetTeamColor
GetTeamNumColor
GrabEarAnimation
GravGunOnDropped
GravGunOnPickedUp
GravGunPickupAllowed
GravGunPunt
GUIMouseDoublePressed
GUIMousePressed
GUIMouseReleased
HandlePlayerArmorReduction
HandlePlayerDriving
HandlePlayerDucking
HandlePlayerJumping
HandlePlayerLanding
HandlePlayerNoClipping
HandlePlayerSwimming
HandlePlayerVaulting
HideTeam
HUDAmmoPickedUp
HUDDrawPickupHistory
HUDDrawScoreBoard
HUDDrawTargetID
HUDItemPickedUp
HUDPaint
HUDPaintBackground
HUDShouldDraw
HUDWeaponPickedUp
Initialize
InitPostEntity
InputMouseApply
IsSpawnpointSuitable
KeyPress
KeyRelease
LoadGModSave
LoadGModSaveFailed
MenuStart
MouthMoveAnimation
Move
NeedsDepthPass
NetworkEntityCreated
NetworkIDValidated
NotifyShouldTransmit
OnAchievementAchieved
OnChatTab
OnCleanup
OnClientLuaError
OnCloseCaptionEmit
OnContextMenuClose
OnContextMenuOpen
OnCrazyPhysics
OnDamagedByExplosion
OnEntityCreated
OnEntityWaterLevelChanged
OnGamemodeLoaded
OnLuaError
OnNotifyAddonConflict
OnNPCDropItem
OnNPCKilled
OnPauseMenuBlockedTooManyTimes
OnPauseMenuShow
OnPermissionsChanged
OnPhysgunFreeze
OnPhysgunPickup
OnPhysgunReload
OnPlayerChangedTeam
OnPlayerChat
OnPlayerHitGround
OnPlayerJump
OnPlayerPhysicsDrop
OnPlayerPhysicsPickup
OnReloaded
OnScreenSizeChanged
OnSpawnMenuClose
OnSpawnMenuOpen
OnTextEntryGetFocus
OnTextEntryLoseFocus
OnUndo
OnViewModelChanged
PhysgunDrop
PhysgunPickup
PlayerAmmoChanged
PlayerAuthed
PlayerBindPress
PlayerButtonDown
PlayerButtonUp
PlayerCanHearPlayersVoice
PlayerCanJoinTeam
PlayerCanPickupItem
PlayerCanPickupWeapon
PlayerCanSeePlayersChat
PlayerChangedTeam
PlayerCheckLimit
PlayerClassChanged
PlayerConnect
PlayerDeath
PlayerDeathSound
PlayerDeathThink
PlayerDisconnected
PlayerDriveAnimate
PlayerDroppedWeapon
PlayerEndVoice
PlayerEnteredVehicle
PlayerFireAnimationEvent
PlayerFootstep
PlayerFrozeObject
PlayerHandleAnimEvent
PlayerHurt
PlayerInitialSpawn
PlayerJoinTeam
PlayerLeaveVehicle
PlayerLoadout
PlayerNoClip
PlayerPostThink
PlayerRequestTeam
PlayerSay
PlayerSelectSpawn
PlayerSelectTeamSpawn
PlayerSetHandsModel
PlayerSetModel
PlayerShouldTakeDamage
PlayerShouldTaunt
PlayerSilentDeath
PlayerSpawn
PlayerSpawnAsSpectator
PlayerSpray
PlayerStartTaunt
PlayerStartVoice
PlayerStepSoundTime
PlayerSwitchFlashlight
PlayerSwitchWeapon
PlayerTick
PlayerTraceAttack
PlayerUnfrozeObject
PlayerUse
PopulateMenuBar
PostCleanupMap
PostDraw2DSkyBox
PostDrawEffects
PostDrawHUD
PostDrawOpaqueRenderables
PostDrawPlayerHands
PostDrawSkyBox
PostDrawTranslucentRenderables
PostDrawViewModel
PostEntityFireBullets
PostEntityTakeDamage
PostGamemodeLoaded
PostPlayerDeath
PostPlayerDraw
PostProcessPermitted
PostRender
PostRenderVGUI
PostUndo
PreCleanupMap
PreDrawEffects
PreDrawHalos
PreDrawHUD
PreDrawOpaqueRenderables
PreDrawPlayerHands
PreDrawSkyBox
PreDrawTranslucentRenderables
PreDrawViewModel
PreDrawViewModels
PreGamemodeLoaded
PrePlayerDraw
PreRegisterSENT
PreRegisterSWEP
PreRender
PreUndo
PreventScreenClicks
PropBreak
RenderScene
RenderScreenspaceEffects
Restored
Saved
ScaleNPCDamage
ScalePlayerDamage
ScoreboardHide
ScoreboardShow
SendDeathNotice
SetPlayerSpeed
SetupMove
SetupPlayerVisibility
SetupSkyboxFog
SetupWorldFog
ShouldCollide
ShouldDrawLocalPlayer
ShowHelp
ShowSpare1
ShowSpare2
ShowTeam
ShutDown
SpawniconGenerated
SpawnMenuCreated
StartChat
StartCommand
StartEntityDriving
StartGame
Think
Tick
TranslateActivity
UpdateAnimation
VariableEdited
VehicleMove
VGUIMousePressAllowed
VGUIMousePressed
WeaponEquip
WorkshopDownloadedFile
WorkshopDownloadFile
WorkshopDownloadProgress
WorkshopDownloadTotals
WorkshopEnd
WorkshopExtractProgress
WorkshopStart
WorkshopSubscriptionsChanged
WorkshopSubscriptionsMessage
WorkshopSubscriptionsProgress
NEXTBOT
BehaveStart
BehaveUpdate
BodyUpdate
OnContact
OnEntitySight
OnEntitySightLost
OnIgnite
OnInjured
OnKilled
OnLandOnGround
OnLeaveGround
OnNavAreaChanged
OnOtherKilled
OnStuck
OnTraceAttack
OnUnStuck
RunBehaviour
PANEL
AnimationThink
ApplySchemeSettings
DragHoverClick
DroppedOn
GenerateExample
Init
LoadCookies
OnActivate
OnChildAdded
OnChildRemoved
OnCursorEntered
OnCursorExited
OnCursorMoved
OnDeactivate
OnDrop
OnFocusChanged
OnHScroll
OnKeyCodePressed
OnKeyCodeReleased
OnMousePressed
OnMouseReleased
OnMouseWheeled
OnRemove
OnScreenSizeChanged
OnScrollbarAppear
OnSizeChanged
OnStartDragging
OnStopDragging
OnTextClicked
OnVScroll
Paint
PaintOver
PerformLayout
PostAutoRefresh
PreAutoRefresh
TestHover
Think
PLAYER
ClassChanged
Death
FinishMove
GetHandsModel
Init
Loadout
Move
PostDrawViewModel
PreDrawViewModel
SetModel
SetupDataTables
Spawn
StartMove
ViewModelChanged
SANDBOX
AddGamemodeToolMenuCategories
AddGamemodeToolMenuTabs
AddToolMenuCategories
AddToolMenuTabs
CanArmDupe
CanDrive
CanTool
ContentSidebarSelection
ContextMenuClosed
ContextMenuCreated
ContextMenuEnabled
ContextMenuOpen
ContextMenuOpened
ContextMenuShowTool
OnRevertSpawnlist
OnSaveSpawnlist
OpenToolbox
PaintNotes
PaintWorldTips
PersistenceLoad
PersistenceSave
PlayerGiveSWEP
PlayerSpawnedEffect
PlayerSpawnedNPC
PlayerSpawnedProp
PlayerSpawnedRagdoll
PlayerSpawnedSENT
PlayerSpawnedSWEP
PlayerSpawnedVehicle
PlayerSpawnEffect
PlayerSpawnNPC
PlayerSpawnObject
PlayerSpawnProp
PlayerSpawnRagdoll
PlayerSpawnSENT
PlayerSpawnSWEP
PlayerSpawnVehicle
PopulateContent
PopulateEntities
PopulateNPCs
PopulatePropMenu
PopulateToolMenu
PopulateVehicles
PopulateWeapons
PostReloadToolsMenu
PreRegisterTOOL
PreReloadToolsMenu
SpawnlistContentChanged
SpawnlistOpenGenericMenu
SpawnMenuEnabled
SpawnmenuIconMenuOpen
SpawnMenuOpen
SpawnMenuOpened
TOOL
BuildCPanel
Deploy
DrawHUD
DrawToolScreen
FreezeMovement
Holster
LeftClick
Reload
RightClick
Think
WEAPON
AcceptInput
AdjustMouseSensitivity
Ammo1
Ammo2
CalcView
CalcViewModelView
CanBePickedUpByNPCs
CanPrimaryAttack
CanSecondaryAttack
CustomAmmoDisplay
Deploy
DoDrawCrosshair
DoImpactEffect
DrawHUD
DrawHUDBackground
DrawWeaponSelection
DrawWorldModel
DrawWorldModelTranslucent
Equip
EquipAmmo
FireAnimationEvent
FreezeMovement
GetCapabilities
GetNPCBulletSpread
GetNPCBurstSettings
GetNPCRestTimes
GetTracerOrigin
GetViewModelPosition
Holster
HUDShouldDraw
Initialize
KeyValue
NPCShoot_Primary
NPCShoot_Secondary
OnDrop
OnReloaded
OnRemove
OnRestore
OwnerChanged
PostDrawViewModel
PreDrawViewModel
PrimaryAttack
PrintWeaponInfo
Reload
RenderScreen
SecondaryAttack
SetupDataTables
SetWeaponHoldType
ShootBullet
ShootEffects
ShouldDrawViewModel
ShouldDropOnDie
TakePrimaryAmmo
TakeSecondaryAmmo
Think
Tick
TranslateActivity
TranslateFOV
ViewModelDrawn
Game Events
40
achievement_earned
achievement_event
break_breakable
break_prop
client_beginconnect
client_connected
client_disconnect
entity_killed
flare_ignite_npc
freezecam_started
game_newmap
hide_freezepanel
hltv_cameraman
hltv_changed_mode
hltv_changed_target
hltv_chase
hltv_fixed
hltv_message
hltv_rank_camera
hltv_rank_entity
hltv_status
hltv_title
host_quit
OnRequestFullUpdate
player_activate
player_changename
player_connect
player_connect_client
player_disconnect
player_hurt
player_info
player_say
player_spawn
ragdoll_dissolved
server_addban
server_cvar
server_removeban
server_spawn
show_freezepanel
user_data_downloaded
Panels
130
ContentHeader
OpenMenu
ToTable
ContentIcon
GetColor
GetContentType
GetNPCWeapon
GetSpawnName
OpenMenu
SetAdminOnly
SetColor
SetContentType
SetMaterial
SetName
SetNPCWeapon
SetSpawnName
ContentSidebar
CreateSaveNotification
EnableModify
EnableSearch
ContextBase
ControlValues
ConVar
SetConVar
TestForChanges
ControlPanel
AddControl
AddPanel
ClearControls
ColorPicker
ControlValues
FillViaFunction
GetEmbeddedPanel
KeyBinder
MatSelect
ToolPresets
ControlPresets
AddConVar
AddOption
Clear
GetConVars
OnSelect
OpenPresetEditor
QuickSaveInternal
QuickSavePreset
ReloadPresets
SetLabel
SetOptions
SetPreset
Update
CtrlNumPad
GetValue1
GetValue2
SetConVar1
SetConVar2
SetLabel1
SetLabel2
DAdjustableModelPanel
CaptureMouse
FirstPersonControls
GetFirstPerson
GetMovementScale
SetFirstPerson
SetMovementScale
DAlphaBar
OnChange
GetBarColor
GetValue
SetBarColor
SetValue
DBinder
OnChange
GetSelectedNumber
GetValue
SetSelectedNumber
SetValue
UpdateText
DBubbleContainer
GetBackgroundColor
OpenForPos
SetBackgroundColor
DButton
GetDrawBorder
IsDown
SetConsoleCommand
SetDrawBorder
SetIcon
SetImage
SetMaterial
UpdateColours
DCategoryList
Add
AddItem
UnselectAll
DCheckBox
OnChange
DoClick
GetChecked
IsEditing
SetChecked
SetValue
Toggle
DCheckBoxLabel
OnChange
GetChecked
GetIndent
SetBright
SetChecked
SetConVar
SetDark
SetFont
SetIndent
SetTextColor
SetValue
SizeToContents
Toggle
DCollapsibleCategory
OnToggle
Add
AnimSlide
DoExpansion
GetAnimTime
GetDrawBackground
GetExpanded
GetHeaderHeight
GetList
GetPadding
GetPaintBackground
GetStartHeight
SetAnimTime
SetContents
SetDrawBackground
SetExpanded
SetHeaderHeight
SetLabel
SetList
SetPadding
SetPaintBackground
SetStartHeight
Toggle
UpdateAltLines
DColorButton
GetColor
GetDrawBorder
GetID
GetSelected
IsDown
SetColor
SetDrawBorder
SetID
DColorCombo
OnValueChanged
BuildControls
GetColor
IsEditing
SetColor
DColorCube
OnUserChanged
GetBaseRGB
GetDefaultColor
GetHue
GetRGB
ResetToDefaultValue
SetBaseRGB
SetColor
SetDefaultColor
SetHue
SetRGB
TranslateValues
UpdateColor
DColorMixer
ValueChanged
ConVarThink
DoConVarThink
GetAlphaBar
GetColor
GetConVarA
GetConVarB
GetConVarG
GetConVarR
GetPalette
GetVector
GetWangs
SetAlphaBar
SetBaseColor
SetColor
SetConVarA
SetConVarB
SetConVarG
SetConVarR
SetLabel
SetPalette
SetVector
SetWangs
UpdateColor
UpdateConVar
UpdateConVars
UpdateDefaultColor
DColorPalette
OnValueChanged
DoClick
GetButtonSize
GetConVarA
GetConVarB
GetConVarG
GetConVarR
GetNumRows
NetworkColorChange
OnRightClickButton
Reset
ResetSavedColors
SaveColor
SetButtonSize
SetColor
SetColorButtons
SetConVarA
SetConVarB
SetConVarG
SetConVarR
SetNumRows
UpdateConVar
UpdateConVars
DColumnSheet
AddSheet
GetActiveButton
SetActiveButton
UseButtonOnlyStyle
DComboBox
OnMenuOpened
OnSelect
AddChoice
AddSpacer
CheckConVarChanges
ChooseOption
ChooseOptionID
Clear
CloseMenu
GetOptionData
GetOptionText
GetOptionTextByData
GetSelected
GetSelectedID
GetSortItems
IsMenuOpen
OpenMenu
RemoveChoice
SetSortItems
SetValue
DDragBase
OnModified
DropAction_Copy
DropAction_Normal
DropAction_Simple
GetDnD
GetReadOnly
GetUseLiveDrag
MakeDroppable
SetDnD
SetDropPos
SetReadOnly
SetUseLiveDrag
UpdateDropTarget
DDrawer
Close
GetOpenSize
GetOpenTime
Open
SetOpenSize
SetOpenTime
Toggle
DEntityProperties
OnEntityLost
EditVariable
EntityLost
RebuildControls
SetEntity
DExpandButton
GetExpanded
SetExpanded
DFileBrowser
OnDoubleClick
OnRightClick
OnSelect
Clear
GetBaseFolder
GetCurrentFolder
GetFileTypes
GetFolderNode
GetModels
GetName
GetOpen
GetPath
GetSearch
SetBaseFolder
SetCurrentFolder
SetFileTypes
SetModels
SetName
SetOpen
SetPath
SetSearch
Setup
SetupFiles
SetupTree
ShowFolder
SortFiles
DForm
AddItem
Button
CheckBox
ComboBox
ControlHelp
GetAutoSize
GetSpacing
Help
ListBox
NumberWang
NumSlider
PanelSelect
PropSelect
Rebuild
SetAutoSize
SetName
SetSpacing
TextEntry
DFrame
OnClose
Center
Close
GetBackgroundBlur
GetDeleteOnClose
GetDraggable
GetIsMenu
GetMinHeight
GetMinWidth
GetPaintShadow
GetScreenLock
GetSizable
GetTitle
IsActive
SetBackgroundBlur
SetDeleteOnClose
SetDraggable
SetIcon
SetIsMenu
SetMinHeight
SetMinWidth
SetPaintShadow
SetScreenLock
SetSizable
SetTitle
ShowCloseButton
DGrid
AddItem
GetCols
GetColWide
GetItems
GetRowHeight
RemoveItem
SetCols
SetColWide
SetRowHeight
SortByMember
DHorizontalDivider
GetDividerWidth
GetDragging
GetHoldPos
GetLeft
GetLeftMin
GetLeftWidth
GetMiddle
GetRight
GetRightMin
SetDividerWidth
SetDragging
SetHoldPos
SetLeft
SetLeftMin
SetLeftWidth
SetMiddle
SetRight
SetRightMin
StartGrab
DHorizontalScroller
OnDragModified
AddPanel
GetCanvas
GetOverlap
GetShowDropTargets
MakeDroppable
ScrollToChild
SetOverlap
SetScroll
SetShowDropTargets
SetUseLiveDrag
DHScrollBar
AddScroll
AnimateTo
BarScale
GetHideButtons
GetOffset
GetScroll
Grip
SetHideButtons
SetScroll
SetUp
DHTML
AddFunction
Call
GetAllowLua
GetScrollbars
QueueJavascript
SetAllowLua
SetScrollbars
DHTMLControls
FinishedLoading
SetButtonColor
SetHTML
StartedLoading
UpdateHistory
UpdateNavButtonStatus
DIconBrowser
Fill
FilterByText
GetManual
GetSelectedIcon
OnChange
OnChangeInternal
ScrollToSelected
SelectIcon
SetManual
SetSelectedIcon
DIconLayout
OnModified
Copy
CopyContents
GetBorder
GetLayoutDir
GetSpaceX
GetSpaceY
GetStretchHeight
GetStretchWidth
Layout
LayoutIcons_LEFT
LayoutIcons_TOP
SetBorder
SetLayoutDir
SetSpaceX
SetSpaceY
SetStretchHeight
SetStretchWidth
DImage
DoLoadMaterial
FixVertexLitMaterial
GetFailsafeMatName
GetImage
GetImageColor
GetKeepAspect
GetMaterial
GetMatName
LoadMaterial
PaintAt
SetFailsafeMatName
SetImage
SetImageColor
SetKeepAspect
SetMaterial
SetMatName
SetOnViewMaterial
Unloaded
DImageButton
DepressImage
GetDepressImage
GetImage
GetStretchToFit
SetColor
SetDepressImage
SetIcon
SetImage
SetImageVisible
SetKeepAspect
SetMaterial
SetOnViewMaterial
SetStretchToFit
DKillIcon
GetName
SetName
DLabel
DoClick
DoDoubleClick
DoMiddleClick
DoRightClick
OnDepressed
OnReleased
OnToggled
DoClickInternal
DoDoubleClickInternal
GetAutoStretchVertical
GetBright
GetColor
GetDark
GetDisabled
GetDoubleClickingEnabled
GetDrawBackground
GetFont
GetHighlight
GetIsMenu
GetIsToggle
GetPaintBackground
GetTextColor
GetTextStyleColor
GetToggle
SetAutoStretchVertical
SetBright
SetColor
SetDark
SetDisabled
SetDoubleClickingEnabled
SetDrawBackground
SetFont
SetHighlight
SetIsMenu
SetIsToggle
SetPaintBackground
SetTextColor
SetTextStyleColor
SetToggle
Toggle
UpdateColours
UpdateFGColor
DLabelEditable
GetAutoStretch
IsEditing
OnLabelTextChanged
SetAutoStretch
DLabelURL
GetAutoStretchVertical
GetColor
GetTextColor
GetTextStyleColor
SetAutoStretchVertical
SetColor
SetTextColor
SetTextStyleColor
UpdateFGColor
DListBox
GetMultiple
GetSelectedItems
GetSelectedValues
SelectByName
SelectItem
SetMultiple
SetSelectedItems
DListBoxItem
GetMother
Select
SetMother
DListView
DoDoubleClick
OnRowRightClick
OnRowSelected
AddColumn
AddLine
ClearSelection
ColumnWidth
DataLayout
DisableScrollbar
FixColumnsLayout
GetCanvas
GetDataHeight
GetDirty
GetHeaderHeight
GetHideHeaders
GetInnerTall
GetLine
GetLines
GetMultiSelect
GetSelected
GetSelectedLine
GetSortable
GetSortedID
OnClickLine
OnRequestResize
RemoveLine
SelectFirstItem
SelectItem
SetDataHeight
SetDirty
SetHeaderHeight
SetHideHeaders
SetMultiSelect
SetSortable
SortByColumn
SortByColumns
DListView_Column
DoClick
DoRightClick
GetColumnID
GetDescending
GetFixedWidth
GetMaxWidth
GetMinWidth
GetTextAlign
ResizeColumn
SetColumnID
SetDescending
SetFixedWidth
SetMaxWidth
SetMinWidth
SetName
SetTextAlign
SetWidth
DListView_Line
OnRightClick
OnSelect
DataLayout
GetAltLine
GetColumnText
GetID
GetListView
GetSortValue
GetValue
IsLineSelected
SetAltLine
SetColumnText
SetID
SetListView
SetSelected
SetSortValue
SetValue
DMenu
AddCVar
AddOption
AddPanel
AddSpacer
AddSubMenu
ChildCount
ClearHighlights
CloseSubMenu
GetChild
GetDeleteSelf
GetDrawBorder
GetDrawColumn
GetMaxHeight
GetMinimumWidth
GetOpenSubMenu
Hide
HighlightItem
Open
OpenSubMenu
OptionSelected
OptionSelectedInternal
SetDeleteSelf
SetDrawBorder
SetDrawColumn
SetMaxHeight
SetMinimumWidth
SetOpenSubMenu
DMenuBar
AddMenu
AddOrGetMenu
GetDrawBackground
GetIsMenu
GetOpenMenu
GetPaintBackground
SetDrawBackground
SetIsMenu
SetPaintBackground
DMenuOption
AddSubMenu
GetChecked
GetIsCheckable
GetMenu
GetRadio
OnChecked
SetChecked
SetIsCheckable
SetMenu
SetRadio
SetSubMenu
ToggleCheck
DMenuOptionCVar
GetConVar
GetValueOff
GetValueOn
SetConVar
SetValueOff
SetValueOn
DModelPanel
LayoutEntity
PostDrawModel
PreDrawModel
DrawModel
GetAmbientLight
GetAnimated
GetAnimSpeed
GetCamPos
GetColor
GetEntity
GetFOV
GetLookAng
GetLookAt
GetModel
RunAnimation
SetAmbientLight
SetAnimated
SetAnimSpeed
SetCamPos
SetColor
SetDirectionalLight
SetEntity
SetFOV
SetLookAng
SetLookAt
SetModel
StartScene
DModelSelect
SetHeight
SetModelList
DModelSelectMulti
AddModelList
DNotify
AddItem
GetAlignment
GetItems
GetLife
GetSpacing
SetAlignment
SetLife
SetSpacing
Shuffle
DNumberScratch
OnValueChanged
DrawNotches
DrawScreen
GetActive
GetDecimals
GetFloatValue
GetFraction
GetMax
GetMin
GetRange
GetShouldDrawScreen
GetTextValue
GetZoom
IdealZoom
IsEditing
LockCursor
PaintScratchWindow
SetActive
SetDecimals
SetFloatValue
SetFraction
SetMax
SetMin
SetShouldDrawScreen
SetValue
SetZoom
UpdateConVar
DNumberWang
OnValueChanged
GetDecimals
GetFloatValue
GetFraction
GetInterval
GetMax
GetMin
GetTextArea
GetValue
HideWang
SetDecimals
SetFloatValue
SetFraction
SetInterval
SetMax
SetMin
SetMinMax
SetValue
DNumSlider
OnValueChanged
GetDecimals
GetDefaultValue
GetMax
GetMin
GetRange
GetTextArea
GetValue
IsEditing
ResetToDefaultValue
SetConVar
SetDark
SetDecimals
SetDefaultValue
SetMax
SetMin
SetMinMax
SetValue
TranslateSliderValues
UpdateNotches
ValueChanged
DPanel
GetBackgroundColor
GetDisabled
GetDrawBackground
GetIsMenu
GetPaintBackground
GetTabbingDisabled
SetBackgroundColor
SetDisabled
SetDrawBackground
SetIsMenu
SetPaintBackground
SetTabbingDisabled
UpdateColours
DPanelList
AddItem
CleanList
Clear
EnableVerticalScrollbar
GetItems
GetPadding
GetSpacing
InsertAtTop
Rebuild
SetAutoSize
SetPadding
SetSpacing
DPanelOverlay
GetColor
GetType
PaintDifferentColours
PaintInnerCorners
SetColor
SetType
DPanelSelect
AddPanel
FindBestActive
OnActivePanelChanged
SelectPanel
DPanPanel
AddItem
GetCanvas
OnScroll
ScrollToChild
SetCanvas
DProgress
GetFraction
SetFraction
DProperties
CreateRow
GetCanvas
GetCategory
DProperty_Combo
AddChoice
DataChanged
SetSelected
Setup
DProperty_Float
GetDecimals
DProperty_Generic
GetRow
SetRow
Setup
ValueChanged
DProperty_VectorColor
Setup
SetValue
DPropertySheet
OnActiveTabChanged
AddSheet
CloseTab
CrossFade
GetActiveTab
GetFadeTime
GetItems
GetPadding
GetShowIcons
SetActiveTab
SetFadeTime
SetPadding
SetShowIcons
SetupCloseButton
SizeToContentWidth
SwitchToName
DRGBPicker
OnChange
GetPosColor
GetRGB
SetRGB
DScrollPanel
AddItem
GetCanvas
GetPadding
GetVBar
InnerWidth
PerformLayoutInternal
Rebuild
ScrollToChild
SetCanvas
SetPadding
DShape
GetBorderColor
GetColor
GetType
SetBorderColor
SetColor
SetType
DSizeToContents
GetSizeX
GetSizeY
SetSizeX
SetSizeY
DSlider
OnValueChanged
ResetToDefaultValue
TranslateValues
ConVarXNumberThink
ConVarYNumberThink
GetDragging
GetLockX
GetLockY
GetNotchColor
GetNotches
GetNumSlider
GetSlideX
GetSlideY
GetTrapInside
IsEditing
OnValuesChangedInternal
SetBackground
SetConVarX
SetConVarY
SetDragging
SetImage
SetImageColor
SetLockX
SetLockY
SetNotchColor
SetNotches
SetNumSlider
SetSlideX
SetSlideY
SetTrapInside
DSprite
GetColor
GetHandle
GetMaterial
GetRotation
SetColor
SetHandle
SetMaterial
SetRotation
DTab
GetPanel
GetPropertySheet
GetTabHeight
IsActive
SetPanel
SetPropertySheet
Setup
DTextEntry
OnChange
OnEnter
OnGetFocus
OnKeyCode
OnLoseFocus
OnValueChange
AddHistory
AllowInput
CheckNumeric
GetAutoComplete
GetCursorColor
GetDisabled
GetDrawBackground
GetDrawBorder
GetEnterAllowed
GetFloat
GetHighlightColor
GetHistoryEnabled
GetInt
GetNumeric
GetPaintBackground
GetPlaceholderColor
GetPlaceholderText
GetTabbingDisabled
GetTextColor
GetUpdateOnType
IsEditing
OnTextChanged
OpenAutoComplete
SetCursorColor
SetDisabled
SetDrawBackground
SetDrawBorder
SetEditable
SetEnterAllowed
SetFont
SetHighlightColor
SetHistoryEnabled
SetNumeric
SetPaintBackground
SetPlaceholderColor
SetPlaceholderText
SetTabbingDisabled
SetTextColor
SetUpdateOnType
SetValue
UpdateConvarValue
UpdateFromHistory
UpdateFromMenu
DTileLayout
OnModified
ClearTiles
ConsumeTiles
Copy
CopyContents
FindFreeTile
FitsInTile
GetBaseSize
GetBorder
GetMinHeight
GetSpaceX
GetSpaceY
GetTile
Layout
LayoutTiles
SetBaseSize
SetBorder
SetMinHeight
SetSpaceX
SetSpaceY
SetTile
DTooltip
Close
DrawArrow
OpenForPanel
PositionTooltip
SetContents
DTree
ChildExpanded
DoClick
DoRightClick
OnNodeSelected
AddNode
ExpandTo
GetClickOnDragHover
GetIndentSize
GetLineHeight
GetSelectedItem
GetShowIcons
LayoutTree
MoveChildTo
Root
SetClickOnDragHover
SetExpanded
SetIndentSize
SetLineHeight
SetSelectedItem
SetShowIcons
ShowIcons
DTree_Node
DoChildrenOrder
DoClick
DoRightClick
OnModified
OnNodeAdded
OnNodeSelected
AddFolder
AddNode
AddPanel
AnimSlide
ChildExpanded
CleanList
Copy
CreateChildNodes
ExpandRecurse
ExpandTo
FilePopulate
FilePopulateCallback
GetChildNode
GetChildNodeCount
GetChildNodes
GetDirty
GetDoubleClickToOpen
GetDraggableName
GetDrawLines
GetExpanded
GetFileName
GetFolder
GetForceShowExpander
GetHideExpander
GetIcon
GetIndentSize
GetLastChild
GetLineHeight
GetNeedsChildSearch
GetNeedsPopulating
GetParentNode
GetPathID
GetRoot
GetShowFiles
GetWildCard
Insert
InsertNode
InstallDraggable
InternalDoClick
InternalDoRightClick
IsRootNode
LeaveTree
MakeFolder
MoveChildTo
MoveToTop
PerformRootNodeLayout
PopulateChildren
PopulateChildrenAndSelf
SetDirty
SetDoubleClickToOpen
SetDraggableName
SetDrawLines
SetExpanded
SetFileName
SetFolder
SetForceShowExpander
SetHideExpander
SetIcon
SetLastChild
SetNeedsChildSearch
SetNeedsPopulating
SetParentNode
SetPathID
SetRoot
SetSelected
SetShowFiles
SetupCopy
SetWildCard
ShowIcons
DVerticalDivider
DoConstraints
GetBottom
GetBottomMin
GetDividerHeight
GetDragging
GetHoldPos
GetMiddle
GetTop
GetTopHeight
GetTopMax
GetTopMin
SetBottom
SetBottomMin
SetDividerHeight
SetDragging
SetHoldPos
SetMiddle
SetTop
SetTopHeight
SetTopMax
SetTopMin
StartGrab
DVScrollBar
AddScroll
AnimateTo
BarScale
GetHideButtons
GetOffset
GetScroll
Grip
SetHideButtons
SetScroll
SetUp
HTML
ConsoleMessage
OnBeginLoadingDocument
OnCallback
OnChangeAddressBar
OnChangeTargetURL
OnChangeTitle
OnChildViewCreated
OnDocumentReady
OnFinishLoadingDocument
IconEditor
AboveLayout
BestGuessLayout
FillAnimations
FullFrontalLayout
OriginLayout
Refresh
RenderIcon
RightLayout
SetDefaultLighting
SetFromEntity
SetIcon
UpdateEntity
ImageCheckBox
GetChecked
Set
SetChecked
SetMaterial
Material
SetAlpha
SetMaterial
MatSelect
OnRightClick
OnSelect
SelectedItemPaintOver
AddMaterial
AddMaterialEx
FindAndSelectMaterial
FindMaterialByValue
GetAutoHeight
SelectMaterial
SetAutoHeight
SetItemHeight
SetItemWidth
SetNumRows
PropSelect
OnRightClick
OnSelect
SelectModel
AddModel
AddModelEx
FindAndSelectButton
FindModelByValue
SpawnIcon
GetBodyGroup
GetModelName
GetSkinID
OpenMenu
SetBodyGroup
SetModelName
SetSkinID
SpawnmenuContentPanel
CallPopulateHook
EnableModify
EnableSearch
SwitchPanel
TextEntry
OnKeyCodeTyped
OnTextChanged
UGCPublishWindow
CheckInput
DisplayError
DoPublish
FitContents
GetChosenTag
OnPublishFinished
Setup
UpdateWorkshopItems
AchievementIcon
AvatarImage
Awesomium
Button
CheckButton
ContentSidebarToolbox
CtrlListBox
DCategoryHeader
DListLayout
DListView_ColumnPlain
DListView_DraggerBar
DListViewHeaderLabel
DListViewLabel
DListViewLine
DNumPad
DProperty_Boolean
DProperty_Entity
DProperty_Int
DScrollBarGrip
DTree_Node_Button
EditablePanel
fingerposer
FingerVar
Frame
Label
ModelImage
PanelList
PresetEditor
RadioButton
RichText
SlideBar
Slider
TGAImage
URLLabel
Enumerations
100
_USE
ACT
AIMR
AMMO
ANALOG
BLEND
BLENDFUNC
BLOOD_COLOR
BONE
BOUNDS
BOX
BUTTON_CODE
CAP
CHAN
CLASS
COLLISION_GROUP
COND
CONTENTS
CREATERENDERTARGETFLAGS
CT
D
DEATH_NOTICE
DISPSURF
DMG
DOCK
DOF
EF
EFL
FCVAR
FFT
FL
FORCE
FSASYNC
FSOLID
FVPHYSICS
GESTURE_SLOT
GLOBAL
GMOD_CHANNEL
GOALTYPE
HITGROUP
HUD
HULL
IMAGE_FORMAT
IN
JOYSTICK
KEY
kRenderFx
MASK
MAT
MATERIAL
MATERIAL_CULLMODE
MATERIAL_FOG
MATERIAL_LIGHT
MATERIAL_RT_DEPTH
MOUSE
MOVECOLLIDE
MOVETYPE
NAV
NAV_MESH
NavCorner
NavDir
NavTraverseType
NOTIFY
NPC_STATE
NUM
OBS_MODE
PATTACH
PLAYER
PLAYERANIMEVENT
RENDERGROUP
RENDERMODE
RT_SIZE
SCHED
SCREENFADE
SENSORBONE
SF
SIGNONSTATE
SIM
SND
SNDLVL
SOLID
SOUND
STENCIL
STENCILCOMPARISONFUNCTION
STENCILOPERATION
STEPSOUNDTIME
STUDIO
SURF
TASKSTATUS
TEAM
TEXFILTER
TEXT_ALIGN
TEXT_FILTER
TEXTUREFLAGS
TRACER
TRANSMIT
TYPE
USE
VIEW
WEAPON_PROFICIENCY
Structures
71
AmmoData
AngPos
AnimationData
AttachmentData
BalloonData
BodyGroupData
BoneBindPose
BoneManipulationData
BoneWeight
Bullet
CamData
CollisionData
Color
CreationMenus
DateData
DebugInfo
DynamicLight
EmitSoundInfo
ENT
EntityCopyData
FiredBullet
FontData
FormattedTime
GM
HTTPRequest
HullTrace
LocalLight
MatProxyData
MeshVertex
ModelInfo
ModelMeshData
NPCData
OperatingParams
PanelPaintState
PathSegment
PhysEnvPerformanceSettings
PhysicsObjectSave
PhysProperties
PLAYER
PolygonVertex
Preset
Problem
PropertyAdd
RenderCamData
RenderCaptureData
SequenceInfo
ServerQueryData
ShadowControlParams
SoundData
SoundHintData
SunInfo
SurfacePropertyData
SWEP
TeamData
TextData
TextureData
TOOL
ToScreenData
Trace
TraceResult
UGCFileInfo
Undo
VehicleParams
VehicleParamsAxle
VehicleParamsBody
VehicleParamsEngine
VehicleParamsSteering
VehicleTable
VideoData
ViewData
ViewSetup
Shaders
17
DepthWrite
g_bloom
g_blurx
g_blury
g_bokehblur
g_colourmodify
g_downsample
g_premultiplied
g_refract
g_sharpen
g_sky
g_sunbeams
g_texturize
gmodscreenspace
screenspace_general
showz
sobel
Miscellaneous Reference
30
2D Rendering Functions
2D Rendering Hooks
3D Rendering Functions
3D Rendering Hooks
Base HUD Element List
Blocked ConCommands
Common Sounds
Common Weapon Models
CS:S Kill Icons
Cursors
Default Ammo Types
Default Effects
Default Fonts
Default Lists
Default Palette
DSP Presets
Entity Callbacks
File Search Paths
Flag Icon List
Global States
Gradients
Half-Life 2 Sounds List
Hint Class List
Lua Hooks Order
Material Flags
Post-Processing Materials
Render Hook Order
Shaders
Silkicons
VGUI and Derma Elements List