相关文章推荐
腼腆的饭卡  ·  org.apache.spark.sql.A ...·  11 月前    · 
活泼的伤疤  ·  vue+vant+openlayers实现点 ...·  1 年前    · 
酒量小的枕头  ·  Java-Java I/O ...·  1 年前    · 
温柔的桔子  ·  Visual Studio 2017 ...·  1 年前    · 

The mapping framework does not have to store child objects embedded within the document. You can also store them separately and use a DBRef to refer to that document. When the object is loaded from MongoDB, those references are eagerly resolved so that you get back a mapped object that looks the same as if it had been stored embedded within your top-level document.

The following example uses a DBRef to refer to a specific document that exists independently of the object in which it is referenced (both classes are shown in-line for brevity’s sake):

You need not use @OneToMany or similar mechanisms because the List of objects tells the mapping framework that you want a one-to-many relationship. When the object is stored in MongoDB, there is a list of DBRefs rather than the Account objects themselves. When it comes to loading collections of DBRef s it is advisable to restrict references held in collection types to a specific MongoDB collection. This allows bulk loading of all references, whereas references pointing to different MongoDB collections need to be resolved one by one.

The mapping framework does not handle cascading saves. If you change an Account object that is referenced by a Person object, you must save the Account object separately. Calling save on the Person object does not automatically save the Account objects in the accounts property.

DBRef s can also be resolved lazily. In this case the actual Object or Collection of references is resolved on first access of the property. Use the lazy attribute of @DBRef to specify this. Required properties that are also defined as lazy loading DBRef and used as constructor arguments are also decorated with the lazy loading proxy making sure to put as little pressure on the database and network as possible.

Lazily loaded DBRef s can be hard to debug. Make sure tooling does not accidentally trigger proxy resolution by e.g. calling toString() or some inline debug rendering invoking property getters. Please consider to enable trace logging for org.springframework.data.mongodb.core.convert.DefaultDbRefResolver to gain insight on DBRef resolution. Lazy loading may require class proxies, that in turn, might need access to jdk internals, that are not open, starting with Java 16+, due to JEP 396: Strongly Encapsulate JDK Internals by Default . For those cases please consider falling back to an interface type (eg. switch from ArrayList to List ) or provide the required --add-opens argument.

Using @DocumentReference offers a flexible way of referencing entities in MongoDB. While the goal is the same as when using DBRefs , the store representation is different. DBRef resolves to a document with a fixed structure as outlined in the MongoDB Reference documentation .
Document references, do not follow a specific format. They can be literally anything, a single value, an entire document, basically everything that can be stored in MongoDB. By default, the mapping layer will use the referenced entities id value for storage and retrieval, like in the sample below.

template.update(Person.class) .matching(where("id").is(…)) .apply(new Update().push("accounts").value(account)) (3) .first(); The mapping framework does not handle cascading saves, so make sure to persist the referenced entity individually. Add the reference to the existing entity. Referenced Account entities are represented as an array of their _id values.

