Search icon
Arrow left icon
All Products
Best Sellers
New Releases
Books
Videos
Audiobooks
Learning Hub
Newsletters
Free Learning
Arrow right icon
Creative DIY Microcontroller Projects with TinyGo and WebAssembly
Creative DIY Microcontroller Projects with TinyGo and WebAssembly

Creative DIY Microcontroller Projects with TinyGo and WebAssembly: A practical guide to building embedded applications for low-powered devices, IoT, and home automation

By Tobias Theel
$15.99 per month
Book May 2021 322 pages 1st Edition
eBook
$26.99 $17.99
Print
$38.99
Subscription
$15.99 Monthly
eBook
$26.99 $17.99
Print
$38.99
Subscription
$15.99 Monthly

What do you get with a Packt Subscription?

Free for first 7 days. $15.99 p/m after that. Cancel any time!
Product feature icon Unlimited ad-free access to the largest independent learning library in tech. Access this title and thousands more!
Product feature icon 50+ new titles added per month, including many first-to-market concepts and exclusive early access to books as they are being written.
Product feature icon Innovative learning tools, including AI book assistants, code context explainers, and text-to-speech.
Product feature icon Thousands of reference materials covering every tech concept you need to stay up to date.
Subscribe now
View plans & pricing

Product Details


Publication date : May 14, 2021
Length 322 pages
Edition : 1st Edition
Language : English
ISBN-13 : 9781800560208
Category :
Table of content icon View table of contents Preview book icon Preview Book

Creative DIY Microcontroller Projects with TinyGo and WebAssembly

Chapter 2: Building a Traffic Lights Control System

In the previous chapter, we set up TinyGo and our IDE, and we now know how to build and flash our programs to the Arduino UNO. We are now going to utilize this knowledge to go one step further.

In this chapter, we are going to build a traffic lights control system. We are going to split the project into small steps, where we build and test each component. At the end, we are going to put everything together. We will be using multiple LEDs, a breadboard, GPIO ports, and a button to interrupt the normal flow to switch pedestrian lights to green. By the end of the chapter, you will know how to control external LEDs, read the state of a button, use GPIO ports, how to distinguish resistors, and how to utilize Goroutines in TinyGo.

In this chapter, we are going to cover the following topics:

  • Lighting an external LED
  • Lighting a single LED when a button is pressed
  • Building traffic lights
  • Building traffic lights with pedestrian lights

Technical requirements

To build the traffic lights control system, we are going to need some components. We will need the following to build the complete project:

  1. An Arduino UNO
  2. Breadboard
  3. Five LEDs
  4. Multiple jumper cables
  5. Multiple 220 Ohm resistors
  6. One push button
  7. One 10K Ohm resistor

You can find all code examples from this chapter in the following GitHub repository: https://github.com/PacktPublishing/Creative-DIY-Microcontroller-Projects-with-TinyGo-and-WebAssembly/tree/master/Chapter02

The Code in Action video for the chapter can be found here: https://bit.ly/2RpvF2a

Lighting an external LED

Before we start to build a more complex circuit, let's begin with lighting up an external LED. As soon as this is working, we are going to extend the circuit step by step. We begin with a single red LED. Lighting up an external LED is a bit different compared to lighting up an onboard LED. We are going to need something on which we can place the LED, and we will need some wires as well as a basic understanding of resistors, which will help us to prevent the LED from taking damage. That is why we are going to look at each component one by one.

Using breadboards

Breadboards are used for prototyping, as they do not require you to directly solder components. We are going to build all our projects using breadboards.

A breadboard typically consists of two parts:

  • The power bus
  • Horizontal rows

Each side of a breadboard has a power bus. The power bus provides a + (positive) lane and a - (ground) lane. The positive lane is colored red and the ground lane is colored blue. The individual slots are connected inside the power bus.

The slots of a single horizontal row are also connected. A signal in one slot is also available in the next slot. Different horizontal rows are not connected, unless we put a cable in there to create a connection. Here's what a breadboard looks like:

Figure 2.1 – A breadboard – image taken from Fritzing

Figure 2.1 – A breadboard – image taken from Fritzing

Understanding LED basics

The Arduino UNO has an operating voltage of 5V, which is too high for most LEDs. So, we need to reduce the voltage to something our LEDs can handle. For that reason, we will be using 220 Ohm resistors to draw current from the line in order to protect the LED from damage. If you do not have 220 Ohm resistors, you can also use 470 Ohm as well; anything between 220 and 1K (1K = 1,000) Ohm will be fine.

