SQL++ Queries from the SDK
- how-to
You can query for documents in Couchbase using the SQL++ query language, a language based on SQL, but designed for structured and flexible JSON documents. Querying can solve typical programming tasks such as finding a user profile by email address, facebook login, or user ID.
Our query service uses SQL++ (formerly N1QL), which will be fairly familiar to anyone who’s used any dialect of SQL. Further resources for learning about SQL++ are listed at the bottom of the page. Before you get started you may wish to checkout the SQL++ intro page, or just dive in with a query against our travel sample data set. In this case, the one thing that you need to know is that in order to make a Bucket queryable, it must have at least one index defined. You can define a primary index on a bucket. When executing queries, if a suitable index is not found, the primary index will ensure that the query will be executed anyway (the primary index should not be used in production to prevent scanning of the whole bucket).
To execute SQL++, you can use Query Workbench (or you can use the cbq command line tool). Open it, and enter the following:
CREATE PRIMARY INDEX ON `travel-sample`or replace travel-sample with a different Bucket name to build an index on a different Bucket.
| If you are using travel-sample, it comes with a primary index already created. | 
Note that building indexes is covered in more detail on the Query concept page — and in the API Reference.
Parameterized Queries
Parameters allow you to specify variable constraints for an otherwise constant query. Parameterization is also a good defense against SQL injection. There are two variants of parameters: positional and named. Positional parameters use a numbered placeholder for substitution and named parameters use a named placeholder. A named or positional parameter can be used in the WHERE, LIMIT or OFFSET clauses of a query.
var result = await cluster.QueryAsync<dynamic>(
    "SELECT t.* FROM `travel-sample` t WHERE t.type=$1",
    options => options.Parameter("landmark")
);var result = await cluster.QueryAsync<dynamic>(
    "SELECT t.* FROM `travel-sample` t WHERE t.type=$type",
    options => options.Parameter("type", "landmark")
);Handling Results
In most cases your query will return more than one result, and you may be looking to iterate over those results:
var result = await cluster.QueryAsync<dynamic>(
    "SELECT t.* FROM `travel-sample` t WHERE t.type=$type",
    options => options.Parameter("type", "landmark")
);        // check query was successful
        if (result.MetaData.Status != QueryStatus.Success)
        {
            // error
        }
        // iterate over rows
        await foreach (var row in result)
        {
            // each row is an instance of the Query<T> call (e.g. dynamic or custom type)
            var name = row.name;        // "Hollywood Bowl"
            var address = row.address;      // "4 High Street, ME7 1BB"
            Console.WriteLine($"{name},{address}");
        }Query Results
When performing a query, the response you receive is an IQueryResult. If no exception gets raised, the request succeeded and provides access to both the rows returned and also associated QueryMetaData.
A type parameter must be used with QueryAsync, that will specify the type of rows that will be returned. This can be as generic as using dynamic or you can specify a POCO of your choice. For example, any of these are valid:
        var resultDynamic = await cluster.QueryAsync<dynamic>("SELECT t.* FROM `travel-sample` t WHERE t.type='landmark' LIMIT 10");
        IAsyncEnumerable<dynamic> dynamicRows = resultDynamic.Rows;
        var resultPoco = await cluster.QueryAsync<Landmark>("SELECT t.* FROM `travel-sample` t WHERE t.type='landmark' LIMIT 10");
        IAsyncEnumerable<Landmark> pocoRows = resultPoco.Rows;The QueryMetaData object (e.g. returned from result.MetaData) provides insight into some basic profiling/timing information as well as information like the clientContextId.
| Type | Name | Description | 
|---|---|---|
| 
 | 
 | Returns the request identifer of this request. | 
| 
 | 
 | Returns the context ID either generated by the SDK or supplied by the user. | 
| 
 | 
 | An enum simply representing the state of the result. | 
| 
 | 
 | Returns metrics provided by the query for the request if enabled. | 
| 
 | 
 | If a signature is present, it will be available to consume in a dynamic fashion. | 
| 
 | 
 | Non-fatal errors are available to consume as warnings on this method. | 
| 
 | 
 | If enabled returns additional profiling information of the query. | 
For example, here is how you can print the executionTime of a query:
        var result = await cluster.QueryAsync<dynamic>("SELECT 1=1", options => options.Metrics(true));
        var metrics = result.MetaData.Metrics;
        Console.WriteLine($"Execution time: {metrics.ExecutionTime}");Query Options
The query service provides an array of options to customize your query. The following table lists them all:
| Name | Description | 
|---|---|
| 
 | Sets a context ID returned by the service for debugging purposes. See "Client Context Id" section for more detail | 
| 
 | Allows to set positional arguments for a parameterized query. | 
| 
 | Allows to set named arguments for a parameterized query. | 
| 
 | Escape hatch to add arguments that are not covered by these options. | 
| 
 | Tells the client and server that this query is readonly. See "Readonly" section for more detail. | 
| 
 | If set to false will prepare the query and later execute the prepared statement. | 
| 
 | Allows to be consistent with previously written mutations (AtPlus / "read your own writes"). | 
| 
 | Tunes the maximum parallelism on the server. | 
| 
 | Enables the server to send metrics back to the client as part of the response. | 
