SAI examples

SAI indexing can be used to index and query both primary key columns and non-primary key columns of almost any type. Find the type of index you want to create and follow the examples to create and query the index.

Each example starts with a table creation, followed by index creation, so that you can see the table schema and the index schema. Then sample queries for using the index are presented in a tabbed codeblock, to make it easier to examine queries side-by-side.

A keyspace must be created before tables and indexes can be created. The following keyspace is used for all examples on this page:

CREATE KEYSPACE IF NOT EXISTS cycling
WITH REPLICATION = {
  'class' : 'SimpleStrategy',
  'replication_factor' : 1
};

Primary key columns

Make an index on primary key columns, either composite partition key columns or clustering columns.

Single primary key column

This index creation will fail, because the table has a single PRIMARY KEY column. Such indexes are not allowed. The following example demonstrates the failure.

  1. Create a table called cycling.alt_stats with a primary key if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_alt_stats (
      id UUID PRIMARY KEY,
      lastname text,
      birthday date,
      nationality text,
      weight float,
      w_units text,
      height float,
      first_race date,
      last_race date
    );
  2. Create a SAI index on the id column, which is a primary key.

      CREATE CUSTOM INDEX id_idx ON cycling.cyclist_alt_stats (id) 
        USING 'StorageAttachedIndex';
    Results
    InvalidRequest: Error from server: code=2200 [Invalid query] message="Cannot create 
    secondary index on the only partition key column id"

    This index creation will fail, because the id column is the single primary key, as well as the single partition key. Such indexes are not allowed.

Composite partition key columns in primary key

A composite partition key uses two or more columns to define the partition key in the PRIMARY KEY definition. Normally, you would need to specify all the columns in the partition key to query the table with a WHERE clause.

However, an SAI index makes it possible to define an index using a single column in the table’s composite partition key. You can create an SAI index on each column in the composite partition key, if you need to query based on just one column at a time. SAI indexes also allow you to query tables without using the inefficient ALLOW FILTERING directive. The ALLOW FILTERING directive requires scanning all the partitions in a table, leading to poor performance.

To filter a query using a column that is not the full partition key, you must create a SAI index on the column that you wish to use for the query.

  1. Create a table called cycling.rank_by_year_and_name with a composite partition key and a clustering column if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.rank_by_year_and_name (
      race_year int,
      race_name text,
      cyclist_name text,
      rank int,
      PRIMARY KEY ((race_year, race_name), rank)
    );
  2. Create two SAI indexes on the race_year and race_name columns. These two columns are the composite partition key in the PRIMARY KEY definition.

    CREATE CUSTOM INDEX IF NOT EXISTS race_year_idx 
    ON cycling.rank_by_year_and_name (race_year) USING 'StorageAttachedIndex';
    CREATE CUSTOM INDEX IF NOT EXISTS race_name_idx 
      ON cycling.rank_by_year_and_name (race_name) USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the table schema with the DESCRIBE TABLE CQL command.

    DESCRIBE INDEX cycling.race_year_idx;
    DESCRIBE INDEX cycling.race_name_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX race_year_idx ON cycling.rank_by_year_and_name (race_year) USING 'StorageAttachedIndex';
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX race_name_idx ON cycling.rank_by_year_and_name (race_name) USING 'StorageAttachedIndex';
  4. Now that you have created the table and indexes, try some SELECT queries.

    • The first example tab, SELECT 1, shows a query with only one of the partition key columns.

    • The second example tab, SELECT 2 - AND, shows a query with both of the partition key columns using AND.

      • SELECT 1

      • SELECT 2 - AND

      Query the table using only the race_year`column. A similar query using only the `race_name column can also be performed.

      SELECT * FROM cycling.rank_by_year_and_name
        WHERE race_year = 2014 
        AND race_name  = 'Tour of Japan - Stage 4 - Minami > Shinshu';
      Results
      WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
      
       race_year | race_name                                  | rank | cyclist_name
      -----------+--------------------------------------------+------+----------------------
            2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    1 |        Daniel MARTIN
            2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    2 | Johan Esteban CHAVES
            2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    3 |      Benjamin PRADES
      
      (3 rows)

      This shows the distinct advantage of SAI over 2i. For 2i indexes, you must use the ALLOW FILTERING directive when querying a table using a column that is not the full partition key, but SAI indexes do not require ALLOW FILTERING.

      You may want to query the table using both the race_year and race_name columns.

      SELECT * FROM cycling.rank_by_year_and_name
        WHERE race_year = 2014 
        AND race_name  = 'Tour of Japan - Stage 4 - Minami > Shinshu';

      + .Results

      Details
      WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
      
       race_year | race_name                                  | rank | cyclist_name
      -----------+--------------------------------------------+------+----------------------
            2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    1 |        Daniel MARTIN
            2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    2 | Johan Esteban CHAVES
            2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    3 |      Benjamin PRADES
      
      (3 rows)

Clustering column in primary key

A clustering column sorts the rows within a partition. Clustering columns are part of the PRIMARY KEY definition. To filter a query using just a clustering column, you must create a 2i index on the column that you wish to use for the query.

If you wish to use a clustering column in a query, it is best to consider restricting a query to a single partition. Using a partition key column plus a clustering column will have better performance.

  1. Create a table called cycling.rank_by_year_and_name with a composite partition key and a clustering column if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.rank_by_year_and_name (
      race_year int,
      race_name text,
      cyclist_name text,
      rank int,
      PRIMARY KEY ((race_year, race_name), rank)
    );
  2. Create a SAI index on the rank clustering column.

    CREATE CUSTOM INDEX IF NOT EXISTS rank_idx
    ON cycling.rank_by_year_and_name (rank) USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the schema with the DESCRIBE INDEX CQL command.

    DESCRIBE INDEX cycling.rank_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX rank_idx ON cycling.rank_by_year_and_name (rank) USING 'StorageAttachedIndex';
  4. Now that you have created the table and index, try some queries.

    • The first example tab shows a query with only the clustering column.

    • The second example tab shows a query with the clustering column and the partition key column.

      • SELECT 1 - rank

      • SELECT 2 - AND

      Query the table using only the rank column.

      SELECT * FROM cycling.rank_by_year_and_name
        WHERE rank = 3;
      Results
      WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

      Query the table using the race_year and rank columns.

      SELECT * FROM cycling.rank_by_year_and_name
        WHERE race_year = 2014 AND rank = 3
      ALLOW FILTERING;
      Results
      WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

Non-primary key columns

Indexes can be created on non-primary key columns of almost any type.

Text column

Text columns can be indexed and searched both for equality and inequality.

  1. Create a table called cycling.alt_stats with a non-primary key TEXT column called nationality if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_alt_stats (
      id UUID PRIMARY KEY,
      lastname text,
      birthday date,
      nationality text,
      weight float,
      w_units text,
      height float,
      first_race date,
      last_race date
    );
  2. Create a SAI index on the nationality column, a non-primary key TEXT column.

      CREATE CUSTOM INDEX nationality_idx ON cycling.cyclist_alt_stats (nationality)
        USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the index schema:

      DESCRIBE INDEX cycling.nationality_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX nationality_idx ON cycling.cyclist_alt_stats (nationality) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

  1. Query the table using the nationality column.

    SELECT first_race, last_race, birthday FROM cycling.cyclist_alt_stats
      WHERE nationality = 'France';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     first_race | last_race  | birthday
    ------------+------------+------------
     2006-03-15 | 2017-04-16 | 1990-05-27
    
    (1 rows)

Date column

  1. Create a table called cycling.alt_stats with DATE column called birthday if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_alt_stats (
      id UUID PRIMARY KEY,
      lastname text,
      birthday date,
      nationality text,
      weight float,
      w_units text,
      height float,
      first_race date,
      last_race date
    );
  2. Create a SAI index on the birthday column, a non-primary key TEXT column.

      CREATE CUSTOM INDEX birthday_idx ON cycling.cyclist_alt_stats (birthday)
        USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the index:

      DESCRIBE INDEX cycling.birthday_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX birthday_idx ON cycling.cyclist_alt_stats (birthday) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

  1. Query the table using the birthday column.

    SELECT lastname, birthday, nationality FROM cycling.cyclist_alt_stats
      WHERE birthday = '1981-03-29';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     lastname  | birthday   | nationality
    -----------+------------+-------------
     VEIKKANEN | 1981-03-29 |     Finland
    
    (1 rows)

