Raspberry Pi Internet Speed Monitor

In this Raspberry Pi internet speed monitor tutorial, we will be showing you how you can set up your Raspberry Pi to monitor your internet connection and save the data to view in Grafana or Google Drive.

 Raspberry Pi Internet Speed Monitor

This tutorial is great if you’re interested in monitoring how your download speed, upload speed, and ping are affected over time.

Additionally, this can help you work out what times your network may be at its peak capacity or if you’re suffering from a degraded internet connection.

To achieve this internet speed monitor, we will be showing you how to write a small Python script that interacts with a program called Speedtest CLI from Ookla.

Speedtest CLI is what our internet speed monitor will use to monitor the internet connection.

This program works by polling the popular speedtest.net service to get your ping, download speed, and upload speed.

Equipment List

Below are all the pieces of equipment that we made use of to set up our Raspberry Pi internet speed monitor.

Recommended

Optional

Video Tutorial

You can watch the video below to learn how to set up an internet speed monitor on the Raspberry Pi.

Alternatively check out the written version of the guide in the next section.

Adblock removing the video? Subscribe to premium for no-ads.

Installing the Speedtest CLI

1. Before we get started with setting up the Raspberry Pi to monitor the internet’s speed, we must first make sure our Raspberry Pi is up to date.

We can update the Raspberry Pi by running the following two commands within the terminal.

sudo apt-get update
sudo apt-get upgrade

2. We now need to install some packages so that we can add the package repository for the Speedtest CLI software.

Run the following command to install gnupg1, apt-transport-https, dirmngr and lsb-release to your Raspberry Pi.

sudo apt install apt-transport-https gnupg1 dirmngr lsb-release

The apt-transport-https package is used to add support for the https protocol to the apt package manager. Without it apt will throw errors when connecting to Ookla’s package repository.

Additionally we also install gnupg1, this package is used for secure communication between your Raspberry Pi and the Speedtest.net servers.

We then install the dirmngr package. This package is utilized for handling the addition of the package repository to your Raspberry Pi’s sources list.

Finally, the last package we install is called “lsb-release“. We utilize this package to grab the operating systems release name.

3. With the packages we need installed we can now add the GPG key for Ookla’s Speedtest repository to the keychain.

We need this keychain to be able to download the speedtest command line interface to our Raspberry Pi.

curl -L https://packagecloud.io/ookla/speedtest-cli/gpgkey | gpg --dearmor | sudo tee /usr/share/keyrings/speedtestcli-archive-keyring.gpg >/dev/null

4. Next we need to add the Ookla repository to our sources list.

Without adding the repository we won’t be able to install the Speedtest CLI to our Raspberry Pi.

You can add this repository by running the following command.

echo "deb [signed-by=/usr/share/keyrings/speedtestcli-archive-keyring.gpg] https://packagecloud.io/ookla/speedtest-cli/debian/ $(lsb_release -cs) main" | sudo tee  /etc/apt/sources.list.d/speedtest.list

Within this command, you will notice we use “$(lsb_release -cs)“. This bit of text allows us to insert the release name for our installation of Raspberry Pi OS directly into the command.

5. As we added a new package repository we need to update our package list.

Updating the package list is as simple as running the following command.

sudo apt update

6. Finally, we can install the official Speedtest CLI to our Raspberry Pi from Ookla.

Use the following command to install the package to your device.

sudo apt install speedtest

6. We can now test that we have installed the speedtest software to your Raspberry Pi.

Let us run the following command to start up the speedtest.

speedtest

When you first run the speedtest software on your Raspberry Pi you will be asked to agree to some terms and conditions.

To proceed passed this warning all you need to do is type in “YES” followed by the ENTER key.

Writing our Speed Test Python Script

1. Now that we have Speedtest CLI installed on the Raspberry Pi, we can now proceed to write our Python script that will continually monitor our download and upload speeds.

We can begin creating our Python script for the Raspberry Pi internet speed monitor by running the following command.

cd ~
nano speedtest.py

2. Within this file write the following lines of code. We will explain each important section of the code, so you get an idea of how everything works.

3. These four lines define all of the libraries that we will be relying on in our script. Below we will explain how each of these libraries will be is used.

import os: The os library is used by the script to interact with the operating system itself.

For this script, we will be using this library to check if a file exists.

import re: The re library allows us to easily do regular expressions by providing a library for handling pattern searches.

