• Stars
    star
    1,404
  • Rank 32,297 (Top 0.7 %)
  • Language
    JavaScript
  • License
    MIT License
  • Created over 8 years ago
  • Updated over 3 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Redux bindings for client-side search

redux-search

Redux Search

NPM version NPM license NPM total downloads NPM monthly downloads Circle CI badge

Higher-order Redux library for searching collections of objects. Search algorithms powered by js-worker-search.

Check out the live demo at bvaughn.github.io/redux-search

Or install it yourself with NPM:

npm install --save redux-search

Overview

This README provides a quick introduction of redux-search. For more details refer to the API documentation.

redux-search searches collections of documents and returns results as an Array of document ids. It is important to note that the documents themselves aren't returned. This is because the actual search is performed in a web-worker thread for performance reasons. In order to avoid serializing the documents and passing them back and forth, redux-search simply passes their ids.

Because of this, each document must contain an id attribute.

redux-search provides an action for searching resources as well as selectors for getting search results and the current search text. It then watches the store for resource changes and automatically updates search results as needed.

Note that redux-search currently depends on the Regenerator runtime. It is recommended that your project require the babel-polyfill to provide that runtime.

Example

Configuring the Store

redux-search watches the store for changes to searchable collections and automatically builds a search index. To do this, it simply needs to be told which resources to watch and which fields to index.

import { applyMiddleware, combineReducers, compose, createStore } from 'redux'
import { reducer as searchReducer, reduxSearch } from 'redux-search'

// Configure reducer to store state at state.search
// You can store it elsewhere but you will need to supply your own :searchStateSelector
const rootReducer = combineReducers({
  search: searchReducer
  // Your other reducers go here...
})

// Compose :reduxSearch with other store enhancers
const enhancer = compose(
  applyMiddleware(...yourMiddleware),
  reduxSearch({
    // Configure redux-search by telling it which resources to index for searching
    resourceIndexes: {
      // In this example Books will be searchable by :title and :author
      books: ['author', 'title']
    },
    // This selector is responsible for returning each collection of searchable resources
    resourceSelector: (resourceName, state) => {
      // In our example, all resources are stored in the state under a :resources Map
      // For example "books" are stored under state.resources.books
      return state.resources.get(resourceName)
    }
  })
)

// Note: passing enhancer as the last argument to createStore requires redux@>=3.1.0
const store = createStore(reducer, initialState, enhancer)

Customizing Search Index

By default, redux-search builds an index to match all substrings. You can override this behavior by providing your own, pre-configured searchApi param to the middleware like so:

import { reduxSearch, SearchApi, INDEX_MODES } from 'redux-search'

// all-substrings match by default; same as current
// eg "c", "ca", "a", "at", "cat" match "cat"
const allSubstringsSearchApi = new SearchApi()

// prefix matching (eg "c", "ca", "cat" match "cat")
const prefixSearchApi = new SearchApi({
  indexMode: INDEX_MODES.PREFIXES
})

// exact words matching (eg only "cat" matches "cat")
const exactWordsSearchApi = new SearchApi({
  indexMode: INDEX_MODES.EXACT_WORDS
})

const finalCreateStore = compose(
  // Other middleware ...
  reduxSearch({
    resourceIndexes: { ... },
    resourceSelector: (resourceName, state) => state.resources.get(resourceName),
    searchApi: allSubstringsSearchApi || prefixSearchApi || exactWordsSearchApi
  })
)(createStore)

Custom word boundaries (tokenization), case-sensitivity and partial token matching

You can also pass parameters to the SearchApi constructor that customize the way the search splits up the text into words (tokenizes), change the search from the default case-insensitive to case-sensitive and/or enable matching on any search token (changing the search filtering from AND to OR):

import { reduxSearch, SearchApi } from 'redux-search'

const finalCreateStore = compose(
  // Other middleware ...
  reduxSearch({
    resourceIndexes: { ... },
    resourceSelector: (resourceName, state) => state.resources.get(resourceName),
    searchApi: new SearchApi({
      // split on all non-alphanumeric characters,
      // so this/that gets split to ['this','that'], for example
      tokenizePattern: /[^a-z0-9]+/,
      // make the search case-sensitive
      caseSensitive: true
      // return results for documents containing ANY of the search terms.
      // (by default results are only returned for documents containing ALL of the terms.)
      // if true, results are sorted so that documents with more matching tokens come first.
      matchAnyToken: true
    })
  })
)(createStore)

Connecting a Component

redux-search provides selectors and action-creators for easily connecting components with the search state. For example, using reselect you might connect your component like so:

