具有JSON数据的Mongoose,其值为属性名称

时间:2014-10-29 06:48:56

标签: javascript node.js mongodb mongoose

我有一个json对象,格式为

{
  'Which is the Capital of India ? ': {
      'Delhi': 1,
      'Bangalore': 0,
      'Mumbai': 0,
      'Chennai': 0
  }
}

我正在尝试用mongoose为这个对象编写模式。我写了 -

exports.quiz = mongoose.Schema({
   question: {
       answer: Boolean
   }
});

由于我是一个mongodb和mongoose新手,我需要知道这是否是正确的方法?

1 个答案:

答案 0 :(得分:1)

这不是一个对象的非常好的表示。想想一个"对象"作为数据容器的通用形式。所有"键"您在JSON表单中指定的实际上是"数据"要点,应该这样对待。

此外,为了获得最佳性能,您希望将其作为嵌入数据,因为这样可以对MongoDB进行单一读取和写入。这就是为什么你应该使用MongoDB,而不是试图以关系方式对其进行建模。

所以通用模式的一种好形式是这样的:

// Initial requires
var mongoose = require('mongoose'),
    Schema = mongoose.Schema;

// A generic answer sub-schema
var answerSchema = new Schema({
    answer: String,
    correct: Boolean
});

// A generic Question schema
var  questionSchema = new Schema({
    text: String,
    answers: [answerSchema]
});

exports.Question = mongoose.model( 'Question', questionSchema );

MongoDB中的序列化表单基本上就出现了:

{
    "text": "Which is the Capital of India",
    "answers": [
        { "answer": "Delhi", "correct": true },
        { "answer": "Bangalore", "correct": false },
        { "answer": "Mumbai", "correct": false },
        { "answer": "Chennai", "correct":  false }         
    ]
}

从您当前的JSON转换不是问题:

var orig; // Your existing structure
var data = {};

Object.keys(orig).forEach(function(title) {
    // Really only expecting one top level key here

    // Stripping out the common formatting
    var fixed = title.replace(/\s+\?\s+$/,"");

    data.text = fixed;
    data.answers = [];

    // Loop the answer keys
    Object.keys(orig[title]).forEach(function(answer) {
        data.answers.push({
            answer: answer,
            correct: (orig[title][answer]) ? true : false
        });
    });
    Question.create( data, function(err,question) {
        if (err) throw err;
        console.log("Created: %s", question );
    });
});

但是请查看异步循环控制,以便更好地使用#34;问题"的大量列表。

因此,通用结构为您提供了一些不错的选择:

  • 您可以添加架构对象固有的一些格式化逻辑,例如以一致的方式格式化问题。因为我们剥离了尾随的空白和"?"问号。从您的数据中删除了这可以通过方法和自定义序列化添加。

  • 答案是一个数组,所以你可以" shuffle"订单,以便可能的答案不会始终以相同的顺序出现。

嵌入式数组项的另一个巧妙之处(特别是考虑到最后一点)是默认情况下mongoose会为每个数组元素分配一个唯一的_id字段。这使得检查答案变得容易:

Question.findOne(
    { 
        "_id": questionId,
        "answers": { "$elemMatch": { "_id": anwerId, "correct": true } }
    },
    function(err,result) {
      if (err); // handle hard errors

      if (result != null) {
         // correct
      } else {
         // did not match, so got it wrong
      }
    }
);

这就是"泛型"服务器端响应处理程序,它基本上需要有效负载中的两个参数,即当前questionId和提交的answerId。如果.findOne()操作的结果与文档不匹配且响应为null,则答案不正确。

这意味着您可以添加更多"糖"在您的架构定义中。一点点蛮力"在这里(但是例如)你可以删除"正确的"来自答案的密钥发送到客户端并进行其他格式化。在主要模式定义之后:

// Fisher Yates shuffle
function shuffle(array) {
  var counter = array.length,
      temp,
      index;

  while (counter > 0) {
    index = Math.floor(Math.random() * counter);

    counter--;

    temp = array[counter];
    array[counter] = array[index];
    array[index] = temp;
  }

  return array;
}

if (!answerSchema.options.toJSON) answerSchema.options.toJSON = {};
answerSchema.options.toJSON.transform = function(doc,ret,opts) {
  // Pulling the "correct" markers from the client response
  delete ret.correct;
};


if (!questionSchema.options.toJSON) questionSchema.options.toJSON = {};
questionSchema.options.toJSON.transform = function(doc,ret,opts) {

  // Add the formatting back in
  if ( ret.hasOwnProperty('text') )
    ret.text = doc.text + " ? ";

  // Shuffle the anwers
  ret.answers = shuffle(doc.answers);
};

exports.Question = mongoose.model( 'Question', questionSchema );

这为您提供了一个很好的打包和隐藏数据"响应发送到客户端进行显示:

{
  "text": "Which is the Capital of India ? ",
  "_id": "5450b0d49168d6dc1dbf866a",
  "answers": [
    {
      "answer": "Delhi",
      "_id": "5450b0d49168d6dc1dbf866e"
    },
    {
      "answer": "Chennai",
      "_id": "5450b0d49168d6dc1dbf866b"
    },
    {
      "answer": "Bangalore",
      "_id": "5450b0d49168d6dc1dbf866d"
    },
    {
      "answer": "Mumbai",
      "_id": "5450b0d49168d6dc1dbf866c"
    }
  ]
}

总的来说:

  • 为MongoDB建模的更好方法

  • 简单的一个查询读取和响应检查

  • 使用自定义序列化逻辑隐藏客户端中的数据。

你可以做的一些很好的事情,可以很好地扩展,并将逻辑放在需要的地方。