Skip to main content

C#: Geocoding to get Latitude and Longitude using Google Maps API

Geocoding is the process of getting the latitude and longitude of an address or set of addresses, which you can use to place markers or position the map.

Geocoding can be done on the client-side as well as on the server-side, based on your requirements you need to choose one out of both options.

For geocoding I am using Google Maps API which is quite reliable and faster in response to other geocoding APIs.

You can check the JSON response by directly running the API with the address on the browser window or you can take service of POSTMAN as well. Sample JSON response of Google Map API is given below:

Requested geocoding of "Gurgaon" using Google Maps API
Response:
{
    "results" : [
       {
           "address_components" : [
              {
                  "long_name" : "Gurgaon",
                  "short_name" : "Gurgaon",
                  "types" : [ "locality", "political" ]
              },
              {
                  "long_name" : "Gurgaon",
                  "short_name" : "Gurgaon",
                  "types" : [ "administrative_area_level_2", "political" ]
              },
              {
                  "long_name" : "Haryana",
                  "short_name" : "HR",
                  "types" : [ "administrative_area_level_1", "political" ]
              },
              {
                  "long_name" : "India",
                  "short_name" : "IN",
                  "types" : [ "country", "political" ]
              },
              {
                  "long_name" : "122001",
                  "short_name" : "122001",
                  "types" : [ "postal_code" ]
              }
           ],
           "formatted_address" : "Gurgaon, Haryana 122001, India",
           "geometry" : {
               "bounds" : {
                   "northeast" : {
                       "lat" : 28.5458782,
                       "lng" : 77.12264519999999
                   },
                   "southwest" : {
                       "lat" : 28.303795,
                       "lng" : 76.8569182
                   }
               },
               "location" : {
                   "lat" : 28.4594965,
                   "lng" : 77.0266383
               },
               "location_type" : "APPROXIMATE",
               "viewport" : {
                   "northeast" : {
                       "lat" : 28.5458782,
                       "lng" : 77.12264519999999
                   },
                   "southwest" : {
                       "lat" : 28.303795,
                       "lng" : 76.8569182
                   }
               }
           },
           "place_id" : "ChIJWYjjgtUZDTkRHkvG5ehfzwI",
           "types" : [ "locality", "political" ]
       }
    ],
    "status" : "OK"
}

Below C# code demonstrates calling the Google Maps geocoding service. To parse returned JSON data Newtonsoft.Json library is used and mapping classes are used to Deserialize JSON responses returned by Google Map API.

using Newtonsoft.Json;
using System.Configuration;
using System.IO;
using System.Linq;
using System.Net;
using System.Web;

namespace GoogleGeoApp
{
    public class GoogleGeoCoder
    {
        public static GeoLocation GeoLocate(string address)
        {
            var requestUrl = "http://maps.googleapis.com/maps/api/geocode/json?address="
                             + HttpUtility.UrlEncode(address);

            var httpWebRequest = (HttpWebRequest)WebRequest.Create(requestUrl);
            httpWebRequest.ContentType = "application/json;";
            httpWebRequest.Method = "GET";

            GeoLocation gLocation = null;
            try
            {
                var httpResponse = (HttpWebResponse)httpWebRequest.GetResponse();
                using (var reader = new StreamReader(httpResponse.GetResponseStream()))
                {
                    var response = reader.ReadToEnd();

                    var gResponse = JsonConvert.DeserializeObject<GeoResponse>(response);
                    if (gResponse.Status.ToUpper() == "OK")
                    {
                        var geoResult = gResponse.Results.FirstOrDefault();

                        if (geoResult != null)
                        {
                            gLocation = geoResult.Geometry.Location;
                        }
                    }
                }
            }
            catch
            {
            }
            return gLocation;
        }
    }
    public class GeoLocation
    {
        public double Lat { get; set; }

        public double Lng { get; set; }
    }
    public class GeoGeometry
    {
        public GeoLocation Location { get; set; }
    }
    public class GeoResult
    {
        public GeoGeometry Geometry { get; set; }
    }
    public class GeoResponse
    {
        public string Status { get; set; }

        public GeoResult[] Results { get; set; }
    }
}

You can call GeoLocate method as:
var gLoc = GoogleGeoCoder.GeoLocate("Gurgaon");

And it’ll provide you latitude and longitude of the given address

Note: If you have a Google Maps API key you can use that key while requesting for geocoding, but use HTTPS instead of HTTP, as HTTP won’t work in case of Map API request with key. Sample request with key is like:

If you use an API key with the HTTP request, you'll get an error message in JSON response as given below:
{
   "error_message" : "Requests to this API must be over SSL. Load the API with \"https://\" instead of \"http://\".",
   "results" : [],
   "status" : "REQUEST_DENIED"
}

Comments

Popular posts from this blog

Error 405 : ASP.NET Core Web API PUT and DELETE Methods not allowed

Recently, while working with .Net core API I came across the issue of “Error 405 — Methods not Allowed” After some research, I found out that both GET and POST requests working fine but neither PUT nor DELETE requests working. Another thing is that the PUT and DELETE request was also working fine on my local machine but failed when we host on our Azure server. When I explored the issue on the web it led me to the conclusion that WebDAVModule seems to set PUT and DELETE request methods disabled by default and due to that PUT and DELETE throw 405 errors. To make the PUT and DELETE requests work, we need to override the WebDAVModule setting in web.config file by adding the below settings under “ system.webServer ”. < system.webServer >   < modules runAllManagedModulesForAllRequests = " false " >     < remove name = " WebDAVModule " />   </ modules > </ system.webServer > There may be 2 web.config files in your

C#: Merging Excel cells with NPOI HSSFWorkbook

In this post we’ll see how to merge the two or more cell with each other while creating the excel sheet using NPOI . Mentioned below is code to merge multiple cells, in this example we are merging first cell to fifth cell of first row (you can adjust row or cell range by passing particular parameters in CellRangeAddress). //Created new Workbook var hwb = new NPOI.HSSF.UserModel. HSSFWorkbook (); //Create worksheet with name. var sheet = hwb.CreateSheet( "new sheet" ); //Create row and cell. var row = sheet.CreateRow(0); var cell = row.CreateCell(0); ; //Set text inside cell cell.SetCellValue( "This is Merged cell" ); cell.CellStyle.WrapText = true ; //define cell range address // parameters: -> first row to last and first cell to last cell var cra = new NPOI.SS.Util. CellRangeAddress (0, 0, 0, 4); //Add merged region to sheet. sheet.AddMergedRegion(cra); Hope this solution helps you J

ASP.Net: Export to HTML file and save with save file dialog in C#.

So continuing from my exporting sample series here I am narrating how to export data to HTML file in C#, ASP.Net. For this example I’ll use same “ GetData ” method (to get the data for exporting) which we had used in Export to Excel example, you can use your own method to get data. /// <summary> /// Export to Html /// </summary> public static void ExportHtmlFile() {     const string format = "<tr><td>{0}</td><td>{1}</td><td>{2}</td><td>{3}</td></tr>" ;     var sb = new StringBuilder ();     sb.AppendFormat( "<h1 style='font-size: 18px;font-weight: bold;'>{0}</h1>"         , "Export HTML Sample" );     sb.Append( "<table style='width:500px;'>" );     sb.AppendFormat(format         , "First Name"         , "Last Name"         , "Email Address"