DEV Community

Cover image for WebUSB by example
Gergana Young
Gergana Young

Posted on • Originally published at Medium

WebUSB by example

I have been researching the WebUSB API for a while now, how it works and what it can be used for. If you have not yet, take a look at the previous article I wrote on this topic: USB: A web developer perspective. Even after reading a lot about the API, I still struggled, until I tried it myself.

I always find that the best way to learn is to write some code, so in this article we are going to do exactly that. Using an nRF52 dongle and the code created by Lars Knudsen in this GitHub repo we will build a website that will connect to the device via USB. After we are connected we will add functionality to change the colours of the device's LED from our website. Lastly, we will add in some code to listen for messages sent from the device back to our computer and display those on the page.

What you will need

The hardware

Something important to understand about the WebUSB API is that it is not the code that runs on the device. It is the code we use to control the device and communicate with it via USB. This means we still require some code running on the device. In the case of the nRF52 dongle we are going to use Zephyr.

If you would like to build the firmware yourself you would first have to follow the instructions for Getting Started with Zephyr. Then, you would have to follow the instructions in the repo for building the firmware and flashing it onto the device.

I'd prefer to keep the focus of the tutorial on the WebUSB side of things. If you are more interested in the web parts as well then you can download the already packaged zip file from Lars' repo and flash it onto the device with the command nrfutil dfu serial -pkg pkg.zip -p /dev/ttyACM0 replacing the /dev/ttyACM0 with the USB port that your device is plugged into.

Connecting

Let's start with connecting to the USB device. I have already created HTML and CSS files for our website. Now all we have to do is write the JavaScript that connects it all together.

There are however a few small things in the HTML file we need to keep in mind:

  • Three buttons with IDs: connectButton, disconnectButton and colourButton.
  • A div with ID connected.
  • An input of type color with ID colourPicker.
  • Two spans with IDs deviceHeartbeat and deviceButtonPressed.

The first thing we will do in our JavaScript code is declare all of these elements:

const connectButton = document.getElementById('connectButton');
const disconnectButton = document.getElementById('disconnectButton');

const colourPicker = document.getElementById('colourPicker');
const colourButton = document.getElementById('colourButton');

const connect = document.getElementById('connect');

const deviceHeartbeat = document.getElementById('deviceHeartbeat');
const deviceButtonPressed = document.getElementById('deviceButtonPressed');

Now we can start working with them and the device. We need to connect to the device, select a configuration and claim an interface:

let device;
connectButton.onclick = async () => {
  device = await navigator.usb.requestDevice({
    filters: [{ vendorId: 0x2fe3 }]
  });

  await device.open();
  await device.selectConfiguration(1);
  await device.claimInterface(0);

  connected.style.display = 'block';
  connectButton.style.display = 'none';
  disconnectButton.style.display = 'initial';
};

As you can see in the code above we are declaring the device in the global scope so that once we have connected to it we will have access to it in all other parts of the code. We would also like to be able to disconnect from the device, that part is done by calling the .close() method:

disconnectButton.onclick = async () => {
  await device.close();

  connected.style.display = 'none';
  connectButton.style.display = 'initial';
  disconnectButton.style.display = 'none';
};

Run this code using http-server and try connecting and disconnecting from your device. When connected you should see a little USB symbol right next to the close button of your browser tab:

alt USB Symbol next to close button

Blinking an LED

When we first learn a new programming language, the first thing we always do is write a "Hello World" program. The electronics equivalent is blinking an LED. Now that we are connected to the device, we can start blinking our LED.

Our colour picker input gives us the hex value of a colour. We need to change that to RGB:

const hexToRgb = (hex) => {
  //start at 1 to avoid #
  const r = parseInt(hex.substring(1,3), 16);
  const g = parseInt(hex.substring(3,5), 16);
  const b = parseInt(hex.substring(5,7), 16);

  return [r, g, b];
}

With that function in place we can now send the colour data to the device. The data must be put into an unsigned integer array in order to be transferred via USB. The device firmware is expecting the number 1 as the first element in the data array, followed by the three colour numbers. On button click we do the following:

colourButton.onclick = async () => {
  const data = new Uint8Array([1, ...hexToRgb(colourPicker.value)]);
  await device.transferOut(2, data);
};

We are sending the data to endpoint number 2 by using the transferOut method. That's all we need to get our LED to change colours. Run the code again and change the LED colour a few times.

Listening for data

The last thing we want to do is listen for when the button on the device is pressed and display that on our web page. To do that we need to implement a listen() method as follows:

const listen = async () => {
  const result = await device.transferIn(3, 64);

  const decoder = new TextDecoder();
  const message = decoder.decode(result.data);

  const messageParts = message.split(' = ');
  if (messageParts[0] === 'Count') {
    deviceHeartbeat.innerText = messageParts[1];
  } else if (messageParts[0] === 'Button' && messageParts[1] === '1') {
    deviceButtonPressed.innerText = new Date().toLocaleString('en-ZA', {
      hour: 'numeric',
      minute: 'numeric',
      second: 'numeric',
    });
  }
  listen();
};

We are listening on endpoint 3 and expecting the device to send us 64 bytes of data. The device sends us two types of messages:

  • A device heartbeat, so that we can ensure we are still connected to it.
  • A button pressed message, when the button is pressed (1) and released (0).

As you can see we are calling the listen method from within itself, this means that as soon as we receive a message we start listening for the next one.

One last thing left to do, and that is to start listening after we connect to the device. At the bottom of the connectButton.onclick function add a call to the listen() method.

We should now have our heartbeat and button presses displayed on the page.

Conclusion

These are just some of the things you can do with WebUSB, the code for the whole example can be found on GitHub. If you would like to take a look at some of the other USB devices I have been playing with, take a look at this repo which has an Arduino and Fingerprint reader example.

Lastly, I'd just like to thank Lars Knudsen for the nRF52 dongle, and Mike Geyser for bringing it.

Top comments (0)