We use this to find our wanted values out of the data given to us from the Speedtest CLI.

import subprocess: The subprocess library is essential to this script, as we require it to be able to call another python script.

In our case, we will be using the subprocess library so we can launch up the Speedtest CLI software and retrieve the values returned by it.

import time: We utilize the time library so that we can record both the date and time for each call to the Speedtest CLI software.

This library is what will allow us to track our speed over a length of time.

import os
import re
import subprocess
import time

4. In this line of code, we utilize the subprocess library to launch a call to the Speedtest CLI and tell it to pipe everything from speedtest to stdout.

By using stdout.read().decode('utf-8') at the end of the call we store the response from the Speedtest CLI to our response variable and decode it to being a useable Python string.

response = subprocess.Popen('/usr/bin/speedtest --accept-license --accept-gdpr', shell=True, stdout=subprocess.PIPE).stdout.read().decode('utf-8')

5. These three lines of code are fairly simple, and all do the same thing.

They use the re library to run a regular expression for a certain piece of text and find the number located next to each piece of text.

For instance, the search for ping finds “Latency: 47.943 ms” but only grabs the number that is between the text.

ping = re.search('Latency:\s+(.*?)\s', response, re.MULTILINE)
download = re.search('Download:\s+(.*?)\s', response, re.MULTILINE)
upload = re.search('Upload:\s+(.*?)\s', response, re.MULTILINE)
jitter = re.search('Latency:.*?jitter:\s+(.*?)ms', response, re.MULTILINE)

6. These lines are important as we use the “.group()” function to grab the correct numbers from our regular expressions.

Using this we will get the values we are after from the output of the Speedtest CLI software that we can write to our CSV file.

ping = ping.group(1)
download = download.group(1)
upload = upload.group(1)
jitter = jitter.group(1)

7. This bit of code is straightforward. The code is kept within a try statement so that if any errors occur, it will not stop the script from operating.

Within the try statement, we first open up a call to our speedtest.csv file. Please note you may need to adjust the directory. Our code assumes that your user is called “pi“.

By using, “a+” in the arguments, we tell it that we want to create the file if it doesn’t exist, and that any new data should be appended to whatever is already in there.

Afterward, we utilize the os library to check our speedtest.csv files actual size in bytes.

If the file’s bytes is equal to 0, we go ahead.

If the file does exist, we proceed on as normal.

Ensure that you replace the placeholder “<USERNAME>” with your username.

try:
    f = open('/home/<USERNAME>/speedtest/speedtest.csv', 'a+')
    if os.stat('/home/<USERNAME>/speedtest/speedtest.csv').st_size == 0:
            f.write('Date,Time,Ping (ms),Jitter (ms),Download (Mbps),Upload (Mbps)\r\n')
except:
    pass

8. Finally, we print out all our data separated by commas.

We use the time library’s strftime() function to insert both the current date and the current time into our formatted string.

After that, we insert our ping, download, and upload.

f.write('{},{},{},{},{},{}\r\n'.format(time.strftime('%m/%d/%y'), time.strftime('%H:%M'), ping, jitter, download, upload))

9. Below we have an included an example of what the output data will look like on the first run of our code.

Date,Time,Ping (ms),Jitter (ms),Download (Mbps),Upload (Mbps)
04/29/21,06:28,18.32,1.21,23.30,7.78

10. Once you have finished writing your code, it should end up looking like what we have displayed below.

Remember that you must replace “<USERNAME>” with your username. For example, if your username was “pimylifeup” you would use “/home/pimylifeup/speedtest/speedtest.csv” within this script.

import os
import re
import subprocess
import time

response = subprocess.Popen('/usr/bin/speedtest --accept-license --accept-gdpr', shell=True, stdout=subprocess.PIPE).stdout.read().decode('utf-8')

ping = re.search('Latency:\s+(.*?)\s', response, re.MULTILINE)
download = re.search('Download:\s+(.*?)\s', response, re.MULTILINE)
upload = re.search('Upload:\s+(.*?)\s', response, re.MULTILINE)
jitter = re.search('Latency:.*?jitter:\s+(.*?)ms', response, re.MULTILINE)

ping = ping.group(1)
download = download.group(1)
upload = upload.group(1)
jitter = jitter.group(1)

