字段的数据类型为String。我想在mongoDB中找到字段的最长和最短值的长度。
我总共收集了50万份文件。
在现代版本中,MongoDB具有$strLenBytes
或$strLenCP
聚合运算符,您可以简单地执行以下操作:
Class.collection.aggregate([
{ "$group" => {
"_id" => nil,
"max" => { "$max" => { "$strLenCP" => "$a" } },
"min" => { "$min" => { "$strLenCP" => "$a" } }
}}
])
其中,"a"
是文档中要从中获取最小和最大长度的字符串属性。
要输出最小和最大长度,可用的最佳方法是使用mapReduce和一些技巧来保持值。
首先,您定义了一个映射器函数,它实际上只是从集合中输出一个项目来减少负载:
map = Q%{
function () {
if ( this.a.length < store[0] )
store[0] = this.a.length;
if ( this.a.length > store[1] )
store[1] = this.a.length;
if ( count == 0 )
emit( null, 0 );
count++;
}
}
由于这主要是使用全局范围的变量来保持最小和最大长度,所以您只想在发出的单个文档的finalize
函数中替换它。没有减少阶段,但为此定义了一个"空白"函数,即使它没有被调用:
reduce = Q%{ function() {} }
finalize = Q%{
function(key,value) {
return {
min: store[0],
max: store[1]
};
}
}
然后调用mapReduce操作:
Class.map_reduce(map,reduce).out(inline: 1).finalize(finalize).scope(store: [], count: 0)
因此,所有的工作都是在服务器上完成的,而不是通过迭代发送到客户端应用程序的结果。在这样的小集合上:
{ "_id" : ObjectId("543e8ee7ddd272814f919472"), "a" : "this" }
{ "_id" : ObjectId("543e8eedddd272814f919473"), "a" : "something" }
{ "_id" : ObjectId("543e8ef6ddd272814f919474"), "a" : "other" }
你会得到这样的结果(shell输出,但驱动程序基本相同):
{
"results" : [
{
"_id" : null,
"value" : {
"min" : 4,
"max" : 9
}
}
],
"timeMillis" : 1,
"counts" : {
"input" : 3,
"emit" : 1,
"reduce" : 0,
"output" : 1
},
"ok" : 1
}
因此,mapReduce允许服务器上的JavaScript处理非常快速地完成这项工作,从而减少网络流量。目前,MongoDB没有其他本地方式可以返回字符串长度,因此服务器上需要进行JavaScript处理。
用于获取字段的最长值
db.entities.aggregate([{ $match:{ condition } },{
$addFields: {
"length": { $strLenCP: "$feildName" }
}},
{ "$sort": { "length": -1 } },
{$limit:1}
])
将{"$sort":{"length":-1}}更改为{"$sort":{
您可以使用mongoshell脚本。请注意,它将执行全表扫描。
function findMinMax() {
var max = 0;
var min = db.collection.findOne().fieldName.length;
db.collection.find().forEach(function(doc) {
var currentLength = doc.fieldName.length;
if (currentLength > max) {
max = currentLength;
}
if (currentLength < min) {
min = currentLength;
}
});
print(max);
print(min);
}
use <databaseName>
findMinMax();
您可以将函数保存在一个文件中,比如c:\minMax.js,并以的形式运行该文件
c:mongodbbin> mongo dbName < c:minMax.js
注意:您可能需要提供必要的主机名、用户名和密码才能连接到数据库。
c:mongodbbin> mongo --host hostName --port portNumber -u userName -p password dbName < c:minMax.js