34 Using Coherence Query Language
Note:
- 
                           Although the CohQL syntax may appear similar to SQL, it is important to remember that the syntax is not SQL and is actually more contextually related to the Java Persistence Query Language (JPQL) standard. 
- 
                           CQL (Continuous Query Language) is a query language related to Complex Event Processing (CEP) and should not be confused with CohQL. 
This chapter includes the following sections:
- Understanding Coherence Query Language Syntax
 CohQL includes many statements that are used to interact with a cache.
- Using the CohQL Command-Line Tool
 The CohQL command-line tool provides a non-programmatic way to interact with caches.
- Building Filters in Java Programs
 TheFilterBuilderAPI is a string-oriented way to filter a result set from within a Java program, without having to remember details of the Coherence API.
- Additional Coherence Query Language Examples
 Review many additional CohQL examples from basic queries to complex queries.
Parent topic: Performing Data Grid Operations
Understanding Coherence Query Language Syntax
Note:
CohQL does not support subqueries.
This section includes the following topics:
- Coherence Query Language Statements
- Query Syntax Basics
- Managing the Cache Lifecycle
- Retrieving Data
- Working with Cache Data
- Working with Indexes
- Issuing Multiple Query Statements
- Persisting Cache Data to Disk
- Viewing Query Cost and Effectiveness
- Handling Errors
Parent topic: Using Coherence Query Language
Coherence Query Language Statements
Table 34-1 lists the Coherence query statements, clauses, and expressions in alphabetical order.
Table 34-1 Coherence Query Language Statements
| For this statement, clause, or expression... | See this section | 
|---|---|
| ARCHIVE SNAPSHOT | |
| bind variables | |
| CREATE CACHE | |
| CREATE INDEX | |
| CREATE SNAPSHOT | |
| DELETE | |
| DROP CACHE | |
| DROP INDEX | |
| ENSURE CACHE | |
| ENSURE INDEX | |
| GROUP BY | |
| INSERT | |
| key() pseudo-function | |
| LIST [ARCHIVED] SNAPSHOTS | |
| LIST ARCHIVER | |
| path-expressions | |
| RECOVER SNAPSHOT | |
| REMOVE [ARCHIVED] SNAPSHOT | |
| RESUME SERVICE | |
| RETRIEVE ARCHIVED SNAPSHOT | |
| SELECT | |
| SOURCE | |
| SUSPEND SERVICE | |
| TRUNCATE | |
| UPDATE | |
| VALIDATE ARCHIVED SNAPSHOT | |
| VALIDATE SNAPSHOT | |
| value() pseudo-function | |
| WHENEVER COHQLERROR THEN [EXIT|CONTINUE] | |
| WHERE | 
Parent topic: Understanding Coherence Query Language Syntax
Query Syntax Basics
This section describes some building blocks of the syntax, such as path expressions, bind variables, and pseudo-functions.
This section includes the following topics:
- Using Path-Expressions
- Using Bind Variables
- Using Key and Value Pseudo-Functions
- Using Aliases
- Using Quotes with Literal Arguments
Parent topic: Understanding Coherence Query Language Syntax
Using Path-Expressions
One of the main building blocks of CohQL are path-expressions. Path expressions are
            used to navigate through a graph of object instances. An identifier in a path expression
            is used to represent a property in a Java Bean, Java Record, or JSON Object.  It is
            backed by a UniversalExtractor that can extract a property from any of
            the above target types. Elements are separated by the "dot" (.)
            character, that represents object traversal. For example, the following path expression
            is used to navigate an object structure:
                        