try:
    f = open('/home/<USERNAME>/speedtest/speedtest.csv', 'a+')
    if os.stat('/home/<USERNAME>/speedtest/speedtest.csv').st_size == 0:
            f.write('Date,Time,Ping (ms),Jitter (ms),Download (Mbps),Upload (Mbps)\r\n')
except:
    pass

f.write('{},{},{},{},{},{}\r\n'.format(time.strftime('%m/%d/%y'), time.strftime('%H:%M'), ping, jitter, download, upload))

11. You can now save the file by pressing CTRL + X then Y and finally press ENTER.

12. With our script now written we need to make a folder where our speedtest.csv file will be stored. Run the following command to create this folder.

mkdir ~/speedtest

13. Now that we have made the required folder, we can go ahead and test the script.

We can test our script by running the following command.

python3 ~/speedtest.py

14. Once the script has finished executing you can then check out the results by opening up the newly created speedtest.csv.

Let’s open up this file by running the following command on the Raspberry Pi.

nano ~/speedtest/speedtest.csv

15. Within this file, you should see something like what we have below. The column headers and some rows of data.

Date,Time,Ping (ms),Jitter (ms),Download (Mbps),Upload (Mbps)
04/29/21,06:28,18.32,1.21,23.30,7.78

There are two different ways you can take this guide.

You can either use InfluxDB and Grafana to store and graph your data, or make use of gDrive to sync your data to Google Drive.

Using Grafana to Display your Speedtest Data

In this section, we will be showing you how you can use Grafana to graph your speed test data quickly.

Setting up InfluxDB for our Internet Speed Monitor

Before you start this section of this internet speed monitor tutorial, you will need to make sure you have installed InfluxDB V1 to your Raspberry Pi or on a separate server.

We will be using this as a place to store the data that our internet speed monitor receives.

1. To start, we need to go ahead and run the following command to start up the InfluxDB command-line tool.

We will be using this tool to create a database where we will store our data.

influx -username admin -password <password>

If you haven’t set up authentication, then you don’t need to worry about specifying the username and password to connect to InfluxDB.

2. Let’s now create a database called “internetspeed“.

Creating a database within InfluxDB is easy as using CREATE DATABASE followed by the database name.

CREATE DATABASE internetspeed

3. Our next step is to create a user called “speedmonitor” that we will be using to interact with our database.

Make sure that you swap out the password “pimylifeup” with something a bit more secure.

Don’t worry about privileges as we will be handling that in the next step.

CREATE USER "speedmonitor" WITH PASSWORD 'pimylifeup'

4. Now assign the new “speedmonitor” user all privileges to our “internetspeed” database.

GRANT ALL ON "internetspeed" to "speedmonitor"

5. With the database created, quit out of the tool by using the following command.

quit

6. The last thing we need to do is install the Python library we need to interact with our Influx database.

sudo apt install python3-influxdb

Saving our Speed Monitor Data to our InfluxDB

1. Now that we have our InfluxDB database created, let’s begin adding data into it by creating a new Python script.

This script will be similar to the one we created earlier, so we will only explain the new things that we are doing.

rm ~/speedtest.py
nano ~/speedtest.py

2. To start off this file, we need to import all the Python libraries we need.

import re
import subprocess
from influxdb import InfluxDBClient

As you can see, we have removed both the “os” and “time” libraries.

Both of these libraries are no longer needed as we don’t need to interact with files, and Influx automatically timestamps data.

We now import the “InfluxDBClient” client, which we will be using to interact with our InfluxDB server.

3. Our next step after importing packages is to call the Speedtest CLI and process the data.

By the end of this code block, we will have just the data that we are after.

response = subprocess.Popen('/usr/bin/speedtest --accept-license --accept-gdpr', shell=True, stdout=subprocess.PIPE).stdout.read().decode('utf-8')

ping = re.search('Latency:\s+(.*?)\s', response, re.MULTILINE)
download = re.search('Download:\s+(.*?)\s', response, re.MULTILINE)
upload = re.search('Upload:\s+(.*?)\s', response, re.MULTILINE)
jitter = re.search('Latency:.*?jitter:\s+(.*?)ms', response, re.MULTILINE)

ping = ping.group(1)
download = download.group(1)
upload = upload.group(1)
jitter = jitter.group(1)

4. Now here is where things get a little bit different. We need to format that data into a Python dictionary.

The reason for this is that the library expects the data to be in a JSON like format.