// Elsewhere, in a smart component module...
import { connect } from 'react-redux'
import { createSelector } from 'reselect'
import { createSearchAction, getSearchSelectors } from 'redux-search'

// :books is a map (Object or Immutable.Map) with ids as keys
// These ids correspond to :result returned by getSearchSelectors('books')
const books = state => state.getIn(['resources', 'books'])

// :text is a selector that returns the text Books are currently filtered by
// :result is an Array of Book ids that match the current seach :text (or all Books if there is no search :text)
const {
  text, // search text
  result // book ids
} = getSearchSelectors({
  resourceName: 'books',
  resourceSelector: (resourceName, state) => state.resources.get(resourceName)
})

const selectors = createSelector(
  [result, books, text],
  (bookIds, books, searchText) => ({
    bookIds,
    books,
    searchText
  })
)

const actions = {
  searchBooks: createSearchAction('books')
}

export default connect(selectors, actions)(YourConnectedComponent)

Changelog

Changes are tracked in the changelog.

License

redux-search is available under the MIT License.

More Repositories

1

react-virtualized

React components for efficiently rendering large lists and tabular data
JavaScript
25,929
star
2

react-window

React components for efficiently rendering large lists and tabular data
JavaScript
15,066
star
3

react-error-boundary

Simple reusable React error boundary component
TypeScript
6,179
star
4

react-resizable-panels

TypeScript
2,996
star
5

js-search

JS Search is an efficient, client-side search library for JavaScript and JSON objects
JavaScript
2,150
star
6

progress-estimator

Logs a progress bar and estimation for how long a Promise will take to complete
JavaScript
2,139
star
7

react-highlight-words

React component to highlight words within a larger body of text
JavaScript
2,102
star
8

react-virtualized-select

HOC that uses react-virtualized and react-select to display large lists of options in a drop-down
JavaScript
1,164
star
9

react-devtools-experimental

Experimental rewrite of the React DevTools extension
966
star
10

react-window-infinite-loader

InfiniteLoader component inspired by react-virtualized but for use with react-window
JavaScript
860
star
11

react-virtualized-auto-sizer

Standalone version of the AutoSizer component from react-virtualized
TypeScript
566
star
12

planner

Lightweight, interactive planning tool that visualizes a series of tasks using an HTML canvas
JavaScript
537
star
13

react-presents

React slideshow framework
JavaScript
489
star
14

angular-form-for

Set of Angular directives to simplify creating and validating HTML forms.
JavaScript
428
star
15

js-worker-search

JavaScript client-side search API with web-worker support
JavaScript
410
star
16

react-flame-graph

React component for visualizing profiling data
JavaScript
385
star
17

suspense

Utilities for working with React Suspense
TypeScript
344
star
18

jest-react-profiler

Jest helpers for working with the React Profiler API.
JavaScript
279
star
19

highlight-words-core

Utility functions shared by react-highlight-words and react-native-highlight-words
JavaScript
222
star
20

react-select-fast-filter-options

react-select filterOptions function optimized to quickly filter large options lists
JavaScript
206
star
21

redux-devtools-filterable-log-monitor

Filterable tree view monitor for Redux DevTools
JavaScript
155
star
22

personal-logger

Webapp for tracking personal diet, sleep, and general wellness
JavaScript
125
star
23

react-highlight.js

A simple React wrapper around the Highlight.js library
JavaScript
106
star
24

debounce-decorator

Decorator for debouncing class methods
JavaScript
93
star
25

use-context-menu

React components for displaying configurable context menus
TypeScript
90
star
26

forward-js-2017

Forward - Web Technology Summit
JavaScript
84
star
27

infinite-list-reflow-examples

Examples illustrating reflow handling with infinite lists
JavaScript
60
star
28

tweets

Twitter-like demo with limited functionality
JavaScript
56
star
29

react-devtools-tutorial

Interactive tutorial featuring the React DevTools v4
JavaScript
55
star
30

turdle

Wordle clone dedicated to 💩
JavaScript
55
star
31

jasmine-promise-matchers

Custom matchers for use with Jasmine 1.3 - 2.2 and Angular Promise objects.
JavaScript
51
star
32

babel-repl

React powered Babel REPL
JavaScript
42
star
33

extensions-api-proposal-custom-performance-pane

Extensions API proposal for the Performance Panel
36
star
34

task-runner

Async utilities for JavaScript application development with a focus on interruptibility and error-handling
JavaScript
34
star
35

react-window-table

JavaScript
34
star
36

immutable-js-store

