RobloxScripterAI
Discord ↗
Link Copied to Clipboard
×
"make a gui with a black background and three green buttons, add comments to code"
To create a GUI with a black background and three green buttons, you can use a LocalScript that runs on the client-side. Below is an example of how you can achieve this. Make sure to insert this LocalScript into a ScreenGui object within the StarterGui service to ensure it runs for each player. ```lua -- LocalScript within a ScreenGui -- Create a Frame to be the black background local frame = Instance.new("Frame") frame.Parent = script.Parent -- The parent should be the ScreenGui frame.BackgroundColor3 = Color3.new(0, 0, 0) -- Set the background color to black frame.Size = UDim2.new(1, 0, 1, 0) -- Make the frame fill the entire screen -- Function to create a green button local function createGreenButton(name, position) local button = Instance.new("TextButton") button.Parent = frame button.Text = name button.BackgroundColor3 = Color3.new(0, 1, 0) -- Set the button color to green button.Size = UDim2.new(0, 100, 0, 50) -- Set the size of the button button.Position = position -- You can connect button events here, for example: -- button.MouseButton1Click:Connect(function() print(name .. " button clicked") end) return button end -- Create three green buttons with different names and positions local button1 = createGreenButton("Button1", UDim2.new(0.5, -150, 0.5, -75)) local button2 = createGreenButton("Button2", UDim2.new(0.5, -50, 0.5, -75)) local button3 = createGreenButton("Button3", UDim2.new(0.5, 50, 0.5, -75)) -- Optionally, you can add functionality to the buttons here -- For example, you can make them print a message when clicked: button1.MouseButton1Click:Connect(function() print("Button1 was clicked!") end) button2.MouseButton1Click:Connect(function() print("Button2 was clicked!") end) button3.MouseButton1Click:Connect(function() print("Button3 was clicked!") end) ``` This script creates a full-screen black frame and three green buttons positioned horizontally in the center of the screen. The `createGreenButton` function is a helper function that simplifies the creation of buttons by taking a name and position as arguments. The `MouseButton1Click` event is connected to each button to print a message to the output when clicked, demonstrating how you can add interactivity to your GUI elements.