speed_data = [
    {
        "measurement" : "internet_speed",
        "tags" : {
            "host": "RaspberryPiMyLifeUp"
        },
        "fields" : {
            "download": float(download),
            "upload": float(upload),
            "ping": float(ping),
            "jitter": float(jitter)
        }
    }
]

Here we set up our dictionary with how InfluxDB expects the data. We gave the measurement a name, “internet_speed“.

We also set a tag called “host” to allow us to separate this out if we decide to handle multiple devices in the same database.

Next, we pass in the fields, which is the download speed, upload speed and ping that we retrieved in the previous bit of code.

We wrap our download, upload and ping variables in the float() function to convert them from a string to a number.

If we don’t use the float() function, Grafana will see these as strings and not interpret them correctly.

5. With all the data we need now on hand, we can now proceed to start using InfluxDB.

The first thing we need to do is to instantiate the InfluxDBClient library and pass in our connection details.

We only pass in the first five parameters for this function, the host, port, username, password, and database name.

If you want to see what data can be set, then you can view the official InfluxDB Python documentation.

client = InfluxDBClient('localhost', 8086, 'speedmonitor', 'pimylifeup', 'internetspeed')

If you are using an InfluxDB server that is not located on your Raspberry Pi, make sure you switch “localhost” with its IP address.

Also, you will need to change “pimylifeup” to the password that you set up earlier in the guide.

6. With a connection now made to our InfluxDB server, we can now write our data point to the server by adding the following line of code.

client.write_points(speed_data)

7. That is all we need to do to pass data to InfluxDB.

When you have finished typing in all the code the file, it should end up looking like what we have below.

import re
import subprocess
from influxdb import InfluxDBClient

response = subprocess.Popen('/usr/bin/speedtest --accept-license --accept-gdpr', shell=True, stdout=subprocess.PIPE).stdout.read().decode('utf-8')

ping = re.search('Latency:\s+(.*?)\s', response, re.MULTILINE)
download = re.search('Download:\s+(.*?)\s', response, re.MULTILINE)
upload = re.search('Upload:\s+(.*?)\s', response, re.MULTILINE)
jitter = re.search('Latency:.*?jitter:\s+(.*?)ms', response, re.MULTILINE)

ping = ping.group(1)
download = download.group(1)
upload = upload.group(1)
jitter = jitter.group(1)

speed_data = [
    {
        "measurement" : "internet_speed",
        "tags" : {
            "host": "RaspberryPiMyLifeUp"
        },
        "fields" : {
            "download": float(download),
            "upload": float(upload),
            "ping": float(ping),
            "jitter": float(jitter)
        }
    }
]
client = InfluxDBClient('localhost', 8086, 'speedmonitor', 'pimylifeup', 'internetspeed')

client.write_points(speed_data)

8. Save the file by pressing CTRL + X, followed by Y, then ENTER.

Viewing our Internet Speed Data in Grafana

Our next step is to get this database to show up in Grafana.

Before beginning this section, you must make sure that you have Grafana set up on your Raspberry Pi or a separate device.

Grafana is the tool that we will be using to graph and visualize all our data.

1. Once you have Grafana set up, you can proceed on with this tutorial by opening up its web interface.

If you are unsure where this sits, then go to your Raspberry Pi’s or server’s IP address, followed by the port :3000.

IPADDRESS:3000

2. Within the Grafana web interface, we need to add a new data source.

You can do this by hovering over the cog in the sidebar (1.), followed by the “Data Sources” menu option (2.).

Adding a new data source to Grafana

3. In the next menu, you will need to click the “Add data source” button to proceed.

Add Data Source to Grafana Configuration Page

4. On the “Add data source” page, you need to find InfluxDB, hover over it and click the “Select” button.

Add InfluxDB Time series database to Grafana

5. Now we are required to enter the details of your InfluxDB installation.

First, enter the URL for InfluxDB (1.). In our case, this is on the same Raspberry Pi that we are running the software on. If you are doing the same, then use the following URL.

http://localhost:8086

Next, we will need to enter all the details for our database (2.).

If you have followed our guide exactly, the Database should be set to “internetspeed“.

The User should be “speedmonitor”, and finally, the password should be the one you specified, if you used our example one this password would be “pimylifeup“.

Once you have set all the required information, click the “Save & Test” button (3.) located at the bottom of the screen.

Add InfluxDB Details for Grafana

6. The next step is to create a dashboard to display this data.

