Sub-Document Operations
- how-to
Sub-Document operations can be used to efficiently access and change parts of documents.
Sub-Document operations may be quicker and more network-efficient than full-document operations such as Upsert, Replace and Get because they only transmit the accessed sections of the document over the network.
Sub-Document operations are also atomic, in that if one Sub-Document mutation fails then all will, allowing safe modifications to documents with built-in concurrency control.
Sub-documents
Starting with Couchbase Server 4.5 you can atomically and efficiently update and retrieve parts of a document.
These parts are called Sub-Documents.
While full-document retrievals retrieve the entire document and full document updates require sending the entire document, Sub-Document retrievals only retrieve relevant parts of a document and Sub-Document updates only require sending the updated portions of a document.
You should use sub-document operations when you are modifying only portions of a document, and full-document operations when the contents of a document is to change significantly.
| The Sub-Document operations described on this page are for Key-Value requests only: they are not related to Sub-Document SQL++ (formerly N1QL) queries. Sub-document SQL++ queries are explained in the Query page. | 
In order to use Sub-Document operations you need to specify a path indicating the location of the Sub-Document. The path follows SQL++ syntax.
Considering the document:
{
  "name": "Douglas Reynholm",
  "email": "douglas@reynholmindustries.com",
  "addresses": {
    "billing": {
      "line1": "123 Any Street",
      "line2": "Anytown",
      "country": "United Kingdom"
    },
    "delivery": {
      "line1": "123 Any Street",
      "line2": "Anytown",
      "country": "United Kingdom"
    }
  },
  "purchases": {
    "complete": [
      339, 976, 442, 666
    ],
    "abandoned": [
      157, 42, 999
    ]
  }
}The paths name, addresses.billing.country and purchases.complete[0] are all valid paths.
LookupIn and MutateIn
The LookupIn and MutateIn operations the executors for subdocument specifications.
These two functions are located on the Collection and both accept a list of "Specs" which describe what work needs to be done.
Each different type of operation has a corresponding "spec", for example GetSpec or UpsertSpec.
Other than specs which are unique to subdoc the naming should be very similar to corresponding KV operations with "Spec" added on the end.
Note: Unlike KV or the LookupIn and MutateIn operations the "Spec" functions live on the root level, i.e. gocb.GetSpec
These specs can be combined to fetch or mutate multiple fields in a document, more detail can be seen in Executing Multiple Documents.
Retrieving
The LookupIn operations query the document for certain path(s); these path(s) are then returned.
You have a choice of actually retrieving the document path using the GetSpec Sub-Document specification, or simply querying the existence of the path using the ExistsSpec Sub-Document specification.
The latter saves even more bandwidth by not retrieving the contents of the path if it is not needed.
The LookupInResult contains two functions for inspecting the results:
- 
err := result.ContentAt(idx, &valuePtr)which will either assign the value at the index specified into the value pointer or it will return an error (such as if the path does not exist)
- 
exists := result.Exists(idx)which will return whether or not the path at the index specified exists.
| Spec | Function | Path exists | Result | 
| 
 | 
 | Yes | Value assigned | 
| 
 | 
 | No | Error returned | 
| 
 | 
 | Yes | true | 
| 
 | 
 | No | false | 
| 
 | 
 | Yes | Value assigned | 
| 
 | 
 | No | Error returned | 
| 
 | 
 | Yes | true | 
| 
 | 
 | No | false | 
	ops := []gocb.LookupInSpec{
		gocb.GetSpec("addresses.delivery.country", &gocb.GetSpecOptions{}),
	}
	getResult, err := collection.LookupIn("customer123", ops, &gocb.LookupInOptions{})
	if err != nil {
		panic(err)
	}
	var country string
	err = getResult.ContentAt(0, &country)
	if err != nil {
		panic(err)
	}
	fmt.Println(country) // United Kingdom| The value pointer provided to the ContentAtfunction must match the type at the provided index. | 
	ops = []gocb.LookupInSpec{
		gocb.ExistsSpec("purchases.pending[-1]", &gocb.ExistsSpecOptions{}),
	}
	existsResult, err := collection.LookupIn("customer123", ops, &gocb.LookupInOptions{})
	if err != nil {
		panic(err)
	}
	exists := existsResult.Exists(0)
	fmt.Printf("Path exists? %t\n", exists) // Path exists? false| Using ExistsSpecwithContentAtwill return an error if the path does not exist. | 
