1

我编写了一个使用Google Cloud Video Intelligence分析视频的服务

我用猫鼬将分析结果保存到MongoDB

这是我使用的模型(我已经简化了所有内容以避免混淆):

// Video.js

const mongoose = require('mongoose');

const videoSchema = new mongoose.Schema({
    analysis_progress: {
        percent: { type: Number, required: true },
        details: {}
    },
    status: {
        type: String,
        enum: ['idle', 'processing', 'done', 'failed'],
        default: 'idle'
    }
});

module.exports = mongoose.model('Video', videoSchema);

当分析操作结束时,我调用下面的函数并update像这样运行:


function detectFaces(video, results) {
   //Build query
    let update = {
        $set: {
            'analysis_results.face_annotations': results.faceDetectionAnnotations // results is the the test result
        }
    };

    Video.findOneAndUpdate({ _id: video._id }, update, { new: true }, (err, result) => {
        if (!err)
            return console.log("Succesfully saved faces annotiations:", video._id);
        throw err // This is the line error thrown
    });
}

这是我得到的错误:

Error: cyclic dependency detected
    at serializeObject (C:\Users\murat\OneDrive\Masaüstü\bycape\media-analysis-api\node_modules\bson\lib\bson\parser\serializer.js:333:34)
    at serializeInto (C:\Users\murat\OneDrive\Masaüstü\bycape\media-analysis-api\node_modules\bson\lib\bson\parser\serializer.js:947:17)
...

我尝试过的解决方案:

  1. {autoIndex: false}在 db 配置中添加。
mongoose.connect(process.env.DB_CONNECTION, {useNewUrlParser: true, useUnifiedTopology: true, useFindAndModify: false, autoIndex: false });
  1. retryWrites=true从 Mongo URI 结构中移除。(我的连接 URI 中还没有那个参数)

所以,我认为问题的根源在于我正在保存整个测试结果,但我没有其他选择。我需要按原样保存。

我愿意接受各种建议。

4

1 回答 1

2

正如我所猜测的那样,问题在于cyclic dependency对象中有一个来自谷歌的对象。

在我同事的帮助下:

然后由于 JSON.stringify() 将对象更改为简单类型:字符串、数字、数组、对象、布尔值,因此无法使用 stringify 存储对对象的引用,然后解析您破坏了 stringify 无法转换的信息。

另一种方法是知道哪个字段持有循环引用,然后取消设置或删除该字段。

我找不到哪个字段,cycylic dependency所以我使用 IJSON.stringfy()JSON.parse()删除它。

let videoAnnotiations = JSON.stringify(operationResult.annotationResults[0]);
videoAnnotiations = JSON.parse(videoAnnotiations);
于 2021-07-02T10:31:28.997 回答