Hover over the addition icon (+) in the sidebar and click the “Dashboard” option.

Creating a Dashboard in Grafana

6. Over the “New Panel“, click the “Add Query” button.

Add Query to Dashboard

7. We can now set up the graph to read from our database.

Clickselect measurement” (1.) then select our measurement name, which in this case is “internet_speed” (2.)

Select Measurement to query

8. With the measurement set, we now need to set the field data we want to obverse.

Click the text “value” next to the field (1.). From here, select either “download“, “ping” or “upload“.

For this guide, we will be starting with “download” (2.).

Select Field to Display

9. Next, we want to make Grafana treat each result as a distinct individual result.

We can do this by clicking the addition (+) button in the select row (1.).

In the pop-up menu, hover over “Aggregations” and clickdistinct” (2.).

Change data aggregation

10. Finally, let’s give this data a better name so that we can understand it easier.

Set the alias of each of the fields to represent what they contain (1.). For example, with the download speed, we set the name “Download Speed“.

Now click the “Add Query” button (2.) and repeat steps 79 until you have all three fields (download, upload, and ping) added to the graph.

Set Data Alias for Measurement

11. Once you have added each field to the graph, click the spanner and cog symbol in the sidebar.

Configure Grafana Panel

12. In the “Title” option (1.) type in what you want to be displayed above the graph. In this example, we used the title “Network Speed“.

Once that is done, save the dashboard by clicking the save button (2.) in the top right-hand corner of the screen.

Set Panel Name for Grafana

13. Give a name to your dashboard (1.). This name can be anything you want. We called our “Network Speed Monitor“.

Now you save this new dashboard by clicking the “Save” button (2.).

Save Grafana Dashboard

14. With everything done, you should now be able to see your data displayed in a nice graph.

Internet Speed Monitor Dashboard Ready

Automating your Speed Monitor script with Grafana

Automating your script so that it runs periodically is a reasonably straightforward process.

1. The easiest way to automate your script to run every so often is to make use of the crontab.

You can modify the crontab by running the following command on your Raspberry Pi.

crontab -e

If you are asked what editor you want to use, we recommend you select nano as its the easiest to use.

2. Within this file, add the following cronjob to the bottom.

This cronjob will run every 30 minutes. If you want to work out a different timing, we recommend that you make use of our Crontab generator.

*/30 * * * * python3 /home/<USERNAME>/speedtest.py

As you can see, this is an effortless way of getting your internet speed tested regularly and not require you to run the script manually.

3. Once done, you can save the file by pressing CTRL + X, then Y, followed by ENTER.

The crontab will automatically be updated and will begin to run your script immediately.

Uploading your Internet Speed Data to Google Drive

In this section, we will be showing you how you can automatically sync your data with your Google Drive account.

Uploading Speed Test Data to Google Drive

1. Before you begin this section, you must have completed our compiling and running gDrive guide.

We will be using that software to complete the following steps.

2. With gDrive setup on your Raspberry Pi, we can now prepare it for our speed test data.

Let’s start by using gDrive to create a new folder on your Google Drive to store our speedtest.csv file.

We can do that by using the following command within the terminal.

gdrive mkdir speedtest

This command will show you a message saying the directory was created. This message will also show you an ID.

We will need this ID for our next few steps, so write it down somewhere safe.

3. With the folder now created, we can use its ID to upload a file to it.

For this test, we will be uploading our speedtest.csv file.

Run the following command and make sure you replace YOUR_FOLDER_ID with the id you retrieved in the previous step.

gdrive sync upload ~/speedtest YOUR_FOLDER_ID

On the initial sync, you should see a message like below appear on the command line.

This message tells you that the file has been successfully synced to your Google Drive account.

Starting sync...
Collecting local and remote file information...
Found 1 local files and 0 remote files

1 remote files are missing
[0001/0001] Uploading speedtest.csv -> speedtest/speedtest.csv
Sync finished in 3.119979351s

4. With Google Drive now successfully syncing with the Raspberry Pi, we can move onto automating the whole process so that we upload the speedtest.csv every time we edit it.

Automating the Raspberry Pi Internet Speed Monitor for Google Drive

1. The next big thing to do with your Raspberry Pi Internet Speed Monitor is to automate it.

To do the automation, we will be writing a simple bash script. This script will be called by crontab so that it will be run routinely.

Begin writing the bash script by running the following Linux command on your Raspberry Pi.

