Click here to Skip to main content
15,867,568 members
Articles / Multimedia / GDI+

Digital Thermometer Using C# and ATmega16 Microcontroller

Rate me:
Please Sign up or sign in to vote.
4.90/5 (94 votes)
1 Jul 2013CPOL9 min read 398.6K   7.2K   224   85
Hardware interfacing through serial port using C#

DigitalThermometer/thermometer.png

Introduction

We all have thermometers in our homes but what when it comes to seeing it digitally on your computer or to keep a record of it in your computer, it is very difficult. To provide such an ease, I have created a piece of hardware to detect temperature and to interface it with the computer so that the temperature can be shown or recorded there.

Note: This application requires some hardware to send relevant data to the application through a serial port. Without such a device, it won't work.

Contents

  • Procedural Steps
  • Hardware Details
  • Software Details
    • Configuring Serial Port
    • Receiving Data
    • Sampling Data
    • Creating Graphics
    • Displaying Data

Procedural Steps

Temperature Sensor ----> Atmega16 microcontroller ------> computer Serial Port

(LM35)                                    (sender)                                               (receiver)

Here what I try to explain is that a temperature sensor LM35 detects the temperature and passes a corresponding scaled voltage to the microcontroller which converts it into digital data.

This digital data is our temperature reading which is then transmitted to our application via serial port on our computer, using Asynchronous Serial Transmission between the microcontroller and the computer.

DigitalThermometer/lm35.GIF

This is the temperature sensor.

DigitalThermometer/ATMEGA16-pinout.jpg

This is our atmega16 microcontroller which creates a digital temperature reading and transfers it to the computer. It's an 8-bit microcontroller with a 16KB flash memory enough for long programs. For programming my microcontroller, I used the AVR Studio 4 platform and the C language.

The code for the microcontroller just includes reading the sensor continuously and transmitting that data to our C# application through a serial port.

The code for the microcontroller is as follows:

MC++
#include<avr/io.h>
#include<avr/interrupt.h>
#define FOSC 12000000// Clock Speed
#define F_CPU 12000000ul
#define BAUD 9600
#define MYUBRR (FOSC/16)/BAUD -1
//#include<util/delay.h>

//initialise USART
void USART_Init( unsigned int ubrr)
{
//Set baud rate 
UBRRH = (unsigned char)(ubrr>>8);
UBRRL = (unsigned char)ubrr;
//Enable receiver and transmitter 
UCSRB = (1<<RXEN)|(1<<TXEN);
//Set frame format: 8data, 2stop bit, NO parity
UCSRC = (1<<URSEL)|(1<<USBS)|(3<<UCSZ0);
}

//Initialise A to D converter
void ADC_Init()
{
//enable adc

ADCSRA |= (1<<ADEN);

//enable interrupts

ADCSRA |= (1<<ADIE);

//set reference selection to Vcc;
//left adjust result
//set voltage selection to bit 7 of portA

ADMUX |= (1<<REFS0) | (1<<ADLAR) | (1<<MUX2) | (1<<MUX1) | (1<<MUX0);

//set prescalar to 128

ADCSRA |= (1<<ADPS0) | (1<<ADPS1) | (1<<ADPS2);// | (1<<ADATE);
}

//Transmit Data
void USART_Transmit( unsigned char data )
{
/* Wait for empty transmit buffer */
while ( !( UCSRA & (1<<UDRE)) )
;
/* Put data into buffer, sends the data */
UDR = data;
}

//Interrupt A to D converter reading
ISR(ADC_vect)
{
unsigned char c;

//variable c stores data from ADCH register

c=ADCH;

USART_Transmit(c);
//next statement starts a new ADC conversion

ADCSRA |= (1<<ADSC);
}

int main( void )
{
USART_Init ( MYUBRR );
ADC_Init();
sei();

//start an adc conversion

ADCSRA |= (1<<ADSC);
while(1);
} 

Monitoring More Than One Sensor at a Time

