web-dev-qa-db-ja.com

mongodbで最小値を見つける方法

どのように同等のことをしますか

SELECT 
  MIN(Id) AS MinId
FROM
  Table

mongoDBで?

MapReduceを使用する必要があるように見えますが、これを行う方法を示す例は見つかりません。

33
atbebtg

sortlimitの組み合わせを使用して、minをエミュレートできます。

_> db.foo.insert({a: 1})
> db.foo.insert({a: 2})
> db.foo.insert({a: 3})
> db.foo.find().sort({a: 1}).limit(1) 
{ "_id" : ObjectId("4df8d4a5957c623adae2ab7e"), "a" : 1 }
_

sort({a: 1})aフィールドの昇順(最小優先)ソートであり、そのフィールドの最小値となる最初のドキュメントのみを返します。

EDIT:これはmongoシェルで書かれていますが、適切なドライバーメソッドを使用してC#または他の言語から同じことを実行できます。

61
dcrosta

最初

  db.sales.insert([
    { "_id" : 1, "item" : "abc", "price" : 10, "quantity" : 2, "date" : ISODate("2014-01-01T08:00:00Z") },
    { "_id" : 2, "item" : "jkl", "price" : 20, "quantity" : 1, "date" : ISODate("2014-02-03T09:00:00Z") },
    { "_id" : 3, "item" : "xyz", "price" : 5, "quantity" : 5, "date" : ISODate("2014-02-03T09:05:00Z") },
    { "_id" : 4, "item" : "abc", "price" : 10, "quantity" : 10, "date" : ISODate("2014-02-15T08:00:00Z") },
    { "_id" : 5, "item" : "xyz", "price" : 5, "quantity" : 10, "date" : ISODate("2014-02-15T09:05:00Z") }
  ])

2番目、最小値を見つける

  db.sales.aggregate(
   [
     {
       $group:
       {
         _id: {},
         minPrice: { $min: "$price" }
       }
     }
   ]
  );

結果は

{ "_id" : {  }, "minPrice" : 5 }

このようなmin関数も使用できます。

 db.sales.aggregate(
    [
      {
        $group:
        {
          _id: "$item",
          minQuantity: { $min: "$quantity" }
        }
      }
    ]
  )

結果は

{ "_id" : "xyz", "minQuantity" : 5 }
{ "_id" : "jkl", "minQuantity" : 1 }
{ "_id" : "abc", "minQuantity" : 2 }

$ minは、$ groupステージでのみ使用可能なアキュムレータ演算子です。

UPDATE:バージョン3.2で変更:$ minは$ groupおよび$ projectステージで利用可能です。 MongoDBの以前のバージョンでは、$ minは$ groupステージでのみ使用できます。

詳細についてはここをクリックしてください

12
wanghao

公式c#ドライバー(mongodb csharpについての質問)でそれがどのように行われるかを示したいだけです。1つのフィールドのみを読み込みますが、そのフィールドの最小値を見つけたい場合はドキュメント全体を読み込みません。完全なテストケースを次に示します。

[TestMethod]
public void Test()
{
  var _mongoServer = MongoServer.Create("mongodb://localhost:27020");
  var database = _mongoServer.GetDatabase("StackoverflowExamples");
  var col = database.GetCollection("items");

  //Add test data
  col.Insert(new Item() { IntValue = 1, SomeOtherField = "Test" });
  col.Insert(new Item() { IntValue = 2 });
  col.Insert(new Item() { IntValue = 3 });
  col.Insert(new Item() { IntValue = 4 });

  var item = col.FindAs<Item>(Query.And())
  .SetSortOrder(SortBy.Ascending("IntValue"))
  .SetLimit(1)
  .SetFields("IntValue") //here i loading only field that i need
  .Single();
  var minValue = item.IntValue;

  //Check that we found min value of IntValue field
  Assert.AreEqual(1, minValue);
  //Check that other fields are null in the document
  Assert.IsNull(item.SomeOtherField);
  col.RemoveAll();
} 

そしてItemクラス:

public class Item
{
   public Item()
   {
     Id = ObjectId.GenerateNewId();
   }

    [BsonId]
    public ObjectId Id { get; set; }
    public int IntValue { get; set; }
    public string SomeOtherField { get; set; }
}

更新:常にさらに移動しようとしているので、コレクション内の最小値を見つけるための拡張方法を次に示します。

public static class MongodbExtentions
{
    public static int FindMinValue(this MongoCollection collection, string fieldName)
    {
        var cursor = collection.FindAs<BsonDocument>(Query.And())
                     .SetSortOrder(SortBy.Ascending(fieldName))
                     .SetLimit(1)
                     .SetFields(fieldName);

        var totalItemsCount = cursor.Count();

        if (totalItemsCount == 0)
            throw new Exception("Collection is empty");

        var item = cursor.Single();

        if (!item.Contains(fieldName))
            throw new Exception(String.Format("Field '{0}' can't be find within '{1}' collection", fieldName, collection.Name));

        return item.GetValue(fieldName).AsInt32; // here we can also check for if it can be parsed
    }
}

したがって、この拡張メソッドを使用した上記のテストケースは、次のように書き換えることができます。

[TestMethod]
public void Test()
{
  var _mongoServer = MongoServer.Create("mongodb://localhost:27020");
  var database = _mongoServer.GetDatabase("StackoverflowExamples");
  var col = database.GetCollection("items");

  var minValue = col.FindMinValue("IntValue");

  Assert.AreEqual(1, minValue);
  col.RemoveAll();
}

誰かがそれを使用することを願っています;)。

8
Andrew Orsich