nano ~/speedtest.sh

2. Within this file, we want to enter the following lines.

Make sure that you replace “YOUR_FOLDER_ID” with the ID that you received when you created the folder on Google drive.

#!/bin/bash
python3 /home/<USERNAME>/speedtest.py
/usr/local/bin/gdrive sync upload  /home/<USERNAME>/speedtest YOUR_FOLDER_ID

3. Now save the file by pressing CTRL + X then Y and then finally ENTER.

4. Before we set up the crontab for our bash script, we must first give the script execution privileges.

We can achieve this by running the following command within the terminal.

sudo chmod +x ~/speedtest.sh

5. Now with everything done, we can finally move onto setting up the crontab.

Begin editing the crontab by running the following command on your Raspberry Pi. If you are asked what editor you want to use, we recommend you select Nano (Typically number 2).

crontab -e

6. Add the following line at the bottom of the file. This line will tell crontab that it should run our bash script once every hour.

If you want to change the behavior of the crontab, you can look at our Crontab generator to work out your desired values.

0 * * * * /home/<USERNAME>/speedtest.sh

7. You should now have your speed test monitor up and running with the script updating your speedtest.csv file on an hourly basis.

We hope by the end of this Raspberry Pi internet speed monitor tutorial you should now have your Raspberry Pi automatically running internet speed tests on your connection and uploading that data to Google on an hourly basis.

If you have any thoughts, feedback or anything else, then be sure to leave a comment below.