Note: If you are new to microcontrollers and this is one of your first projects, then I suggest you to implement the above code only and work with one sensor. If you think you can, then nothing's better than that and go ahead.

This thing was demanded by a person (I guess Mr. Joel), that's why I am adding it here.

This shows how you can monitor up to 8 temperature sensors and pass their data to your computer.

In the ADMUX register of the Atmega16 microcontroller, bits MUX4.....MUX0 (5 bits) control data from which pin of PORT A (out of 8 pins) will be used for digital conversion so that it could be transmitted to the computer.

Here our basic idea is that after each conversion, we will keep on changing the pin from which the reading is to be taken. This way we will read through PIN0 to PIN7 (all 8 one by one) and then again back to PIN0.

Below I show what value of MUX4....MUX0 bits in the ADMUX register selects the channel (PIN of PORT A).

MUX4....MUX0 PORTA PIN which will be read
00000 PIN 0
00001 PIN 1
00010 PIN 2
00011 PIN 3
00100 PIN 4
00101 PIN 5
00110 PIN 6
00111 PIN 7

Now to implement it properly in code, we have the idea that as soon as a conversion completes and Interrupt Service Routine (ISR) is called, we will change the PIN for the next conversion. Here is how to do this:

MC++
 ISR(ADC_Vect)
{ 
//code for reading and transmitting conversion ( shown above as well)
unsigned char c;
c=ADCH;    
USART_Transmit(c); 

//Now read the value of MUX4,MUX3, MUX2, MUX1 & MUX0 bits of ADMUX register
//and increment it by one if less than 8 else make it 0.

unsigned char d;

d = ADMUX & 0x1F;

if(d < 7) 
{ d = d + 1;
  ADMUX |= d;
}
else
{ ADMUX |= 0;
}

//Now start a new conversion which will read the next PIN now
 ADCSRA |= (1<<ADSC); 
}    

Schematic

The temperature sensor is connected to the microcontroller only.

Many people out here demanded for a schematic, so here I am adding the connection diagrams. Hope this serves the purpose.

Below is the connection diagram of the Atmega16 microcontroller with sensor LM35 (on the right). To the left in the image is the Crystal Oscillator required in case someone wants a higher operating frequency than the internal 1MHz of the microcontroller (it serves the purpose). In case you are satisfied with internal frequency, then don't add this Crystal oscillator.

DigitalThermometer/AtmegaLM35.jpg

Now comes the point of how to connect the hardware to the computer through a serial port. For this, you should know that the computer serial port adds at around 10v whereas a microcontroller operates at around 5v. So for effective communication, we need a level converter (which may convert the ongoing voltages as per the devices on both sides). IC MAX232 serves this purpose, it's a general purpose cheaply available IC with just a simple connection as shown below:

DigitalThermometer/max232.gif

So this was the hardware detailing. Now I will discuss some software part.

Software Details

In this section, I will discuss the code of my application which is used to get temperature readings from the serial port and display it. By now, the data is available on our computer's Serial Port, all we now need is an application to retrieve it, which is done here.

Configuring the Serial Port

Now what comes first is configuring the Serial Port, i.e., fix the Baud Rate, set Parity, number of Data Bits to be received in a single packet of data, and number of Stop Bits to be used.

First of all, we create a global System.IO.Ports.SerialPort object port in our class definition, which is then initialized in the Load event of the Form.

And also a few variables which hold the values to be set for the properties of the port object.

  • portname holds the name of the serial port. In my computer, it was COM4.
  • voltage holds the reference voltage, which is actually the Vcc voltage of the microcontroller board and is set manually in this application. 4.65 volts here.
  • parity holds the type of parity to be used in serial communication between the computer and the microcontroller, i.e., Even Parity, Odd Parity, or No Parity. I have not used any parity.<code>
  • BaudRate holds the value of Baud Rate of the serial communication. I settled for a Baud Rate of 9600 bps.
  • StopBits holds the number of stop bits to be used. The possible values are 1, 2, or none. I have used 2 stop bits.
  • And finally the databits variable which defines how many data bits are to be received during communication. It's always a good choice to use 8 data bits, as it's a standard byte size, so it becomes easier to manipulate it.