If you want to really make sure that the resistor matches the needs of the LED, you can also calculate the resistor value as follows:

R = (Vs – Vled) / Iled

Where:

  • R is the resistor value.
  • Vs is the source voltage.
  • Vled is the voltage drop across the LED.
  • Iled is the current through the LED.

    Note

    LEDs have anode (+) and cathode (-) leads. The anode lead is longer.

    Different colors need to be driven with different voltages. When using the same resistors and voltages for the different LED colors, you will notice that some colors will be brighter compared to others.

Using GPIO ports

GPIO stands for General Purpose Input Output. That means we can use these pins for input as well as output for digital signals. We can either set a GPIO pin to High or Low, or read a High or Low value from the port.

Note

We should never draw more than a maximum of 40.0 mA (milliampere) from a single GPIO port. Otherwise, we could permanently damage the hardware.

Building the circuit

Now let's build our first circuit on the breadboard:

  1. Put a red LED in the G column of the horizontal rows. Put the cathode in G12 and the anode in G13.
  2. Connect F12 with the ground lane on the power bus.
  3. Connect F13 and E13 using a 220 Ohm resistor. (Anything between 220 and 1,000 Ohms is okay.)
  4. Connect Pin 13 from the GPIO ports to A13.
  5. Connect the GND port to the ground lane on the power bus.

    Note

    The descriptions on your breadboard might differ from the ones I am using. If that is the case, you'll need to build the circuit by checking the next figure.

The circuit should now look like the following:

Figure 2.2 – Image of the circuit – image taken from Fritzing

Figure 2.2 – Image of the circuit – image taken from Fritzing

Writing the code

We start off by creating a new folder named Chapter02 in our project workspace. This folder will be used for all parts of this chapter. Inside the Chapter02 folder, we create a blinky-external folder and create a new main.go file inside.

The structure should look like the following:

Figure 2.3 - Project structure for writing the code

Figure 2.3 - Project structure for writing the code

We import the machine and time packages and put the following code into the main function:

  1. Declare and initialize a variable named outputConfig with a new PinConfig in output mode:
    outputConfig := machine.PinConfig{Mode: machine.
                    PinOutput}
  2. Declare and initialize a variable named greenLED with a value of machine.D13:
    greenLED := machine.D13
  3. Configure the LED with the outputConfig instance we created earlier, by passing it as a parameter into the Configure function:
    redLED.Configure(outputConfig)
  4. We then loop endlessly:
    for {
  5. Set redLED to Low (off):
      redLED.Low()
  6. Sleep for half a second. Without sleeping, the LED would be turned on and off at an extremely high rate, so we sleep after each change in a state:
      time.Sleep(500 * time.Millisecond)
  7. Set the redLED to High (on):
      redLED.High()
  8. Sleep for half a second:
      time.Sleep(500 * time.Millisecond)
    }
  9. Now flash the program using the tinygo flash command using the following command:
    tinygo flash –target=arduino Chapter02/blinky-external/main.go

When the flash progress completes and the Arduino restarts, the red LED should blink at intervals of 500 ms.

Congratulations, you have just built your first circuit and written your first program to control external hardware! As we now know how to connect and control external LEDs on a breadboard, we can continue to build a more advanced circuit. Let's do just that in the next section.

Lighting an LED when a button is pressed

Until now, we have only used code to directly control hardware components. Let's now try to read the state of a button in order to control an LED. We will need the following components:

  • At least 6 jumper wires
  • One LED (the color does not matter)
  • One 220 Ohm resistor
  • One 4-pinned-button (push down button)
  • One 10K Ohm resistor

Now let's go on to build the circuit.

Building the circuit

The following circuit extends the one we previously built. So, if you still have the previous circuit assembled, you just have to add the button part. The next circuit consists of two component groups. The first group is used to control an LED, and the second group is used to read the button state.

Adding the LED component

We start off with the LED circuit:

  1. Place an LED with the cathode in G12 and the anode in G13.
  2. Use a 220 Ohm resistor to connect F13 with D13.
  3. Connect port D13 from the GPIO ports with A13 using a jumper wire.
  4. Connect F12 with the ground lane of the power bus using a jumper wire.

Adding the button component

