Click here to Skip to main content
15,867,777 members
Articles / Programming Languages / C#
Article

Mapping with a GPS and C#

Rate me:
Please Sign up or sign in to vote.
4.82/5 (45 votes)
22 Jan 2008CPOL7 min read 402K   23.4K   176   45
An article on mapping with a GPS in C#
Image 1

Introduction

This article shall describe a very simple approach to working with a GPS device within the context of a C# application. This article does not address how the GPS device works or everything that can be gleaned from the NEMA 0183 string outputted from most GPS devices; rather, the article is intended for those just interested in getting the present position from a GPS and using that point to do something interesting like show you where you are on a map.

Nothing exotic or expensive was used in this project; the GPS source was a provided by my Garmin eTrex Legend handheld GPS purchased for about $100.00 (a nice little GPS but not the high end to be sure). Since my laptop provides no male serial ports, in order to connect the device I needed an adapter; for this I opted to purchase a Belkin Serial Port to USB adapter (an F5U109) which works great; the cable used to connect the device to a computer was provided with the device.

Image 2
Figure 1: Getting the present position from the GPS.

To make matters more interesting than just outputting present position, I provided the means to map the point directly into Google Maps using the query string accepted on that site populated with the current latitude and longitude of the device. I had published something similar on C# Corner a while back but without the GPS interface provided. Interestingly enough (but not surprising), if you compare the present position of the device as shown on the map versus the physical address when plotted on Google Maps, you will likely note that the GPS position is more accurate than the geocoded physical address.

NOTE: In order to retrieve the present position from the GPS device, it is necessary to configure the device to output the NEMA 0183 complaint string. Refer to your owner’s manuals to determine how to set that up with whatever device you may be using.

Image 3
Figure 2: Google Maps showing the plotted present position.

Getting Started

The solution contains a single Windows Forms project called ReadGPS which was written in C#; the application contains two forms (frmPP.cs, frmMap.cs) and, aside from the Program.cs file, all of the code necessary to drive the application is contained in those two form classes.

Image 4
Figure 3: Solution Explorer with the Project Visible.

Code: Main Form (frmPP.cs)

All of the code necessary to derive present position from a GPS device is contained in this single form; the form shall be described entirely in this section.

The code for this Form class begins with the following:

C#
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Text;
using System.Windows.Forms;
using System.IO.Ports;

namespace ReadGPS
{
    public partial class frmPP : Form
    {

Following the imports, the declaration of the namespace and the Form class, the next order of business in the application is to declare a collection of member variables requiring form wide scope; these variables are contained in a defined region entitled Member Variables. The declaration of the variables follows:

C#
#region Member Variables

    // Local variables used to hold the present
    // position as latitude and longitude
    public string Latitude;
    public string Longitude;

#endregion

The form designer contains a single serial port control along with some text boxes used to display present position as latitude and longitude, and two buttons, one of which is used to turn on and off automatic updating of present position and the other which serves to map the present position in Google Maps. The form also contains a timer control used to automatically update the coordinates, and a menu strip control which contains menu options used to change the COM port and to exit the application.

The next block of code in the Form class is the constructor; in this instance, the constructor is used to try to open the serial port given its default configuration as set in the property pages at design time. For some of the properties associated with the control, it might make sense to allow for runtime configuration changes but, aside from the COM port used to attach the device to the computer, the control is properly configured to work with the GPS device; review the settings for the serial port control in the IDE to review the settings applied.

Aside from using the wrong port setting, there is little that can go wrong here but if the initial attempt to open the port fails, the constructor will display a message box showing the user the reason for the connection failure. A failure also disables the timer control used to command present position updates and alters the text on the button used to manually disable the update timer.

C#
#region Constructor