205 Comments

  1. Avatar for zero80472
    zero80472 on

    Would it be possible for it to push a pushbullet notification or something along the lines

    1. Avatar for Gus
      Gus on
      Editor

      It would be possible, but you will need to do a fair bit more programming to have it communicate with the Pushbullet API.

  2. Avatar for R&R
    R&R on

    can i do this local on my pi ? (no gmail connect)

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi,

      Yes you can, there is no need to implement the final stages of the tutorial. It will just write to the local csv file instead.

      Cheers,
      Emmet

  3. Avatar for Barry
    Barry on

    Huge thanks for such a clear tutorial.
    Was able to follow it to the letter and now have my Pi 2B+ running Pi-hole and this script to monitor my network speed.

    Very much appreciated.

  4. Avatar for James Schubert
    James Schubert on

    First coded project with the pi so apologies if my issue is something obvious. I’m having trouble with the python code as it doesn’t seem to work.

    This is my issue as it shows:

    File “speedtest.py”, line 16
    try: if os.stat(‘/home/pi/speedtest/speedtest.csv’).st_size == 0:
    ^
    SyntaxError: invalid syntax

    Any help would be greatly appreciated.

    Many thanks in advance

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi James,

      It looks like you have entered the code incorrectly which is why you are recieving the syntax errors.

      Cheers,
      Emmet

  5. Avatar for G
    G on

    Nice guide, I have a Pi 2 running PiHole, OpenVPN, DNS server, DHCP server, motion detection using a PS3 eye camera and now also this. Needless to say, I love my Pi!

  6. Avatar for Andriy
    Andriy on

    Hello Gus, have I have the following question: can I do the checking every 2 or 3 minutes for example? If yes, how I can set it?

    Ans my issue is that I can’t send it on the google drive. I can see the information on the .csv file on my Raspberry PI 3 but I can’t see it on the google account.

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Andriy,

      Using the “crontab.guru” website you can work out what you need to change in the cron file.

      For every 2 minutes you should use the following.
      */2 * * * * /home/pi/speedtest.sh

      And for every 3 minutes you should use the following.
      */3 * * * * /home/pi/speedtest.sh

      On the note of the gdrive problems, we are looking into this. We may have to write a tutorial on compiling the tutorial from scratch as it appears like the ID used in that application by default is being used to much.

  7. Avatar for Ricardo Souza
    Ricardo Souza on

    FIXED IT!!

    ping = re.findall(b'Ping:\s(.*?)\s', response, re.MULTILINE)
    download = re.findall(b'Download:\s(.*?)\s', response, re.MULTILINE)
    upload = re.findall(b'Upload:\s(.*?)\s', response, re.MULTILINE)
    
    ping = str(ping[0], 'utf-8')
    ping = ping.replace(',', '.')
    
    download = str(download[0], 'utf-8')
    download = download.replace(',', '.')
    
    upload = str(upload[0], 'utf-8')
    upload = upload.replace(',', '.')
  8. Avatar for Michael Koegel
    Michael Koegel on

    Hi,
    rclone (https://rclone.org) is a good alternative to the gdrive library.
    It’s available as a standard package and supports many other storage options besides gdrive as well.
    sudo apt-get install rclone

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Michael,

      Thank you for the suggestion, i always manage to forget about rclone.

      I will work on updating the tutorial to utilize rclone instead!

      Cheers,
      Emmet

  9. Avatar for Syed Ali Hassnain
    Syed Ali Hassnain on

    Please Help With this!
    Having This error.

    pi@pi:~ $ ./gdrive list
    Failed to list files: googleapi: Error 403: Rate Limit Exceeded, rateLimitExceeded

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Syed,

      This is an issue with google drive rate limiting you for whatever reason. We plan on looking into other services you can utilize instead as it seems to be a common issue.

      Cheers,
      Emmet

  10. Avatar for Syed Ali Hassnain
    Syed Ali Hassnain on

    Hey ! Please Help!
    How should i resolve this error?

    pi@raspberrypi:~ $ ./gdrive list
    Failed to list files: googleapi: Error 401: Invalid Credentials, authError

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Syed,

      You have not correctly setup gdrive with valid login details.

      Cheers,
      Emmet

  11. Avatar for Waqar
    Waqar on

    stuck at this point

    Failed to list files: googleapi: Error 403: Rate Limit Exceeded, rateLimitExceeded

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Waqar,

      That error is indicating that Google has limited you for some reason, people seem to be running into this more often and we are unsure why.
      It should pass in time.

      Cheers,
      Emmet

  12. Avatar for WAQAR
    WAQAR on

    Certainly not an expert in these matters, can I use Putty to so the setup ?

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Waqar,

      Yes you can.

      Cheers,
      Emmet

  13. Avatar for Waqar Aziz
    Waqar Aziz on

    I have a rpi running pihole constantly, can this program be run on the same unit simultaneously ?

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Waqar,

      There is no reason why this couldnt be run on the same Raspberry Pi, there should be nothing that interferes with the behaviour of pihole.

      Let us know how you get on with it!

      Cheers,
      Emmet

    2. Avatar for Philip De Vos
      Philip De Vos on

      I am running it for about a week on a Raspberry with PiHole. No troubles at all

  14. Avatar for Tyler
    Tyler on

    Thanks so much for this tutorial. I was able to get the speedtest script to work (my first program, BTW), but I have run into an issue installing gdrive. Here is my read out:

    pi@raspberrypi:~ $ wget -O gdrive https://docs.google.com/uc?id=0B3X9GlR6EmbnVXNLanp4ZFRRbzg&export=download
    [1] 9069
    pi@raspberrypi:~ $ –2019-03-02 15:18:06– https://docs.google.com/uc?id=0B3X9GlR6EmbnVXNLanp4ZFRRbzg
    Resolving docs.google.com (docs.google.com)… 0.0.0.0, ::
    Connecting to docs.google.com (docs.google.com)|0.0.0.0|:443… failed: Connection refused.
    Connecting to docs.google.com (docs.google.com)|::|:443… failed: Connection refused.

    [1]+ Exit 4 wget -O gdrive https://docs.google.com/uc?id=0B3X9GlR6EmbnVXNLanp4ZFRRbzg

    Any thoughts?

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Tyler,

      It doesn’t look like that your wget call could access Googles server for some reason and the connection was refused.

      We have gone ahead and changed the wget call to download the gdrive executable directly from our own CDN so please try again.

      Cheers,
      Emmet

    2. Avatar for Tyler
      Tyler on

      Thanks SO much, Emmett! That did the trick!

      Can I just say that I love reading the tutorials here at pimylifeup. For someone that is just learning Linux and working from the command line, your step-by-step tutorials (with explanations) are a Godsend. I retain what I’ve learned so much better when I know the why (and definition/abbreviations) of what I’m doing. Please keep up the good work and I can’t wait to find my next project here. 🙂

  15. Avatar for Syed Ali Hassnain
    Syed Ali Hassnain on

    Hey Gus! Thank you so much for this Tutorial!
    i am having issue in accessing that google drive would you please explain is there any other possibility that i can change the drive link and save this results on some other file or folder,

    1. Avatar for Emmet
      Emmet on
      Editor

      Hey Syed,

      I am not quite sure what you are after? Are you having issues downloading the gdrive tool or just having issues using it?

      Cheers,
      Emmet

  16. Avatar for Casey
    Casey on

    Hello,

    So this is my first Rasberry Pi and Python project, and I am very very new to any sort of programming. I have gotten to the point of executing the script for the first time and I’m receiving this error. I’ve double checked my code to sample and I’m not seeing where I went wrong? Help!

    This is the error I get:

    pi@Caseys-raspberrypi:~ $ python ~/speedtest.py
    /bin/sh: 1: /user/local/bin/speedtest-cli: not found
    Traceback (most recent call last):
    File “/home/pi/speedtest.py”, line 12, in
    ping = ping[0].replace(‘,’, ‘.’)
    IndexError: list index out of range
    pi@Caseys-raspberrypi:~ $

    Here is my code:

    import os
    import re
    import subprocess
    import time

    response = subprocess.Popen(‘/user/local/bin/speedtest-cli –simple’, shell=True, stdout=subprocess.PIPE).stdou$

    ping = re.findall(‘Ping:\s(.*?)\s’, response, re.MULTILINE)
    download = re.findall(‘Download:\s(.*?)\s’, response, re.MULTILINE)
    upload = re.findall(‘Upload:\s(.*?)\s’, response, re.MULTILINE)

    ping = ping[0].replace(‘,’, ‘.’)
    download = download[0].replace(‘,’, ‘.’)
    upload = upload[0].replace(‘,’, ‘.’)

    try:
    f = open(‘/home/pi/speedtest/speedtest.csv’, ‘a+’)
    if os.stat(‘/home/pi/speedtest/speedtest.csv’).st_size ==0:
    f.write(‘Date,Time,Ping (ms),Download (Mbit/s,Upload (Mbit/s)\r\n’)
    except:
    pass

    f.write(‘{},{},{},{},{}\r\n’.format(time.strftime(‘%m/%d/%y’), time.strftime(‘%H:%M’), ping, download, upload))

    1. Avatar for Emmet
      Emmet on
      Editor

      Hi Casey,

      Sorry for the late reply.

      Please make sure that you have the speedtest-cli tool downloaded and installed to your Raspberry Pi, from the looks of it the script is failing to run the file which is causing the issues that you are experiencing.

      Cheers,
      Emmet

  17. Avatar for Olek
    Olek on

    Great tutorial, everything works perfect, thanks bro

  18. Avatar for Josh
    Josh on

    Thank you for the tutorial. I got everything working without any issues.

    I was thinking of how to expand upon this and maybe graph the data to a local RPi website. I have seen a few examples using Matplotlib, but it looks a little over my head. Any suggestions or examples you can point us to to graph this data?

    Thanks
    Josh

  19. Avatar for Tom H.
    Tom H. on

    Hey Gus, I’m a huge fan of your tutorials and have done all of them so far! I When running the full python script, I got this error and don’t know how to fix it:

    Traceback (most recent call last):
    File "/home/myusername/speedtest.py", line 23, in
    f.write('{},{},{},{},{}\r\n'.format(time.strftime('%m/%d/%y'), time.strftime('%H:%M'), ping, download, upload))
    NameError: name 'f' is not defined

    Hopefully you can figure out what is wrong and reply back to me!

    1. Avatar for Gus
      Gus on
      Editor

      Hi Tom,

      I am unable to recreate the issue, are you able to send me the contents of your speedtest.py file.

      Posting here will be fine.

    2. Avatar for Rob
      Rob on

      Getting the same error – did you get yours resolved?

    3. Avatar for Michael Koegel
      Michael Koegel on

      Hi, this happens if you did not create the speedtest directory.
      The command creates the file, but not the directory if it doesn’t exist.
      mkdir ~/speedtest
      and try again.

    4. Avatar for luke
      luke on

      you have to use sudo
      sudo python speedtest.py

  20. Avatar for Nenad Maksić
    Nenad Maksić on

    Dear Gus, thank you for the nice tutorial. I think there is one error in python script in regards to the location where the .csv file should be saved. Instead of /home/pi/speedtest.csv it should be /home/pi/speedtest/speedtest.csv.

    1. Avatar for Gus
      Gus on
      Editor

      Thank you Nenad! I have fixed it up now.

Leave a Reply

Your email address will not be published. Required fields are marked *