Now we are going to add a button:

  1. Use a jumper wire to connect A31 with the positive lane of the power bus.
  2. Use a 10K Ohm resistor to connect the ground lane of the power bus with B29.
  3. Connect D29 with port D2.
  4. Place the push button with one pin in E29, one in E31, one in F29, and the last pin in F31.

Our circuit should now look similar to the following:

Figure 2.4 – The circuit – image taken from Fritzing

Figure 2.4 – The circuit – image taken from Fritzing

Note

Before we start to write the code for this circuit, we need to learn how these buttons work.

As the button will not work if you place it incorrectly onto the breadboard, let's have a look at the button again.

The 4 pins on the button are grouped into two pins each. So, two pins are connected to each other. Looking at the back of the button, we should be able to see that two opposing pins are connected to each other. So, the button won't work as expected when you place it rotated by 90°.

Programming the logic

Before diving into the code, we will create a new folder named light-button inside the Chapter02 folder and create a main.go file in it, with an empty main function, using the following:

Figure 2.5 – The folder structure for the logic

Figure 2.5 – The folder structure for the logic

Let's now look at the main function and the pull-up resistor.

The main function

We want to light the LED when the button is pressed. To achieve this, we need to read from a pin and check for its state using the following steps:

  1. Initialize the outPutConfig variable with PinConfig in PinOutput mode. This config is going to be used to control the LED pin:
    outputConfig := machine.PinConfig{Mode: machine.
                    PinOutput}
  2. Initialize the inputConfig variable with PinConfig in PinInput mode. This config is being used for the pin that reads the button state and therefore needs to be an input:
    inputConfig := machine.PinConfig{Mode: machine.PinInput}
  3. Initialize the led variable with a value of machine.D13, which is the pin we have connected to led:
    led := machine.D13
  4. Configure led as output by passing outputConfig as the parameter, which is the pin that is connected to the button:
    led.Configure(outputConfig)
  5. Initialize the buttonInput variable with a value of machine.D2:
    buttonInput := machine.D2
  6. Configure buttonInput as an input by passing inputConfig as the parameter:
    buttonInput.Configure(inputConfig)
  7. As we do not want the program to be terminated after checking the button state a single time, we use an endless loop to repeat and check forever:
    for {
  8. Check the current state of the button. It will be true if the button is pressed:
      if buttonInput.Get() {
  9. If the button is pressed, we light up the LED:
        led.High()
  10. We are calling continue here, so we do not execute the led.Low() call:
        continue
       }
  11. If the button is not pressed, we turn the LED off:
        led.Low()
    }

    Note

    Do not forget to import the machine package, otherwise the code will not compile.

Now flash the program using the tinygo flash command:

tinygo flash –target=arduino Chapter02/light-button/main.go

After successfully flashing, the LED should light up when you press the button.

The pull-up resistor

You may have wondered why we need a 10K Ohm resistor in the button circuit. The 10K Ohm resistor is used to prevent the signal/pin from floating. Floating pins are bad, as an input pin in a floating state is indeterminate. When trying to read a value from a pin, we expect to get a digital value – 1 or 0, or true or false. Floating means that the value can change rapidly between 1 and 0, which happens without pull-up or pull-down resistors. Here's some further reading on floating pins: https://www.mouser.com/blog/dont-leave-your-pins-floating.

As an alternative to the 10K Ohm external resistor, an internal resistor can be used.

Configuring an input pin to use an internal resistor is done as follows:

inputConfig := machine.PinConfig{
               Mode: machine.PinInputPullup
}

We have now learned how to control an LED using an input signal, which was given by a button. The next step is to build the traffic lights flow to control three LEDs.

Building traffic lights

We know how to light up a single LED, and we also know how to light up an LED using a button input. The next step is to build a circuit using three LEDs and to write the code to light them up in the correct order.

Building the circuit

To build the circuit, we need the following components:

  • Three LEDs (preferably red, yellow, and green)
  • Three 220 Ohm resistors
  • Seven jumper wires

We start by first setting up the components using the following steps:

  1. Connect GND from the Arduino to any ground port on the power bus.
  2. Place the first (red) LED with the cathode in G12 and the anode in G13.
  3. Place the second (yellow) LED with the cathode in G15 and the anode in G16.
  4. Place the third (green) LED with the cathode in G18 and the anode in G19.
  5. Connect F13 with D13 using a 220 Ohm resistor.
  6. Connect F16 with D16 using a 220 Ohm resistor.
  7. Connect F19 with D19 using a 220 Ohm resistor.
  8. Connect F13 to Ground on the power bus using a jumper wire.
  9. Connect F16 to Ground on the power bus using a jumper wire.
  10. Connect F19 to Ground on the power bus using a jumper wire.
  11. Connect port D13 to A12 using a jumper wire.
  12. Connect port D16 to A12 using a jumper wire.
  13. Connect port D19 to A12 using a jumper wire.