    /// <summary>
    /// Constructor
    /// </summary>
    public frmPP()
    {
        InitializeComponent();

        // Try to open the serial port
        try
        {
            serialPort1.Open();
        }
        catch (Exception ex)
        {
            MessageBox.Show(ex.Message);
            timer1.Enabled = false;
            button1.Text = "Update";
            return;
        }
    }

#endregion

Following the constructor, the event handlers used within the application are coded. The first is the timer control’s tick event; this is the heart of the application in terms of getting the latitude and longitude extracted from the NEMA 0183 string outputted from the device.

The code first checks to see if the serial port is open and, if it is, it reads the output of the device into a string variable. The string is split on the dollar sign symbol to break it up into a string array with each of the subordinate strings contained in the output. We are looking for a string beginning with GPGGA; this substring contains the latitude and longitude information we are looking for and it is comma delimited.

The whole GPGGA section contains other information besides latitude and longitude (such as time of day information, elevation, the number of satellites tracked, etc.). There are only four parts of the GPGGA section that we want, those sections contain the coordinates and the ordinals defining the position. The rest of the code converts the returned values into decimal degrees and passes them to the latitude and longitude member variables.

If we have valid coordinates, the function also enables the button used to map the point into Google Maps. If the values returned are invalid, the form will display GPS Unavailable in the latitude and longitude text boxes. If the serial port is closed, the latitude and longitude text boxes will be used to display the message COM Port Closed; in either case, the mapping button is also disabled.

C#
/// <summary>
/// Try to update present position if the port is setup correctly
/// and the GPS device is returning values
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void timer1_Tick(object sender, EventArgs e)
{
    if (serialPort1.IsOpen)
    {
        string data = serialPort1.ReadExisting();
        string[] strArr = data.Split('$');
        for (int i = 0; i < strArr.Length; i++)
        {
            string strTemp = strArr[i];
            string[] lineArr = strTemp.Split(',');
            if (lineArr[0] == "GPGGA")
            {
                try
                {
                    //Latitude
                    Double dLat = Convert.ToDouble(lineArr[2]);
                    dLat = dLat / 100;
                    string[] lat = dLat.ToString().Split('.');
                    Latitude = lineArr[3].ToString() +
                    lat[0].ToString() + "." +
                    ((Convert.ToDouble(lat[1]) /
                    60)).ToString("#####");

                    //Longitude
                    Double dLon = Convert.ToDouble(lineArr[4]);
                    dLon = dLon / 100;
                    string[] lon = dLon.ToString().Split('.');
                    Longitude = lineArr[5].ToString() +
                    lon[0].ToString() + "." +
                    ((Convert.ToDouble(lon[1]) /
                    60)).ToString("#####");

                    //Display
                    txtLat.Text = Latitude;
                    txtLong.Text = Longitude;

                    btnMapIt.Enabled = true;
                }
                catch
                {
                    //Cannot Read GPS values
                    txtLat.Text = "GPS Unavailable";
                    txtLong.Text = "GPS Unavailable";
                    btnMapIt.Enabled = false;
                }
            }
        }
    }
    else
    {
        txtLat.Text = "COM Port Closed";
        txtLong.Text = "COM Port Closed";
        btnMapIt.Enabled = false;
    }
}

The following button click event handler is used to enable or disable the timer used to automatically update the present position value shown in the form. The click event handler will also alter the text displayed on the button in response to enabling or disabling the timer.

C#
/// <summary>
/// Enable or disable the timer to start continuous
/// updates or disable all updates
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void button1_Click(object sender, EventArgs e)
{
    if (timer1.Enabled == true)
    {
        timer1.Enabled = false;
    }
    else
    {
        timer1.Enabled = true;
    }

    if (button1.Text == "Update")
        button1.Text = "Stop Updates";
    else
        button1.Text = "Update";
}

The next bit of code is merely used to exit the application in response to the exit menu option click event.

C#
/// <summary>
/// Exit the application
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void exitToolStripMenuItem_Click(object sender, EventArgs e)
{
    this.Dispose();
}

The following bit of code is used to swap the serial port over to COM1.

C#
/// <summary>
/// Swap serialPort1 to port COM1
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void toolStripMenuItem2_Click(object sender, EventArgs e)
{
    try
    {
        serialPort1.Close();
        serialPort1.PortName = "COM1";
        serialPort1.Open();
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message, "COM1");
    }
}

The following bit of code is used to swap the serial port over to COM2.

C#
/// <summary>
/// Swap serialPort1 to port COM2
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void toolStripMenuItem3_Click(object sender, EventArgs e)
{
    try
    {
        serialPort1.Close();
        serialPort1.PortName = "COM2";
        serialPort1.Open();
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message, "COM2");
    }
}

The following bit of code is used to swap the serial port over to COM3.

C#
/// <summary>
/// Swap serialPort1 to port COM3
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void toolStripMenuItem4_Click(object sender, EventArgs e)
{
    try
    {
        serialPort1.Close();
        serialPort1.PortName = "COM3";
        serialPort1.Open();
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message, "COM3");
    }
}

/// <summary>
/// Swap serialPort1 to port COM4
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>

The following bit of code is used to swap the serial port over to COM4.

C#
private void toolStripMenuItem5_Click(object sender, EventArgs e)
{
    try
    {
        serialPort1.Close();
        serialPort1.PortName = "COM4";
        serialPort1.Open();
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message, "COM4");
    }
}

The following bit of code is used to swap the serial port over to COM5.

C#
/// <summary>
/// Swap serialPort1 to port COM5
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void toolStripMenuItem6_Click(object sender, EventArgs e)
{
    try
    {
        serialPort1.Close();
        serialPort1.PortName = "COM5";
        serialPort1.Open();
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message, "COM5");
    }
}

The next bit of code is used to open up the Map form; the Map form accepts a latitude and longitude as arguments. These arguments are passed to the new form and used to display the current location on the map.

C#
/// <summary>
/// Open a map of the present position
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnMapIt_Click(object sender, EventArgs e)
{
    frmMap f = new frmMap(Latitude, Longitude);
    f.Show();
}

That wraps up the sum of the code used to communicate with the GPS device and to display the present position latitude and longitude from the NEMA 0183 string.