C#
public partial class Thermometer : Form
{
    public Thermometer()
    {
        InitializeComponent();
    }
    
    System.IO.Ports.SerialPort port;
    static public double voltage;
    static public string portname;
    static public Parity parity;
    static public int BaudRate;
    static public StopBits stopbits;
    public int databits;  
    private void Form1_Load(object sender, EventArgs e)
    {
        portname = "COM4";
        parity = Parity.None;
        BaudRate = 9600;
        stopbits = StopBits.Two;
        databits = 8;

        port = new System.IO.Ports.SerialPort(portname);
        port.Parity = parity;
        port.BaudRate = BaudRate;
        port.StopBits = stopbits;
        port.DataBits = databits;
        port.DataReceived += new SerialDataReceivedEventHandler(port_DataReceived);
        port.Open();
    }

These were the serial port settings. The same communication settings are used in the microcontroller so that communication can take place effectively.

Receiving Data

After the Serial Port is opened by calling the port.open() method, the serial port is ready for receiving the data arriving at it.

  • DataReceived: To receive data at the application, we need to handle the DataReceived event of the SerialPort class.
  • port.Read method reads data from the COM4 serial port and writes it into a single variable byte array bt.
C#
void port_DataReceived(object sender, SerialDataReceivedEventArgs e)
{
    // read one byte data into bt
    port.Read(bt,0,1);
    // all the code to sample data
}

Sampling Data

The basic idea behind sampling data is that as the readings are received continuously, we take 100 values and calculate their average value so that a much fairer temperature reading is available. This gives us a single temperature reading to display.

To carry out this calculation, a global double variable sum and an int variable count are created.

sum adds up subsequent temperature readings and count counts up the number of readings to see whether they have reached 100 or not.

This code comes under the DataReceived event only ahead of the above code:

C#
// the calculation on the right hand side calculates
// the temperature from the read value
sum += Convert.ToDouble(bt[0]) *voltage*100/255;
            
//this counts to 100
count++; 

Now as soon as the count reaches 100, the calculated sum value is averaged by dividing it by 100. This sampled value is then stored in a double temp variable, sum and count are again set to 0 value.

C#
// single temperature reading
temp = sum / 100;
sum = 0;
count = 0; 

Now that we have a temperature reading with us, the next task is to calculate the angle of the arm so that the calculated temp could be displayed on the round meter image.

The angle will be stored in a variable angle. Now before calculating angle, simply have a look at the round meter. The angle between certain values doesn't vary uniformly, that is between 20 - 30, the angle is less as compared to between 30 - 40 and 40 - 50 (see the above image).

So before calculating the angle, this needs to be taken care of.

By some analysis, I found some angles beginning from the 50 value on the meter as being a 0 degree value.

Creating Graphics

Basically creating graphics like this means that whenever a temperature value is obtained, the arm should not just get set to that reading on the meter but it should move there by subsequent rotation (as in some analog meter where the arm moves from an initial value to an final value).

To achieve this a method named Animate is created which animates the arm from an initial reading to a final reading. The method takes Currentangle and FinalAngle as arguments.

This method increases the value of the variable Currentangle by 1 in each step and keeps on calling itself recursively until the value reaches the FinalAngle value. At each step, the form1.Paint event is raised through code to render the value onto screen.

C#
private void Animate(double Currentangle, double FinalAngle)
{ 
    // if Final angle is negative then make it positive
    if (FinalAngle < 0)
            FinalAngle += 360;

    // if final angle is greater than 360 degree then reduce it
    if (Currentangle >= 360)
    {
        Currentangle = Currentangle - 360;
    }

    // if current angle is not within +0.5 and -0.5 of
    // the final angle value then execute if block
    
    if (!(Currentangle > FinalAngle-0.5 && Currentangle < FinalAngle + 0.5))
    {
        if (Currentangle > FinalAngle)
        {
            //decrement Currentangle
            Currentangle -= 1;                    
        }
        else
        {
            //else Increment Current angle
            Currentangle += 1;                    
        }
          
        Form1_Paint(this, new PaintEventArgs(surface, DrawingRectangle));
        Animate(Currentangle, FinalAngle);
    }
}

Now with this, our code to create animations is over. Next comes creating graphics on the screen.

Displaying Data

For creating a meter on the screen, it is necessary that there should be no flickering of the screen as the graphics are created, so ensure that we use Buffered Graphics.

For this, a BufferedGraphics object buff is created and is initialized in the Load event of the form. Also a System.Drawing.Graphics object surface is created which just represents the graphics surface at which the images are drawn.

C#
// create buffered graphics object for area of the form by using this.Bounds

buff = BufferedGraphicsManager.Current.Allocate(this.CreateGraphics(),this.Bounds); 
surface = buff.Graphics;

//ensure high quality graphics to users

surface.PixelOffsetMode = PixelOffsetMode.HighQuality;
surface.SmoothingMode = SmoothingMode.HighQuality;

Now moving onto the final Paint event of the form. Here first of all, we hold the images of the round meter and the meter arm in the Image class objects img and hand.

After this, the meter is drawn on the Form. The arm is rotated to the calculated angle and is drawn on the screen. The temperature is drawn on the screen by calling the DrawString method.

All of the code is written in a try - catch block and an InvalidOperationException is caught which ensures that if in some case graphics fails to render on the screen, then nothing causes the application to crash.

C#
private void Form1_Paint(object sender, PaintEventArgs e)
{ 
    try
    {
        Image img = new Bitmap(Properties.Resources.speedometer, this.Size);     
        Image hand = new Bitmap(Properties.Resources.MinuteHand)                
        surface.DrawImageUnscaled(img, new Point(0, 0));                
        surface.TranslateTransform(this.Width / 2f, this.Height / 2f);
        surface.RotateTransform((float)CurrentAngle);                
        surface.DrawImage(hand, new Point(-10, -this.Height / 2 + 40));           
        string stringtemp = displaytemp.ToString();
        stringtemp = stringtemp.Length > 5 ? 
          stringtemp.Remove(5, stringtemp.Length - 5) : stringtemp;
        Font fnt = new Font("Arial", 20);
        SizeF siz = surface.MeasureString(stringtemp, fnt);
        surface.ResetTransform();
                
        LinearGradientBrush gd = new LinearGradientBrush(new Point(0,(int)siz.Height + 20), 
          new Point((int)siz.Width,0), Color.Red, Color.Lavender);
      
        surface.DrawString(stringtemp, fnt, gd, new PointF(DrawingRectangle.Width / 2 - 
            siz.Width / 2, 70));                

        surface.DrawEllipse(Pens.LightGray, DrawingRectangle);

        surface.Save();
        buff.Render();
    }
    catch(InvalidOperationException)
    {
        //code to handle exception
    }
}

This finishes the coding part of the application.

Another interesting project which I have is to switch 230 - 250 volt A.C. home appliances from computer through a C# application.

A pure software application which I also plan to write here is the Isolated Storage. Copy or cut your files and folders and paste it in the GUI provided by this application, and then just delete them from your computer. It will store your data in the Isolated Storage area on the hard disk and it will be visible to you through this application only. Copy it from this application and paste it back to your file system. No data will be lost. I plan to write it here as well soon....

Conclusion

With this, I have provided the idea for hardware interfacing through serial port using C# applications. Anyone like me who likes developing hardware for personal use would have enjoyed reading this article. This is the second time I am writing this article as it wasn't liked much earlier due to lack of explanation. I hope things are better this time up.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
India India
I'm a ruby developer in LinkedIn these days but used to code in C# some years back for my hobby projects.

Comments and Discussions

 
QuestionWhy I dowload file but I don't run program on Visual Studio C# Pin
Member 149593078-Oct-20 7:17
Member 149593078-Oct-20 7:17 
QuestionTermómetro digital con el microcontrolador C # y ATmega16 Pin
Member 1188534911-Aug-18 5:09
Member 1188534911-Aug-18 5:09 
Questionerror while running... Pin
patodi16-Jul-13 23:14
patodi16-Jul-13 23:14 
AnswerRe: error while running... Pin
HiteshSharma22-Aug-13 20:34
HiteshSharma22-Aug-13 20:34 
GeneralMy vote of 5 Pin
dpalash1-Jul-13 0:44
professionaldpalash1-Jul-13 0:44 
QuestionNice one Pin
Member 880732810-Apr-12 6:53
Member 880732810-Apr-12 6:53 
GeneralMy vote of 5 Pin
Abinash Bishoyi30-Mar-12 1:38
Abinash Bishoyi30-Mar-12 1:38 
GeneralMy vote of 5 Pin
Viktor Signaievskyi5-Nov-11 7:23
Viktor Signaievskyi5-Nov-11 7:23 
Questionnegative thermometer [modified] Pin
unbeliever124-Aug-11 0:58
unbeliever124-Aug-11 0:58 
Questioncompliments sir Pin
benbas24-Jul-11 6:25
benbas24-Jul-11 6:25 
GeneralMy vote of 5 Pin
JF201520-Jan-11 2:03
JF201520-Jan-11 2:03 
GeneralMy vote of 5 Pin
thatraja9-Dec-10 19:27
professionalthatraja9-Dec-10 19:27 
GeneralRe: My vote of 5 Pin
HiteshSharma13-Dec-10 18:03
HiteshSharma13-Dec-10 18:03 
QuestionHow to write programme to Micro Controller Pin
zain_ali8-Dec-10 1:46
zain_ali8-Dec-10 1:46 
I want to ask that how can upload program in micro controller.You provide c sample.Which hardware to use to write program to micro controller.can we use atmel micro controller instead.
Thanks.
AnswerRe: How to write programme to Micro Controller Pin
HiteshSharma9-Dec-10 3:39
HiteshSharma9-Dec-10 3:39 
GeneralPhidgets for Data Input Pin
dmbrider22-Dec-09 10:36
dmbrider22-Dec-09 10:36 
GeneralNice article Pin
thompsons9-Dec-09 6:25
thompsons9-Dec-09 6:25 
GeneralRe: Nice article Pin
HiteshSharma9-Dec-09 6:52
HiteshSharma9-Dec-09 6:52 
QuestionHow can a microcontroller (89S52,or any) to measure the beats per minute of a pulse circuit Pin
Member 407735121-Oct-09 8:57
Member 407735121-Oct-09 8:57 
AnswerRe: How can a microcontroller (89S52,or any) to measure the beats per minute of a pulse circuit Pin
HiteshSharma22-Oct-09 5:03
HiteshSharma22-Oct-09 5:03 
QuestionHow can i display data from microcontroller to Pc using serialport Pin
Member 407735127-Aug-09 9:07
Member 407735127-Aug-09 9:07 
AnswerRe: How can i display data from microcontroller to Pc using serialport Pin
hairy_hats19-Jun-12 2:44
hairy_hats19-Jun-12 2:44 
Questionreading data from a microcontroller (89s52) via serialport [modified] Pin
Member 407735127-Aug-09 9:06
Member 407735127-Aug-09 9:06 
AnswerRe: reading data from a microcontroller (89s52) via serialport Pin
HiteshSharma27-Aug-09 12:00
HiteshSharma27-Aug-09 12:00 
QuestionRe: reading data from a microcontroller (89s52) via serialport Pin
Member 407735129-Aug-09 2:40
Member 407735129-Aug-09 2:40 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.