Your circuit should now look similar to the following figure:

Figure 2.6 – The traffic lights circuit – image taken from Fritzing

Figure 2.6 – The traffic lights circuit – image taken from Fritzing

We have now successfully set up the circuit. Now we can continue to write some code to control the LEDs.

Creating a folder structure

We start off by creating a new folder named traffic-lights-simple inside the Chapter02 folder. Also, we create a main.go file inside the new folder and start off with an empty main function. Your project structure should now look like this:

Figure 2.7 - Folder structure for the circuit

Figure 2.7 - Folder structure for the circuit

Writing the logic

We have successfully set up our project structure to continue. We are going to implement the following flow:

RED -> RED-YELLOW -> GREEN -> YELLOW -> RED

This is a typical flow for traffic lights with three bulbs.

We are going to configure three pins as output, and afterward, we want to endlessly loop and light up the LEDs in this flow.

Inside the main function, we write the following:

  1. Initialize a new variable named outputConfig as PinConfig using the PinOutPut mode:
    outputConfig := machine.PinConfig{Mode: machine.
                    PinOutput}
  2. Initialize a new variable named redLED with the value machine.D13 and configure it as output:
    redLED := machine.D13
    redLED.Configure(outputConfig)
  3. Initialize a new variable named yellowLED with the value machine.D12 and configure it as output:
    yellowLED := machine.D12
    yellowLED.Configure(outputConfig)
  4. Initialize a new variable named greenLED with the value machine.D11 and configure it as output:
    greenLED := machine.D11
    greenLED.Configure(outputConfig)

We have now initialized our variables to act as output pins. The next step is to light up the LEDs in the correct order. We basically have four phases, which just need to repeat in order to simulate a real traffic light. Let's go through these one by one:

  1. We are going to handle the phases in an endless loop:
    for {
  2. For RED-Phase, turn on the red LED and wait for a second:
        redLED.High()
        time.Sleep(time.Second)
  3. For RED-YELLOW-Phase, turn on the yellow LED and wait for a second:
        yellowLED.High()
        time.Sleep(time.Second)
  4. For GREEN-PHASE, turn off the yellow and red LEDs and turn on the green LED and wait for a second:
        redLED.Low()
        yellowLED.Low()
        greenLED.High()
        time.Sleep(time.Second)
  5. For YELLOW-Phase, turn off the green LED and turn on the yellow LED, then wait for a second and turn off yellow again, so we can start cleanly with RED-Phase again:
        greenLED.Low()
        yellowLED.High()
        time.Sleep(time.Second)
        yellowLED.Low()
    }

The complete content of the function is available at the following URL:

https://github.com/PacktPublishing/Programming-Microcontrollers-and-WebAssembly-with-TinyGo/blob/master/Chapter02/traffic-lights-simple/main.go

Note

Don't forget to import the time and machine packages.

We have now assembled and programmed a complete traffic lights flow. The next step is to combine everything we have built to complete our project.

Building traffic lights with pedestrian lights

We will now combine everything we have learned and done in this chapter to create an even more realistic traffic lights system. We will do so by assembling a circuit that contains the three-bulb traffic lights from the previous step and adding pedestrian lights with two bulbs that are controlled by a button.

Assembling the circuit

For our final project in this chapter, we need the following:

  • Five LEDs: preferably two red, one yellow, and two green
  • Five 220 Ohm resistors, one for each LED
  • One 10K Ohm resistor as a pull-up resistor for our push button
  • One 4-pin push button
  • 14 jumper wires

We start by setting up the three-bulb traffic lights using the following steps:

  1. Place the first LED (red) with the cathode on G12 and the anode on G13.
  2. Place the second LED (yellow) with the cathode on G15 and the anode on G16.
  3. Place the third LED (green) with the cathode on G18 and the anode on G19.
  4. Use a 220 Ohm resistor to connect F13 with D13.
  5. Use a 220 Ohm resistor to connect F16 with D16.
  6. Use a 220 Ohm resistor to connect F19 with D19.
  7. Connect pin D13 with A13 using a jumper wire.
  8. Connect pin D12 with A16 using a jumper wire.
  9. Connect pin D11 with A10 using a jumper wire.
  10. Connect F12 with Ground on the power bus using a jumper wire.
  11. Connect F15 with Ground on the power bus using a jumper wire.
  12. Connect F18 with Ground on the power bus using a jumper wire.