Tiny observable wrapper around Immutable JS with rewind/replay support
JavaScript
34
star
37

live-stream-deep-dive-react-profiler

Source from live stream "Deep dive with the React DevTools profiler"
JavaScript
32
star
38

react-window-vs-react-virtualized-synced-grids

Comparison of react-virtualized MultiGrid to two react-window synced Grids
JavaScript
29
star
39

fps-measurer

Tiny testing utility for gathering FPS statistics
JavaScript
29
star
40

react-suspend-in-parallel

TypeScript
29
star
41

console.pretty

Pretty console logging
JavaScript
27
star
42

palettable

Generates an HTML color palette from SASS or Stylus source.
JavaScript
26
star
43

jasmine-es6-promise-matchers

ES6 Promise compatible Jasmine matchers
JavaScript
24
star
44

print-color

Utility for printing colored text in Node or the Browser
JavaScript
21
star
45

scheduling-profiler-prototype

Custom profiler prototype for React's concurrent mode
JavaScript
18
star
46

ng2-virtualized

Angular 2 components for efficiently rendering large, scrollable lists and tabular data
JavaScript
18
star
47

react-ascii-image

React component that displays image data as colored text
JavaScript
17
star
48

connect-tech-2016

Connect Tech 2016 presentation
JavaScript
14
star
49

react-wait-to-render

A function, component and mixin to defer component rendering until all required props are present
JavaScript
13
star
50

forms-js

Core forms-js library
JavaScript
12
star
51

faux-codesandbox-client

Example Code Sandbox and React DevTools v4 integration
JavaScript
11
star
52

react-conf-2018-profiling-keynote

2018 React Conf Profiling keynote
JavaScript
10
star
53

resume

HTML
10
star
54

react-resizable-panels-demo-ssr

TypeScript
9
star
55

bsky

Bluesky web UI (just for fun)
TypeScript
8
star
56

flat-object

Utilities for working with nested data structures
JavaScript
7
star
57

source-map-parsing-benchmark

JavaScript
6
star
58

react-immutable-js-store

React wrapper around immutable-js-store
JavaScript
6
star
59

test-extension-network-caching

JavaScript
6
star
60

react-devtools-triage-bot

GitHub bot for labeling and assigns bug reports for React DevTools that don't include repro info
JavaScript
5
star
61

jasmine-object-matchers

Custom object equality matchers for use with Jasmine 2.0.
JavaScript
5
star
62

react-createRoot-Suspense-async-act

JavaScript
4
star
63

test-github-issue-template

https://gh-community.github.io/issue-template-feedback/structured
3
star
64

test-named-hooks

Example create-react-app project meant to test React DevTools named hooks functionality
JavaScript
3
star
65

temp-devtools-profiler

Partial fork of React DevTools for testing Profiler plugin UI
JavaScript
3
star
66

TaskManager

Task Manager is an ActionScript library designed to simplify the implementation of asynchronous processes. This article is an introduction-to (and overview-of) the library.
3
star
67

bootstrap-select-button

Creates an Angular-friendly bindable button dropdown using the Bootstrap CSS framework
JavaScript
3
star
68

parcel-alpha-postcss-bug

JavaScript
2
star
69

test-github-actions

JavaScript
2
star
70

game-of-life

TypeScript
2
star
71

galaxiga-upgrade-tool

Web app to accompany Galaxiga mobile game
TypeScript
2
star
72

react-devtools-inline-node-and-web-poc

JavaScript
2
star
73

jqolor

JavaScript color picker built on top of jQuery and Bootstrap.
JavaScript
2
star
74

bvaughn

2
star
75

bug-repro-suspense-cache-read-extra-renders

JavaScript
1
star
76

briandavidvaughn

Angular website
HTML
1
star
77

react-suspense-transition-demo-app

Demo app
TypeScript
1
star
78

example-eslint-rule-override-issue

Repro
JavaScript
1
star
79

website

Personal website
TypeScript
1
star
80

SoundClouDownloader

Chrome extension enabling automatic downloads of any SoundCloud track, even when download option is disabled
JavaScript
1
star
81

gatsby-remark-prismjs-react-live-bug

Shows a bug between the 'gatsby-remark-prismjs' plugin and the 'react-live' library
CSS
1
star
82

transcluder

Another Angular directive to help with multiple transclusion within a single directive
JavaScript
1
star
83

jest-uncaught-error-repro

JavaScript
1
star
84

reflex-unit

Automatically exported from code.google.com/p/reflex-unit
HTML
1
star
85

TaskManagerCoffeeScript

CoffeeScript
1
star
86

.github

1
star