This document describes a simple traffic light control circuit that is designed to operate a three-color traffic light system using an Arduino UNO microcontroller. The circuit controls the green, yellow, and red LEDs of a traffic light to illuminate in a specific sequence, simulating a standard traffic light operation. The green LED is on for 5 seconds, followed by the yellow LED for 2 seconds, and then the red LED for 5 seconds. This cycle repeats indefinitely.
/*
* This Arduino sketch controls a traffic light system.
* The green LED is on for 5 seconds, followed by the yellow LED for 2 seconds,
* and then the red LED for 5 seconds. This cycle repeats indefinitely.
*/
// Pin definitions
const int greenPin = 3;
const int yellowPin = 2;
const int redPin = 1;
void setup() {
// Initialize the digital pins as outputs
pinMode(greenPin, OUTPUT);
pinMode(yellowPin, OUTPUT);
pinMode(redPin, OUTPUT);
}
void loop() {
// Turn on the green LED
digitalWrite(greenPin, HIGH);
delay(5000); // Wait for 5 seconds
digitalWrite(greenPin, LOW);
// Turn on the yellow LED
digitalWrite(yellowPin, HIGH);
delay(2000); // Wait for 2 seconds
digitalWrite(yellowPin, LOW);
// Turn on the red LED
digitalWrite(redPin, HIGH);
delay(5000); // Wait for 5 seconds
digitalWrite(redPin, LOW);
}
File Name: sketch.ino
Description: The code provided is an Arduino sketch that defines three output pins corresponding to the green, yellow, and red LEDs of the traffic light. The setup()
function initializes these pins as outputs. The loop()
function then controls the state of each LED, turning them on and off in sequence with specified delays to create the traffic light timing pattern.