Now assemble the pedestrian lights using the following steps:

  1. Place the fourth LED (red) with the cathode on G22 and the anode on G23.
  2. Place the fifth LED (green) with the cathode on G25 and the anode on G26.
  3. Use a 220 Ohm resistor to connect F23 with D23.
  4. Use a 220 Ohm resistor to connect F26 with D26.
  5. Connect pin D5 with A23 using a jumper wire.
  6. Connect pin D4 with A26 using a jumper wire.
  7. Connect F22 with Ground on the power bus using a jumper wire.
  8. Connect F24 with Ground on the power bus using a jumper wire.

Now we only need to assemble the button and connect the power bus:

  1. Place a push button with the left pins in E29 and F29 and the right pins on E31 and F31.
  2. Use a 10K Ohm resistor to connect the Ground from the power bus with B29.
  3. Connect pin D2 with C29 using a jumper wire.
  4. Connect A31 with the positive lane on the power bus using a jumper wire.
  5. Connect the positive lane on the power bus with the 5V port on the Arduino UNO using a jumper wire.
  6. Connect the ground lane on the power bus with a ground port on the Arduino UNO using a jumper wire.

When you've finished assembling, your circuit should look like this:

Figure 2.8 – Circuit for the traffic lights with pedestrian lights controlled by 
a button – image taken from Fritzing

Figure 2.8 – Circuit for the traffic lights with pedestrian lights controlled by a button – image taken from Fritzing

Great, we have now completely assembled our final project for this chapter. We can now write some code to bring this project to life.

Setting up the project structure

We start off by creating a new folder named traffic-lights-pedestrian inside the Chapter02 folder. Inside the new folder, we create a new main.go file with an empty main function.

Our project structure should now look like the following:

Figure 2.9 - Project structure for the project

Figure 2.9 - Project structure for the project

Writing the logic

We are going to split the program into three parts:

  • Initialization logic
  • Main logic
  • trafficLights logic

Initializing the logic

We need to initialize a stopTraffic variable and configure the pins for the LEDs as output pins using the following steps:

  1. We start off by declaring a bool variable named stopTraffic at the package level. This variable is going to be used as a communication channel between our two logic parts:
    var stopTraffic bool
  2. The first thing we do in the main method is set the value of stopTraffic to false:
    stopTraffic = false
  3. We declare and initialize a new variable named outputConfig with PinConfig in PinOutput mode. We are going to pass this config to all LED pins:
    outputConfig := machine.PinConfig{Mode: machine.
                    PinOutput}
  4. We initialize some new variables: greenLED with the value machine.D11, yellowLED with the value machine.D12, and redLED with the value machine.D13. Then, we configure each LED variable as output pins:
    greenLED := machine.D11
    greenLED.Configure(outputConfig)
    yellowLED := machine.D12
    yellowLED.Configure(outputConfig)
    redLED := machine.D13
    redLED.Configure(outputConfig)
  5. We initialize some new variables: pedestrianGreen with the value machine.D4 and pedestrianRed with the value machine.D5. Then, we configure each LED variable as output pins:
    pedestrianGreen := machine.D4
    pedestrianGreen.Configure(outputConfig)
    pedestrianRed := machine.D5
    pedestrianRed.Configure(outputConfig)
  6. We declare and initialize a new variable named inputConfig with PinConfig in PinInput mode. Then, we declare and initialize a new variable named buttonInput with the value machine.D2 and configure buttonInput as the input pin:
    inputConfig := machine.PinConfig{Mode: machine.PinInput}
    buttonInput := machine.D2
    buttonInput.Configure(inputConfig)

That's it for the initialization. We have set up all pins and a Boolean variable at the package level.

Note

The pin constants, such as machine.D13, are of the machine.Pin type.

Writing the trafficLights logic

We will now write the complete logic to control all the LEDs in our circuit. This is going to be the first time that we have to move some parts of the code into other functions.

To do that, we start by writing a new function named trafficLights that takes all five LED pins as parameters and has no return value. Inside the function, we start off with an empty, endless loop. Our function should now look like the following:

func trafficLights(redLED, greenLED, yellowLED, pedestrianRED, 
    pedestrianGreen machine.Pin) {
      for {
      }
}

