Development Tip

배열 크기가 1보다 큰 문서 쿼리

yourdevel 2020. 10. 2. 23:26
반응형

배열 크기가 1보다 큰 문서 쿼리


다음 형식의 문서가 포함 된 MongoDB 컬렉션이 있습니다.

{
  "_id" : ObjectId("4e8ae86d08101908e1000001"),
  "name" : ["Name"],
  "zipcode" : ["2223"]
}
{
  "_id" : ObjectId("4e8ae86d08101908e1000002"),
  "name" : ["Another ", "Name"],
  "zipcode" : ["2224"]
}

현재 특정 배열 크기와 일치하는 문서를 가져올 수 있습니다.

db.accommodations.find({ name : { $size : 2 }})

이렇게하면 name배열에 2 개의 요소가있는 문서가 올바르게 반환 됩니다. 그러나 필드의 배열 크기가 2보다 큰 $gt모든 문서를 반환 하는 명령을 수행 할 수 없습니다 name.

db.accommodations.find({ name : { $size: { $gt : 1 } }})

name배열이 1보다 큰 모든 문서를 선택하려면 어떻게해야합니까 (현재 데이터 구조를 수정하지 않고도 가능)?


최신 정보:

mongodb 버전 2.2+의 경우 다른 답변 에서 @JohnnyHK의해 설명 된 더 효율적인 방법 입니다.


1. $ where 사용

db.accommodations.find( { $where: "this.name.length > 1" } );

그러나...

Javascript는이 페이지에 나열된 기본 연산자보다 느리게 실행되지만 매우 유연합니다. 자세한 내용은 서버 측 처리 페이지를 참조하십시오.

2. 추가 필드를 NamesArrayLength만들고 이름 배열 길이로 업데이트 한 다음 쿼리에 사용합니다.

db.accommodations.find({"NamesArrayLength": {$gt: 1} });

더 나은 솔루션이 될 것이고 훨씬 더 빠르게 작동 할 것입니다 (인덱스를 만들 수 있습니다).


MongoDB 2.2 이상에서이 작업을 수행하는 더 효율적인 방법이 있습니다. 이제 쿼리 객체 키에서 숫자 배열 인덱스를 사용할 수 있습니다.

// Find all docs that have at least two name array elements.
db.accommodations.find({'name.1': {$exists: true}})

부분 필터 표현식을 사용하는 인덱스로이 쿼리를 지원할 수 있습니다 (3.2 이상 필요).

// index for at least two name array elements
db.accommodations.createIndex(
    {'name.1': 1},
    {partialFilterExpression: {'name.1': {$exists: true}}}
);

해석 된 $where절을 사용하지 않기 때문에 질문에 답하는 가장 빠른 쿼리라고 생각합니다 .

{$nor: [
    {name: {$exists: false}},
    {name: {$size: 0}},
    {name: {$size: 1}}
]}

이는 "이름이 없거나 (존재하지 않거나 비어있는 배열) 이름이 하나만있는 문서를 제외한 모든 문서"를 의미합니다.

테스트:

> db.test.save({})
> db.test.save({name: []})
> db.test.save({name: ['George']})
> db.test.save({name: ['George', 'Raymond']})
> db.test.save({name: ['George', 'Raymond', 'Richard']})
> db.test.save({name: ['George', 'Raymond', 'Richard', 'Martin']})
> db.test.find({$nor: [{name: {$exists: false}}, {name: {$size: 0}}, {name: {$size: 1}}]})
{ "_id" : ObjectId("511907e3fb13145a3d2e225b"), "name" : [ "George", "Raymond" ] }
{ "_id" : ObjectId("511907e3fb13145a3d2e225c"), "name" : [ "George", "Raymond", "Richard" ] }
{ "_id" : ObjectId("511907e3fb13145a3d2e225d"), "name" : [ "George", "Raymond", "Richard", "Martin" ] }
>

You can use aggregate, too:

db.accommodations.aggregate(
[
     {$project: {_id:1, name:1, zipcode:1, 
                 size_of_name: {$size: "$name"}
                }
     },
     {$match: {"size_of_name": {$gt: 1}}}
])

// you add "size_of_name" to transit document and use it to filter the size of the name


None of the above worked for me. This one did so I'm sharing it:

db.collection.find( {arrayName : {$exists:true}, $where:'this.arrayName.length>1'} )

Try to do something like this:

db.getCollection('collectionName').find({'ArrayName.1': {$exists: true}})

1 is number, if you want to fetch record greater than 50 then do ArrayName.50 Thanks.


db.accommodations.find({"name":{"$exists":true, "$ne":[], "$not":{"$size":1}}})

You can use $expr ( 3.6 mongo version operator ) to use aggregation functions in regular query.

Compare query operators vs aggregation comparison operators.

db.accommodations.find({$expr:{$gt:[{$size:"$name"}, 1]}})

I found this solution, to find items with an array field greater than certain length

db.allusers.aggregate([
  {$match:{username:{$exists:true}}},
  {$project: { count: { $size:"$locations.lat" }}},
  {$match:{count:{$gt:20}}}
])

The first $match aggregate uses an argument thats true for all the documents. If blank, i would get

"errmsg" : "exception: The argument to $size must be an Array, but was of type: EOO"

MongoDB 3.6 include $expr https://docs.mongodb.com/manual/reference/operator/query/expr/

You can use $expr in order to evaluate an expression inside a $match, or find.

          {$match: {
                  $expr: {$gt: [{$size: "$yourArrayField"}, 0]}
              }
          }

or find

collection.find({$expr: {$gte: [{$size: "$yourArrayField"}, 0]}});


Although the above answers all work, What you originally tried to do was the correct way, however you just have the syntax backwards (switch "$size" and "$gt")..

Correct:

db.collection.find({items: {$gt: {$size: 1}}})

Incorrect:

db.collection.find({items: {$size: {$gt: 1}}})

참고URL : https://stackoverflow.com/questions/7811163/query-for-documents-where-array-size-is-greater-than-1

반응형