Now that you have created indexes on the columns birthday and nationality, there are a number of other queries that you can perform. Multiple matches with AND, OR, and IN operators are a common use case for SAI indexes. Inequality ranges are another useful case of SAI indexes.

  • The first example tab, SELECT 1 - AND, shows a query with both the birthday and nationality columns.

  • The second example tab, SELECT 2 - OR, shows that a query with either the birthday or nationality columns. Depending on your product, this query may or may not succeed.

  • The third example tab, SELECT 3 - IN, shows how to query with a list of nationality values.

  • The fourth example tab, SELECT 4 - RANGE, shows how to query with an inequality range of birthday values.

  • SELECT 1 - AND

  • SELECT 2 - OR

  • SELECT 3 - IN

  • SELECT 4 - RANGE

Query the table using both a nationality and a birthday.

SELECT lastname, birthday, nationality FROM cycling.cyclist_alt_stats
  WHERE birthday = '1991-08-25' AND nationality = 'Ethiopia'
ALLOW FILTERING;
SELECT lastname, birthday, nationality FROM cycling.cyclist_alt_stats
  WHERE birthday = '1991-08-25' AND nationality = 'Ethiopia';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 lastname | birthday   | nationality
----------+------------+-------------
    GRMAY | 1991-08-25 |    Ethiopia

(1 rows)
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 lastname | birthday   | nationality
----------+------------+-------------
    GRMAY | 1991-08-25 |    Ethiopia

(1 rows)

Query the table using a nationality or a birthday.

SELECT lastname, birthday, nationality FROM cycling.cyclist_alt_stats
  WHERE birthday = '1991-08-25' OR nationality = 'Ethiopia';
Results

OR is not an allowed operator for some products.

Query the table using nationality with IN.

SELECT * FROM cycling.cyclist_alt_stats 
  WHERE nationality IN ('Finland', 'France');
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

Query the table using a birthday range.

SELECT lastname, birthday, nationality FROM cycling.cyclist_alt_stats
  WHERE birthday >'1981-03-29';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 lastname  | birthday   | nationality
-----------+------------+-------------
     BRUTT | 1982-01-29 |      Russia
  ISAYCHEV | 1986-04-21 |      Russia
 TSATEVICH | 1989-07-05 |      Russia
  PAULINHO | 1990-05-27 |    Portugal
     GRMAY | 1991-08-25 |    Ethiopia
    BELKOV | 1985-01-09 |      Russia
     DUVAL | 1990-05-27 |      France

(7 rows)

Inequalities are a useful feature of SAI indexes.

Integer column

An integer column can be indexed similarly to a text column.

  1. Create a table called cycling.rank_by_year_and_name with INT column called rank if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.rank_by_year_and_name (
      race_year int,
      race_name text,
      cyclist_name text,
      rank int,
      PRIMARY KEY ((race_year, race_name), rank)
    );
  2. Create a SAI index on the rank column, a non-primary key INT column.

    CREATE CUSTOM INDEX IF NOT EXISTS rank_idx
    ON cycling.rank_by_year_and_name (rank) USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the index schema.

    DESCRIBE INDEX cycling.rank_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX rank_idx ON cycling.rank_by_year_and_name (rank) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

  • SELECT 1 - equality

  • SELECT 2 - inequality range

Query the table using the rank column in an equality.

SELECT * FROM cycling.rank_by_year_and_name
  WHERE rank = 3;
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

Query the table using the rank column in an inequality range.

SELECT * FROM cycling.rank_by_year_and_name
  WHERE rank < 3;
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 race_year | race_name                                  | rank | cyclist_name
-----------+--------------------------------------------+------+----------------------
      2014 |                        4th Tour of Beijing |    1 |    Phillippe GILBERT
      2014 |                        4th Tour of Beijing |    2 |        Daniel MARTIN
      2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    1 |        Daniel MARTIN
      2014 | Tour of Japan - Stage 4 - Minami > Shinshu |    2 | Johan Esteban CHAVES
      2015 |   Giro d'Italia - Stage 11 - Forli > Imola |    1 |        Ilnur ZAKARIN
      2015 |   Giro d'Italia - Stage 11 - Forli > Imola |    2 |      Carlos BETANCUR
      2015 | Tour of Japan - Stage 4 - Minami > Shinshu |    1 |      Benjamin PRADES
      2015 | Tour of Japan - Stage 4 - Minami > Shinshu |    2 |          Adam PHELAN

(8 rows)

Float column

Float columns can be indexed and searched.

  1. Create a table called cycling.cyclist_alt_stats with FLOAT column called weight if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_alt_stats (
      id UUID PRIMARY KEY,
      lastname text,
      birthday date,
      nationality text,
      weight float,
      w_units text,
      height float,
      first_race date,
      last_race date
    );
  2. Create a SAI index on the weight column, a non-primary key FLOAT column.

      CREATE CUSTOM INDEX weight_idx ON cycling.cyclist_alt_stats (weight) 
        USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the table schema with the DESCRIBE TABLE CQL command.

      DESCRIBE INDEX cycling.weight_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX weight_idx ON cycling.cyclist_alt_stats (weight) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

  • The first example tab shows that a query with the weight column can be performed using an equality.

  • The second example tab shows that a query with the weight column can be performed using an inequality range.

  • SELECT 1 - equality

  • SELECT 2 - inequality range

Query the table using the weight column in an equality.

SELECT lastname, nationality, weight FROM cycling.cyclist_alt_stats 
 WHERE weight = 66;
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 lastname  | nationality | weight
-----------+-------------+--------
 VEIKKANEN |     Finland |     66

(1 rows)

Query the table using the weight column in an inequality range.

SELECT lastname, nationality, weight FROM cycling.cyclist_alt_stats 
 WHERE weight > 70;
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 lastname | nationality | weight
----------+-------------+--------
 ISAYCHEV |      Russia |     80
   BELKOV |      Russia |     71

(2 rows)

Timestamp column

Timestamp columns can be indexed and searched.

  1. Create a table called cycling.comments with TIMESTAMP column called created_at if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create a SAI index on the comments column, a non-primary key TIMESTAMP column.

      CREATE CUSTOM INDEX created_at_idx ON cycling.comments (created_at)
        USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the index schema.

      DESCRIBE INDEX cycling.created_at_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

Now that you have created the table and index, query using a value for the column.

  • The first example tab shows that a query with the created_at column can be performed using an equality.

  • The second example tab shows that a query with the created_at column can be performed using an inequality range.

  • SELECT 1 - equality

  • SELECT 2 - inequality range

Query the table using the created_at column in an equality.

  SELECT commenter, comment, created_at FROM cycling.comments
    WHERE created_at = '2024-06-07 03:13:40.268';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 commenter | comment | created_at
-----------+---------+------------


(0 rows)

Query the table using the created_at column in an inequality range.

  SELECT commenter, comment, created_at FROM cycling.comments
    WHERE created_at < '2024-06-07 03:13:40.268';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 commenter | comment                                | created_at
-----------+----------------------------------------+---------------------------------
      Alex | Raining too hard should have postponed | 2023-04-01 11:21:59.001000+0000

(1 rows)

Tuple column

Tuples columns can be indexed and searched, but only the full tuple can be indexed.

  1. Create a table called cycling.nation_rank with TUPLE column called info if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.nation_rank (
      nation text PRIMARY KEY,
      info tuple<int, text, int>
    );
  2. Create a SAI index on the info column, a non-primary key TUPLE column.

    CREATE CUSTOM INDEX info_idx ON cycling.nation_rank (info) USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the table schema with the DESCRIBE TABLE CQL command.

    DESCRIBE INDEX cycling.info_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX info_idx ON cycling.nation_rank (info) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