All the logic will be placed inside the for loop. The actual logic in the loop consists of two parts:

  • Handling signals from the button to stop the traffic and control the pedestrian lights
  • Controlling the normal traffic lights flow

We start off with handling the signals from the button. To do that, we check for stopTraffic in the if, and also have an empty else branch. It looks like the following:

        if stopTraffic {
    } else {
}

So, when stopTraffic is true, we want to set our traffic lights phase to be red. Also, we want to set the pedestrian lights phase to green for 3 seconds and then back to red and set stopTraffic to false afterward, as we handled the signal one time.

Let's implement this logic using the following steps:

  1. Set traffic lights phase to red:
    redLED.High()
    yellowLED.Low()
    greenLED.Low()
  2. Set the pedestrian lights phase to green for 3 seconds:
    pedestrianGreen.High()
    pedestrianRED.Low()
    time.Sleep(3 * time.Second)
  3. Set the pedestrian lights phase to red:
    pedestrianGreen.Low()
    pedestrianRED.High()
  4. Set stopTraffic to false, as we have handled the signal:
    stopTraffic = false
  5. In the else block, we just reset the pedestrian lights state to red:
    pedestrianGreen.Low()
    pedestrianRED.High()

Okay, that is the part that reacts to stopTraffic signals. Underneath that if-else block, we are going to implement the actual logic to control the traffic lights flow, which is the same as done earlier. So, we start with the red phase, transit to the red-yellow phase, then to green, then to yellow, and then reset yellow to be able to start clean again, as follows:

redLED.High()
time.Sleep(time.Second)
yellowLED.High()
time.Sleep(time.Second)
redLED.Low()
yellowLED.Low()
greenLED.High()
time.Sleep(time.Second)
greenLED.Low()
yellowLED.High()
time.Sleep(time.Second)
yellowLED.Low()

That is all that we have to do in the trafficLights function.

Implementing the main logic

Now we only need to run the trafficLights function and handle the button input at the same time. This is where goroutines come in. As microcontrollers only have one processor core, which works with a single thread, we cannot have real parallel execution of tasks. As we use goroutines on an Arduino UNO, we will need some additional build parameters. We are going to learn about these parameters later, when we flash the program. In our case, we want to have a listener on the button, while still being able to step through the traffic lights process. The logic consists of three steps:

  1. Initialize the pedestrian lights with the red phase.
  2. Run the trafficLights function in a goroutine.
  3. Handle the button input.

For the first part, we only have to set the pedestrianRED LED to High and the pedestrianGreen LED to Low:

pedestrianRed.High()
pedestrianGreen.Low()

Now we just call trafficLights and pass all necessary parameters using a goroutine:

go trafficLights(redLED, greenLED, yellowLED, pedestrianRed, pedestrianGreen)

For the last step, we need an endless loop that checks for buttonInput and to set stopTraffic to true if the button is pressed. We also need it to sleep for 50 milliseconds afterward:

for {
  if buttonInput.Get() {
    stopTraffic = true
  }
  time.Sleep(50 * time.Millisecond)
}

Note

It is necessary to add a sleep time to the loop that handles the button input because the scheduler needs time to run the goroutine. The goroutine is being handled in the time that the main function is sleeping. Also, other blocking functions, such as reading from a channel, can be used to give the scheduler time to work on other tasks.

As we now have completed our logic, it is time to flash the program onto the controller. As we are using goroutines in this project, we need to pass additional parameters to the tinygo flash command:

tinygo flash -scheduler tasks -target=arduino Chapter02/traffic-lights-pedestrian/main.go

As the ATmega328p has very limited resources, the scheduler is deactivated by default on boards that use this microcontroller. The Arduino UNO is such a board. When using other microcontrollers, we would normally not need to override the default scheduler by setting this parameter.

We have now successfully flashed our program to the Arduino Uno. The traffic lights should start looping all phases and the pedestrian lights should remain in the red phase. When clicking the button, the traffic lights should end their loop and then the pedestrian lights should switch to the green phase, while the traffic lights remain on the red phase for 3 seconds.

Note

Due to the very limited memory on the Arduino Uno, working with goroutines might only work in projects that are not very complex, such as this one.

Summary

We have learned how to build a fully functional traffic lights system with pedestrian lights controlled by a button. We achieved this by building each part of the project separately and assembling it all together at the end.

