Skip to content

Commit e7f42a5

Browse files
committed
Fix conflicts
2 parents 845092d + 0e4ba01 commit e7f42a5

File tree

2 files changed

+80
-18
lines changed

2 files changed

+80
-18
lines changed

mongoengine/base/document.py

+58-18
Original file line numberDiff line numberDiff line change
@@ -300,7 +300,7 @@ def get_text_score(self):
300300

301301
return self._data['_text_score']
302302

303-
def to_mongo(self, use_db_field=True, fields=None):
303+
def to_mongo(self, use_db_field=True, fields=None, populate=False):
304304
"""
305305
Return as SON data ready for use with MongoDB.
306306
"""
@@ -310,11 +310,21 @@ def to_mongo(self, use_db_field=True, fields=None):
310310
data = SON()
311311
data["_id"] = None
312312
data['_cls'] = self._class_name
313-
313+
314+
Document = _import_class("Document")
315+
EmbeddedDocumentField = _import_class("EmbeddedDocumentField")
316+
ReferenceField = _import_class("ReferenceField")
317+
ListField = _import_class("ListField")
318+
314319
# only root fields ['test1.a', 'test2'] => ['test1', 'test2']
315320
root_fields = set([f.split('.')[0] for f in fields])
316321

322+
if populate:
323+
populate_list = [ _field.split('.') for _field in populate.split(',')]
324+
populate_domain = dict((_field[0],_field[1:]) for _field in populate_list)
325+
317326
for field_name in self:
327+
318328
if root_fields and field_name not in root_fields:
319329
continue
320330

@@ -323,22 +333,49 @@ def to_mongo(self, use_db_field=True, fields=None):
323333

324334
if field is None and self._dynamic:
325335
field = self._dynamic_fields.get(field_name)
326-
336+
327337
if value is not None:
328-
f_inputs = field.to_mongo.__code__.co_varnames
329-
ex_vars = {}
330-
if fields and 'fields' in f_inputs:
331-
key = '%s.' % field_name
332-
embedded_fields = [
333-
i.replace(key, '') for i in fields
334-
if i.startswith(key)]
338+
if populate and field_name in populate_domain.keys():
339+
if isinstance(field, ListField):
340+
_obj = []
341+
for ref in value:
342+
if isinstance(ref, DBRef):
343+
_ref_model = field.field.document_type
344+
345+
if isinstance(ref.id, ObjectId):
346+
ref_id = ref.id
347+
_obj.append(_ref_model.objects.get(id=ref_id).to_mongo(populate='.'.join(populate_domain[field_name])))
348+
elif isinstance(ref, Document):
349+
_obj.append(ref.to_mongo(populate='.'.join(populate_domain[field_name])))
350+
else:
351+
_obj.append(ref)
352+
353+
value = _obj
354+
355+
if isinstance(field, ReferenceField) :
356+
_ref_model = field.document_type
357+
try:
358+
_obj = _ref_model.objects.get(id=value.id).to_mongo(populate='.'.join(populate_domain[field_name]))
359+
except:
360+
_obj = None
361+
362+
value = _obj
363+
364+
else :
365+
f_inputs = field.to_mongo.__code__.co_varnames
366+
ex_vars = {}
367+
if fields and 'fields' in f_inputs:
368+
key = '%s.' % field_name
369+
embedded_fields = [
370+
i.replace(key, '') for i in fields
371+
if i.startswith(key)]
335372

336-
ex_vars['fields'] = embedded_fields
373+
ex_vars['fields'] = embedded_fields
337374

338-
if 'use_db_field' in f_inputs:
339-
ex_vars['use_db_field'] = use_db_field
340-
341-
value = field.to_mongo(value, **ex_vars)
375+
if 'use_db_field' in f_inputs:
376+
ex_vars['use_db_field'] = use_db_field
377+
378+
value = field.to_mongo(value, **ex_vars)
342379

343380
# Handle self generating fields
344381
if value is None and field._auto_gen:
@@ -350,9 +387,9 @@ def to_mongo(self, use_db_field=True, fields=None):
350387
data[field.db_field] = value
351388
else:
352389
data[field.name] = value
390+
353391

354392
# If "_id" has not been set, then try and set it
355-
Document = _import_class("Document")
356393
if isinstance(self, Document):
357394
if data["_id"] is None:
358395
data["_id"] = self._data.get("id", None)
@@ -365,7 +402,8 @@ def to_mongo(self, use_db_field=True, fields=None):
365402
not self._meta.get('allow_inheritance', ALLOW_INHERITANCE)):
366403
data.pop('_cls')
367404

368-
return data
405+
return data
406+
369407

370408
def validate(self, clean=True):
371409
"""Ensure that all fields' values are valid and that required fields
@@ -416,9 +454,11 @@ def to_json(self, *args, **kwargs):
416454
"""Converts a document to JSON.
417455
:param use_db_field: Set to True by default but enables the output of the json structure with the field names
418456
and not the mongodb store db_names in case of set to False
457+
:param populate:
419458
"""
459+
populate = kwargs.pop('populate', False)
420460
use_db_field = kwargs.pop('use_db_field', True)
421-
return json_util.dumps(self.to_mongo(use_db_field), *args, **kwargs)
461+
return json_util.dumps(self.to_mongo(use_db_field, populate=populate), *args, **kwargs)
422462

423463
@classmethod
424464
def from_json(cls, json_data, created=False):

tests/document/json_serialisation.py

+22
Original file line numberDiff line numberDiff line change
@@ -63,6 +63,28 @@ def __eq__(self, other):
6363

6464
self.assertEqual(doc, Doc.from_json(doc.to_json()))
6565

66+
def test_populate(self):
67+
class VerySimple(Document):
68+
num = StringField(default='2')
69+
70+
class Simple(Document):
71+
val = StringField(default='1')
72+
inner = ReferenceField(VerySimple)
73+
74+
class Doc(Document):
75+
simple_ref = ReferenceField(Simple)
76+
list_ref = ListField(ReferenceField(Simple))
77+
78+
docum = Doc(simple_ref=Simple(inner=VerySimple().save()).save())
79+
docum.list_ref=[Simple(inner=VerySimple().save()).save(), Simple().save()]
80+
docum.save()
81+
_json = docum.to_json( populate='simple_ref,list_ref.inner')
82+
83+
import json
84+
_json = json.loads(_json)
85+
self.assertEqual(_json['simple_ref']['val'],'1')
86+
self.assertEqual(_json['list_ref'][0]['inner']['num'],'2')
87+
6688
def test_json_complex(self):
6789

6890
if pymongo.version_tuple[0] <= 2 and pymongo.version_tuple[1] <= 3:

0 commit comments

Comments
 (0)