a.b.c
It reflectively invokes these methods on a Java Bean target:
getA().getB().getC()
Parent topic: Query Syntax Basics
Using Bind Variables
For programmatic uses, the API passes strings to a simple set of query functions. Use bind variables to pass the value of variables without engaging in string concatenation. There are two different formats for bind variables.
- 
                              the question mark (?)—Enter a question mark, immediately followed by a number to signify a positional place holder that indexes a collection of objects that are "supplied" before the query is run. The syntax for this form is: ?n where n can be any number. Positional bind variables can be used by theQueryHelperclass in the construction of filters. For example:QueryHelper.createFilter("number = ?1" , new Object[]{new Integer(42)};
- 
                              the colon (:)—Enter a colon, immediately followed by the identifier to be used as a named place holder for the object to be supplied as a key value pair. The syntax for this is :identifier where identifier is an alpha-numeric combination, starting with an alphabetic character. Named bind variables can be used by theQueryHelperclass in the construction of filters. For example:HashMap env = new HashMap(); env.put("iNum",new Integer(42)); QueryHelper.createFilter("number = :iNum" , env};
Parent topic: Query Syntax Basics
Using Key and Value Pseudo-Functions
CohQL provides a key() pseudo-function because many users store objects with a key property. The key() represents the cache's key. The query syntax also provides a value() pseudo-function. The value() is implicit in chains that do not start with key(). The key() and value() pseudo-functions are typically used in WHERE clauses, where they test against the key or value of the cache entry. See Key and Value Pseudo-Function Examples and A Command-Line Example.
                        
Parent topic: Query Syntax Basics
Using Aliases
Although not needed semantically, CohQL supports aliases to make code artifacts as portable as possible to JPQL. CohQL supports aliases attached to the cache name and at the head of dotted path expressions in the SELECT, UPDATE, and DELETE commands. CohQL also allows the cache alias as a substitute for the value() pseudo function and as an argument to the key() pseudo function.
                        
Parent topic: Query Syntax Basics
Using Quotes with Literal Arguments
Generally, you do not have to enclose literal arguments (such as cache-name or service-name) in quotes. Quotes (either single or double) would be required only if the argument contains an operator (such as -, +, ., <, >, =, and so on) or whitespace.
                        
Filenames should also be quoted. Filenames often contain path separators (/ or \) and dots to separate the name from the extension.
                        
The compiler throws an error if it encounters an unquoted literal argument or filename that contains an offending character.
Parent topic: Query Syntax Basics
Managing the Cache Lifecycle
This section describe how to create and remove caches.
This section includes the following topics:
- Creating a Cache
- Removing a Cache from the Cluster
- Writing a Serialized Representation of a Cache to a File
- Restoring Cache Contents from a File
Parent topic: Understanding Coherence Query Language Syntax
Creating a Cache
Use the CREATE CACHE or ENSURE CACHE statements to create a new cache or connect to an existing cache, respectively. This statement first attempts to connect to a cache with the specified cache-name. If the cache is not found in the cluster, an attempt is made to create a cache with the specified name based on the current cache configuration file. This statement is especially useful on the command line. If you are using this statement in a program, then you have the option of specifying service and classloader information instead of a name (classloaders cannot be accessed from the command line). 
                        
Note:
Cache names and service names must be enclosed in quotes (either double-quotes (" ") or single-quotes (' ')) in a statement.
                           
The syntax is:
[ CREATE | ENSURE ] CACHE "cache-name" [ SERVICE"service-name"]
Example:
- 
                                 Create a cache named dept.create cache "dept" 
Parent topic: Managing the Cache Lifecycle
Removing a Cache from the Cluster
Use the DROP CACHE statement to remove the specified cache completely from the cluster. The cache is removed by a call to the Java destroy() method. If any cluster member holds a reference to the dropped cache and tries to perform any operations on it, then the member receives an IllegalStateException. The syntax for the Coherence query DROP CACHE statement is:
                        
DROP CACHE  "cache-name"Example:
- 
                                 Remove the cache ordersfrom the cluster.drop cache "orders" 
Parent topic: Managing the Cache Lifecycle
Writing a Serialized Representation of a Cache to a File
Note:
The BACKUP CACHE statement is deprecated. Use the persistence statements instead. See Persisting Cache Data to Disk.
                           
Use the BACKUP CACHE statement to write a serialized representation of the given cache to a file represented by the given filename. The filename is an operating system-dependent path and must be enclosed in single or double quotes. The BACKUP CACHE statement is available only in the command-line tool. The syntax is:
                        
BACKUP CACHE "cache-name" [ TO ] [ FILE ] "filename"
Note:
The backup (and subsequent restore) functionality is designed for use in a development and testing environment and should not be used on a production data set as it makes no provisions to ensure data consistency. It is not supported as a production backup, snapshot, or checkpointing utility.
In particular:
- 
                                 The backup is slow since it only operates on a single node in the cluster. 
- 
                                 The backup is not atomic. That is, it misses changes to elements which occur during the backup and results in a dirty read of the data. 
- 
                                 The backup stops if an error occurs and results in an incomplete backup. In such scenarios, an IOExceptionis thrown that describes the error.
Example:
- 
                                 Write a serialized representation of the cache deptto the filetextfile.backup cache "dept" to file "textfile" 
Parent topic: Managing the Cache Lifecycle
Restoring Cache Contents from a File
Note:
The RESTORE CACHE statement is deprecated. Use the persistence statements instead. See Persisting Cache Data to Disk.
                           
Use the RESTORE CACHE statement to read a serialized representation of the given cache from a file represented by the given filename. The filename is an operating system-dependent path and must be enclosed in single or double quotes. The RESTORE CACHE statement is available only in the command-line tool. The syntax is:
                        
RESTORE CACHE"cache-name" [ FROM ] [ FILE ] "filename"
Example:
- 
                                 Restore the cache deptfrom the filetextfile.restore cache "dept" from file "textfile" 
Parent topic: Managing the Cache Lifecycle
Retrieving Data
This section describe the SELECT statement and the WHERE clause. These entities are the basic building blocks of most cache queries. 
                     
This section includes the following topics:
Parent topic: Understanding Coherence Query Language Syntax
Retrieving Data from the Cache
The SELECT statement is the basic building block of a query: it retrieves data from the cache. The clause can take several forms, including simple and complex path expressions, key expressions, transformation functions, multiple expressions, and aggregate functions. The SELECT statement also supports the use of aliases.
                        
The form of the SELECT statement is as follows:
                        
SELECT (properties* aggregators* | * | alias) FROM "cache-name" [[AS] alias] [WHERE conditional-expression] [GROUP [BY] properties+]
The asterisk (*) character represents the full object instead of subparts. It is not required to prefix a path with the cache-name. The FROM part of the SELECT statement targets the cache that forms the domain over which the query should draw its results. The cache-name is the name of an existing cache.
                        
See Simple SELECT * FROM Statements that Highlight Filters.
Example:
- 
                                 Select all of the items from the cache dept.select * from "dept" 
Parent topic: Retrieving Data
Filtering Entries in a Result Set
Use the WHERE clause to filter the entries returned in a result set. One of the key features of CohQL is that they can use path expressions to navigate object structure during expression evaluation. Conditional expressions can use a combination of logical operators, comparison expressions, primitive and function operators on fields, and so on. 
                        
In the literal syntax of the WHERE clause, use single quotes to enclose string literals; they can be escaped within a string by prefixing the quote with another single quote. Numeric expressions are defined according to the conventions of the Java programming language. Boolean values are represented by the literals TRUE and FALSE. Date literals are not supported.
                        
Note:
CohQL does not have access to type information. If a getter returns a numeric type different than the type of the literal, you may get a false where you would have expected a true on the comparison operators. The work around is to specify the type of the literal with l, for long, d for double, or s for short. The defaults are Integer for literals without a period (.) and Float for literals with a period (.).
                           
Operator precedence within the WHERE clause is as follows:
                        
- 
                              Path operator ( .)
- 
                              Unary +and-
- 
                              Multiplication ( *) and division (/)
- 
                              Addition ( +) and subtraction (-)
- 
                              Comparison operators: =,>,>=,<,<=,<>, [NOT]BETWEEN, [NOT]LIKE, [NOT]IN,IS[NOT]NULL,CONTAINS[ALL|ANY]
- 
                              Logical operators ( AND,OR,NOT)
The WHERE clause supports only arithmetic at the language level.
                        
The BETWEEN operator can be used in conditional expressions to determine whether the result of an expression falls within an inclusive range of values. Numeric, or string expressions can be evaluated in this way. The form is: BETWEEN lower AND upper.
                        
The LIKE operator can use the _ and % wildcards. The _ wildcard is used to match exactly one character, while the % wildcard is used to match zero or more occurrences of any characters. To escape the wildcards, precede them with an escape character that is defined using the escape keyword. The following example escapes the % wildcard using the \ escape character in order to select a key literally named k%1.
                        
SELECT key(),value() FROM mycache WHERE key() LIKE "k\%1" escape "\"
In addition, any character may be defined as the escape character. For example:
SELECT key(),value() FROM mycache WHERE key() LIKE "k#%1" escape "#"
The LIKE operator performs its comparison in a case-sensitive manner. If
            the comparison should not be case-sensitive, use the ILIKE operator
            instead.
                        
The IN operator can check whether a single-valued path-expression is a member of a collection. The collection is defined as an inline-list or expressed as a bind variable. The syntax of an inline-list is:
                        
"("literal*")"
CONTAINS [ALL|ANY] are very useful operators because Coherence data models typically use de-normalized data. The CONTAINS operator can determine if a many-valued path-expression contains a given value. For example:
                        
e.citys CONTAINS "Boston" 
                        
The ALL and ANY forms of CONTAINS take a inline-list or bind-variable with the same syntax as the IN operator.
                        
Note:
Coherence provides a programmatic API that enables you to create standalone Coherence filters based on the WHERE clause conditional-expression syntax. See Building Filters in Java Programs.
                           
See also Simple SELECT * FROM Statements that Highlight Filters.
Example:
- 
                                 Select all of the items in the cache deptwhere the value of thedeptnokey equals 10.select * from "dept" where deptno = 10
Parent topic: Retrieving Data
Working with Cache Data
This section describe how to work with data in the cache, such as inserting and deleting cache data and filtering result sets.
This section includes the following topics:
- Aggregating Query Results
- Changing Existing Values
- Inserting Entries in the Cache
- Deleting Entries in the Cache
Parent topic: Understanding Coherence Query Language Syntax
Aggregating Query Results
An aggregate query is a variation on the SELECT query. Use an aggregate query when you want to group results and apply aggregate functions to obtain summary information about the results. A query is considered an aggregate query if it uses an aggregate function or has a GROUP BY clause. The most typical form of an aggregate query involves the use of one or more grouping expressions followed by aggregate functions in the SELECT clause paired with the same lead grouping expressions in a GROUP BY clause.
                        
CohQL supports these aggregate functions: COUNT, AVG, MIN, MAX, and SUM. The functions can operate on the Double, Long, and BigDecimal types except for the COUNT function, which calculates the number of values in an entry set and does not require a type. To specify a type for a function, include the type followed by an underscore (_) as a prefix to the function. For example:
                        
long_sum, bd_sum
The Double type is assumed if a type is not explicitly specified.
                        
Example:
- 
                                 Select the total amountand averagepricefor items from theorderscache, grouped bysupplier.select supplier,sum(amount),avg(price) from "orders" group by supplier 
- 
                                 Select the total amountand averageprice(using aBigDecimaltype) for items from theorderscache, grouped bysupplier.select supplier,bd_sum(amount),bd_avg(price) from "orders" group by supplier 
See Complex Queries that Feature Projection, Aggregation, and Grouping.
Parent topic: Working with Cache Data
Changing Existing Values
Use the UPDATE statement to change an existing value in the cache. The syntax is:
                        
UPDATE "cache-name" [[AS] alias] SET update-statement {, update-statement}* [ WHERE conditional-expression ]
Each update-statement consists of a path expression, assignment operator (=), and an expression. The expression choices for the assignment statement are restricted. The right side of the assignment must resolve to a literal, a bind-variable, a static method, or a new Java-constructor with only literals or bind-variables. The UPDATE statement also supports the use of aliases.
                        
See UPDATE Examples.
Example:
- 
                                 For employees in the employeescache whose ranking is above grade 7, update their salaries to 1000 and vacation hours to 200.update "employees" set salary = 1000, vacation = 200 where grade > 7 
Parent topic: Working with Cache Data
Inserting Entries in the Cache
Use the INSERT statement to store the given VALUE under the given KEY. If the KEY clause is not provided, then the newly created object is sent the message getKey(), if possible. Otherwise, the value object is used as the key.
                        
Note that the INSERT statement operates on Maps of Objects. The syntax is:
                        
INSERT INTO "cache-name" [ KEY (literal | new java-constructor | static method) ] VALUE (literal | new java-constructor | static method)
Example:
- 
                                 Insert the key writerwith the valueDavidinto theemployeecache.insert into "employee" key "writer" value "David" 
Parent topic: Working with Cache Data
Deleting Entries in the Cache
Use the DELETE statement to delete specified entries in the cache. The syntax is:
                        
DELETE FROM "cache-name" [[AS] alias] [WHERE conditional-expression]
The WHERE clause for the DELETE statement functions the same as it would for a SELECT statement. All conditional-expressions are available to filter the set of entities to be removed. The DELETE statement also supports the use of aliases.
                        
Note:
If the WHERE clause is not present, then all entities in the given cache are removed.
                           
Example:
- 
                                 Delete the entry from the cache employeewherebar.writerkey is notDavid.delete from "employee" where bar.writer IS NOT "David" 
Use the TRUNCATE statement to delete all entries in the cache. The removal of entries caused by the TRUNCATE operation is not observable by listeners, triggers, and interceptors. However, a CacheLifecycleEvent event is raised to notify all subscribers of the execution of this operation. See Clearing Caches for more information.
                           
The syntax is:
TRUNCATE CACHE "cache-name"For example, to delete all entries from the employee cache, use:
truncate cache "employee"Parent topic: Working with Cache Data
Working with Indexes
This section describe how to create and remove indexes on cache data. Indexes are a powerful tool that allows Coherence's built-in optimizer to more quickly and efficiently analyze queries and return results.
This section includes the following topics:
Parent topic: Understanding Coherence Query Language Syntax
Creating an Index on the Cache
Use the CREATE INDEX or the ENSURE INDEX statement to create indexes on an identified cache. The syntax is:
                        
[ CREATE | ENSURE ] INDEX [ON]"cache-name" (value-extractor-list)
The value-extractor-list is a comma-delimited list that uses path expressions to create ValueExtractors. If multiple elements exist, then a MultiExtractor is used. To create a KeyExtractor, then start the path expression with a key() pseudo-function.
                        
Natural ordering for the index is assumed.
Example:
- 
                                 Create a index on the attribute lastnamein theorderscache.create index "orders" lastname 
Parent topic: Working with Indexes
Removing an Index from the Cache
The DROP INDEX statement removes the index based on the given ValueExtractor. This statement is available only for the command-line tool. The syntax is:
                        
DROP INDEX [ON]"cache-name"(value-extractor-list)
Example:
- 
                                 Remove the index on the lastnameattribute in theorderscache.drop index "orders" lastname 
Parent topic: Working with Indexes
Issuing Multiple Query Statements
The SOURCE statement allows for the "batch" processing of statements. The SOURCE statement opens and reads one or more query statements from a file represented by the given filename. The filename is an operating system-dependent path and must be enclosed in single or double quotes. Each query statement in the file must be separated by a semicolon (;) character. Sourcing is available only in the command-line tool, where you naturally want to load files consisting of sequences of commands. Source files may source other files. The syntax is:
                     
SOURCE FROM [ FILE ] "filename"
SOURCE can be abbreviated with an "at" symbol (@) as in @"filename". On the command command line only, a "period" symbol '.' can be used as an abbreviation for '@' but must no contain quotes around the filename.
                     
Example:
- 
                              Process the statements in the file command_file.source from file "command_file" or, @ "command_file" or, . command_file 
Parent topic: Understanding Coherence Query Language Syntax
Persisting Cache Data to Disk
The statements in this section are used to backup and restore caches. The persistence statements rely on the persistence settings that are configured for a service. See Persisting Caches in Administering Oracle Coherence.
This section includes the following topics:
- Creating Snapshots
- Validating Snapshots
- Recovering Snapshots
- Archiving Snapshots
- Validating Archived Snapshots
- Retrieving Archived Snapshots
- Removing Snapshots
- Forcing Recovery
- Suspending Services During Persistence Operations
Parent topic: Understanding Coherence Query Language Syntax
Creating Snapshots
The CREATE SNAPSHOT statement persists the data partitions of a service to disk. The syntax is: 
                        
CREATE SNAPSHOT "snapshot-name" "service"
The snapshot-name argument is any user defined name and can include any of the following macros: %y - Year, %m - Month, %d - Day, %hh - Hour, %mm - Minute, %w - weekday, %M - Month name. The service argument is the name of the partitioned or federated cache service for which the snapshot is created.
                        
Example:
Create a snapshot that is named Backup for a partitioned cache service that is named OrdersCacheService.
                           
create snapshot "Backup" "OrdersCacheService"
Use the LIST SERVICES statement to see all active services and the currently configured persistence mode, quorum, and status of each service. Include the ENVIRONMENT option to see details about the persistence environment configuration. For example:
                           
list services environment
Parent topic: Persisting Cache Data to Disk
Validating Snapshots
The VALIDATE SNAPSHOT statement is used to check whether a snapshot is complete and without error. The syntax is:
                        
VALIDATE SNAPSHOT ["snapshot-directory" | "snapshot-name" "service-name"] [VERBOSE]
The snapshot-directory argument is the full path to a snapshot and must include the snapshot name. The snapshot-name argument is the name of an archived snapshot to be validated. The service-name argument is the name of the partitioned or federated cache service for which the snapshot was created. If the snapshot-name and service-name arguments are used, then the location is derived. The default snapshot location is USER_HOME/coherence/snapshots. To see detailed validation information, use the VERBOSE option. When specifying the VERBOSE option, each partition in the snapshot is opened and read and a summary of the caches persisted, including the number of entries and actual size, are displayed. Information about the number indexes, triggers, locks, and listeners are also displayed.
                        
Example:
Validate a snapshot that is named Backup.
                           
validate snapshot "c:\coherence\snapshots\MyCluster\OrdersCacheService\Backup"
   verbose
Validate a snapshot that is named Backup which is managed by the OrdersCacheService service:
                           
validate snapshot "Backup" "OrdersCacheService" verbose
Parent topic: Persisting Cache Data to Disk
Recovering Snapshots
The RECOVER SNAPSHOT statement restores the data partitions of a service from disk. Any existing data in the caches of a service are lost.
                        
Caution:
recovering a snapshot causes the current contents of the caches within the service to be dropped.
The syntax is:
RECOVER SNAPSHOT "snapshot-name" "service"
The snapshot-name argument is the name of a snapshot to recover. The service argument is the name of the partitioned or federated cache service for which the snapshot was created. If the service has not been explicitly suspended, then: the service is suspended; the snapshot recovered; and the service is resumed. See Suspending Services During Persistence Operations.
                        
Example:
Recover a snapshot that is named Backup for a partitioned cache service that is named OrdersCacheService.
                           
recover snapshot "Backup" "OrdersCacheService"
Use the LIST SNAPSHOTS statement to see a list of available snapshots. For example:
                           
list snapshots "OrdersCacheService"
Parent topic: Persisting Cache Data to Disk
Archiving Snapshots
The ARCHIVE SNAPSHOT statement saves a snapshot to a central location. The location is specified in the snapshot archiver definition that is associated with a service. The syntax is:
                        
ARCHIVE SNAPSHOT "snapshot-name" "service"
The snapshot-name argument is the name of a snapshot to archive. The service argument is the name of the partitioned or federated cache service for which the snapshot was created.
                        
Example:
Archive a snapshot that is named Backup for a partitioned cache service that is named OrdersCacheService.
                           
archive snapshot "Backup" "OrdersCacheService"
Use the LIST ARCHIVER statement to view the snapshot archiver definition location that is currently associated with a service. For example:
                           
list archiver "OrdersCacheService"
Parent topic: Persisting Cache Data to Disk
Validating Archived Snapshots
The VALIDATE ARCHIVED SNAPSHOT statement is used to check whether an archived snapshot is complete and without error. The syntax is:
                        
VALIDATE ARCHIVED SNAPSHOT "snapshot-name" "service-name" [VERBOSE]
The snapshot-name argument is the name of an archived snapshot to be validated. The service-name argument is the name of the partitioned or federated cache service for which the snapshot was created. To see detailed validation information, use the VERBOSE option.
                        
Note:
- 
                                 The cluster operational configuration file and cache configuration file must be available in the classpath so that the defined snapshot archiver can be found. 
- 
                                 Validating archived snapshots involves retrieving each individual partition, unpacking and validating the contents. The operating system default Java temporary directory is used for this operation (for example, the TEMPenvironment variable on Windows environments). If an archived snapshot is large, then consider changing the default Java temporary directory by using -Djava.io.tmpdir=/path.
Example:
Validate an archived snapshot that is named Backup.
                           
validate archived snapshot "Backup" "OrdersCacheService" verbose
Parent topic: Persisting Cache Data to Disk
Retrieving Archived Snapshots
The RETRIEVE ARCHIVED SNAPSHOT statement is used to retrieve an archived snapshot so that it can be recovered using the RECOVER SNAPSHOT statement. See Recovering Snapshots. The syntax is:
                        
RETRIEVE ARCHIVED SNAPSHOT "snapshot-name" "service" [OVERWRITE]
The snapshot-name argument is the name of an archived snapshot to retrieve. The service argument is the name of the partitioned or federated cache service for which the snapshot was created. Use the OVERWRITE option if a snapshot with the same name already exist in the persistence snapshot directory.
                        
Example:
Retrieve an archived snapshot that is named Backup for a partitioned cache service that is named OrdersCacheService and overwrite the existing snapshot.
                           
retrieve archived snapshot "Backup" "OrdersCacheService" overwrite
Use the LIST SNAPSHOTS statement with the ARCHIVED option to see a list of available archived snapshots. For example:
                           
list archived snapshots "OrdersCacheService"
Parent topic: Persisting Cache Data to Disk
Removing Snapshots
The REMOVE SNAPSHOT statement is used to delete a snapshot or an archived snapshot from disk. The syntax is:
                        
REMOVE [ARCHIVED] SNAPSHOT "snapshot-name" "service"
The snapshot-name argument is the name of a snapshot to remove. The service argument is the name of the partitioned or federated cache service for which the snapshot was created. Use the ARCHIVED option to remove an archived snapshot.
                        
Example:
Remove a snapshot that is named Backup from a partitioned cache service that is named OrdersCacheService.
                           
remove snapshot "Backup" "OrdersCacheService"
Remove an archived snapshot that is named Backup from a partitioned cache that is named OrdersCacheService.
                           
remove archived snapshot "Backup" "OrdersCacheService"
Parent topic: Persisting Cache Data to Disk
Forcing Recovery
FORCE RECOVERY statement is used to proceed with persistence recovery despite dynamic quorum policy objections. See Using the Dynamic Recovery Quorum Policy in Administering Oracle CoherenceNote:
Forcing persistence recovery may lead to partial or full data loss at the corresponding cache service.
FORCE RECOVERY "service"The service argument is the name of the partitioned cache service being recovered.
                        
Example:
Force recovery for a partitioned cache service that is named OrdersCacheService.
                           
force recovery "OrdersCacheService"
Parent topic: Persisting Cache Data to Disk
Suspending Services During Persistence Operations
Use the SUSPEND SERVICE and RESUME SERVICE to ensure persistence operations are performed on a non-active service. For some persistence operations, the service is automatically suspended and resumed when the statement is executed. The syntax is:
                        
[RESUME | SUSPEND] SERVICE "service"
The service argument is the name of a partitioned cache service to be suspended or resumed.
                        
Note:
Clients that send requests to a suspended service are blocked until the service resumes and the request completes. Services can be configured with a request timeout to ensure that clients are not blocked while waiting for a service to be resumed. A request timeout can be configured using the <request-timeout> element in a distributed scheme definition or the coherence.distributed.request.timeout system property.
                           
Example:
- 
                                 Suspend a partitioned cache service that is named OrdersCacheService.suspend service "OrdersCacheService" 
- 
                                 Resume a partitioned cache service that is named OrdersCacheService.resume service "OrdersCacheService" 
Parent topic: Persisting Cache Data to Disk
Viewing Query Cost and Effectiveness
The EXPLAIN PLAN FOR and TRACE commands are used to create and output query records that are used to determine the cost and effectiveness of a query. A query explain record provides the estimated cost of evaluating a filter as part of a query operation. A query trace record provides the actual cost of evaluating a filter as part of a query operation. Both query records take into account whether or not an index can be used by a filter. See Interpreting Query Records. The syntax for the commands are:
                     
Query Explain Plan:
EXPLAIN PLAN FOR select statement | update statement | delete statement
Trace:
TRACE select statement | update statement | delete statement
Example:
EXPLAIN PLAN FOR select * from "mycache" where age=19 and firstName=Bob
or,
TRACE SELECT * from "MyCache" WHERE age=19
Parent topic: Understanding Coherence Query Language Syntax
Handling Errors
The WHENEVER COHQLERROR THEN statement is used to specify the action CohQL takes when an error is encountered while executing a statement. The statement is often helpful when CohQL is used as part of a script. See Using Command-Line Tool Arguments. The syntax:
                     
WHENEVER COHQLERROR THEN [EXIT|CONTINUE]
Example:
Exit immediately if the validate snapshot statement returns and error:
whenver cohqlerror then exit validate snapshot "/snapshots/MyCluster/DistCacheService/snapshot"
Parent topic: Understanding Coherence Query Language Syntax
Using the CohQL Command-Line Tool
com.tangosol.coherence.dslquery.QueryPlus class or, for convenience, a startup script is available to run the tool and is located in the COHERENCE_HOME/bin/ directory. The script is available for both Windows (query.cmd) and UNIX (query.sh).
                  The script starts a cluster node in console mode; that is, storage is not enabled on the node. This is the suggested setting for production environments and assumes that the node joins a cluster that contains storage-enabled cache servers. However, a single storage-enabled node can be created for testing by changing the storage_enabled setting in the script to true.
                  
Note:
As configured, the startup script uses the default operational configuration file (tangosol-coherence.xml) and the default cache configuration file (coherence-cache-config.xml) that are located in the coherence.jar when creating/joining a cluster and configuring caches. See Understanding Configuration.
                     
The script provides the option for setting the COHERENCE_HOME environment variable. If COHERENCE_HOME is not set on the computer, set it in the script to the location where Coherence was installed.
                  
The CohQL command-line tool can use JLine for enhanced command-line editing capabilities, such as having the up and down arrows move through the command history. However, JLine is not required to use CohQL. CohQL supports JLine when the JLine library is included in the classpath of the CohQL Command-Line Tool JVM. To use JLine, update the cohql command line script to include version 3.x of the JLine Bundle jar in the classpath. If the JLine library is not found, a message displays and CohQL starts without JLine capabilities.
- Starting the Command-line Tool
- Using Command-Line Tool Arguments
- Setting the Request Timeout
- A Command-Line Example
Parent topic: Using Coherence Query Language
Starting the Command-line Tool
The following procedure demonstrates how to start the CohQL command-line tool using the startup script and assumes that the storage_enabled setting in the script is set to false (the default):
                        
Parent topic: Using the CohQL Command-Line Tool
Using Command-Line Tool Arguments
The CohQL command-line tool includes a set of arguments that are read and executed before the CohQL> prompt returns. This is useful when using the script as part of a larger script– for example, as part of a build process or to pipe I/O. Enter help at the CohQL> prompt to view help for the arguments within the command-line tool.
                     
Table 34-2 Coherence Query Language Command-Line Tool Arguments
| Argument | Description | 
|---|---|
| 
 | Associate an application name with a GAR file. The application name is used to scope caches and services so that they are isolated from other applications that run on the same cluster. This argument is only used if the  | 
| 
 | Exit the command-line tool after processing the command-line arguments. This argument should not be used when redirecting from standard input; in which case, the tool exits as soon as the command line arguments are finished being processed and the redirected input is never read. | 
| 
 | Specifies a comma delimited list of domain partition names to use in a multi-tenant environment. This argument is only used if the  Note that the first domain partition in the list is automatically selected as the active domain partition and is used when creating a cache. To select a different partition, use the domain partition statement from CohQL command line to select the partition: ALTER SESSION SET DOMAIN PARTITON partition-name
The  | 
| 
 | Run the command-line tool in extended language mode. This mode allows object literals in update and insert commands. See the command-line help for complete usage information. | 
| 
 | Process the statements in the given file. The statements in the file must be separated by a semicolon (;). The file is an operating system-dependent path and must be enclosed in single or double quotes. Any number of  | 
| 
 | Load the given Grid ARchive (GAR) file or an exploded GAR file directory before running CohQL and use the default application name. The default application name is the GAR file name without the parent directory name. Use the  | 
| 
 | Execute the given statement. Statements must be enclosed in single or double quotes. Any number of  | 
| 
 | Run the command-line tool in silent mode to remove extraneous verbiage. This allows the command line tool to be used in pipes or filters by redirecting standard input ( | 
| 
 | enable trace mode to print debug information. | 
| 
 | Specifies the timeout value for CohQL statements in milli-seconds. | 
Examples
Return all entries in the contact cache and print the entries to the standard out then exit the command-line tool.
                        
query.sh -c -l "select * from contact"
Return all entries in the dist-example cache and print the entries (suppressing extra verbiage) to the file named myOutput then exit the command-line tool.
                        
query.cmd -s -c -l "select * from 'dist-example'" >myOutput
Process all the segments in the file named myStatements then exit the command-line tool.
                        
query.sh -c -f myStatements
Read the commands from the myInput file and print the output (suppressing extra verbiage) to the file named myOutput.
                        
query.sh -s <myInput >myOutput
Start the command line tool and load the application artifacts from a GAR file named contacts.gar that is located in the /applications directory.
                        
query.sh -g /applications/contacts.gar
Start the command line tool and load the application artifacts from a GAR file named contacts.gar that is located in the /applications directory. Scope the application name to HRContacts.
                        
query.sh -g /applications/contacts.gar -a HRContacts
Parent topic: Using the CohQL Command-Line Tool
Setting the Request Timeout
The default request timeout value for a service is set to infinity unless the value is explicitly set using either the <request-timeout> element for a service or the coherence.distributed.request.timeout system property for all services.
                     
The CohQL command-line tool can be used to set a timeout value which applies to statements that are executed in the current session. The default timeout value for the command-line tool is 30 seconds. A timeout exception is thrown if a statement takes longer than 30 seconds to execute. There are two ways to change the timeout value:
- 
                           The -timeoutcommand line argument is used to set the timeout value in milliseconds. For example,query.sh -timeout 60000 
- 
                           The ALTER SESSIONstatement changes the timeout from the default or from any value specified by the-timeoutargument and remains in effect until anotherALTER SESSIONstatement is executed. The syntax is:ALTER SESSION SET TIMEOUT valueThe value can be an integer that specifies the total number of milliseconds. For example: ALTER SESSION SET TIMEOUT 45000 The value can also be a string that specifies a duration. Valid values to use in the duration string are hfor hours,mfor minutes,sfor seconds, andmsfor milliseconds. For example:ALTER SESSION SET TIMEOUT '5m 30s' 
Parent topic: Using the CohQL Command-Line Tool
A Command-Line Example
The following examples illustrate using the command-line tool on Windows. This example is intended for a single cluster member, so the storage_enabled setting in the startup script is set to true. The example illustrates creating and dropping a cache, storing and retrieving entries, and persisting caches to disk. It also highlights the use of the key() and value() pseudo-functions. 
                     
When starting the query.cmd script at the command prompt, information about the Java environment, the Coherence version and edition, and Coherence cache server is displayed. Enter query statements at the prompt (CohQL>).
                     
Start the CohQL command-line tool:
C:/coherence/bin/query.cmd
Create a cache named employees:
                     
create cache "employees"
Insert an entry (key-value pair) into the cache:
insert into "employees" key "David" value "ID-5070"
Insert an object into the cache:
insert into "employees" value new com.my.Employee("John", "Doe", "address", 34)Change the value of the key:
update employees set value() = "ID-5080" where key() like "David"
Retrieve the values in the cache:
select * from "employees"
Retrieve the value of a key that does not exist. An empty result set is returned:
select key(), value() from "employees" where key() is "Richard"
Create a snapshot of the service to backup the cache to disk:
create snapshot "Backup" "DistributedCache"
Delete an existing key in the cache. An empty result set is returned:
delete from employees where key() = "David"
Delete the contents of the employees cache. An empty result set is returned:
delete from "employees"
Destroy the employees cache:
drop cache "employees"
Re-create the employees cache:
create cache "employees"
Recover the cache contents from the backup:
recover snapshot "Backup" "DistributedCache"
Retrieve the keys and value in the employees cache. Notice that the deleted key and value are present:
select key(), value() from "employees"
Destroy the employees cache:
drop cache "employees"
Exit the command-line tool:
bye
Parent topic: Using the CohQL Command-Line Tool
Building Filters in Java Programs
FilterBuilder API is a string-oriented way to filter a result set from within a Java program, without having to remember details of the Coherence API.The API provides a set of four overloaded createFilter factory methods in the com.tangosol.util.QueryHelper class.
                  The following list describes the different forms of the createFilter method. The passed string uses the Coherence query WHERE clause syntax (see Filtering Entries in a Result Set), but without the literal WHERE. The forms that take an Object array or Map are for passing objects that are referenced by bind variables. Each form constructs a filter from the provided Coherence query string.
                  
- 
                        public static Filter createFilter(String s)—wheresis aStringin the Coherence query representing aFilter.
- 
                        public static Filter createFilter(String s, Object[] aBindings)—wheresis aStringin the Coherence query representing aFilterandaBindingsis an array ofObjectsto use for bind variables.
- 
                        public static Filter createFilter(String s, Map bindings)—wheresis aStringin the Coherence query representing aFilterandbindingsis aMapofObjectsto use for bind variables.
- 
                        public static Filter createFilter(String s, Object[] aBindings, Map bindings)—wheresis aStringin the Coherence query representing aFilter,aBindingsis an array ofObjectsto use for bind variables, andbindingsis aMapofObjectsto use for bind variables.
These factory methods throw a FilterBuildingException if there are any malformed, syntactically incorrect expressions, or semantic errors. Since this exception is a subclass of RuntimeException, catching the error is not required, but the process could terminate if you do not.
                  
Example
The following statement uses the createFilter(String s) form of the method. It constructs a filter for employees who live in Massachusetts but work in another state.
                     
..
QueryHelper.createFilter("homeAddress.state = 'MA'  and workAddress.state != 'MA'")
...
This statement is equivalent to the following filter/extractor using the Coherence API:
AndFilter(EqualsFilter(ChainedExtractor(#getHomeAddress[], #getState[]), MA), NotEqualsFilter(ChainedExtractor(#getWorkAddress[], #getState[]), MA)))
The QueryHelper class also provides a createExtractor method that enables you to create value extractors when building filters. The extractor is used to both extract values (for example, for sorting or filtering) from an object, and to provide an identity for that extraction. The following example demonstrates using createExtractor when creating an index:
                     
cache.addIndex(QueryHelper.createExtractor("key().lastName"),/*fOrdered*/ true,
  /*comparator*/ null);
Parent topic: Using Coherence Query Language
Additional Coherence Query Language Examples
select * examples that highlight Filters can understand the translation for the FilterBuilder API if you focus only on the Filter part. Use the full set of examples to understand the translation for the QueryBuilder API and the command-line tool.
                  The examples use an abbreviated form of the path syntax where the cache name to qualify an identifier is dropped.
The Java language form of the examples also use ReducerAggregator
            instead of EntryProcessors for projection.
                  
This section includes the following topics:
- Simple SELECT * FROM Statements that Highlight Filters
- Complex Queries that Feature Projection, Aggregation, and Grouping
- UPDATE Examples
- Key and Value Pseudo-Function Examples
- Working with Java Objects (POJO’s)
- Working with Java Record Class
- Working with JSON Objects
- Using Extended Language Features
Parent topic: Using Coherence Query Language
Simple SELECT * FROM Statements that Highlight Filters
- 
                           Select the items from the cache orderswhere40is greater than the value of thepricekey.select * from "orders" where 40 > price
- 
                           Select the items from the cache orderswhere the value of thepricekey exactly equals 100, and the value ofinsurancekey is less than 10 or the value of theshippingkey is greater than or equal to 20.select * from "orders" where price is 100 and insurance < 10 or shipping >= 20 
- 
                           Select the items from the cache orderswhere the value of thepricekey exactly equals 100, and either the value ofinsurancekey is less than 10 or the value of theshippingkey is greater than or equal to 20.select * from "orders" where price is 100 and (insurance < 10 or shipping >= 20) 
- 
                           Select the items from the cache orderswhere either the value of thepricekey equals100, or thebarkey equals20.select * from "orders" where price = 100 or shipping = 20 
- 
                           Select the items from the cache orderswhere the value of theinsurancekey is not null.select * from "orders" where insurance is not null 
- 
                           Select the items from the cache employeeswhere theemp_idkey has a value between 1 and 1000 or thebar.empkey is not "Smith".select * from "employees" where emp_id between 1 and 1000 or bar.emp is not "Smith" 
- 
                           Select items from the cache orderswhere the value ofitemkey is similar to the value "coat".select * from "orders" where item like "coat%"
- 
                           Select items from the cache employeeswhere the value ofemp_idis in the set 5, 10, 15, or 20.select * from "employees" where emp_id in (5,10,15,20) 
- 
                           Select items from the cache employeeswhereemp_idcontains the list5,10,15, and20.select * from "employees" where emp_id contains (5,10,15,20) 
- 
                           Select items from the cache employeeswhereemp_idcontains the all of the items5,10,15, and20.select * from "employees" where emp_id contains all (5,10,15,20) 
- 
                           Select items from the cache employeeswhereemp_idcontains any of the items5,10,15, or20.select * from "employees" where emp_id contains any (5,10,15,20) 
- 
                           Select items from cache employeeswhere the value offookey is less than 10 and occurs in the set 10, 20.select * from "employees" where emp_id < 10 in (10,20) 
Parent topic: Additional Coherence Query Language Examples
Complex Queries that Feature Projection, Aggregation, and Grouping
- 
                           Select the home stateandageof employees in the cacheContactInfoCache, and group bystateandage.select homeAddress.state, age, count() from "ContactInfoCache" group by homeAddress.state, age 
- 
                           Select the spurious frobitkey from theorderscache. Note, an empty result set is returned.select frobit,supplier,sum(amount),avg(price) from "orders" group by supplier 
- 
                           For the items in the orderscache that are greater than $1000, select the items, their prices and colors.select item_name,price,color from "orders" where price > 1000 
- 
                           Select the total amountfor items from theorderscache. TheDoubletype is assumed.select sum(amount) from "orders" 
- 
                           Select the total amountfor items from theorderscache as aLongtype.select long_sum(amount) from "orders" 
- 
                           Select the total amountfor items from theorderscache as aBigDecimaltype.select bd_sum(amount) from "orders" 
- 
                           Select the total amountfor items from theorderscache where thecolorattribute isredorgreen.select sum(amount) from "orders" where color is "red" or color is "green" 
- 
                           Select the total amountand averagepricefor items from theorderscacheselect sum(amount),avg(price) from "orders" 
- 
                           Select one copy of the lastnameandcityfrom possible duplicate rows from theemployeescache, where thestateis California.select distinct lastName,city from "employees" where state = "CA" 
Parent topic: Additional Coherence Query Language Examples
UPDATE Examples
- 
                           For employees in the employeescache whose ranking is above grade 7, increase their salaries by 10% and add 50 hours of vacation time.update "employees" set salary = salary*1.10, vacation = vacation + 50 where grade > 7 
Parent topic: Additional Coherence Query Language Examples
Key and Value Pseudo-Function Examples
This section provides examples of how to use the key() and value() pseudo-functions. See A Command-Line Example.
                     
- 
                           Select the employees from the ContactInfoCachewhose home address is in Massachusetts, but work out of state.select key().firstName, key().lastName from "ContactInfoCache" where homeAddress.state is 'MA' and workAddress.state != "MA" 
- 
                           Select the employees from the ContactInfoCachecache whose age is greater than 42.select key().firstName, key().lastName, age from "ContactInfoCache" where age > 42 
Parent topic: Additional Coherence Query Language Examples
Working with Java Objects (POJO’s)
For these examples, assume that there is a cache called customers
            that has a POJO Customer, which has the following fields and associated
            getters and setters plus a toString() implementation:
                     
private int id;
private String name;
private int age;
private String address;
private String city;
private double balance;Note:
Some of these examples are shown earlier (see Additional Coherence Query Language Examples), but this section is specifically about working with POJOS.- Insert a new customer.
                           insert into "customers" key(1) value new com.oracle.demo.Customer(1, "Tim", 50, "Address", "Boston", 1000d)select key(), value() from customersResults [1, Customer{id=1, name='Tim', age=50, address='Address', city='Boston', balance=1000.0}]For more information about changing a value, see Changing Existing Values. 
- Insert a customer without specifying a key in the command.
                           insert into "customers" value new com.oracle.demo.Customer(2, "Mary", 45, "Address", "Nashua", 2000d)select key(), value() from customersResults [2, Customer{id=2, name='Mary', age=45, address='Address', city='Nashua', balance=2000.0}]Note: If you do not specify the key as part of the command, CohQL will look for agetKey()method on the POJO to generate the key for the entry.
- Select specific fields from a cache entry.
                           select id, name, city from "customers"Results [1, "Tim", "Boston"] [2, "Mary", "Nashua"] Note: Where ever you specify fields other thankey()orvalue(), in CohQL these are interpreted as path expressions and appropriate getters should exist. See Using Path-Expressions. For example, selectingidmeans that agetId()method should exist on the customer class.Tip: If you want to see what CohQL will use without executing any statement, you can prefix the commands withshow plan.For example: show plan select id, name, city from "customers" plan: CacheFactory.getCache("customers").aggregate(AlwaysFilter, ReducerAggregator(MultiExtractor(.id(), .name(), .city())))In the above example, notice that the getId(),getName(), andgetCity()accessors are called.
- Select cache entries using filters.
                           select value() from "customers" where city = "Boston";Results Customer{id=4, name='James', age=31, address='Address', city='Boston', balance=300.0} Customer{id=1, name='Tim', age=50, address='Address', city='Boston', balance=1000.0} Customer{id=3, name='Helen', age=23, address='Address', city='Boston', balance=30000.0}For more information about using filters, see Filtering Entries in a Result Set. 
- Aggregate cache entries.
                           select city, sum(balance), avg(balance) from "customers" group by cityResults "Boston": [31300.0, 10433.333333333334] "Nashua": [2500.0, 1250.0] For more information about aggregating entries, see Aggregating Query Results. 
- Update entries in a cache.
                           In this example, the customer balance is set to zero for all Boston customers. update "customers" set balance = 0d where city = "Boston"Results 4: true 1: true 3: true select value() from "customers" where city = "Boston";Results Customer{id=4, name='James', age=31, address='Address', city='Boston', balance=0.0} Customer{id=1, name='Tim', age=50, address='Address', city='Boston', balance=0.0} Customer{id=3, name='Helen', age=23, address='Address', city='Boston', balance=0.0}For more information about changing a value, see Changing Existing Values. 
- Delete a cache entry based upon a key.
                           delete from customer where id = 1Results For more information about deleting an entry, see Deleting Entries in the Cache. 
Parent topic: Additional Coherence Query Language Examples
Working with Java Record Class
customers that has a Java record class named
                CustomerRecord in its values as defined as
            follows:public record CustomerRecord(int id, String name, int age, String address, String city, double balance){}Note:
Some of these examples have been shown previously (see Additional Coherence Query Language Examples), but this section is specifically about working with Java Record Class.- Insert a new customer.
                           insert into "customers" key(1) value new com.oracle.demo.CustomerRecord(1, "Tim", 50, "Address", "Boston", 1000d)select key(), value() from customersResults [1, CustomerRecord{id=1, name='Tim', age=50, address='Address', city='Boston', balance=1000.0}]
- Select specific fields from a cache entry.
                           select id, name, city from "customers"Results [1, "Tim", "Boston"] [2, "Mary", "Nashua"] Note: Wherever you specify fields other thankey()orvalue(), in CohQL, these are interpreted as path expressions and appropriate properties should exist. See Using Path-Expressions.Tip: If you want to see what CohQL will use without running any statement, you can prefix the commands withshow plan.For example: show plan select id, name, city from "customers" plan: CacheFactory.getCache("customers").aggregate(AlwaysFilter, ReducerAggregator(MultiExtractor(.id(), .name(), .city())))In the previous example, notice that the id(),name(), andcity()accessors are called.
- Select cache entries using filters.
                           select value() from "customers" where city = "Boston";Results CustomerRecord{id=4, name='James', age=31, address='Address', city='Boston', balance=300.0} CustomerRecord{id=1, name='Tim', age=50, address='Address', city='Boston', balance=1000.0} CustomerRecord{id=3, name='Helen', age=23, address='Address', city='Boston', balance=30000.0}For more information about using filters, see Filtering Entries in a Result Set. 
- Aggregate cache entries.
                           select city, sum(balance), avg(balance) from "customers" group by cityResults "Boston": [31300.0, 10433.333333333334] "Nashua": [2500.0, 1250.0] For more information about aggregating entries, see Aggregating Query Results. 
- Delete a cache entry based upon a key.
                           delete from customer where id = 1Results For more information about deleting an entry, see Deleting Entries in the Cache. 
Parent topic: Additional Coherence Query Language Examples
Working with JSON Objects
The Coherence Query Language provides the ability to insert JSON objects as keys or
            values. This is specified by providing the new json followed by a JSON
            string, in brackets, for value or key. See the following examples.
                     
To take advantage of this option, you must include the following dependency in your application for all cluster members:
<dependency>
    <groupId>${coherence.groupId}</groupId>
    <artifactId>coherence-json</artifactId>
    <version>${coherence.version}</version>
</dependency>- Insert a new JSON object as a
                                        value.insert into cache key 1 value new json ('{"customerId": 1, "name": "J. Smith"}')select key(), value() from cacheResult:[1, {"customerId": 1, "name": "J. Smith"}]
- Update a JSON object
                    value.update cache set value() = new json ('{"customerId": 1, "name": "J. Smithers"}') where key() = 1Result:1: trueselect key(), value() from cachem cacheResult:[1, {"customerId": 1, "name": "J. Smithers"}]
- Add a JSON object with key and value being
                                        JSON.insert into test key new json ('{"foo": 1}') value new json ('{"bar": 2}')select key(), value() from testResult:[{"foo": 1}, {"bar": 2}]
- Query using JSON attributes in whereclause.Assuming the following data has been added: {"id": 2, "name": "Customer 2", "type": "SILVER"} {"id": 1, "name": "Customer 1", "type": "GOLD"} {"id": 3, "name": "Customer 23", "type": "SILVER"}Then, you can perform the following query: select * from customers where type = 'GOLD'Result: {"id": 1, "name": "Customer 1", "type": "GOLD"}
- Select individual JSON attributes.
                           Using the same data as in the previous bullet: select name, type from customers where type = 'GOLD'Result: ["Customer 1", "GOLD"]
Parent topic: Additional Coherence Query Language Examples
Using Extended Language Features
The extended language mode allows object literals in update and insert statements. This enables:
- elements between '[' and']' denote an ArrayList.
- elements between '{' and'}' denote a HashSet.
- elements between '{' and'}' with key/value pairs separated by ':' denote a
                    HashMap.
                           A literal HashMap preceded by a class name are processed by calling a zero argument constructor, and then followed by each key pair being turned into a setter and invoked with the value. 
To enable extended language, use the -e option. For information about
            using this option, see Using Command-Line Tool Arguments. Alternatively, you can use the CohQL command EXTENDED LANGUAGE
            ON.
                     
This section provides various examples using extended language features.
ArrayLists
In the following example, assume a cache that holds results for a person's test, keyed by name, and the value is an ArrayList of integers, which can be repeated. In this example, there is no POJO, but these examples can be applied to attributes of the ArrayList type.
Note:
An array list can have duplicate values.- Insert values which are an ArrayList.
                              insert into results key("Tim") value [90, 80, 85, 90, 100];insert into results key("Helen") value [95, 98, 99, 90, 100];select key(), value() from "results"Results ["Helen", [95, 98, 99, 90, 100]] ["Tim", [90, 80, 85, 90, 100]] 
- Retrieve cache entries where an ArrayList contains a value.
                              select key() from "results" where value() contains 99Results "Helen" 
- Update the cache entry with a new ArrayList.
                              update results set value() = [100] where key() = "Tim"Results "Tim": true select key(), value() from "results"Results ["Helen", [95, 98, 99, 90, 100]] ["Tim", [100]] ["Helen", ["English", "French"]] ["Tim", ["English", "Romanian"]] 
Parent topic: Using Extended Language Features
HashSets
In the following example, assume a cache that holds the names of languages a person speaks, keyed by name, and the value is a HashSet of languages. In this example, there is no POJO, but these examples can be applied to attributes of the HashSet type.
Note:
A HashSet cannot have duplicate values.- Insert values which are a HashSet.
                              insert into "languages" key("Tim") value {"English"};insert into "languages" key("Helen") value {"English", "French"};insert into "languages" key("Sharon") value {"English", "Japanese"};select key(), value() from "languages"Results ["Sharon", {"English", "Japanese"}] ["Helen", {"English", "French"}] ["Tim", {"English"}]
- Retrieve cache entries where an HashSet contains a value.
                              select key() from "languages" where value() contains "French"Results "Helen" 
- Update the cache entry with a new HashSet.
                              update "languages" set value() = {"English", "Romanian"} where key() = "Tim"Results "Tim": true 
Parent topic: Using Extended Language Features
HashMap
In the following example, assume a cache that holds the scores a person has achieved for subjects, keyed by name, and the value is a HashMap subject and score. In this example, there is no POJO, but these examples can be applied to attributes of the HashMap type.
Note:
This is just an example and may not be the best way to store this type of data in a cache.- Insert values which are HashMaps.
                              insert into scores key("Tim") value{"Maths": 100, "Science": 95, "English": 70};insert into scores key("Helen") value{"Maths": 98, "Biology": 95, "English": 99, "Physics": 87}select key(), value() from "scores"scores"Results ["Helen", {"Maths": 98, "English": 99, "Biology": 95, "Physics": 87}] ["Tim", {"Maths": 100, "English": 70, "Science": 95}]
- Retrieve cache entries where a HashMap contains more that three entries.
                              select key(), value() from "scores" where value().size() > 3Results ["Helen", {"Maths": 98, "English": 99, "Biology": 95, "Physics": 87}]
- Update the cache entry with a new HashMap.
                              update scores set value() = {"Maths": 99} where key() = "Tim"select key(), value() from "scores"Results ["Helen", {"Maths": 98, "English": 99, "Biology": 95, "Physics": 87}] ["Tim", {"Maths": 99}]
Parent topic: Using Extended Language Features