We learned how to use breadboards, how the color codes on resistors work, why we use resistors when controlling LEDs, and how external LEDs are assembled. Also, we learned how to use push buttons, how to prevent floating signals using pullup resistors, and how to utilize goroutines in TinyGo.

In the next chapter, we are going to learn how to read input from a 4x4 keypad and how to control a servo motor. We are going to utilize this knowledge to build a safety lock that opens when the correct passcode is entered.

Questions

  1. Why do we place a resistor between an LED anode and the GPIO port?
  2. How do we stop a signal from floating?
  3. Why do we sleep after checking a button's state?
  4. How would you modify the code to achieve the following behavior?

    a. When the button is pressed, turn off the red and green LEDs of the traffic lights and let the yellow LED blink.

    b. When the button is pressed again: go back to the normal phase rotation.

Left arrow icon Right arrow icon
Download code icon Download Code

Key benefits

  • Build creative embedded apps with TinyGo using low-powered devices and microcontrollers
  • Understand the practicality involved in integrating hardware and sensors while programming them using TinyGo
  • Use TinyGo in modern browsers to display embedded applications' statistics on WebAssembly dashboards

Description

While often considered a fast and compact programming language, Go usually creates large executables that are difficult to run on low-memory or low-powered devices such as microcontrollers or IoT. TinyGo is a new compiler that allows developers to compile their programs for such low-powered devices. As TinyGo supports all the standard features of the Go programming language, you won't have to tweak the code to fit on the microcontroller. This book is a hands-on guide packed full of interesting DIY projects that will show you how to build embedded applications. You will learn how to program sensors and work with microcontrollers such as Arduino UNO and Arduino Nano IoT 33. The chapters that follow will show you how to develop multiple real-world embedded projects using a variety of popular devices such as LEDs, 7-segment displays, and timers. Next, you will progress to build interactive prototypes such as a traffic lights system, touchless hand wash timer, and more. As you advance, you'll create an IoT prototype of a weather alert system and display those alerts on the TinyGo WASM dashboard. Finally, you will build a home automation project that displays stats on the TinyGo WASM dashboard. By the end of this microcontroller book, you will be equipped with the skills you need to build real-world embedded projects using the power of TinyGo.

What you will learn

Discover a variety of TinyGo features and capabilities while programming your embedded devices Explore how to use display devices to present your data Focus on how to make TinyGo interact with multiple sensors for sensing temperature, humidity, and pressure Program hardware devices such as Arduino Uno and Arduino Nano IoT 33 using TinyGo Understand how TinyGo works with GPIO, ADC, I2C, SPI, and MQTT network protocols Build your first TinyGo IoT and home automation prototypes Integrate TinyGo in modern browsers using WebAssembly

What do you get with a Packt Subscription?

Free for first 7 days. $15.99 p/m after that. Cancel any time!
Product feature icon Unlimited ad-free access to the largest independent learning library in tech. Access this title and thousands more!
Product feature icon 50+ new titles added per month, including many first-to-market concepts and exclusive early access to books as they are being written.
Product feature icon Innovative learning tools, including AI book assistants, code context explainers, and text-to-speech.
Product feature icon Thousands of reference materials covering every tech concept you need to stay up to date.
Subscribe now
View plans & pricing

Product Details


Publication date : May 14, 2021
Length 322 pages
Edition : 1st Edition
Language : English
ISBN-13 : 9781800560208
Category :

Table of Contents

13 Chapters
Preface Chevron down icon Chevron up icon
Chapter 1: Getting Started with TinyGo Chevron down icon Chevron up icon
Chapter 2: Building a Traffic Lights Control System Chevron down icon Chevron up icon
Chapter 3: Building a Safety Lock Using a Keypad Chevron down icon Chevron up icon
Chapter 4: Building a Plant Watering System Chevron down icon Chevron up icon
Chapter 5: Building a Touchless Handwash Timer Chevron down icon Chevron up icon
Chapter 6: Building Displays for Communication using I2C and SPI Interfaces Chevron down icon Chevron up icon
Chapter 7: Displaying Weather Alerts on the TinyGo Wasm Dashboard Chevron down icon Chevron up icon
Chapter 8: Automating and Monitoring Your Home through the TinyGo Wasm Dashboard Chevron down icon Chevron up icon
Assessments Chevron down icon Chevron up icon
Afterword Chevron down icon Chevron up icon
Other Books You May Enjoy Chevron down icon Chevron up icon
Appendix – "Go"ing Ahead Chevron down icon Chevron up icon

