Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Calculate distance between Zip Codes... AND users.

This is more of a challenge question than something I urgently need, so don't spend all day on it guys.

I built a dating site (long gone) back in 2000 or so, and one of the challenges was calculating the distance between users so we could present your "matches" within an X mile radius. To just state the problem, given the following database schema (roughly):

USER TABLE UserId UserName ZipCode

ZIPCODE TABLE ZipCode Latitude Longitude

With USER and ZIPCODE being joined on USER.ZipCode = ZIPCODE.ZipCode.

What approach would you take to answer the following question: What other users live in Zip Codes that are within X miles of a given user's Zip Code.

We used the 2000 census data, which has tables for zip codes and their approximate lattitude and longitude.

We also used the Haversine Formula to calculate distances between any two points on a sphere... pretty simple math really.

The question, at least for us, being the 19 year old college students we were, really became how to efficiently calculate and/store distances from all members to all other members. One approach (the one we used) would be to import all the data and calculate the distance FROM every zip code TO every other zip code. Then you'd store and index the results. Something like:

SELECT  User.UserId
FROM    ZipCode AS MyZipCode
        INNER JOIN ZipDistance ON MyZipCode.ZipCode = ZipDistance.MyZipCode
        INNER JOIN ZipCode AS TheirZipCode ON ZipDistance.OtherZipCode = TheirZipCode.ZipCode
        INNER JOIN User AS User ON TheirZipCode.ZipCode = User.ZipCode
WHERE   ( MyZipCode.ZipCode = 75044 )
        AND ( ZipDistance.Distance < 50 )

The problem, of course, is that the ZipDistance table is going to have a LOT of rows in it. It isn't completely unworkable, but it is really big. Also it requires complete pre-work on the whole data set, which is also not unmanageable, but not necessarily desireable.

Anyway, I was wondering what approach some of you gurus might take on something like this. Also, I think this is a common issue programmers have to tackle from time to time, especially if you consider problems that are just algorithmically similar. I'm interested in a thorough solution that includes at least HINTS on all the pieces to do this really quickly end efficiently. Thanks!

like image 846
bopapa_1979 Avatar asked Oct 21 '10 00:10

bopapa_1979


People also ask

Can Tableau calculate distance between zip codes?

Yes, populate the zip codes on a map in Tableau using Superstore data, then go to Menu, Worksheet, Export Data (to . csv). That will generate the list of postal/zip codes with Latitude & Longitude.


4 Answers

Ok, for starters, you don't really need to use the Haversine formula here. For large distances where a less accurate formula produces a larger error, your users don't care if the match is plus or minus a few miles, and for closer distances, the error is very small. There are easier (to calculate) formulas listed on the Geographical Distance Wikipedia article.

Since zip codes are nothing like evenly spaced, any process that partitions them evenly is going to suffer mightily in areas where they are clustered tightly (east coast near DC being a good example). If you want a visual comparison, check out http://benfry.com/zipdecode and compare the zipcode prefix 89 with 07.

A far better way to deal with indexing this space is to use a data structure like a Quadtree or an R-tree. This structure allows you to do spatial and distance searches over data which is not evenly spaced.

Here's what an Quadtree looks like:

Quadtree

To search over it, you drill down through each larger cell using the index of smaller cells that are within it. Wikipedia explains it more thoroughly.

Of course, since this is a fairly common thing to do, someone else has already done the hard part for you. Since you haven't specified what database you're using, the PostgreSQL extension PostGIS will serve as an example. PostGIS includes the ability to do R-tree spatial indexes which allow you to do efficient spatial querying.

Once you've imported your data and built the spatial index, querying for distance is a query like:

SELECT zip FROM zipcode WHERE geom && expand(transform(PointFromText('POINT(-116.768347 33.911404)', 4269),32661), 16093) AND distance(    transform(PointFromText('POINT(-116.768347 33.911404)', 4269),32661),    geom) < 16093 

I'll let you work through the rest of the tutorial yourself.

  • http://unserializableone.blogspot.com/2007/02/using-postgis-to-find-points-of.html

Here are some other references to get you started.

  • http://www.bostongis.com/PrinterFriendly.aspx?content_name=postgis_tut02
  • http://www.manning.com/obe/PostGIS_MEAPCH01.pdf
  • http://postgis.refractions.net/docs/ch04.html