Query the table using the info column in an equality. Tuples can only be filtered using the full tuple value.

SELECT * FROM cycling.nation_rank
  WHERE info = (3, 'Phillippe GILBERT', 6222);
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 nation  | info
---------+--------------------------------
 Belgium | (3, 'Phillippe GILBERT', 6222)

(1 rows)

User-defined type (UDT) column

SAI can index either a user-defined type (UDT) or a list of UDTs. This example shows how to index a list of UDTs.

  1. Create a UDT called cycling.race if it doesn’t already exist.

    CREATE TYPE IF NOT EXISTS cycling.race (
      race_title text,
      race_date timestamp,
      race_time text
    );
    DESCRIBE TYPE cycling.race;
  2. Create a table called cycling.cyclist_races with a list of UDTs column called races if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_races (
      id UUID PRIMARY KEY,
      lastname text,
      firstname text,
      races list<FROZEN <race>>
    );
  3. Create a SAI index on the races column, a non-primary key list of UDTs column.

    CREATE CUSTOM INDEX  IF NOT EXISTS races_idx 
      ON cycling.cyclist_races (races) USING 'StorageAttachedIndex';
  4. Verify the created indexes by checking the table schema with the DESCRIBE TABLE CQL command.

    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX races_idx ON cycling.cyclist_races (values(races)) USING 'StorageAttachedIndex';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX races_idx ON cycling.cyclist_races (values(races)) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

  1. Query with CONTAINS from the list races column:

    SELECT * FROM cycling.cyclist_races 
      WHERE races CONTAINS {
        race_title:'Rabobank 7-Dorpenomloop Aalburg',
        race_date:'2015-05-09',
        race_time:'02:58:33'};
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     id                                   | firstname | lastname | races
    --------------------------------------+-----------+----------+------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
     5b6962dd-3f90-4c93-8f61-eabfa4a803e2 |  Marianne |      VOS | [race(race_title='Rabobank 7-Dorpenomloop Aalburg', race_date=datetime.datetime(2015, 5, 9, 0, 0), race_time='02:58:33'), race(race_title='Ronde van Gelderland', race_date=datetime.datetime(2015, 4, 19, 0, 0), race_time='03:22:23')]
    
    (1 rows)

Non-primary key collection column

Collections can be indexed and queried to find a collection containing a particular value. Sets and lists are indexed a bit differently from maps, given the key-value nature of maps.

Sets and lists can index all values found by indexing the collection column. Maps can index a map key, map value, or map entry using the methods shown below. Multiple indexes can be created on the same map column in a table so that map keys, values, or entries can be queried. In addition, frozen collections can be indexed using FULL to index the full content of a frozen collection.

Set

Create an index on a set to find all the cyclists that have been on a particular team.

  1. Create a table called cycling.cyclist-career-teams if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_career_teams (
      id UUID PRIMARY KEY,
      lastname text,
      teams set<text>
    );
  2. Create a SAI index on the teams column.

    CREATE CUSTOM INDEX IF NOT EXISTS teams_idx ON cycling.cyclist_career_teams (teams) USING 'StorageAttachedIndex';
  3. Verify the created indexes by checking the index schema.

    DESCRIBE INDEX cycling.teams_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX teams_idx ON cycling.cyclist_career_teams (values(teams)) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

Query the table using the teams column with a CONTAINS phrase to get the rows where a set contains a particular value.

SELECT lastname, teams FROM cycling.cyclist_career_teams 
  WHERE teams CONTAINS 'Rabobank-Liv Giant';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 lastname | teams
----------+----------------------------------------------------------------------------------------------------
    BRAND | {'AA Drink - Leontien.nl', 'Leontien.nl', 'Rabobank-Liv Giant', 'Rabobank-Liv Woman Cycling Team'}

(1 rows)

List

Create an index on a set to find all the cyclists that have a particular sponsor.

  1. Create a table called cycling.race_sponsors if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.race_sponsors (
      race_year int,
      race_name text,
      sponsorship list<text>,
      PRIMARY KEY (race_year, race_name)
    );
  2. Create a SAI index on the sponsorship list column.

    CREATE CUSTOM INDEX sponsorship_idx ON cycling.race_sponsors (sponsorship)
      USING 'StorageAttachedIndex';
  3. Verify the created index by checking the index schema.

    DESCRIBE INDEX cycling.sponsorship_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX sponsorship_idx ON cycling.race_sponsors (values(sponsorship)) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

Query the table using the sponsorship column with a CONTAINS phrase to get the rows where a set contains a particular value.

SELECT * FROM cycling.race_sponsors WHERE sponsorship CONTAINS 'Carrefour';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 race_year | race_name      | sponsorship
-----------+----------------+-------------------------------------------------
      2018 | Tour de France | ['LCL', 'Carrefour', 'Skoda', 'Vittel', 'Krys']

(1 rows)

For map collections, create an index on the map key, map value, or map entry.

Map - keys

Create an index on a map key to find all cyclist/team combinations for a particular year.

  1. Create a table called cycling.cyclist_teams if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_teams (
      id uuid PRIMARY KEY,
      firstname text,
      lastname text,
      teams map<int, text>
    );
  2. Create a SAI index on the teams map column.

    CREATE CUSTOM INDEX IF NOT EXISTS team_keys_idx
      ON cycling.cyclist_teams ( KEYS (teams) ) USING 'StorageAttachedIndex';
  3. Verify the created index by checking the index schema.

    DESCRIBE index cycling.team_keys_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX team_keys_idx ON cycling.cyclist_teams (keys(teams)) USING 'StorageAttachedIndex';
  4. Now that you have created the table and index, query using a key for the map column. Query the table using the teams column with a CONTAINS KEY phrase to get the rows where a map contains a particular key.

    SELECT firstname,lastname,teams FROM cycling.cyclist_teams 
      WHERE teams CONTAINS KEY 2015;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     firstname | lastname   | teams
    -----------+------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------
     Elizabeth | ARMITSTEAD | {2011: 'Team Garmin - Cervelo', 2012: 'AA Drink - Leontien.nl', 2013: 'Boels:Dolmans Cycling Team', 2014: 'Boels:Dolmans Cycling Team', 2015: 'Boels:Dolmans Cycling Team'}
      Marianne |        VOS |                                                                                                                                   {2015: 'Rabobank-Liv Woman Cycling Team'}
    
    (2 rows)
  5. Note that not all map columns are designed to make search via the map key useful. For example, look at this next query. Create a table called cycling.birthday if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.birthday_list (
      cyclist_name text PRIMARY KEY, 
      blist map<text, text>
    );
  6. Create a SAI index on the blist map column.

      CREATE CUSTOM INDEX IF NOT EXISTS blist_keys_idx 
        ON cycling.birthday_list ( KEYS(blist) )
        USING 'StorageAttachedIndex';
  7. Verify the created index by checking the index schema.

      DESCRIBE INDEX cycling.blist_keys_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX blist_keys_idx ON cycling.birthday_list (keys(blist)) USING 'StorageAttachedIndex';
Now that you have created the table and index, query using a key for the map column.

Query the table using the blist column with a CONTAINS KEY phrase to get the rows where a map contains a particular key.