Customer reviews

Filter icon Filter
Top Reviews
Rating distribution
Empty star icon Empty star icon Empty star icon Empty star icon Empty star icon 0
(0 Ratings)
5 star 0%
4 star 0%
3 star 0%
2 star 0%
1 star 0%

Filter reviews by


No reviews found
Get free access to Packt library with over 7500+ books and video courses for 7 days!
Start Free Trial

FAQs

What is included in a Packt subscription? Chevron down icon Chevron up icon

A subscription provides you with full access to view all Packt and licnesed content online, this includes exclusive access to Early Access titles. Depending on the tier chosen you can also earn credits and discounts to use for owning content

How can I cancel my subscription? Chevron down icon Chevron up icon

To cancel your subscription with us simply go to the account page - found in the top right of the page or at https://subscription.packtpub.com/my-account/subscription - From here you will see the ‘cancel subscription’ button in the grey box with your subscription information in.

What are credits? Chevron down icon Chevron up icon

Credits can be earned from reading 40 section of any title within the payment cycle - a month starting from the day of subscription payment. You also earn a Credit every month if you subscribe to our annual or 18 month plans. Credits can be used to buy books DRM free, the same way that you would pay for a book. Your credits can be found in the subscription homepage - subscription.packtpub.com - clicking on ‘the my’ library dropdown and selecting ‘credits’.

What happens if an Early Access Course is cancelled? Chevron down icon Chevron up icon

Projects are rarely cancelled, but sometimes it's unavoidable. If an Early Access course is cancelled or excessively delayed, you can exchange your purchase for another course. For further details, please contact us here.

Where can I send feedback about an Early Access title? Chevron down icon Chevron up icon

If you have any feedback about the product you're reading, or Early Access in general, then please fill out a contact form here and we'll make sure the feedback gets to the right team. 

Can I download the code files for Early Access titles? Chevron down icon Chevron up icon

We try to ensure that all books in Early Access have code available to use, download, and fork on GitHub. This helps us be more agile in the development of the book, and helps keep the often changing code base of new versions and new technologies as up to date as possible. Unfortunately, however, there will be rare cases when it is not possible for us to have downloadable code samples available until publication.

When we publish the book, the code files will also be available to download from the Packt website.

How accurate is the publication date? Chevron down icon Chevron up icon

The publication date is as accurate as we can be at any point in the project. Unfortunately, delays can happen. Often those delays are out of our control, such as changes to the technology code base or delays in the tech release. We do our best to give you an accurate estimate of the publication date at any given time, and as more chapters are delivered, the more accurate the delivery date will become.

How will I know when new chapters are ready? Chevron down icon Chevron up icon

We'll let you know every time there has been an update to a course that you've bought in Early Access. You'll get an email to let you know there has been a new chapter, or a change to a previous chapter. The new chapters are automatically added to your account, so you can also check back there any time you're ready and download or read them online.

I am a Packt subscriber, do I get Early Access? Chevron down icon Chevron up icon

Yes, all Early Access content is fully available through your subscription. You will need to have a paid for or active trial subscription in order to access all titles.

How is Early Access delivered? Chevron down icon Chevron up icon

Early Access is currently only available as a PDF or through our online reader. As we make changes or add new chapters, the files in your Packt account will be updated so you can download them again or view them online immediately.

How do I buy Early Access content? Chevron down icon Chevron up icon

Early Access is a way of us getting our content to you quicker, but the method of buying the Early Access course is still the same. Just find the course you want to buy, go through the check-out steps, and you’ll get a confirmation email from us with information and a link to the relevant Early Access courses.

What is Early Access? Chevron down icon Chevron up icon

Keeping up to date with the latest technology is difficult; new versions, new frameworks, new techniques. This feature gives you a head-start to our content, as it's being created. With Early Access you'll receive each chapter as it's written, and get regular updates throughout the product's development, as well as the final course as soon as it's ready.We created Early Access as a means of giving you the information you need, as soon as it's available. As we go through the process of developing a course, 99% of it can be ready but we can't publish until that last 1% falls in to place. Early Access helps to unlock the potential of our content early, to help you start your learning when you need it most. You not only get access to every chapter as it's delivered, edited, and updated, but you'll also get the finalized, DRM-free product to download in any format you want when it's published. As a member of Packt, you'll also be eligible for our exclusive offers, including a free course every day, and discounts on new and popular titles.