| 
 | Sets the batch size for the query pipeline. | 
| 
 | Sets the cap for the query pipeline. | 
| 
 | Allows to enable additional query profiling as part of the response (Off/Phases/Times) | 
| 
 | Allows to specify a maximum scan wait time. | 
| 
 | Specifies a maximum cap on the query scan size. | 
| 
 | Sets a different scan consistency for this query (NotBounded/RequestPlus). See "Scan Consistency" section below for more details. | 
| 
 | Allows setting a different serializer ( | 
| 
 | If using .NET < 5.0, set this to  | 
Scan Consistency
Setting a staleness parameter for queries, with scan_consistency, enables a tradeoff between latency and (eventual) consistency.
- 
A SQL++ query using the default Not Bounded Scan Consistency will not wait for any indexes to finish updating before running the query and returning results, meaning that results are returned quickly, but the query will not return any documents that are yet to be indexed. 
var result = await cluster.QueryAsync<dynamic>(
    "SELECT t.* FROM `travel-sample` t WHERE t.type=$1",
    options => options.Parameter("user")
        .ScanConsistency(QueryScanConsistency.NotBounded)
);- 
With Scan Consistency set to RequestPlus, all document changes and index updates are processed before the query is run. Select this when consistency is always more important than performance. 
var result = await cluster.QueryAsync<dynamic>(
    "SELECT t.* FROM `travel-sample` t WHERE t.type=$1",
    options => options.Parameter("user")
        .ScanConsistency(QueryScanConsistency.RequestPlus)
);- 
For a middle ground, AtPlus is a "read your own write" (RYOW) option, which means it just waits for the new documents that you specify to be indexed, rather than an entire index of multiple documents. 
        // create / update document (mutation)
        var upsertResult = await collection.UpsertAsync("doc1", new { name = "Mike AtPlus", type = "user" });
        // create mutation state from mutation results
        var state = MutationState.From(upsertResult);
        // use mutation state with query option
        var result = await cluster.QueryAsync<dynamic>(
            "SELECT t.* FROM `travel-sample` t WHERE t.type=$1",
            options => options.ConsistentWith(state)
                .Parameter("user")
        );Client Context Id
The SDK will always send a client context ID with each query, even if none is provided by the user. By default a UUID/GUID will be generated that is mirrored back from the query engine and can be used for debugging purposes. A custom string can always be provided if you want to introduce application-specific semantics into it. For example, in a network dump it will show up with a certain identifier). Whatever is chosen, make sure it is unique enough that different queries can be distinguished during debugging or monitoring.
var result = await cluster.QueryAsync<dynamic>("SELECT 1=1", 
    options => options.ClientContextId($"azure-resource-group-1-{Guid.NewGuid()}"));Readonly
If the query is marked as readonly, both the server and the SDK can improve processing of the operation. On the client side, the SDK can be more liberal with retries because it can be sure that there are no state-mutating side-effects happening. The query engine will ensure that no data is actually mutated when parsing and planning the query.
var result = await cluster.QueryAsync<dynamic>("SELECT 1=1", 
    options => options.Readonly(true));Custom JSON Serializer
Like with all JSON apis, it is possible to customize the JSON serializer. Setting Serializer in query options allows to plug in your own library. This in turn makes it possible to serialize rows into POCOs or other structures that your application defines and the SDK has no idea about.
Please see the documentation on transcoding and serialization for more information
Streaming Large Result Sets
By default the .NET SDK streams the result set from the server, where the client starts a persistent connection with the server and only read the header until the Rows are enumerated; then, each row or JSON object is de-serialized one at a time.
This decreases pressure on CLR Garbage Collection and helps to prevent an OutOfMemoryException being thrown.
| In .NET < 5.0, you will need to set QueryOptions.StreamResults(true), which allows
for streaming of results > 2Gb. If you do this, you must also be sure to callDispose()on the QueryResult object to prevent leaking HTTP connections. In later versions
of .NET, this is not necessary and the option isn’t necessary. | 
Querying at Scope Level
From version 3.0.5 of the .NET SDK, it is possible to query off the Scope level with the Couchbase Server release 7.0,
using the QueryOptions() {QueryContext = "namespace:bucket:scope:collection"} method.
The following code snippet shows how to run a query to fetch 10 random rows from travel-sample.inventory and print the results.
        var myscope = bucket.Scope("inventory");
        var queryResult = await myscope.QueryAsync<dynamic>("select * from airline LIMIT 10", new Couchbase.Query.QueryOptions());
        await foreach (var row in queryResult)
        {
            Console.WriteLine(row);
        }A complete list of QueryOptions can be found in the API docs.
Additional Resources
| SQL++ is not the only query option in Couchbase. Be sure to check that your use case fits your selection of query service. | 
- 
For a deeper dive into SQL++ from the SDK, refer to our SQL++ SDK concept doc. 
- 
The Server doc SQL++ intro introduces a complete guide to the SQL++ language, including all of the latest additions. 
- 
The SQL++ interactive tutorial is a good introduction to the basics of SQL++ use. 
- 
For scaling up queries, be sure to read up on Indexes. 
- 
The Query Service is for operational queries; for analytical workloads, read more on when to choose Analytics.