Animating LEDs

How to animate LEDs using a main loop.

Manually setting the color of each LED is nice, but of course it’s much more interesting to animate them! Of course that’s possible with a bit more code, see the code and demo on the right.

There are many ways to code an animation, but one that works well in many cases is by using a main loop that updates the in-memory color values, sends them out to the LED strip, and sleeps for a bit. Let’s go through the code:

	// Configure LEDs.
	ledPin.Configure(machine.PinConfig{Mode: machine.PinOutput})
	ws := ws2812.New(ledPin)
	leds := make([]color.RGBA, 10)

This configures the LEDs as before. One difference is that we create a slice of color values in advance, without setting their initial values. But since all color components get initialized to zero, this effectively creates an all-black color slice.

	red := false
	for {
		// ...
	}

This is the main loop of the program. It’s an infinite loop (much like the loop function on the Arduino platform) that controls the LEDs infinitely - or, more likely, until you pull the power.

Note also that it initializes the red variable to false, which is later used to toggle the color each cycle.

		// Update the in-memory LED array.
		red = !red
		for i := range leds {
			red = !red
			if red {
				leds[i] = color.RGBA{R: 0xff}
			} else {
				leds[i] = color.RGBA{G: 0xff}
			}
		}

This is the first step of the loop. All values in the LED array get set to a specific color (red or green), toggling the color for each LED.

		// Send the new colors to the LED strip.
		ws.WriteColors(leds)

Like before, this is where the LED strip gets updated.

		// Wait a bit until the next update.
		time.Sleep(time.Second / 2)

This sleeps for a bit, so that the LED animation looks correct. In fact, this sleep is necessary for the correct functioning of the LED strip! Because the WS2812 protocol only knows when it has received all data when there’s a short delay (up to 50µs) in the received data, we need to sleep for at least a short while.

Last modified March 13, 2025: tour: add short WS2812 tour (b0c9bff)
Loading...

Note: these numbers are estimates, based on datasheets and measurements. They don't include everything and may be wrong.

Loading...