1

MongoDB から抽出した次の JSON 結果で、各 ID に関連付けられた各タイプの応答の総数を数えたいと思います。

{
  "test": [
    {
      "ID": 4, 
      "response": "A"
    }, 
    {
      "ID": 4, 
      "response": "B"
    }, 
    {
      "ID": 1, 
      "response": "A"
    }, 
    {
      "ID": 3, 
      "response": "B"
    }, 
    {
      "ID": 2, 
      "response": "C"
    }
  ]
}
// and so on...

たとえば、JSON を次のように構造化します。

{
    "test": [
        {
            "ID": 4,
            "A": 1,
            "B": 1
        },
        {
            "ID": 3,
            "B": 1
        },
        {
            "ID": 2,
            "C": 1
        },
        {
            "ID": 1,
            "A": 1
        }
    ]
}

ID 4 の応答をテストして集計しようとしたため、クエリは次のようになります。

surveyCollection.find({"ID":4},{"ID":1,"response":1,"_id":0}).count():

しかし、次のエラーが表示されます。TypeError: 'int' object is not iterable

4

1 に答える 1

1

必要なのは、「集約フレームワーク」を使用することです

surveyCollection.aggregate([
    {"$unwind": "$test" }, 
    {"$group": {"_id": "$test.ID", "A": {"$sum": 1}, "B": {"$sum": 1}}},
    {"$group": {"_id": None, "test": {"$push": {"ID": "$ID", "A": "$A", "B": "$B"}}}}
])

pymongo 3.x 以降、aggregate()メソッドは CommandCursor結果セットに対して a を返すため、最初にリストに変換する必要がある場合があります。

In [16]: test
Out[16]: <pymongo.command_cursor.CommandCursor at 0x7fe999fcc630>

In [17]: list(test)
Out[17]: 
[{'_id': None,
  'test': [{'A': 1, 'B': 1},
   {'A': 1, 'B': 1},
   {'A': 1, 'B': 1},
   {'A': 2, 'B': 2}]}]

return list(test)代わりに使用

于 2015-08-13T19:49:20.310 に答える