When you emit data from map, the examples show you emitting the document, but you can emit any data structure you care to dream up in the key and value portion of the emit. I needed a mapreduce view that returned all the keys that were present in the all the documents. So if I had documents in the db in the form:
{"year": 2008, "birth_rate": 20.0 }
{"year": 2009, "birth_rate": 21.0 }
{"year": 2008, "death_rate": 20.0 }
{"year": 2009, "death_rate": 20.0 }
I wanted something that returned: ["year", "birth_rate", "death_rate"]
Here's one way to do it:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/* this mapreduce pair returns all the keys of the attribute hash from all records in the system */ | |
/* the map function to return all the values of keys */ | |
function(doc) { | |
keys = {} | |
for(key in doc) { | |
if (key != "_id" && key != "_rev") { | |
keys[key] = 1 | |
} | |
} | |
emit(null, keys); | |
} | |
/* the reduce function to combine all the keys of the attribute hash in the values */ | |
function(keys, values, rereduce) { | |
result = {} | |
for(hash_name in values) { | |
hash = values[hash_name]; | |
// merge all the hashes together | |
for(key in hash) { | |
result[key] = hash[key]; | |
} | |
} | |
return result; | |
} |
Tip!