like image 102
Paul McMillan Avatar answered Sep 28 '22 15:09

Paul McMillan


I'd simply just create a zip_code_distances table and pre-compute the distances between all 42K zipcodes in the US which are within a 20-25 mile radius of each other.

create table zip_code_distances ( from_zip_code mediumint not null, to_zip_code mediumint not null, distance decimal(6,2) default 0.0, primary key (from_zip_code, to_zip_code), key (to_zip_code) ) engine=innodb; 

Only including zipcodes within a 20-25 miles radius of each other reduces the number of rows you need to store in the distance table from it's maximum of 1.7 billion (42K ^ 2) - 42K to a much more manageable 4 million or so.

I downloaded a zipcode datafile from the web which contained the longitudes and latitudes of all the official US zipcodes in csv format:

"00601","Adjuntas","Adjuntas","Puerto Rico","PR","787","Atlantic", 18.166, -66.7236 "00602","Aguada","Aguada","Puerto Rico","PR","787","Atlantic", 18.383, -67.1866 ... "91210","Glendale","Los Angeles","California","CA","818","Pacific", 34.1419, -118.261 "91214","La Crescenta","Los Angeles","California","CA","818","Pacific", 34.2325, -118.246 "91221","Glendale","Los Angeles","California","CA","818","Pacific", 34.1653, -118.289 ... 

I wrote a quick and dirty C# program to read the file and compute the distances between every zipcode but only output zipcodes that fall within a 25 mile radius:

sw = new StreamWriter(path);  foreach (ZipCode fromZip in zips){      foreach (ZipCode toZip in zips)     {         if (toZip.ZipArea == fromZip.ZipArea) continue;          double dist = ZipCode.GetDistance(fromZip, toZip);          if (dist > 25) continue;          string s = string.Format("{0}|{1}|{2}", fromZip.ZipArea, toZip.ZipArea, dist);         sw.WriteLine(s);     } } 

The resultant output file looks as follows:

from_zip_code|to_zip_code|distance ... 00601|00606|16.7042215574185 00601|00611|9.70353520976393 00601|00612|21.0815707704904 00601|00613|21.1780461311929 00601|00614|20.101431539283 ... 91210|90001|11.6815708119899 91210|90002|13.3915723402714 91210|90003|12.371251171873 91210|90004|5.26634939906721 91210|90005|6.56649623829871 ... 

I would then just load this distance data into my zip_code_distances table using load data infile and then use it to limit the search space of my application.

For example if you have a user whose zipcode is 91210 and they want to find people who are within a 10 mile radius of them then you can now simply do the following:

select   p.* from  people p inner join (  select    to_zip_code   from    zip_code_distances   where    from_zip_code = 91210 and distance <= 10 ) search on p.zip_code = search.to_zip_code where  p.gender = 'F'.... 

Hope this helps

EDIT: extended radius to 100 miles which increased the number of zipcode distances to 32.5 million rows.

quick performance check for zipcode 91210 runtime 0.009 seconds.

select count(*) from zip_code_distances count(*) ======== 32589820  select   to_zip_code  from   zip_code_distances  where   from_zip_code = 91210 and distance <= 10;  0:00:00.009: Query OK 
like image 38
Jon Black Avatar answered Sep 28 '22 16:09

Jon Black


You could shortcut the calculation by just assuming a box instead of a circular radius. Then when searching you simply calculate the lower/upper bound of lat/lon for a given point+"radius", and as long as you have an index on the lat/lon columns you could pull back all records that fall within the box pretty easily.

like image 34
babtek Avatar answered Sep 28 '22 14:09

babtek


I know that this post is TOO old, but making some research for a client I've found some useful functionality of Google Maps API and is so simple to implement, you just need to pass to the url the origin and destination ZIP codes, and it calculates the distance even with the traffic, you can use it with any language:

origins = 90210
destinations = 93030
mode = driving

http://maps.googleapis.com/maps/api/distancematrix/json?origins=90210&destinations=93030&mode=driving&language=en-EN&sensor=false%22

following the link you can see that it returns a json. Remember that you need an API key to use this on your own hosting.

source: http://stanhub.com/find-distance-between-two-postcodes-zipcodes-driving-time-in-current-traffic-using-google-maps-api/

like image 34
Facundo Colombier Avatar answered Sep 28 '22 15:09

Facundo Colombier