Multiple operations can be combined as well:
	ops = []gocb.LookupInSpec{
		gocb.GetSpec("addresses.delivery.country", nil),
		gocb.ExistsSpec("purchases.pending[-1]", nil),
	}
	multiLookupResult, err := collection.LookupIn("customer123", ops, &gocb.LookupInOptions{
		Timeout: 50 * time.Millisecond,
	})
	if err != nil {
		panic(err)
	}
	var multiCountry string
	err = multiLookupResult.ContentAt(0, &multiCountry)
	if err != nil {
		panic(err)
	}
	multiExists := multiLookupResult.Exists(1)
	fmt.Println(multiCountry)                    // United Kingdom
	fmt.Printf("Path exists? %t\n", multiExists) // Path exists? falseMutating
Mutation operations modify one or more paths in the document. The simplest of these operations is Upsert, which, similar to the fulldoc-level Upsert, will either modify the value of an existing path or create it if it does not exist:
	mops := []gocb.MutateInSpec{
		gocb.UpsertSpec("fax", "311-555-0151", &gocb.UpsertSpecOptions{}),
	}
	upsertResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{
		Timeout: 10050 * time.Millisecond,
	})
	if err != nil {
		panic(err)
	}Likewise, the Insert operation will only add the new value to the path if it does not exist:
	mops = []gocb.MutateInSpec{
		gocb.InsertSpec("purchases.pending", []interface{}{32, true, "None"}, &gocb.InsertSpecOptions{}),
	}
	insertResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}Dictionary values can also be replaced or removed, and you may combine any number of mutation operations within the same general mutateIn API. Here’s an example of one which replaces one path and removes another.
	mops = []gocb.MutateInSpec{
		gocb.RemoveSpec("addresses.billing", nil),
		gocb.ReplaceSpec("email", "dougr96@hotmail.com", nil),
	}
	multiMutateResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}| MutateInis an atomic operation.
If any singleopsfails, then the entire document is left unchanged. | 
Array Append and Prepend
The ArrayPrepend and ArrayAppend operations are true array prepend and append operations. Unlike fulldoc Append/Prepend operations (which simply concatenate bytes to the existing value), ArrayAppend and ArrayPrepend are JSON-aware:
	mops := []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("purchases.complete", 777, nil),
	}
	arrayAppendResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	// purchases.complete is now [339, 976, 442, 666, 777]	mops = []gocb.MutateInSpec{
		gocb.ArrayPrependSpec("purchases.abandoned", 17, nil),
	}
	arrayPrependResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	// purchases.abandoned is now [18, 157, 49, 999]If your document only needs to contain an array, you do not have to create a top-level object wrapper to contain it. Simply initialize the document with an empty array and then use the empty path for subsequent Sub-Document array operations:
	upsertDocResult, err := collection.Upsert("my_array", []int{}, nil)
	if err != nil {
		panic(err)
	}
	mops = []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("", "some element", &gocb.ArrayAppendSpecOptions{}),
	}
	arrayAppendRootResult, err := collection.MutateIn("my_array", mops, &gocb.MutateInOptions{
		Cas: upsertDocResult.Cas(),
	})
	if err != nil {
		panic(err)
	}
	// the document my_array is now ["some element"]Note that in the above we carried over the CAS value from the Upsert operation to ensure that if someone else modified the document first then our change would error. You can read more about CAS in the CAS page.