SELECT * FROM cycling.birthday_list WHERE blist CONTAINS KEY 'age';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+--------------------------------------------------------------
   Claudio HEINEN |     {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Claudio VANDELLI |       {'age': '54', 'bday': '27/07/1961', 'nation': 'ITALY'}
    Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
      Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}
      Allan DAVIS |   {'age': '35', 'bday': '27/07/1980', 'nation': 'AUSTRALIA'}
 Laurence BOURQUE |      {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(6 rows)

In this case, the map key is not a useful index because the map key is not a unique identifier, but the same value for all rows.

Map - values

Create an index on the map values and find cyclists whose teams column has a particular value found in the specified map.

  1. Create a table called cycling.cyclist_teams if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_teams (
      id uuid PRIMARY KEY,
      firstname text,
      lastname text,
      teams map<int, text>
    );
  2. Create a SAI index on the teams map column.

    CREATE CUSTOM INDEX IF NOT EXISTS team_values_idx
      ON cycling.cyclist_teams ( VALUES (teams) ) USING 'StorageAttachedIndex';
Verify the created index by checking the table schema.

+

DESCRIBE index cycling.team_values_idx;

+ .Results

Details
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX team_values_idx ON cycling.cyclist_teams (values(teams)) USING 'StorageAttachedIndex';
  1. Now that you have created the table and index, query using a value for the map column.

    SELECT firstname,lastname,teams FROM cycling.cyclist_teams 
      WHERE teams CONTAINS 'Team Garmin - Cervelo';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     firstname | lastname   | teams
    -----------+------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------
         Jamie |    BENNETT |                                                                     {2011: 'Team Garmin - Cervelo', 2013: 'Boels:Dolmans Cycling Team', 2014: 'Boels:Dolmans Cycling Team'}
     Elizabeth | ARMITSTEAD | {2011: 'Team Garmin - Cervelo', 2012: 'AA Drink - Leontien.nl', 2013: 'Boels:Dolmans Cycling Team', 2014: 'Boels:Dolmans Cycling Team', 2015: 'Boels:Dolmans Cycling Team'}
    
    (2 rows)
  2. Because the values of a map column are commonly unique, querying on a map value is more generally useful. Create a table called cycling.birthday if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.birthday_list (
      cyclist_name text PRIMARY KEY, 
      blist map<text, text>
    );
  3. Create a SAI index on the blist map column.

      CREATE CUSTOM INDEX IF NOT EXISTS blist_values_idx 
        ON cycling.birthday_list ( VALUES(blist) )
        USING 'StorageAttachedIndex';
  4. Verify the created index by checking the table schema.

      DESCRIBE INDEX cycling.blist_values_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX blist_values_idx ON cycling.birthday_list (values(blist)) USING 'StorageAttachedIndex';
  5. Now that you have created the table and index, query using a value for the map column.

    SELECT * FROM cycling.birthday_list WHERE blist CONTAINS 'NETHERLANDS';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     cyclist_name  | blist
    ---------------+--------------------------------------------------------------
     Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
       Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}
    
    (2 rows)

Map - entries

Create an index on the map entries and find cyclists who are the same age. An index using ENTRIES is only valid for maps.

  1. Create a table called cycling.birthday if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.birthday_list (
      cyclist_name text PRIMARY KEY, 
      blist map<text, text>
    );
  2. Create a SAI index on the blist map column.

      CREATE CUSTOM INDEX IF NOT EXISTS blist_entries_idx 
        ON cycling.birthday_list ( ENTRIES(blist) )
        USING 'StorageAttachedIndex';
  3. Verify the created index by checking the index schema.

      DESCRIBE INDEX cycling.blist_entries_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX blist_entries_idx ON cycling.birthday_list (entries(blist)) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a key and a value for the map column.

  • SELECT 1

  • SELECT 2

  • DATE

  • AND

