mongodb aggregate unwind array and no array

2.3k Views Asked by At

I'm trying to write an aggregate query using $unwind no matter the element is an array or not. I know $unwind does not work on no array elements, but I wonder if there is a way to make it work, like converting this element into an array.

I have a collection like this:

{

    {"x" : 1, "y" : {"c" : 2, "i" : 3}},
    {"x" : 1, "y" : [{"c" : 4, "i" : 5}, {"c" : 6, "i" : 7}]}

}

Before I $unwind I think I need something like this:

{

  {"x" : 1, "y" : [{"c" : 2, "i" : 3}]},
  {"x" : 1, "y" : [{"c" : 4, "i" : 5}, {"c" : 6, "i" : 7}]}
}

So far in $project stage I can check if element is array or not, but I don't know how to use this information to make an array or not. I know I can use $push to make an array, but how to leave untouched arrays elements and just $push no array elements?

I tried this:

{$group : {"_id" : "$x", "myArray" : {$push : {$cond : {if : "$isArray", then : "$y", else : ["$y"]}}}}}

With the code above I tried to have all elements in the same level but did not work since ["$y"] returns exactly that (["$y"]), no evaluation, just an array with a string in it.

I don't want to $unwind an empty array, I want to convert a non array element into an array element so I can $unwind.

any help will be appreciated.

1

There are 1 best solutions below

2
On BEST ANSWER

This basically does what you want with some help from $cond and $ifNull:

db.collection.aggregate([
    { "$project": { 
        "x": 1,
        "y": { 
            "$cond": [
                { "$ifNull": [ "$y.0", null] },
                "$y",
                { "$map": {
                    "input": ["A"],
                    "as": "el",
                    "in": "$y"
                }}
            ]
        }
    }}
])

So those first conditions work out "is the element an array" by basically testing for the presence of the "first index" of an array element. Where the condition is true then the existing element is used, i.e The array.

Where that is not true, the element is "transformed" into an array via the $map function and a single "dummy" array element.

The output is just what you want:

{
    "_id" : ObjectId("557f9d9d655c7c61fdcb7909"),
    "x" : 1,
    "y" : [
            {
                    "c" : 2,
                    "i" : 3
            }
    ]
}
{
    "_id" : ObjectId("557f9d9d655c7c61fdcb790a"),
    "x" : 1,
    "y" : [
            {
                    "c" : 4,
                    "i" : 5
            },
            {
                    "c" : 6,
                    "i" : 7
            }
    ]
}

I still would advise where possible that you alter the documents to actually contain an array element in your collection rather than working this into the pipeline. Something like this:

db.collection.find({ "y.0": { "$exists": false } }).forEach(function(doc) {
    db.collection.update(
        { "_id": doc._id },
        { "$set": { "y": [doc.y] } }
    )
})