为什么使用带有nunjucks的mongoose对象循环显示元数据?
我正在写一个应用程序中使用mongodb和nunjucks。
我正在尝试遍历名为persona
的模型,但这样做会显示与记录关联的mongoose元数据。
如果我只是通过编写persona
来显示{{persona}}
变量。
我的输出如下。只是我的架构中定义的键/值。
{ _id: 582f186df1f05603132090d5, name: 'Alex', name_lower: 'alex', __v: 0,
meta: { validated: null, contributors: 'Research Team', sources: '4 Interviews' },
pain_points: { points: 'Debugging' },
ideal_day: { responsibilities: 'Coding websites.', goals: 'Finish the research site.', joys: 'Good code, Good food.', hobbies: 'Dance, Hiking, Eating' },
environment: { workspace: 'Desk', tools: 'Atom, Sketch', info_from: null, info_to: null, coworkers_relationship: null, technology_relationship: null },
basic_info: { jobtitle: 'FED', experience: '2', education: 'CS', company: '' } }
但是,如果我循环遍历persona
{% for name, item in persona %} {{ name }} : {{ item }} {% endfor %}
除了在我的架构中显示键之外,还将显示与该记录关联的所有mongoose元数据。我想了解为什么在循环对象时显示不同的信息。
$__ isNew errors _doc $__original_save save _pres _posts $__original_validate validate $__original_remove remove db discriminators __v id _id meta pain_points ideal_day environment basic_info updated_at created_at name_lower name schema collection $__handleSave $__save $__delta $__version increment $__where
我能够通过使用Mongoose的lean()
来解决这个问题,但仍然不明白为什么我会遇到这种行为。
答案 0 :(得分:3)
当您致电{{persona}}
时,结果为persona.toString()
如果对象没有覆盖方法toString
,则结果将为[Object object]
(默认为toString
方法)。
当您使用循环{% for key, value in persona %}
时,它等于
for(var key in obj)
print(key + ' - ' + obj[key]);
此代码打印所有对象属性和方法。
要排除方法,必须使用下一个循环
for(var key in obj)
if (typeof(obj) != 'function') // or obj.hasOwnProperty(key)
print(key + ' ' + obj[key]);
所以,为了避免你的问题,你必须明白"将数据传递给nunjucks之前或输出之前的数据
您可以定义custom filter
var env = nunjucks.configure(...
env.addFilter('lean', function(obj) {
var res = {};
for(var key in obj)
if (typeof(obj) != 'function') // or obj.hasOwnProperty(key)
res[key] = obj[key];
return res;
});
...
{% for key, value in persona | lean %}
{{key}} - {{value}}
{% endfor %}