Yet another MongoDB Map Reduce tutorial[영어 mongodbMopreduce 글 추천]
Background
As the title says, this is yet-another-tutorial on Map Reduce using MongoDB. But two things that are different here:
The Problem
So without further ado, let us get started. We’ll use the GeoBytes’ free GeoWorldMap database. It is a database of countries, their states/regions and major cities. You can find this database onthis pageunder Geobytes’ Free Services section. The zip archive contains CSV files andinstructions on importing this data to MySQL are available here.
The task is to find the 2 closest cities in each country, except in United States. (I excluded USA because over 75% of the cities in “cities” table are from USA, and by excluding it the results arrive much faster! Plus, it gives an additional flavor to the task.)
This p_w_picpath on top displays field and corresponding datatypes of “cities” table. Note the fields CountryID, Latitude and Longitude.
Assumptions
For sake of simplicity, we’ll represent earth as a 2D plane. The distance between any two points P1 (x1,y1) and P2 (x2,y2) on a 2D plane is computed as Square-Root of { (x1-x2)2+ (y1-y2)2}
SQL Solution
If the distance between each pair of cities in a country were known then we could simply apply a GROUP BY statement where we divide the data by Country and find those two cities where the distance is minimum. Since data is not available in this form, let’s try to manipulate it to get the desired structure.
/* QUERY1 - VIEW: city_dist */
create view city_dist as
select c1.CountryID,
c1.CityId, c1.City,
c2.CityId as CityId2, c2.City as City2,
sqrt(pow(c1.Latitude-c2.Latitude,2) + pow(c1.Longitude-c2.Longitude,2)) as Dist
from cities c1 inner join cities c2
where c1.CountryID = c2.CountryID /* Country should be same */
and c1.CityId < c2.CityId /* Calculate distance between 2 cities only once */
and c1.CountryID <> 254 /* Don't include US cities */;
Now that we have distance between each pair of cities, we can now group this data by country and then proceed to select those 2 cities that have the least value for “Dist” field but still greater than zero. This can be accomplished easily as shown below:
/* QUERY 2 */
select city_dist.*
from (
select CountryID, min(Dist) as MinDist
from city_dist
where Dist > 0 /* Avoid cities which share Latitude & Longitude */
group by CountryID
) a inner join city_dist on a.CountryID = city_dist.CountryID and a.MinDist = city_dist.Dist;
That completes our SQL solution to the given problem. (You can delete the View “city_dist” later)
It is important to note the steps we followed. In the first step we performed all the computations (by calculating the distance between 2 cities of each country). In the next step we grouped (or divided) our results by country and selected those 2 cities where the value of distance was least. These steps can be represented graphically as shown below.
Map Reduce Solution
We can easily import our “cities” table from MySQL to MongoDB using MongoVUE. Instruction on importing areavailable here. Once this is done, a sample document in MongoDB looks like this:
Map Reduce is a 3 step approach to solving problems.
Step 1 – Map
Map step is used to group or divide data into sets based on a desired value (called Key). This is actually similar to Step 2 of SQL solution above. The Map step is accomplished by writing a JavaScript function, and the signature of this function is given below.
function /*void*/ MapCode() {
}
In other words the Map function takes no arguments and returns no data! That doesn’t seem much useful, does it? So lets explore it in greater detail. Although Map function doesn’t take any arguments, it gets invoked on each document of the collection as a method. Since it is invoked as a method, it has access to “this” reference. So with “this” you can access any data within the “current” document. Something else that is available is the “emit” function and it takes two 2 arguments, first, the key on which you want to group the data. Second argument is the data itself that you want to group.
When we write the Map function, we need to be careful about 3 things.
Let’s find the answers to these questions.
function MapCode() {
emit(this.CountryID, ...);
}
We certainly don’t care about RegionID, TimeZone, DmaID, County and Code for calculating closest cities. We can easily ignore these. Keys that seems helpful are CityId, City, Latitude and Longitude.
function MapCode() {
emit(this.CountryID,
{
"city": this.City,
"lat": this.Latitude,
"lon": this.Longitude
});
}
With this we have answered our second question as well, i.e. what data is extraneous and what is necessary. Now before we get to the third question above, lets understand a bit more about Reduce. After the Map step completes we obtains a bunch of key-value pairs. In our case, we’ll get a bunch of key-value pairs (where key is CountryID and value is a Json object) as shown in the p_w_picpath below:
Reduce operation aggregates different values for each given key using a user defined function. In other words, Reduce operation will take up each key (or CountryID) and then pick up all the values (in our case Json objects) created from Map step and then one-by-one process them using a custom defined logic. Lets look at the signature of Reduce function.
function /*object*/ ReduceCode(key, arr_values) {
}
Reduce takes 2 parameters – 1) Key 2) An array of values (number of values outputted from Map step). Output of Reduce is an object. It is important to note that Reduce can be called multiple times on a single key! Yes, you read it correctly. It is not that difficult to think actually – consider a case where your data is huge and it lies on 2 different servers. It would be ideal to perform a Reduce on the given key on first server, and then perform a Reduce for the same key on second server. And then do a Reduce on the results of these two reduced values.
Here is a picture explaining Reduce step.
The picture above shows Reduce being called twice. This is just can example. To be frank, we don’t know how MongoDB executes Reduce. We don’t know which key it is going to be reduced first and which key last. We also don’t know how many times it is going to call reduce for a key. This optimization is better left with MongoDB itself as it finds the most suitable parallel execution for every MapReduce command.
What we do know is that if Reduce is executed more than once then the value returned will be passed in a subsequent reduce as part of input.
For our given problem, we want Reduce to output all the cities of a given country (so that we can then try to find the closest two). So the expected format of final reduced value (rF) is:
{
"data" : [
{ city E },
{ city B },
{ . . . }
]
}
But the input values in Reduce array (param 2) should have exactly the same format as the output, as the output may be intermediate and may participate in further Reduce. So lets mould the Map function to produce values in the above desired format.
function MapCode() {
emit(this.CountryID,
{ "data":
[
{
"city": this.City,
"lat": this.Latitude,
"lon": this.Longitude
}
]
});
}
Our reduce function simply assimilates all the cities.
function ReduceCode(key, values) {
var reduced = {"data":[]};
for (var i in values) {
var inter = values[i];
for (var j in inter.data) {
reduced.data.push(inter.data[j]);
}
}
return reduced;
}
This brings us to Finalize step. Finalize is used to do any required transformation on the final output of Reduce. The function signature of Finalize is given below:
function /*object*/ FinalizeCode(key, value) {
}
The function takes a a key value pair, and outputs a value. After the Reduce is complete, MongoDB runs Finalize on each key’s final reduced value. The output of Finalize for all keys is put in a collection, and it is this collection which is the result of Map Reduce. You can give it a desired name, and if left unspecified, MongoDB selects a collection name for you.
In our case, we’ll use Finalize to find the closest 2 cities out of all the given cities in a country. Here is the Finalize function.
function Finalize(key, reduced) {
if (reduced.data.length == 1) {
return { "message" : "This Country contains only 1 City" };
}
var min_dist = 999999999999;
var city1 = { "name": "" };
var city2 = { "name": "" };
var c1;
var c2;
var d;
for (var i in reduced.data) {
for (var j in reduced.data) {
if (i>=j) continue;
c1 = reduced.data[i];
c2 = reduced.data[j];
d = Math.sqrt((c1.lat-c2.lat)*(c1.lat-c2.lat)+(c1.lon-c2.lon)*(c1.lon-c2.lon));
if (d < min_dist && d > 0) {
min_dist = d;
city1 = c1;
city2 = c2;
}
}
}
return {"city1": city1.name, "city2": city2.name, "dist": min_dist};
}
This completes our MapReduce solutions as well. We just need to filter out US cities when we invoke this – that is easy enough to do with a simple condition:
{
CountryID: { $ne: 254 } /* 254 is US CountryID */
}
Points to note
If you want to learn about how to execute these steps in MongoVUE, then refer to thisstep-by-step tutorial.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
mr 프로젝트 최적화 요약-----------------------------mr 운행 매개 변수 조정 MapReduce 작업 매개 변수 튜닝 Hadoop 최적화 1편: HDFS/MapReduce MapReduce 관련 매개 변수 MapRe...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.