Physical Setup
I'm going to use a Raspberry Pi along with an ADC (Analogue to Digital Converter) I purchased to collect temperature data. I've connected directly to the RPi GPIO port using a T-Cobbler Breakout Kit.
Materials List:
- ADC - Microchip Technology MCP3008-I/P
- Temperature Sensor - Texas Instruments LM35DZ/LFT1
- BreadBoard - Bud Industries BB-32621
- 24AWG Hookup Wire
- RaspBerry Pi Mod B
- T-Cobbler Breakout Kit
![]() |
Ye olde soldering iron |
Test Setup
I mounted the MCP3008 on the breadboard and wired up a rough test set-up using a potentiometer as the analogue voltage input for the ADC. For the wiring I referred to an online tutorial that didn't involve using the Serial Peripheral Interface at first, but eventually found this recipe and decided to learn more about the SPI with Analogue sensors on the Raspberry Pi using an MCP3008• MCP3008 VDD 3.3V
• MCP3008 VREF 3.3V
• MCP3008 AGND GROUND
• MCP3008 CLK GPIO11 (P1-23)
• MCP3008 DOUT GPIO9 (P1-21)
• MCP3008 DIN GPIO10 (P1-19)
• MCP3008 CS GPIO8 (P1-24)
• MCP3008 DGND GROUND
![]() |
MCP3008 DIP Pin Out Diagram |
And here is the finished product wired entirely in purple. Pin 1 (the white stripe) on the ribbon cable corresponds to the P1 on the RPi mainboard. Now to run some smoke tests.
I started with Matt's code from the blog mentioned above and then added a few minor changes to meet my requirements. I used the Pi WebIDE to write and debug my code; it works very well in tandem with my existing BitBucket account by adding a simple OAuth consumer to my settings.
Here is a sample of the code I tested my setup with:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import spidev | |
import time | |
import os | |
import json | |
# Open SPI bus | |
spi = spidev.SpiDev() | |
spi.open(0,0) | |
# Function to read SPI data from MCP3008 chip | |
# Channel must be an integer 0-7 | |
def ReadChannel(channel): | |
adc = spi.xfer2([1,(8+channel)<<4,0]) | |
data = ((adc[1]&3) << 8) + adc[2] | |
return data | |
# Function to convert data to voltage level, | |
# rounded to specified number of decimal places. | |
def ConvertVolts(data,places): | |
volts = (data * 3.3) / float(1023) | |
volts = round(volts,places) | |
return volts | |
# Function to calculate temperature from | |
# TMP36 data, rounded to specified | |
# number of decimal places. | |
def ConvertTemp(data,places): | |
# ADC Value | |
# (approx) Temp Volts | |
# 0 -50 0.00 | |
# 78 -25 0.25 | |
# 155 0 0.50 | |
# 233 25 0.75 | |
# 310 50 1.00 | |
# 465 100 1.50 | |
# 775 200 2.50 | |
# 1023 280 3.30 | |
temp = ((data * 330)/float(1023))-50 | |
temp = round(temp,places) | |
return temp | |
# Define sensor channels | |
pot_channel = 0 | |
# Define delay between readings | |
delay = 5 | |
# Open file for output | |
fileOp = 'a' | |
fileName = '/home/pi/projects/sensor_output/temperatureData.json' | |
outputFile = open(fileName, fileOp) | |
# Limit the loop | |
for x in range(0, 3): | |
# Get a time stamp | |
gmTime = time.gmtime() | |
strTime = time.asctime(gmTime) | |
timeStamp = time.time() | |
# Read the input voltage | |
level = ReadChannel(pot_channel) | |
volts = ConvertVolts(level,2) | |
temp = ConvertTemp(level,2) | |
# Print out results | |
print("Temp: {} ({}C) {} {}".format(level,temp,strTime,timeStamp)) | |
#dataArr = [level,volts,temp,currentTime] | |
data = { 'level':level, 'volts':volts, 'temp':temp, 'dateTime':strTime, 'timeStamp':timeStamp } | |
# Print results to file | |
json.dump(data, outputFile) | |
# Wait before repeating loop | |
time.sleep(delay) |
Update
After some testing with the previous setup and fiddling with the code a bit I decided to make a few changes and finish up my circuit. So, as I mentioned before, I added a database to record my sensor data, setup a temperature sensor using the TMP35/LM35, cleaned up my wiring a bit and made some additions to my code.Changes in this update:
- Cleaned up my wiring
- Added the temperature sensor circuit
- Updated my python script to write directly to SQLite
- Changed the conversion factors on my input voltage and temperature calculations
- Added a crontab entry to run my script every hour
The main additions to the code for writing to a SQLite table are fairly simple. I made my SQL script in two parts just to make it a little easier to look at; the first string gives the table and variable/column names, followed by the values to insert.
#import the library
import sqlite3
# Create output sql strings
sql_insert = "INSERT INTO {tn} ({tc}, {dc}, {lc}, {vc}, {tmp}) ".\
format(tn=table_name, tc=time_col, dc=date_col, lc=level_col, vc=volt_col, tmp=tempc_col)
sql_values = "VALUES ({tc}, '{dc}', {lc}, {vc}, {tmp})".\
format(tc=timeStamp, dc=strTime, lc=level, vc=volts, tmp=temp)
sql_string = sql_insert + sql_values
# execute the script, commit changes and disconnect
c.execute(sql_string)
conn.commit()
conn.close()
Here is the entire code (hosted in Gist):
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import spidev | |
import time | |
import os | |
import json | |
import sqlite3 | |
import sys | |
# Open SPI bus | |
spi = spidev.SpiDev() | |
spi.open(0,0) | |
vMax = 1.25 # full scale voltage in mv | |
vRef = 3.30 | |
# Function to read SPI data from MCP3008 chip | |
# Channel must be an integer 0-7 | |
def ReadChannel(channel): | |
adc = spi.xfer2([1,(8+channel)<<4,0]) | |
data = ((adc[1]&3) << 8) + adc[2] | |
return data | |
# Function to convert data to voltage level, | |
# rounded to specified number of decimal places. | |
def ConvertVolts(data,places): | |
volts = (data * vRef) / float(1023) | |
volts = round(volts,places) | |
return volts | |
# Function to calculate temperature from | |
# TMP35 data, rounded to specified | |
# number of decimal places. | |
def ConvertTemp(data,places): | |
# ADC Value (need to apply ref voltage for TMP35 if we want full | |
# scale, highest res) | |
# (approx) Temp Volts | |
# 0 0 0.00 | |
# 79 25 0.25 | |
# 157 50 0.50 | |
# 236 75 0.75 | |
# 315 100 1.00 | |
# 393 125 1.25 | |
temp = ((data * vRef)/float(1023))*100 | |
temp = round(temp,places) | |
return temp | |
# Define sensor channels | |
pot_channel = 0 | |
# Define delay between readings | |
delay = 1 | |
# column names | |
id_col = 'ID' | |
time_col = 'Time' | |
date_col = 'DateTime' | |
level_col = 'Level' | |
volt_col = 'Volt' | |
tempc_col = 'TempC' | |
# Open db connection | |
sqlite_file = '/home/pi/projects/sqlite1.db' | |
table_name = 'Temperatures' | |
conn = sqlite3.connect(sqlite_file) | |
c = conn.cursor() | |
# Get a time stamp | |
gmTime = time.gmtime() | |
strTime = time.asctime(gmTime) | |
timeStamp = time.time() | |
# Read the input voltage | |
level = ReadChannel(pot_channel) | |
volts = ConvertVolts(level,3) | |
temp = ConvertTemp(level,2) | |
# Create output sql string | |
sql_insert = "INSERT INTO {tn} ({tc}, {dc}, {lc}, {vc}, {tmp}) ".\ | |
format(tn=table_name, tc=time_col, dc=date_col, lc=level_col, vc=volt_col, tmp=tempc_col) | |
sql_values = "VALUES ({tc}, '{dc}', {lc}, {vc}, {tmp})".\ | |
format(tc=timeStamp, dc=strTime, lc=level, vc=volts, tmp=temp) | |
sql_string = sql_insert + sql_values | |
try: | |
c.execute(sql_string) | |
conn.commit() | |
conn.close() | |
except: # catch *all* exceptions | |
e = sys.exc_info()[0] | |
print("Error:{msg}".format(msg=e)) | |
# Wait before repeating loop | |
time.sleep(delay) |
Using a vRef of 3.3V this gives me a range from 0V to 1.25V
volts = (data * vRef) / float(1023)
Which translates to a temperature range from 0°C to 125 °C
temp = ((data * vRef)/float(1023))*100
The TMP35 is rated most accurate between 10°C and 125°C
As my final step, I added a Cron job to run my code once every hour on the hour; this should give me enough data to work with in creating my API and give me some ideas for the way I want to query and present the data.
I edited the Crontab on the Raspberry Pi from the command line using:
crontab -e
# my entry
0 * * * * python /home/pi/projects/TemperatureSampler.py
They have a little primer about Crontab here on the RPi website:
Cron And Crontab
Anyway, until I add more sensors (or maybe an IR camera) that's it for the data acquisition side of my project. What I'm working on now is finishing up the skeleton of the Web API and starting to fill it out with a few features... and eventually documenting it for another post.
It's still in progress but you can find the code in my GitHub repository.