将日期差异转换为年以计算 MongoDB 中的年龄

Convert date difference to years to calculate age in MongoDB

我正在使用以下内容来计算时间戳差异中的年龄。

db.getCollection('person').aggregate( [
  { $project: { 
    item: 1, 
    DOB: "$personal.DOB",
    dateDifference: { $subtract: [ new Date(), "$personal.DOB" ] }
  } } 
] )

我得到了 dateDifference 中的数值。我想将它除以 (365*24*60*60*1000) 将其转换为年。但我不知道如何在上面的查询中指定这个公式。我尝试了以下方法,但它没有 return 任何值

db.getCollection('person').aggregate( [ 
  { $project: { 
    item: 1, 
    DOB:"$personal.DOB", 
    dateDifference: ({ $subtract: [ new Date(), "$personal.DOB" ] })/(365*24*60*60*1000)
   } } 
] )

更新:MongoDB 5.0 解决方案,也会考虑闰年

db.collection.aggregate([
  { $addFields:
    { age: { $dateDiff: { startDate: "$dob", endDate: "$$NOW", unit: "year" } } }
  }
])

更新:我们可以组合聚合运算符。请注意,此解决方案不会给出准确的结果,因为它没有考虑闰年

db.getCollection('person').aggregate( [ { 
    $project: { 
        date:"$demographics.DOB", 
        age: { 
            $divide: [{$subtract: [ new Date(), "$Demographics.DOB" ] }, 
                    (365 * 24*60*60*1000)]
        } 
     } 
} ] )

旧的解决方案 $let


我能够使用 $let 表达式解决问题

db.getCollection('person').aggregate( [ { 
    $project: { 
        item: 1, 
        date:"$demographics.DOB", 
        age: { 
            $let:{
                vars:{
                    diff: { 
                        $subtract: [ new Date(), "$demographics.DOB" ] 
                    }
                },
                in: {
                    $divide: ["$$diff", (365 * 24*60*60*1000)]
                }
            }
        } 
     } 
} ] )

接受的答案不正确的天数与此人出生后的闰年数相同。这里有一个更正确的计算年龄的方法:

{$subtract:[
   {$subtract:[{$year:"$$NOW"},{$year:"$dateOfBirth"}]},
   {$cond:[
      {$gt:[0, {$subtract:[{$dayOfYear:"$$NOW"},
      {$dayOfYear:"$dateOfBirth"}]}]},
      1,
      0
   ]}
]}

Mongo 5.0 开始,这是新 $dateDiff 聚合运算符的完美用例:

// { "dob" : ISODate("1990-03-27") }
// { "dob" : ISODate("2008-08-07") }
db.collection.aggregate([
  { $addFields:
    { age: { $dateDiff: { startDate: "$dob", endDate: "$$NOW", unit: "year" } } }
  }
])
// { "dob" : ISODate("1990-03-27"), "age" : 31 }
// { "dob" : ISODate("2008-08-07"), "age" : 13 }

这非常符合年龄场景,因为(引用 documentation$dateDiff 产生的持续时间是通过计算通过单位边界的次数来衡量的。例如,相隔 18 个月的两个日期将 return 相差 1 年而不是 1.5 年。

另请注意,$$NOW 是一个 return 当前日期时间值的变量。