Query the table using both a key and a value to get the rows where a map contains a particular entry.

  SELECT * FROM cycling.birthday_list WHERE blist[ 'age' ] = '23';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+----------------------------------------------------------
   Claudio HEINEN | {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Laurence BOURQUE |  {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(2 rows)

Query the table using both a key and a value to get the rows where a map contains cyclists from the same country in the entry for each.

  SELECT * FROM cycling.birthday_list WHERE blist[ 'nation' ] = 'NETHERLANDS';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name  | blist
---------------+--------------------------------------------------------------
 Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
   Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}

(2 rows)

Any number of different queries can be made using the ENTRIES index, such as selecting a matching entry with a DATE data type.

  SELECT * FROM cycling.birthday_list WHERE blist [ 'bday' ] = '27/07/1992'
  ALLOW FILTERING;
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+----------------------------------------------------------
   Claudio HEINEN | {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Laurence BOURQUE |  {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(2 rows)

Two different matches can be made using AND and the ENTRIES index.

  SELECT * FROM cycling.birthday_list 
    WHERE blist[ 'nation' ] = 'CANADA' AND blist[ 'age' ] = '23';
Results
// tag::table-drop[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::table-drop[]

// tag::table-create[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::table-create[]

// tag::table-describe-base[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE TABLE cycling.birthday_list (
    cyclist_name text PRIMARY KEY,
    blist map<text, text>
) WITH additional_write_policy = '99p'
    AND allow_auto_snapshot = true
    AND bloom_filter_fp_chance = 0.01
    AND caching = {'keys': 'ALL', 'rows_per_partition': 'NONE'}
    AND cdc = false
    AND comment = ''
    AND compaction = {'class': 'org.apache.cassandra.db.compaction.UnifiedCompactionStrategy', 'max_sstables_to_compact': '64', 'min_sstable_size': '100MiB', 'scaling_parameters': 'T4', 'sstable_growth': '0.3333333333333333', 'target_sstable_size': '1GiB'}
    AND compression = {'chunk_length_in_kb': '16', 'class': 'org.apache.cassandra.io.compress.LZ4Compressor'}
    AND memtable = 'default'
    AND crc_check_chance = 1.0
    AND default_time_to_live = 0
    AND extensions = {}
    AND gc_grace_seconds = 864000
    AND incremental_backups = true
    AND max_index_interval = 2048
    AND memtable_flush_period_in_ms = 0
    AND min_index_interval = 128
    AND read_repair = 'BLOCKING'
    AND speculative_retry = '99p';
// end::table-describe-base[]

// tag::index-drop-blist-keys-idx[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-drop-blist-keys-idx[]

// tag::index-drop-blist-values-idx[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-drop-blist-values-idx[]

// tag::index-drop-blist-entries-idx[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-drop-blist-entries-idx[]

// tag::index-create-blist-keys-idx-v1[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-create-blist-keys-idx-v1[]

// tag::index-describe-blist-keys-idx-v1[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX blist_keys_idx ON cycling.birthday_list (keys(blist)) USING 'sai';
// end::index-describe-blist-keys-idx-v1[]

// tag::index-create-blist-values-idx-v1[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-create-blist-values-idx-v1[]

// tag::index-describe-blist-values-idx-v1[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX blist_values_idx ON cycling.birthday_list (values(blist)) USING 'sai';
// end::index-describe-blist-values-idx-v1[]

// tag::index-create-blist-entries-idx-v1[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-create-blist-entries-idx-v1[]

// tag::index-describe-blist-entries-idx-v1[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX blist_entries_idx ON cycling.birthday_list (entries(blist)) USING 'sai';
// end::index-describe-blist-entries-idx-v1[]

// tag::data-insert-one[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::data-insert-one[]

// tag::data-insert-all[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::data-insert-all[]

// tag::select-age-equals-23-2i[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+----------------------------------------------------------
   Claudio HEINEN | {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Laurence BOURQUE |  {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(2 rows)
// end::select-age-equals-23-2i[]

// tag::select-birthday-equals-27071992-2i[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+----------------------------------------------------------
   Claudio HEINEN | {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Laurence BOURQUE |  {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(2 rows)
// end::select-birthday-equals-27071992-2i[]

// tag::select-nation-equals-NETHERLANDS-2i[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name  | blist
---------------+--------------------------------------------------------------
 Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
   Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}

(2 rows)
// end::select-nation-equals-NETHERLANDS-2i[]

// tag::select-nation-equals-CANADA-and-age-equals-23-2i[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+---------------------------------------------------------
 Laurence BOURQUE | {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(1 rows)
// end::select-nation-equals-CANADA-and-age-equals-23-2i[]

// tag::select-key-is-age-2i[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+--------------------------------------------------------------
   Claudio HEINEN |     {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Claudio VANDELLI |       {'age': '54', 'bday': '27/07/1961', 'nation': 'ITALY'}
    Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
      Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}
      Allan DAVIS |   {'age': '35', 'bday': '27/07/1980', 'nation': 'AUSTRALIA'}
 Laurence BOURQUE |      {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(6 rows)
// end::select-key-is-age-2i[]

// tag::select-nation-contains-NETHERLANDS-2i[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name  | blist
---------------+--------------------------------------------------------------
 Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
   Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}

(2 rows)
// end::select-nation-contains-NETHERLANDS-2i[]

// tag::index-create-blist-keys-idx-v3[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-create-blist-keys-idx-v3[]

// tag::index-describe-blist-keys-idx-v3[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX blist_keys_idx ON cycling.birthday_list (keys(blist)) USING 'StorageAttachedIndex';
// end::index-describe-blist-keys-idx-v3[]

// tag::index-create-blist-values-idx-v3[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-create-blist-values-idx-v3[]

// tag::index-describe-blist-values-idx-v3[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX blist_values_idx ON cycling.birthday_list (values(blist)) USING 'StorageAttachedIndex';
// end::index-describe-blist-values-idx-v3[]

// tag::index-create-blist-entries-idx-v3[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::index-create-blist-entries-idx-v3[]

// tag::index-describe-blist-entries-idx-v3[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

CREATE CUSTOM INDEX blist_entries_idx ON cycling.birthday_list (entries(blist)) USING 'StorageAttachedIndex';
// end::index-describe-blist-entries-idx-v3[]

// tag::data-insert-one[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::data-insert-one[]

// tag::data-insert-all[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::data-insert-all[]
// tag::select-all[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+--------------------------------------------------------------
   Claudio HEINEN |     {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Claudio VANDELLI |       {'age': '54', 'bday': '27/07/1961', 'nation': 'ITALY'}
    Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
      Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}
      Allan DAVIS |   {'age': '35', 'bday': '27/07/1980', 'nation': 'AUSTRALIA'}
 Laurence BOURQUE |      {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(6 rows)
// end::select-all[]

// tag::select-age-equals-23[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+----------------------------------------------------------
   Claudio HEINEN | {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Laurence BOURQUE |  {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(2 rows)
// end::select-age-equals-23[]

// tag::select-birthday-equals-27071992[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+----------------------------------------------------------
   Claudio HEINEN | {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Laurence BOURQUE |  {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(2 rows)
// end::select-birthday-equals-27071992[]

// tag::select-nation-equals-NETHERLANDS[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name  | blist
---------------+--------------------------------------------------------------
 Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
   Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}

(2 rows)
// end::select-nation-equals-NETHERLANDS[]

// tag::select-nation-equals-CANADA-and-age-equals-23[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+---------------------------------------------------------
 Laurence BOURQUE | {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(1 rows)
// end::select-nation-equals-CANADA-and-age-equals-23[]

// tag::select-nation-equals-CANADA-or-age-equals-28[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
// end::select-nation-equals-CANADA-or-age-equals-28[]]

// tag::select-key-is-age[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name     | blist
------------------+--------------------------------------------------------------
   Claudio HEINEN |     {'age': '23', 'bday': '27/07/1992', 'nation': 'GERMANY'}
 Claudio VANDELLI |       {'age': '54', 'bday': '27/07/1961', 'nation': 'ITALY'}
    Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
      Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}
      Allan DAVIS |   {'age': '35', 'bday': '27/07/1980', 'nation': 'AUSTRALIA'}
 Laurence BOURQUE |      {'age': '23', 'bday': '27/07/1992', 'nation': 'CANADA'}

(6 rows)
// end::select-key-is-age[]

// tag::select-nation-contains-NETHERLANDS[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name  | blist
---------------+--------------------------------------------------------------
 Luc HAGENAARS | {'age': '28', 'bday': '27/07/1987', 'nation': 'NETHERLANDS'}
   Toine POELS | {'age': '52', 'bday': '27/07/1963', 'nation': 'NETHERLANDS'}

(2 rows)
// end::select-nation-contains-NETHERLANDS[]

// tag::select-json[]
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 [json]
----------------------------------------------------------------------------------------------------------
    {"cyclist_name": "Claudio HEINEN", "blist": {"age": "23", "bday": "27/07/1992", "nation": "GERMANY"}}
    {"cyclist_name": "Claudio VANDELLI", "blist": {"age": "54", "bday": "27/07/1961", "nation": "ITALY"}}
 {"cyclist_name": "Luc HAGENAARS", "blist": {"age": "28", "bday": "27/07/1987", "nation": "NETHERLANDS"}}
   {"cyclist_name": "Toine POELS", "blist": {"age": "52", "bday": "27/07/1963", "nation": "NETHERLANDS"}}
     {"cyclist_name": "Allan DAVIS", "blist": {"age": "35", "bday": "27/07/1980", "nation": "AUSTRALIA"}}
   {"cyclist_name": "Laurence BOURQUE", "blist": {"age": "23", "bday": "27/07/1992", "nation": "CANADA"}}

(6 rows)
// end::select-json[]

The queries using a map entry where the key is a unique identifier do look slightly different. Study the example below and compare it to the previous example.

  1. Create a table called cycling.cyclist-teams if it doesn’t already exist.

    CREATE TABLE IF NOT EXISTS cycling.cyclist_teams (
      id uuid PRIMARY KEY,
      firstname text,
      lastname text,
      teams map<int, text>
    );
  2. Create a SAI index on the teams map column.

    CREATE CUSTOM INDEX IF NOT EXISTS team_entries_idx
      ON cycling.cyclist_teams ( ENTRIES (teams) ) USING 'StorageAttachedIndex';
  3. Verify the created index by checking the index schema.

    DESCRIBE index cycling.team_entries_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX team_entries_idx ON cycling.cyclist_teams (entries(teams)) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a key and a value for the map column.

  • SELECT 1

  • AND

Query the table using both a key and a value to get the rows where a map contains a particular entry.

SELECT firstname,lastname,teams FROM cycling.cyclist_teams 
  WHERE teams[2014] = 'Boels:Dolmans Cycling Team';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 firstname | lastname   | teams
-----------+------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------
     Jamie |    BENNETT |                                                                     {2011: 'Team Garmin - Cervelo', 2013: 'Boels:Dolmans Cycling Team', 2014: 'Boels:Dolmans Cycling Team'}
 Elizabeth | ARMITSTEAD | {2011: 'Team Garmin - Cervelo', 2012: 'AA Drink - Leontien.nl', 2013: 'Boels:Dolmans Cycling Team', 2014: 'Boels:Dolmans Cycling Team', 2015: 'Boels:Dolmans Cycling Team'}

(2 rows)

Two different matches can be made using AND and the ENTRIES index.

SELECT firstname,lastname,teams FROM cycling.cyclist_teams
  WHERE teams[2014] = 'Boels:Dolmans Cycling Team'
    AND teams[2015] = 'Boels:Dolmans Cycling Team';
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 firstname | lastname   | teams
-----------+------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------
 Elizabeth | ARMITSTEAD | {2011: 'Team Garmin - Cervelo', 2012: 'AA Drink - Leontien.nl', 2013: 'Boels:Dolmans Cycling Team', 2014: 'Boels:Dolmans Cycling Team', 2015: 'Boels:Dolmans Cycling Team'}

(1 rows)

Frozen collection

Create an index on the full content of a FROZEN list. The table in this example stores the number of Pro wins, Grand Tour races, and Classic races that a cyclist has competed in. The SELECT statement finds any cyclist who has 39 Pro race wins, 7 Grand Tour starts, and 14 Classic starts.

The FROZEN keyword is required to index the full content of a frozen collection and applies to any collection type: set, list, or map.

  1. Create a table called race_starts if it does not yet exist.

    CREATE TABLE IF NOT EXISTS cycling.race_starts (
      cyclist_name text PRIMARY KEY,
      rnumbers FROZEN<LIST<int>>
    );
  2. Create a SAI index on the rnumbers frozen list column.

    CREATE CUSTOM INDEX IF NOT EXISTS rnumbers_idx ON cycling.race_starts ( FULL(rnumbers) )
    USING 'StorageAttachedIndex';
  3. Verify the created index by checking the index schema.

    DESCRIBE INDEX cycling.rnumbers_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX rnumbers_idx ON cycling.race_starts (full(rnumbers)) USING 'StorageAttachedIndex';

Now that you have created the table and index, query using a value for the column.

Query the table using the rnumbers column with a CONTAINS phrase to get the rows where a frozen list contains a particular value:

SELECT * FROM cycling.race_starts WHERE rnumbers = [39, 7, 14];
Results
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

 cyclist_name   | rnumbers
----------------+-------------
 John DEGENKOLB | [39, 7, 14]

(1 rows)

Vector search is a feature that allows you to search for similar vectors in a table and compare the vector embeddings using a similarity function.

Simple vector ANN example

In its simplest form, a vector index is created on a table with a vector column. That column is then queried with a approximate nearest neighbor (ANN) algorithm to find the most similar vectors to a given query vector.

In this example, a table is created with a vector column called comment_vector. An index is created on the comment_vector column. The SELECT query returns the rows that are most similar to the embedding vector in the SELECT query.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column.

    CREATE CUSTOM INDEX comment_ann_idx ON cycling.comments_vs(comment_vector) 
      USING 'StorageAttachedIndex';
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_ann_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX comment_ann_idx ON cycling.comments_vs (comment_vector) USING 'StorageAttachedIndex';
  4. Query the table to find the most similar vectors to a given query vector.

    SELECT * FROM cycling.comments_vs 
      ORDER BY comment_vector ANN OF [0.15, 0.1, 0.1, 0.35, 0.55] 
      LIMIT 3;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     id                                   | created_at                      | comment                                | comment_vector               | commenter | record_id
    --------------------------------------+---------------------------------+----------------------------------------+------------------------------+-----------+--------------------------------------
     e8ae5cf3-d358-4d99-b900-85902fda9bb0 | 2017-04-01 14:33:02.160000+0000 |              rain, rain,rain, go away! | [0.9, 0.54, 0.12, 0.1, 0.95] |      John | 6711e6c0-2f6a-11ef-bd2f-836fa334e187
     e7ae5cf3-d358-4d99-b900-85902fda9bb0 | 2017-04-01 14:33:02.160000+0000 | LATE RIDERS SHOULD NOT DELAY THE START | [0.9, 0.54, 0.12, 0.1, 0.95] |      Alex | 670c4170-2f6a-11ef-bd2f-836fa334e187
     e8ae5df3-d358-4d99-b900-85902fda9bb0 | 2017-04-01 14:33:02.160000+0000 |                    Rain like a monsoon | [0.9, 0.54, 0.12, 0.1, 0.95] |      Jane | 6712d120-2f6a-11ef-bd2f-836fa334e187
    
    (3 rows)

Vector search with similarity function

Vector indexes also allow a defined similarity_function option for the CREATE INDEX command.

Parameter Description Default

similarity_function

Specified similarity function for your index. If you selected a source_model, do not include a similarity_function. Options are: dot_product, cosine, euclidean.

cosine

You can calculate the similarity of the best scoring row in a table using a vector search query. For applications where similarity and relevance are crucial, this calculation helps you make informed decisions. This calculation enables algorithms to provide more tailored and accurate results.

When you write the SELECT query, supply both the vector column and the vector embeddings to compare. The SELECT query returns the row that is most similar to the vector in the search query.

This example creates an index on the comment_vector column with the similarity function set to dot_product:

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the similarity function set to dot_product.

    CREATE CUSTOM INDEX comment_sim_function_idx 
      ON cycling.comments_vs (comment_vector) USING 'StorageAttachedIndex'  
        WITH OPTIONS = { 'similarity_function': 'DOT_PRODUCT'};
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_sim_function_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX comment_sim_function_idx ON cycling.comments_vs (comment_vector) USING 'StorageAttachedIndex' WITH OPTIONS = {'similarity_function': 'DOT_PRODUCT'};
  4. Query the table to find all the vectors.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     comment                                              | comment_vector                | commenter
    ------------------------------------------------------+-------------------------------+-----------
                                rain, rain,rain, go away! |  [0.9, 0.54, 0.12, 0.1, 0.95] |      John
                   LATE RIDERS SHOULD NOT DELAY THE START |  [0.9, 0.54, 0.12, 0.1, 0.95] |      Alex
                        Second rest stop was out of water |  [0.99, 0.5, 0.99, 0.1, 0.34] |      Alex
                   Raining too hard should have postponed | [0.45, 0.09, 0.01, 0.2, 0.11] |      Alex
            The gift certificate for winning was the best | [0.13, 0.8, 0.35, 0.17, 0.03] |       Amy
                                  Last climb was a killer |    [0.3, 0.75, 0.2, 0.2, 0.5] |       Amy
                            Great snacks at all reststops |   [0.1, 0.4, 0.1, 0.52, 0.09] |       Amy
                        Glad you ran the race in the rain |  [0.3, 0.34, 0.2, 0.78, 0.25] |       Amy
                                   THE RACE WAS FABULOUS! |  [0.3, 0.34, 0.2, 0.78, 0.25] |       Amy
     The <B>gift certificate</B> for winning was the best | [0.13, 0.8, 0.35, 0.17, 0.03] |       Amy
                                      Rain like a monsoon |  [0.9, 0.54, 0.12, 0.1, 0.95] |      Jane
                         Boy, was it a drizzle out there! |  [0.3, 0.34, 0.2, 0.78, 0.25] |      Jane
    
    (12 rows)
  5. Query the table to find the most similar vectors to a given query vector.

    SELECT  comment, similarity_cosine(comment_vector, [0.2, 0.15, 0.3, 0.2, 0.05]) 
        FROM cycling.comments_vs
        ORDER BY comment_vector ANN OF [0.1, 0.15, 0.3, 0.12, 0.05] 
        LIMIT 3;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
     comment                                | system.similarity_cosine(comment_vector, [0.2, 0.15, 0.3, 0.2, 0.05])
    ----------------------------------------+-----------------------------------------------------------------------
          Second rest stop was out of water |                                                              0.949701
     LATE RIDERS SHOULD NOT DELAY THE START |                                                              0.789776
                        Rain like a monsoon |                                                              0.789776
    
    (3 rows)

Vector search with source model

Vector indexes also allow a defined source_model option for the CREATE INDEX command.

[cols="25,60,15"]
Parameter Description Default

source_model

Configures the index for optimal performance for your vectors. Options are: openai_v3_large, openai_v3_small, ada002, gecko, bert, other.

other

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the source model set to bert.

      CREATE CUSTOM INDEX comment_source_model_idx 
        ON cycling.comments_vs (comment_vector) USING 'StorageAttachedIndex'
          WITH OPTIONS = { 'source_model': 'bert'};
  3. Verify that the index was created.

      DESCRIBE INDEX cycling.comment_source_model_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the most similar vectors to a given query vector.

      SELECT * FROM cycling.comments_vs 
        ORDER BY comment_vector ANN OF [0.15, 0.1, 0.1, 0.35, 0.55] 
        LIMIT 3;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

Vector search with text analyzer

Analyzers process the text in a column to enable term matching on strings. Combined with vector-based search algorithms, term matching makes it easier to find relevant information in a table. Analyzers semantically filter the results of a vector search by specific terms.

Analyzers are built on the Lucene Java Analyzer API. SAI uses the Lucene Java Analyzer API to transform text columns into tokens for indexing and querying which can use built-in or custom analyzers.

For example, if you generate a vector embedding from the phrase “tell me about rain comments”, you can use a vector search to get a list of rows with similar vectors. These rows will likely correlate with rain-related strings.

SELECT  comment, similarity_cosine(comment_vector, [0.2, 0.15, 0.3, 0.2, 0.05]) 
    FROM cycling.comments_vs
    ORDER BY comment_vector ANN OF [0.1, 0.15, 0.3, 0.12, 0.05] 
    LIMIT 3;

Alternatively, you can filter these search results by a specific keyword, such as rain:

SELECT comment,comment_vector,commenter FROM cycling.comments_vs
  WHERE comment : 'rain';

An analyzed index stores values derived from the raw column values. The stored values are dependent on the analyzer [Configuration options], which include tokenization, filtering, and charFiltering.

Restrictions
  • Only SAI indexes support the : operator.

  • The analyzed column cannot be part of the primary key, including the partition key and clustering columns.

  • The : operator can be used with only SELECT statements.

  • The : operator cannot be used with light-weight transactions (LWTs), such as a condition for an IF clause.

Non-tokenizing filters

These filters cannot be combined with an index_analyzer, but can be chained in a pipeline with other non-tokenizing filters.

normalize

Normalize input using Normalization Form C (NFC)

case_sensitive

Transform all inputs to lowercase

ascii

same as the ASCIIFoldingFilter from Lucene; converts ASCII characters to their associated UTF-8 values

This example looks for a comment that contains the word rain, but uses the word Rain in the query:

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the case_sensitive filter.

      CREATE CUSTOM INDEX comment_case_insensitive_idx ON cycling.comments_vs (comment) 
        USING 'StorageAttachedIndex'  
        WITH OPTIONS = { 'case_sensitive': false};
  3. Verify that the index was created.

      DESCRIBE INDEX cycling.comment_case_insensitive_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
    
    CREATE CUSTOM INDEX comment_case_insensitive_idx ON cycling.comments_vs (comment) USING 'StorageAttachedIndex' WITH OPTIONS = {'case_sensitive': 'false'};
  4. Query the table to find the matches for the word rain in the comment column.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'Glad you ran the Race in the Rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

Analyzer using a built-in analyzer

There are several built-in analyzers from the Lucene project. To use a text analyzer, you must configure the index_analyzer in the CREATE INDEX statement. This analyzer determines how a column value is analyzed before indexing occurs. The analyzer is applied to the query term search as well.

Built-in analyzers

The following built-in analyzers are available:

Name

Description

standard

Filters StandardTokenizer output that divides text into terms on word boundaries and then uses the LowerCaseFilter.

simple

Filters LetterTokenizer output that divides text into terms whenever it encounters a character which is not a letter and then uses the LowerCaseFilter.

whitespace

Analyzer that uses WhitespaceTokenizer to divide text into terms whenever it encounters any whitespace character.

stop

Filters LetterTokenizer output with LowerCaseFilter and removes Lucene’s default English stop words.

lowercase

Normalizes input by applying LowerCaseFilter (no additional tokenization is performed).

keyword

Analyzer that uses KeywordTokenizer, which is an identity function ("noop") on input values and tokenizes the entire input as a single token.

<language>

Analyzers for specific languages. For example, english and french. Options are: ARABIC, ARMENIAN, BASQUE, BENGALI, BRAZILIAN, BULGARIAN, CATALAN, CJK, CZECH, DANISH, DUTCH, ENGLISH, ESTONIAN, FINNISH, FRENCH, GALICIAN, GERMAN, GREEK, HINDI, HUNGARIAN, INDONESIAN, IRISH, ITALIAN, LATVIAN, LITHUANIAN, NORWEGIAN, PERSIAN, PORTUGUESE, ROMANIAN, RUSSIAN, SORANI, SPANISH, SWEDISH

To configure the OPTION index_analyzer, either a single string that identifies a built-in analyzer is used, or if a more complex index analyzer configuration is required, a JSON object is used. The JSON object configures a single tokenizer, with zero or more optional filters and/or charFilters.

Tokenizers

A tokenizer breaks up a stream of characters into individual tokens (usually individual words) and outputs a stream of tokens. Different tokenizers use different rules to break up the stream of characters. For example, a tokenizer might break text into terms based on word boundaries, converting the sentence "How now, brown cow?" into the terms [How, now, brown, cow].

The built-in index analyzers in the table above use the following tokenizers:

Name Orientation Description

standard

word

Divides text into terms on word boundaries. Removes most punctuation symbols.

letter

word

Divides text into terms whenever it encounters a character which is not a letter.

lowercase

word

Divides text into terms whenever it encounters a character which is not a letter, and then lowercases all terms.

whitespace

word

Divides text into terms whenever it encounters any whitespace character.

n-gram

Partial word (small fragments of words)

Divides text into terms whenever it encounters any whitespace character, then returns n-grams of each word. For example, cow → [co, ow].

edge_n-gram

Partial word (small fragments of words)

Divides text into terms whenever it encounters any whitespace character, then returns n-grams of each word which are anchored to the start of the word. For example, cow → [c, co, cow].

keyword

structured

Tokenizes the entire input as a single token.

Token filters

A token filter receives the token stream that the tokenizer creates, and may add, remove, or change tokens. Common token filters are:

Name Description

lowercase

Converts all tokens to lowercase for case-insensitive search.

stop

Removes common words (stop words) such as the and and from the token stream.

synonym

Introduces synonyms such as bad, awful and terrible into the token stream.

synonym_graph

Add tokens that span multiple positions, such as multi-word synonyms. This is a graph token filter.

Character filters (charFilters)

A character filter receives the original text as a stream of characters and can transform the stream by adding, removing, or changing characters. Common character filters are:

Name Description

html_strip

Strips out HTML elements like <b> and decodes HTML entities like &.

mapping

Replaces any occurrences of the specified strings with the specified replacements.

pattern_replace

Replaces any characters matching a regular expression with the specified replacement.

Simple STANDARD analyzer example

This example uses the standard analyzer to search for the word rain in the comment column.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the standard analyzer.

    CREATE CUSTOM INDEX comment_standard_idx ON cycling.comments_vs (comment) 
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = {'index_analyzer': 'STANDARD'};
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_standard_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for the word rain in the comment column using the standard analyzer.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'Rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    This query returns the rows with the word rain or Rain in the comment column, but not the row with raining. The standard analyzer splits the text into case-independent terms, but does not perform stemming. It is also case-insensitive so that both uppercase and lowercase are returned.

STANDARD with lowercase analyzer example

This example uses the standard analyzer to search for the word rain in the comment column. It also includes the filter lowercase to ensure that the search is case-insensitive.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the standard analyzer and the lowercase filter.

    CREATE CUSTOM INDEX comment_standard_lowercase_idx ON cycling.comments_vs (comment) 
      USING 'StorageAttachedIndex'
      WITH OPTIONS = {
      'index_analyzer': '{
      "tokenizer" : { "name" : "standard", "args" : {} },
      "filters" : [ { "name" : "lowercase", "args": {} } ], 
      "charFilters" : []
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_standard_lowercase_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for the word rain in the comment column using the standard analyzer and the lowercase filter.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'Glad you ran the Race in the Rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    This query returns the rows with the words in the phrase selected, regardless of the word case. Stemming is still not performed.

STANDARD analyzer with stemming example

This example uses the standard analyzer to search for the word rain in the comment column. It also includes the filter porterstem to ensure that the search can find stemming text, such as rain and raining.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the standard analyzer and the porterstem filter.

    CREATE CUSTOM INDEX comment_stemming_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
        "tokenizer" : {"name" : "standard"},
        "filters" : [{"name" : "porterstem"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_stemming_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for the word rain in the comment column using the standard analyzer and the porterstem filter.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    This query returns the rows with the word rain or Rain in the comment column, but not the row with raining. You would expect the row with raining to be returned because the porterstem filter is used. However, that word in the phrase is actually mixed-case, Raining, so that row is not returned.

  5. Query the table to find the matches for the words rain and race in the comment column using the standard analyzer and the porterstem filter.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'rain' AND comment: 'race';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    Once again, the lack of lowercase filtering means that the row with Racing is not returned, but only the row with both rain and race in the comment in lowercase.

STANDARD analyzer with stemming and case-insensitive example

If another filter is added to the last example, now the stemming and case-insensitive filters are combined. With this filter, the query returns the rows with the words rain and Raining in the comment column for the search for rain.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the standard analyzer, the porterstem, lowercase and case-insensitive filters.

    CREATE CUSTOM INDEX comment_stemming_lowercase_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
        "tokenizer" : {"name" : "standard"},
        "filters" : [{"name" : "lowercase"}, {"name" : "porterstem"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_stemming_lowercase_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for the words rain and raining in the comment column using the standard analyzer, the porterstem, and lowercase filters. To ensure tokens are lowercased, add the lowercase filter before the porterstem filter in the analyzer configuration.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'Glad you ran the Race in the Rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    Four rows! Now we get the results for 'rain', Rain, and 'Raining'!

TOKENIZER whitespace

An example that uses the whitespace tokenizer. When you use the whitespace tokenizer, the text is split into terms whenever it encounters any whitespace character, but not other characters like commas. The query below shows that difference from the standard tokenizer.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the whitespace tokenizer.

    CREATE CUSTOM INDEX comment_whitespace_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer":{"name" : "whitespace"}}
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_whitespace_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for the word rain in the comment column but not rain, rain,rain using the whitespace tokenizer.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    See how the row with rain is returned, but not the row with rain, rain,rain. Sometimes the whitespace tokenizer is useful when you want to split on whitespace, but not on other characters. Otherwise, the standard tokenizer is more useful.

WHITESPACE analyzer alternative

Using the whitespace analyzer is simpler, but it is not configurable. If you wish to figure and still tokenize on whitespace, you can use the whitespace tokenizer with the lowercase filter.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the whitespace tokenizer.

    CREATE CUSTOM INDEX comment_whitespace_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = {'index_analyzer':'whitespace'};
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_whitespace_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for rain but not rain, rain,rain in the comment column.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    Same response as the last whitespace tokenizer example.

WHITESPACE analyzer with lowercase

This example uses the whitespace tokenizer with a lowercase filter to search for the word rain or Rain between whitespaces in the comment column. The lowercase filter ensures that the search is case-insensitive.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the whitespace tokenizer and lowercase.

    CREATE CUSTOM INDEX comment_whitespace_lowercase_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer":{"name" : "whitespace"},
      "filters":[{"name" : "lowercase"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_whitespace_lowercase_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for rain or Rain in between whitespaces in the comment column.

SELECT comment,comment_vector,commenter FROM cycling.comments_vs
  WHERE comment : 'rain';

+ .Results

Details
WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

This query returns the rows with the word rain or Rain in the comment column, but not the row with raining. Two rows are returned for this query

WHITESPACE analyzer with stemming

You can also use the whitespace tokenizer with stemming. This example is case-sensitive, since the lowercase filter is not included.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the whitespace tokenizer and stemming.

    CREATE CUSTOM INDEX comment_whitespace_stemming_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer":{"name" : "whitespace"},
      "filters":[{"name" : "porterstem"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_whitespace_stemming_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for Rain and any stemming words like Raining in the comment column.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'Rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    This query returns the rows with the word Rain or Raining in the comment column, but not the rows with rain or rain, rain,rain.

N-GRAM with lowercase

This example uses the n-gram tokenizer to search for the letters ra in the comment column. The n-gram tokenizer divides text into terms whenever it encounters any whitespace character, then returns n-grams of each word. For example ra in rain would be [ra, ai, in].

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the ngram tokenizer and lowercase filter.

    CREATE CUSTOM INDEX comment_ngram_lowercase_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer" : {"name" : "ngram", "args" : {"minGramSize":"2", "maxGramSize":"3"}},
      "filters" : [{"name" : "lowercase"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_ngram_lowercase_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches for the letters ra in the comment column using the n-gram tokenizer. This query will return all 6 rows, since all of them contain the letters ra or Ra.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'ra';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    All the rows are returned. It is an interesting example of how the n-gram tokenizer works. For your curiosity, what would you expect the results to be for the query ini? If you guessed one row, you are correct!

STANDARD analyzer with pattern

This example uses the standard analyzer to search for a pattern in the text.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column with the whitespace tokenizer.

    CREATE CUSTOM INDEX comment_pattern_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer" : {"name" : "simplepattern", "args" : {"pattern":"[0123456789]{3}"}}
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_pattern_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to find the matches ??

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment: '335';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

STANDARD analyzer with keyword htmlstrip

This example uses the standard analyzer to search for a keyword in the text and will strip out HTML elements to match.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column.

    CREATE CUSTOM INDEX comment_keyword_htmlstrip_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer" : {"name" : "keyword"},
      "charFilters" : [{"name" : "htmlstrip"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_keyword_htmlstrip_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to do the HTML strip.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'The gift certificate for winning was the best';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    See how this query returns two rows, one with the phrase gift certificate and one with the same phrase wrapped in bold HTML tags. If you are analyzing text that might contain HTML, this is a useful filter.

LANGUAGE analyzer with lowercase

This example uses the czech analyzer to search for the Czech word pánové with accents.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column.

    CREATE CUSTOM INDEX comment_language_lowercase_idx ON cycling.comments_vs(comment)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer" : {"name" : "standard"},
      "filters" : [{"name" : "lowercase"}, {"name" : "czechstem"}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_language_lowercase_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    Two rows are returned, one with the word pánové and one with Pánové. The sentence without the word is not returned.

  4. Query the table for word matches in Czech. The query is case-insensitive, so the results are the same for pánové and Pánové.

    SELECT comment,comment_vector,commenter FROM cycling.comments_vs
      WHERE comment : 'pánové';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    Note that the only row not returned does not include the word pánové.

KEYWORD TOKENIZER with synonym and lowercase

This example uses the keyword tokenizer with the synonym and lowercase filters to search for the words drizzle and rain as synonyms in the comment column.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column.

    CREATE CUSTOM INDEX comment_synonym_lowercase_idx ON cycling.comments_vs (comment) 
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = {
      'index_analyzer': '{
      "tokenizer": {"name" : "whitespace"},
      "filters" : [ {"name" : "lowercase"},
      {"name" : "synonym", "args" : {"synonyms" : "rain, drizzle => rain"}}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.comment_synonym_lowercase_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to match synonyms.

    SELECT comment, comment_vector, commenter FROM cycling.comments_vs WHERE comment : 'drizzle';
    SELECT comment, comment_vector, commenter FROM cycling.comments_vs WHERE comment : 'rain';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

    In these queries, rain and drizzle are synonyms, so the query returns all rows with either word.

KEYWORD TOKENIZER with synonym and keyword

This example uses the keyword tokenizer with the synonyms of Alex, Alexander, and alexandria, and the keyword filter to search for the words alex in the comment column.

  1. Create a table with a vector column if it does not already exist.

    CREATE TABLE IF NOT EXISTS cycling.comments_vs (
      record_id timeuuid,
      id uuid,
      commenter text,
      comment text,
      comment_vector VECTOR <FLOAT, 5>,
      created_at timestamp,
      PRIMARY KEY (id, created_at)
    )
    WITH CLUSTERING ORDER BY (created_at DESC);
  2. Create an index on the comment_vector column.

    CREATE CUSTOM INDEX commenter_synonym_keyword_idx ON cycling.comments_vs(commenter)
      USING 'StorageAttachedIndex' 
      WITH OPTIONS = { 
      'index_analyzer': '{
      "tokenizer": {"name" : "keyword"},
      "filters" : [
      {"name" : "synonym", "args" : {"synonyms" : "Alex, alex, Alexander, alexander => Alex"}}]
      }'
    };
  3. Verify that the index was created.

    DESCRIBE INDEX cycling.commenter_synonym_keyword_idx;
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!
  4. Query the table to match synonyms.

    SELECT * FROM cycling.comments_vs WHERE commenter : 'Alex';
    SELECT * FROM cycling.comments_vs WHERE commenter : 'alex';
    SELECT * FROM cycling.comments_vs WHERE commenter : 'Alexander';
    SELECT * FROM cycling.comments_vs WHERE commenter : 'alexander';
    Results
    WARNING: cqlsh was built against 5.0-beta1, but this server is 5.0.  All features may not work!

See also:

Was this helpful?

Give Feedback

How can we improve the documentation?

© 2024 DataStax | Privacy policy | Terms of use

Apache, Apache Cassandra, Cassandra, Apache Tomcat, Tomcat, Apache Lucene, Apache Solr, Apache Hadoop, Hadoop, Apache Pulsar, Pulsar, Apache Spark, Spark, Apache TinkerPop, TinkerPop, Apache Kafka and Kafka are either registered trademarks or trademarks of the Apache Software Foundation or its subsidiaries in Canada, the United States and/or other countries. Kubernetes is the registered trademark of the Linux Foundation.

General Inquiries: +1 (650) 389-6000, info@datastax.com