Saturday, October 15, 2022

RediSearch - ioredis client lib

Summary

I'll be demonstrating various Redis Search operations with the ioredis (Nodejs) client lib in this post.

Data Set Creation

A random set of objects are created and are then saved in Redis as hash sets.
  1. const pipeline = client.pipeline();
  2. for (let i=0; i < NUM; i++) {
  3. const colors = (COLORS.sort(() => .5 - Math.random())).slice(0, Math.floor(Math.random() * COLORS.length))
  4. const fields = {
  5. 'textField': `text${Math.floor(Math.random() * NUM)}`,
  6. 'numericField': Math.floor(Math.random() * NUM),
  7. 'tagField': colors
  8. };
  9. await pipeline.hmset(`item:${i}`, fields);
  10. }
  11. await pipeline.exec();

Index Creation

  1. await client.call('FT.CREATE', 'idx', 'ON', 'HASH', 'PREFIX', '1', 'item:', 'SCHEMA',
  2. 'textField', 'TEXT', 'SORTABLE',
  3. 'numericField', 'NUMERIC', 'SORTABLE',
  4. 'tagField', 'TAG'
  5. );

Search Operations

  1. //Search for exact match in a Text field
  2. let result = await client.call('FT.SEARCH', 'idx', '@textField:text1');
  3.  
  4. //Search for a range in a Numeric field
  5. result = await client.call('FT.SEARCH', 'idx', '@numericField:[1,3]');
  6.  
  7. //Search for a match in a Tag Field
  8. result = await client.call('FT.SEARCH', 'idx', '@tagField:{blue}');

Aggregation Operations

  1. //Aggregate on a text field across all hashes in the index
  2. let result = await client.call('FT.AGGREGATE', 'idx', '*', 'GROUPBY', '1', '@textField',
  3. 'REDUCE', 'COUNT', '0', 'AS', 'CNT');
  4. //Search on a numeric range and then apply the SQRT function to a numeric field in the matches
  5. const upper = Math.floor(Math.random() * NUM) + 1;
  6. result = await client.call('FT.AGGREGATE', 'idx', `@numericField:[0,${upper}]`,
  7. 'APPLY', 'SQRT(@numericField)', 'AS', 'SQRT');
  8. //Search for logical OR of two tag values and use a CURSOR. Limit return
  9. //to 2 values to illustrate looping on a cursor.
  10. result = await client.call('FT.AGGREGATE', 'idx', '@tagField:{ yellow | red }',
  11. 'LOAD', '3', '@textField', '@numericField', '@tagField',
  12. 'WITHCURSOR', 'COUNT', '2'
  13. );
  14. console.log('FT.AGGREGATE idx @tagField:{ yellow | red } LOAD 3 @textField @numericField @tagField WITHCURSOR COUNT 2');
  15. let items = result[0];
  16. let cursor = result[1];
  17. while (true) {
  18. for (let item of items) {
  19. if (Array.isArray(item)) {
  20. console.log(JSON.stringify(item))
  21. }
  22. }
  23. if (cursor) {
  24. result = await client.call('FT.CURSOR', 'READ', 'idx', cursor, 'COUNT', '2');
  25. items = result[0];
  26. cursor = result[1];
  27. }
  28. else {
  29. break;
  30. }
  31. }

Index Alteration

  1. await client.call('FT.ALTER', 'idx', 'SCHEMA', 'ADD', 'newField', 'TEXT', 'SORTABLE');
  2. let result = await client.call('FT.INFO', 'idx');

Source


Copyright ©1993-2024 Joey E Whelan, All rights reserved.