The sample above uses an _id -based fetch query ( { '_id' : ?#{#target} } ) for data retrieval and resolves linked entities eagerly. It is possible to alter resolution defaults (listed below) using the attributes of @DocumentReference

Table 1. @DocumentReference defaults

collection

The target collection name.

The annotated property’s domain type, respectively the value type in case of Collection like or Map properties, collection name.

lookup

The single document lookup query evaluating placeholders via SpEL expressions using #target as the marker for a given source value. Collection like or Map properties combine individual lookups via an $or operator.

An _id field based query ( { '_id' : ?#{#target} } ) using the loaded source value.

Used for sorting result documents on server side.

None by default. Result order of Collection like properties is restored based on the used lookup query on a best-effort basis.

If set to true value resolution is delayed upon first access of the property.

Resolves properties eagerly by default.

Lazy loading may require class proxies, that in turn, might need access to jdk internals, that are not open, starting with Java 16+, due to JEP 396: Strongly Encapsulate JDK Internals by Default . For those cases please consider falling back to an interface type (eg. switch from ArrayList to List ) or provide the required --add-opens argument. @Field("publisher_ac") @DocumentReference(lookup = "{ 'acronym' : ?#{#target} }") (1) Publisher publisher; @Document class Publisher { ObjectId id; String acronym; (1) String name; @DocumentReference(lazy = true) (2) List<Book> books;
Book document
"_id" : 9a48e32, "title" : "The Warded Man", "author" : ["Peter V. Brett"], "publisher_ac" : "DR"
Publisher document
"_id" : 1a23e45, "acronym" : "DR", "name" : "Del Rey",

The above snippet shows the reading side of things when working with custom referenced objects. Writing requires a bit of additional setup as the mapping information do not express where #target stems from. The mapping layer requires registration of a Converter between the target document and DocumentPointer , like the one below:

@WritingConverter
class PublisherReferenceConverter implements Converter<Publisher, DocumentPointer<String>> {
	@Override
	public DocumentPointer<String> convert(Publisher source) {
		return () -> source.getAcronym();

If no DocumentPointer converter is provided the target reference document can be computed based on the given lookup query. In this case the association target properties are evaluated as shown in the following sample.

It is also possible to model relational style One-To-Many references using a combination of @ReadonlyProperty and @DocumentReference. This approach allows link types without storing the linking values within the owning document but rather on the referencing document as shown in the example below.

@ReadOnlyProperty (2) @DocumentReference(lookup="{'publisherId':?#{#self._id} }") (3) List<Book> books;
Book document
"_id" : 9a48e32, "title" : "The Warded Man", "author" : ["Peter V. Brett"], "publisherId" : 8cfb002
Publisher document
"_id" : 8cfb002, "acronym" : "DR", "name" : "Del Rey" Set up the link from Book (reference) to Publisher (owner) by storing the Publisher.id within the Book document. Mark the property holding the references to be readonly. This prevents storing references to individual Books with the Publisher document. Use the #self variable to access values within the Publisher document and in this retrieve Books with matching publisherId.

With all the above in place it is possible to model all kind of associations between entities. Have a look at the non-exhaustive list of samples below to get feeling for what is possible.

Example 1. Simple Document Reference using id field
class Entity {
  @DocumentReference
  ReferencedObject ref;
class Entity {
  @DocumentReference(lookup = "{ '_id' : '?#{#target}' }") (1)
  ReferencedObject ref;
class Entity {
  @DocumentReference(lookup = "{ '_id' : '?#{refKey}' }")  (1) (2)
  private ReferencedObject ref;
@WritingConverter
class ToDocumentPointerConverter implements Converter<ReferencedObject, DocumentPointer<Document>> {
	public DocumentPointer<Document> convert(ReferencedObject source) {
		return () -> new Document("refKey", source.id);    (1)
class Entity {
  @DocumentReference(lookup = "{ 'firstname' : '?#{fn}', 'lastname' : '?#{ln}' }") (1) (2)
  ReferencedObject ref;
class Entity {
  @DocumentReference(lookup = "{ '_id' : '?#{id}' }", collection = "?#{collection}") (2)
  private ReferencedObject ref;
@WritingConverter
class ToDocumentPointerConverter implements Converter<ReferencedObject, DocumentPointer<Document>> {
	public DocumentPointer<Document> convert(ReferencedObject source) {
		return () -> new Document("id", source.id)                                   (1)
                           .append("collection", … );                                (2)

We know it is tempting to use all kinds of MongoDB query operators in the lookup query and this is fine. But there a few aspects to consider:

Mind that resolution requires a server rountrip inducing latency, consider a lazy strategy.

A collection of document references is bulk loaded using the $or operator.
The original element order is restored in memory on a best-effort basis. Restoring the order is only possible when using equality expressions and cannot be done when using MongoDB query operators. In this case results will be ordered as they are received from the store or via the provided @DocumentReference(sort) attribute.

Lazy document references are hard to debug. Make sure tooling does not accidentally trigger proxy resolution by e.g. calling toString().

There is no support for reading document references using reactive infrastructure.

Apache®, Apache Tomcat®, Apache Kafka®, Apache Cassandra™, and Apache Geode™ are trademarks or registered trademarks of the Apache Software Foundation in the United States and/or other countries. Java™, Java™ SE, Java™ EE, and OpenJDK™ are trademarks of Oracle and/or its affiliates. Kubernetes® is a registered trademark of the Linux Foundation in the United States and other countries. Linux® is the registered trademark of Linus Torvalds in the United States and other countries. Windows® and Microsoft® Azure are registered trademarks of Microsoft Corporation. “AWS” and “Amazon Web Services” are trademarks or registered trademarks of Amazon.com Inc. or its affiliates. All other trademarks and copyrights are property of their respective owners and are only mentioned for informative purposes. Other names may be trademarks of their respective owners.