If you wish to add multiple values to an array, you may do so by passing multiple values to the ArrayAppend, ArrayPrepend, or ArrayInsert operations.
Be sure to know the difference between the use of the HasMultiple option being false (in which case the collection is inserted as a single element in the array, as a sub-array) and it being true (in which case the elements are appended individually to the array):
	mops = []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("", []string{"elem1", "elem2", "elem3"}, &gocb.ArrayAppendSpecOptions{
			HasMultiple: true, // this signifies that the value is multiple array elements rather than one
		}),
	}
	multiArrayAppendResult, err := collection.MutateIn("my_array", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	// the document my_array is now ["some_element", "elem1", "elem2", "elem3"]	mops = []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("", []string{"elem1", "elem2", "elem3"}, &gocb.ArrayAppendSpecOptions{}),
	}
	singleArrayAppendResult, err := collection.MutateIn("my_array", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	// the document my_array is now ["some_element", "elem1", "elem2", "elem3", ["elem1", "elem2", "elem3"]]Note that using HasMultiple with a single ArrayAppend operation results in greater performance increase and bandwidth savings than simply specifying a single ArrayAppend for each element.
Below we set elements individually to achieve the same as the HasMultiple example above:
	mops = []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("", "elem1", &gocb.ArrayAppendSpecOptions{}),
		gocb.ArrayAppendSpec("", "elem2", &gocb.ArrayAppendSpecOptions{}),
		gocb.ArrayAppendSpec("", "elem3", &gocb.ArrayAppendSpecOptions{}),
	}
	individualArrayAppendResult, err := collection.MutateIn("my_array", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}If you wish to create an array if it does not exist and also push elements to it within the same operation you may use the CreatePath option:
	// Create an empty document so that MutateIn can create the path.
	_, err = collection.Upsert("my_object", map[string]interface{}{}, nil)
	if err != nil {
		panic(err)
	}
	mops = []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("some.array", []string{"Hello", "World"}, &gocb.ArrayAppendSpecOptions{
			HasMultiple: true,
			CreatePath:  true,
		}),
	}
	createPathResult, err := collection.MutateIn("my_object", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}Arrays as Unique Sets
Limited support also exists for treating arrays like unique sets, using the ArrayAddUnique command. This will do a check to determine if the given value exists or not before actually adding the item to the array:
	mops = []gocb.MutateInSpec{
		gocb.ArrayAddUniqueSpec("purchases.complete", 95, &gocb.ArrayAddUniqueSpecOptions{}),
	}
	arrayAddUniqueResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	mops = []gocb.MutateInSpec{
		gocb.ArrayAddUniqueSpec("purchases.complete", 95, &gocb.ArrayAddUniqueSpecOptions{}),
	}
	_, err = collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	fmt.Println(errors.Is(err, gocb.ErrPathExists)) // trueNote that currently the ArrayAddUnique will fail with a Path Mismatch error if the array contains JSON floats, objects, or arrays. The ArrayAddUnique operation will also fail with Cannot Insert if the value to be added is one of those types as well.
