Hey Devs!
I’ve been playing around with the Roblox chat system and built a simple custom command handler to spice up player interactions. It’s a lightweight way to add commands like /wave
or /info
without needing a full admin system. Sharing it here for anyone who wants to adapt it for their game!
local Players = game:GetService("Players")
local ChatService = game:GetService("Chat")
local Commands = {
["wave"] = function(player)
return player.Name .. " waves at everyone!"
end,
["info"] = function(player)
return "Player: " .. player.Name .. " | Level: " .. (player:FindFirstChild("leaderstats") and player.leaderstats.Level.Value or "N/A")
end
}
local function onChatted(player, message)
if message:sub(1, 1) == "/" then
local command = message:lower():sub(2):split(" ")[1]
if Commands[command] then
local response = Commands[command](player)
ChatService:Chat(player.Character.Head, response, Enum.ChatColor.Blue)
else
ChatService:Chat(player.Character.Head, "Unknown command!", Enum.ChatColor.Red)
end
end
end
Players.PlayerAdded:Connect(function(player)
player.Chatted:Connect(function(message)
onChatted(player, message)
end)
end)
This script checks for messages starting with /
, grabs the command, and runs a function from the Commands
table. For example, /wave
broadcasts a wave message, and /info
shows player details (assuming a leaderstats
setup). It uses the built-in chat system to display responses above the player’s head.
What do you think? I’m considering adding argument parsing (e.g., /give playername item
) or cooldowns. Any cool command ideas to share?
How to Use
- Drop this script into
ServerScriptService
. - Add your own commands to the
Commands
table. - Test with
/wave
or/info
in-game.
Potential Enhancements
- Add permissions so only certain players can use specific commands.
- Include command arguments for more complex actions.
- Log commands to a server console for moderation.