Code: Map Form (frmMap.cs)

This Form class is used to display the position captured from the GPS device through Google Maps. The form contains only a single Web browser control. The code contained in the class is used to form a query string around the latitude and longitude passed to the form whenever it is instantiated. Once the query string is assembled, the browser is commanded to navigate to the location indicated in that string.

The code is pretty simple and it is presented here in its entirety:

C#
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Text;
using System.Windows.Forms;

namespace ReadGPS
{
    public partial class frmMap : Form
    {
        public frmMap(string lat, string lon)
        {
            InitializeComponent();

            if (lat == string.Empty || lon == string.Empty)
            {
                this.Dispose();
            }

            try
            {
                StringBuilder queryAddress = new StringBuilder();
                queryAddress.Append("http://maps.google.com/maps?q=");

                if (lat != string.Empty)
                {
                    queryAddress.Append(lat + "%2C");
                }

                if (lon != string.Empty)
                {
                    queryAddress.Append(lon);
                }

                webBrowser1.Navigate(queryAddress.ToString());
            }
            catch (Exception ex)
            {
                MessageBox.Show(ex.Message.ToString(), "Error");
            }
        }
    }
}

Summary

This article was intended to demonstrate a convenient means for capturing present position information from a GPS device linked to a computer through a serial port. The project could easily be extended by reviewing the contents of the NEMA 0183 standard and picking out additional information from the information captured from a GPS device.

License

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


Written By
Software Developer (Senior)
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionNo view location Pin
Member 1313110223-Oct-17 23:06
Member 1313110223-Oct-17 23:06 
GeneralMy vote of 4 Pin
sdlczl22-Jul-16 22:53
sdlczl22-Jul-16 22:53 
QuestionThe port doesn't exist Pin
Member 1242869531-Mar-16 5:40
Member 1242869531-Mar-16 5:40 
The port doesn't exist. so how can I solve this problem ?
QuestionGPS Receiver USB for Car Ship Laptop Navigation GPS Mouse Module Antenna Gmouse Pin
TheImmortal122-Dec-15 7:10
TheImmortal122-Dec-15 7:10 
QuestionEtrex 10 Pin
fachrim1-Nov-15 2:22
fachrim1-Nov-15 2:22 
QuestionHEADING Pin
Member 39106095-Jul-14 19:03
Member 39106095-Jul-14 19:03 
Questionabout GPS Pin
Member 1032619310-Jan-14 5:40
Member 1032619310-Jan-14 5:40 
Questionserialport() Pin
Member 1049321429-Dec-13 13:13
Member 1049321429-Dec-13 13:13 
Questionlive moving of marker Pin
Ian Vic Sepelagio-Salmorin Damacio14-Aug-13 18:23
Ian Vic Sepelagio-Salmorin Damacio14-Aug-13 18:23 
QuestionDisplay my own image on the marker Pin
Member 99871772-May-13 1:57
Member 99871772-May-13 1:57 
Questioncannot displaying the Map Pin
lim sy ai7-Apr-13 17:46
lim sy ai7-Apr-13 17:46 
QuestionUse GPS in my project Pin
NimrodMazalTov25-Nov-12 21:18
NimrodMazalTov25-Nov-12 21:18 
QuestionCan I connect USB GPS device in place of serial device Pin
boy-here21-Jul-12 19:42
boy-here21-Jul-12 19:42 
GeneralMy vote of 5 Pin
BBBwex19-Jul-12 17:38
BBBwex19-Jul-12 17:38 
Questionabout Mapping with a GPS and C# Pin
hisham azzam20-Jun-11 10:39
hisham azzam20-Jun-11 10:39 
GeneralMy vote of 5 Pin
yichangzyh16-May-11 17:58
yichangzyh16-May-11 17:58 
Generalroom for improvement Pin
loyal ginger10-Feb-11 11:18
loyal ginger10-Feb-11 11:18 
GeneralMy vote of 5 Pin
ken.turley@elmlocating.com3-Nov-10 16:30
ken.turley@elmlocating.com3-Nov-10 16:30 
GeneralMy vote of 5 Pin
Reehan198711-Oct-10 20:17
Reehan198711-Oct-10 20:17 
GeneralMy vote of 5 Pin
maimadon30-Sep-10 6:14
maimadon30-Sep-10 6:14 
GeneralQuestion Pin
awinters316-Sep-10 6:36
awinters316-Sep-10 6:36 
GeneralMy vote of 5 Pin
stoyac5-Sep-10 9:43
stoyac5-Sep-10 9:43 
GeneralMy vote of 5 Pin
ZezaoZeewolf9-Jul-10 9:17
ZezaoZeewolf9-Jul-10 9:17 
GeneralThe port com2 does not Exist Pin
Ashu__6-Jul-10 19:25
Ashu__6-Jul-10 19:25 
GeneralRe: The port com2 does not Exist Pin
ManhCuong230617-Jul-16 23:34
ManhCuong230617-Jul-16 23:34 

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.