Note that the actual position of the new element is undefined, and that the array is not ordered.
Array Insertion
New elements can also be inserted into an array.
While append will place a new item at the end of an array and prepend will place it at the beginning, insert allows an element to be inserted at a specific position.
The position is indicated by the last path component, which should be an array index.
For example, to insert "Cruel" as the second element in the array ["Hello", "world"], the code would look like:
	mops = []gocb.MutateInSpec{
		gocb.ArrayInsertSpec("some.array[1]", "Cruel", &gocb.ArrayInsertSpecOptions{}),
	}
	arrayInsertResult, err := collection.MutateIn("my_object", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	// The value at some.array is now [Hello, Cruel, World]Note that the array must already exist and that the index must be valid (i.e. it must not point to an element which is out of bounds).
Counters and Numeric Fields
Counter operations allow the manipulation of a numeric value inside a document. These operations are logically similar to the counter operation on an entire document:
	mops := []gocb.MutateInSpec{
		gocb.IncrementSpec("logins", 1, &gocb.CounterSpecOptions{}),
	}
	incrementResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	var logins int
	err = incrementResult.ContentAt(0, &logins)
	if err != nil {
		panic(err)
	}
	fmt.Println(logins) // 1The Increment and Decrement operations perform simple arithmetic against a numeric value. The updated value is returned.
	_, err = collection.Upsert("player432", map[string]int{"gold": 1000}, &gocb.UpsertOptions{})
	if err != nil {
		panic(err)
	}
	mops = []gocb.MutateInSpec{
		gocb.DecrementSpec("gold", 150, &gocb.CounterSpecOptions{}),
	}
	decrementResult, err := collection.MutateIn("player432", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	var gold int
	err = decrementResult.ContentAt(0, &gold)
	if err != nil {
		panic(err)
	}
	fmt.Printf("player 432 now has %d gold remaining\n", gold)
	// player 432 now has 850 gold remainingThe existing value for counter operations must be within range of a 64 bit signed integer. If the value does not exist, the operation will create it (and its parents, if CreatePath is enabled).
Note that there are several differences as compared the full-document counter operations:
- 
Sub-Document counters have a range of -9223372036854775807 to 9223372036854775807 (i.e. Iint64.MinValueandInt64.MaxValue), whereas full-document counters have a range of 0 to 18446744073709551615 (`UInt64.MaxValue)
- 
Sub-Document counter operations protect against overflow and underflow, returning an error if the operation would exceed the range. Full-document counters will use normal C semantics for overflow (in which the overflow value is carried over above 0), and will silently fail on underflow, setting the value to 0 instead. 
- 
Sub-Document counter operations can operate on any numeric value within a document, while full-document counter operations require a specially formatted counter document with only the counter value. 
Executing Multiple Operations
Multiple Sub-Document operations can be executed at once on the same document, allowing you to retrieve or modify several Sub-Documents at once. When multiple operations are submitted within the context of a single LookupIn or MutateIn command, the server will execute all the operations with the same version of the document.
| Unlike batched operations which is simply a way of sending multiple individual operations efficiently on the network, multiple Sub-Document operations are formed into a single command packet, which is then executed atomically on the server. You can submit up to 16 operations at a time. | 
When submitting multiple mutation operations within a single MutateIn command, those operations are considered to be part of a single transaction: if any of the mutation operations fail, the server will logically roll-back any other mutation operations performed within the MutateIn, even if those commands would have been successful had another command not failed.
When submitting multiple retrieval operations within a single LookupIn command, the status of each command does not affect any other command. This means that it is possible for some retrieval operations to succeed and others to fail. While their statuses are independent of each other, you should note that operations submitted within a single LookupIn are all executed against the same version of the document.
Creating Paths
Sub-Document mutation operations such as Upsert or Insert will fail if the immediate parent is not present in the document. Consider:
{
    "level_0": {
        "level_1": {
            "level_2": {
                "level_3": {
                    "some_field": "some_value"
                }
            }
        }
    }
}Looking at the some_field field (which is really level_0.level_1.level_2.level_3.some_field), its immediate parent is level_3.
If we were to attempt to insert another field, level_0.level_1.level_2.level_3.another_field, it would succeed because the immediate parent is present.
However if we were to attempt to Insert to level_1.level_2.foo.bar it would fail, because level_1.level_2.foo (which would be the immediate parent) does not exist.
Attempting to perform such an operation would result in a Path Not Found error.
By default the automatic creation of parents is disabled, as a simple typo in application code can result in a rather confusing document structure. Sometimes it is necessary to have the server create the hierarchy however.
In this case, the CreatePath option may be used.
	mops = []gocb.MutateInSpec{
		gocb.UpsertSpec("level_0.level_1.foo.bar.phone", map[string]interface{}{
			"num": "311-555-0101",
			"ext": 16,
		}, &gocb.UpsertSpecOptions{
			CreatePath: true,
		}),
	}
	createPathUpsertResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}Concurrent Modifications
Concurrent Sub-Document operations on different parts of a document will not conflict. For example the following two blocks can execute concurrently without any risk of conflict:
	mops := []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("purchases.complete", 99, &gocb.ArrayAppendSpecOptions{}),
	}
	firstConcurrentResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}
	mops = []gocb.MutateInSpec{
		gocb.ArrayAppendSpec("purchases.abandoned", 101, &gocb.ArrayAppendSpecOptions{}),
	}
	secondConcurrentResult, err := collection.MutateIn("customer123", mops, &gocb.MutateInOptions{})
	if err != nil {
		panic(err)
	}Even when modifying the same part of the document, operations will not necessarily conflict. For example, two concurrent ArrayAppend operations to the same array will both succeed, never overwriting the other.
So in some cases the application will not need to supply a CAS value to protect against concurrent modifications. If CAS is required then it can be provided like this:
	getRes, err := collection.Get("player432", &gocb.GetOptions{})
	if err != nil {
		panic(err)
	}
	mops = []gocb.MutateInSpec{
		gocb.DecrementSpec("gold", 150, &gocb.CounterSpecOptions{}),
	}
	decrementCasResult, err := collection.MutateIn("player432", mops, &gocb.MutateInOptions{
		Cas: getRes.Cas(),
	})
	if err != nil {
		panic(err)
	}Durability
Couchbase’s traditional durability, using PersistTo and ReplicateTo, is
still available, particularly for talking to Couchbase Server 6.0 and earlier:
	mops := []gocb.MutateInSpec{
		gocb.InsertSpec("name", "mike", nil),
	}
	observeResult, err := collection.MutateIn("key", mops, &gocb.MutateInOptions{
		PersistTo:     1,
		ReplicateTo:   1,
		StoreSemantic: gocb.StoreSemanticsUpsert,
	})
	if err != nil {
		panic(err)
	}In Couchbase Server 6.5 and up, this is built upon with Durable Writes, which uses the concept of majority to indicate the number of configured Data Service nodes to which commitment is required:
	mops = []gocb.MutateInSpec{
		gocb.InsertSpec("name", "mike", nil),
	}
	durableResult, err := collection.MutateIn("key2", mops, &gocb.MutateInOptions{
		DurabilityLevel: gocb.DurabilityLevelMajority,
		StoreSemantic:   gocb.StoreSemanticsUpsert,
	})
	if err != nil {
		panic(err)
	}Error handling
Subdoc operations have their own set of errors. When programming with subdoc, be prepared for any of the full-document errors (such as Document Not Found) as well as special sub-document errors which are received when certain constraints are not satisfied.
Some of the errors include:
- 
Path does not exist: When retrieving a path, this means the path does not exist in the document. When inserting or upserting a path, this means the immediate parent does not exist. This can be detected with gocb.IsPathNotFoundError(err).
- 
Path already exists: In the context of an Insert, it means the given path already exists. In the context of ArrayAddUnique, it means the given value already exists. This can be detected with gocb.IsPathExistsError(err).
- 
Path mismatch: This means the path may exist in the document, but that there is a type conflict between the path in the document and the path in the command. This can be detected with gocb.IsPathMismatchError(err).
Consider the document:
{ "tags": ["reno", "nevada", "west", "sierra"] }+
The path tags.sierra is a mismatch, since tags is actually an array, while the path assumes it is a JSON object (dictionary).
- 
Document not JSON: This means you are attempting to modify a binary document using sub-document operations. 
- 
Invalid path: This means the path is invalid for the command. Certain commands such as ArrayInsert expect array elements as their final component, while others such as Upsert and Insert expect dictionary (object) keys. 
If a Sub-Document command fails a top-level error is reported (Multi Command Failure), rather than an individual error code (e.g. Path Not Found). When receiving a top-level error code, you should traverse the results of the command to see which individual code failed.
Path Syntax
Path syntax largely follows SQL++ conventions: A path is divided into components, with each component referencing a specific level in a document hierarchy.
Components are separated by dots (.) in the case where the element left of the dot is a dictionary, or by brackets ([n]) where the element left of the bracket is an array and n is the index within the array.
As a special extension, you can indicate the last element of an array by using an index of -1, for example to get the last element of the array in the document
{"some":{"array":[1,2,3,4,5,6,7,8,9,0]}}Use some.array[-1] as the path, which will return the element 0.
Each path component must conform as a JSON string, as if it were surrounded by quotes, and any character in the path which may invalidate it as a JSON string must be escaped by a backslash (\).
In other words, the path component must match exactly the path inside the document itself.
For example:
{"literal\"quote": {"array": []}}must be referenced as literal\"quote.array.
If the path also has special path characters (i.e. a dot or brackets) it may be escaped using SQL++ escapes.
Considering the document
{"literal[]bracket": {"literal.dot": true}}A path such as `literal[]bracket`.`literal.dot`. You can use double-backticks (``) to reference a literal backtick.
If you need to combine both JSON and path-syntax literals you can do so by escaping the component from any JSON string characters (e.g.
a quote or backslash) and then encapsulating it in backticks (`path`).
| Currently, paths cannot exceed 1024 characters, and cannot be more than 32 levels deep. | 
Extended Attributes
Extended Attributes (also known as XATTRs), built upon the Sub-Document API, allow developers to define application-specific metadata that will only be visible to those applications that request it or attempt to modify it. This might be, for example, meta-data specific to a programming framework that should be hidden by default from other frameworks or libraries, or possibly from other versions of the same framework. They are not intended for use in general applications, and data stored there cannot be accessed easily by some Couchbase services, such as Search.