
SearchBox creates a search box UI component that is connected to one or more database fields. A SearchBox queries the appbase.io backend with query type suggestion to render different kind of suggestions, read more about the suggestion query type here.
Example uses:
- Searching for a rental listing by its 
nameordescriptionfield. - Creating an e-commerce search box for finding products by their listing properties.
 - Creating a product catalog search based on different categories.
 
Usage
Basic Usage
<SearchBox componentId="SearchBoxSensor" dataField={['group_venue', 'group_city']} />Usage With All Props
    <SearchBox
        componentId="SearchBoxSensor"
        dataField={[
            {
                "field": "group_venue",
                "weight": 1
            },
            {
                "field": "group_city",
                "weight": 3
            }
        ]}
        title="Search"
        mode="tag" // accepts either of 'select' or 'tag', defaults to 'select'
        defaultValue="Songwriting"
        placeholder="Search for cities or venues"
        autosuggest={true}
        highlight={true}
        highlightField="group_city"
        queryFormat="or"
        fuzziness={0}
        debounce={100}
        react={{
            and: ['CategoryFilter', 'SearchFilter'],
        }}
        size={10}
        showFilter={true}
        filterLabel="Venue filter"
        URLParams={false}
        enableRecentSuggestions={true}
        enablePopularSuggestions={true}
        enablePredictiveSuggestions={true}
        popularSuggestionsConfig={{
            size: 3, 
            minHits: 2, 
            minChars: 4,
            index: "" // optional index value to fetch recentsuggestions related to
        }}
        recentSuggestionsConfig={{
            size: 3, 
            minChars: 4, 
            index: "" // optional index value to fetch recentsuggestions related to
        }}
        applyStopwords={true}
        customStopwords={['be','or','hi']}
        onData = {({
            data,
            rawData,
            aggregationData,
            loading,
            error
        }) =>{
                // do something with the updated properties
        }}
        renderItem={(suggestion)=>{
            return <span>{suggestion.label}</span> // custom render every suggestion item in dropdown
        }}
        renderNoSuggestion="No suggestions found"
        endpoint={{
            url:"https://appbase-demo-ansible-abxiydt-arc.searchbase.io/recipes-demo/_reactivesearch.v3", //mandatory
            headers:{
                // relevant headers
            },
            method: 'POST'
        }}            
    />Props
- 
componentId
Stringunique identifier of the component, can be referenced in other components'reactprop. - 
endpoint
Object[optional] endpoint prop provides the ability to query a user-defined backend service for this component, overriding the data endpoint configured in the ReactiveBase component. Works only whenenableAppbaseistrue. Accepts the following properties:- url 
String[Required] URL where the data cluster is hosted. - headers 
Object[optional]
set custom headers to be sent with each server request as key/value pairs. - method 
String[optional]
set method of the API request. - body 
Object[optional]
request body of the API request. When body isn't set and method is POST, the request body is set based on the component's configured props. 
- Overrides the endpoint property defined in ReactiveBase.
 - If required, use 
transformResponseprop to transform response in component-consumable format. 
 - url 
 - 
mode
StringSearchBox component offers two modes of usage,select&tag. When mode is set totagSearchBox allows selecting multiple suggestions. Defaults toselect.<SearchBox componentId="searchSensor" // ... other props mode="tag" /> - 
dataField
string | Array<string | DataField*>[optional*] index field(s) to be connected to the component’s UI view. SearchBox accepts anArrayin addition tostring, which is useful for searching across multiple fields with or without field weights.
Field weights allow weighted search for the index fields. A higher number implies a higher relevance weight for the corresponding field in the search results.
You can define thedataFieldproperty as an array of objects of theDataFieldtype to set the field weights.
TheDataFieldtype has the following shape:type DataField = { field: string; weight: number; };database field(s) to be queried against. Accepts an Array in addition to String, useful for applying search across multiple fields. Check examples at here.
Note:
- This prop is optional only when 
enableAppbaseprop is set totrueinReactiveBasecomponent. - The 
dataFieldproperty asDataFieldobject is only available for ReactiveSearch version >=v3.21.0and Appbase versionv7.47.0. 
 - This prop is optional only when 
 - 
size
Number[optional] number of suggestions to show. Defaults to10. - 
aggregationField
String[optional] One of the most important use-cases this enables is showingDISTINCTresults (useful when you are dealing with sessions, events and logs type data). It utilizescomposite aggregationswhich are newly introduced in ES v6 and offer vast performance benefits over a traditional terms aggregation. You can read more about it over here. You can accessaggregationDatausing render prop as shown:<SearchBox aggregationField="original_title.keyword" render={({aggregationData}) => {...}} />If you are using an app with elastic search version less than 6, than defining this prop will result in error and you need to handle it manually using renderError prop.
It is possible to override this query by providing
defaultQueryorcustomQuery.Note: This prop has been marked as deprecated starting v3.18.0. Please use the
distinctFieldprop instead. - 
aggregationSize To set the number of buckets to be returned by aggregations.
Note: This is a new feature and only available for appbase versions >= 7.41.0.
 - 
nestedField
String[optional] Set the path of thenestedtype under which thedataFieldis present. Only applicable only when the field(s) specified in thedataFieldis(are) present under anestedtype mapping. - 
title
String or JSX[optional] set the title of the component to be shown in the UI. - 
defaultValue
String|Array<String>[optional] set the initial search query text on mount.Data type is Array
when modeprop is set totag. - 
value
String|Array<String>[optional] sets the current value of the component. It sets the search query text (on mount and on update). Use this prop in conjunction with theonChangeprop.Data type is Array
when modeprop is set totag. - 
enableSynonyms
bool[optional] Defaults totrue, can be used todisable/enablethe synonyms behavior for the search query. Read more about it hereNote:
This property only works with ReactiveSearch API i.e when
enableAppbaseis set totrueinReactiveBasecomponent. - 
enableIndexSuggestions
BooleanDefaults totrue. When set tofalse, index suggestions are not returned from the backend. - 
indexSuggestionsConfig
ObjectSpecify additional options for fetching featured suggestions.It can accept the following keys:
- sectionLabel: 
stringcustom html markup for section title. - size: 
numberMaximum number of popular suggestions to return. Defaults to 5. - index: 
stringIndex(es) from which to return the popular suggestions from. Defaults to the entire cluster. 
 - sectionLabel: 
 
    <SearchBox
        enableIndexSuggestions={true}
        indexSuggestionsConfig={{
            sectionLabel: '<h3>Index suggestions</h3>',
            size: 5,
            index: "good-books-ds",  // further restrict the index to search on
        }}
    />- 
enablePopularSuggestions
bool[optional] Defaults tofalse. When set totrue, popular searches are returned as suggestions as per the popular suggestions config (either defaults, or as set throughpopularSuggestionsConfigor via Popular Suggestions settings in the control plane). Read more about it over here.Note:
Popular Suggestions only work when
enableAppbaseprop istrue. - 
popularSuggestionsConfig
ObjectSpecify additional options for fetching popular suggestions. It can accept the following keys:- size: 
numberMaximum number of popular suggestions to return. Defaults to 5. - minCount: 
numberReturn only popular suggestions that have been searched at leastminCounttimes. There is no default minimum count-based restriction. - minChars: 
numberReturn only popular suggestions that have minimum characters, as set in this property. There is no default minimum character-based restriction. - showGlobal: 
BooleanDefaults totrue. When set tofalse, returns popular suggestions only based on the current user's past searches. - index: 
stringIndex(es) from which to return the popular suggestions from. Defaults to the entire cluster. - sectionLabel: 
stringcustom html markup for section title. 
 - size: 
 
    <SearchBox
        enablePopularSuggestions={true}
        popularSuggestionsConfig={{
            size: 5,
            minCount: 5,
            minChars: 3,
            showGlobal: false,
            index: "good-books-ds",  // further restrict the index to search on
            sectionLabel: '<h3>Popular suggestions</h3>'
        }}
    />- enableRecentSuggestions 
BooleanDefaults tofalse. When set totrue, recent searches are returned as suggestions as per the recent suggestions config (either defaults, or as set throughrecentSuggestionsConfigor via Recent Suggestions settings in the control plane). 
Note: Please note that this feature only works when
recordAnalyticsis set totrueinappbaseConfig.
- 
recentSuggestionsConfig
ObjectSpecify additional options for fetching recent suggestions.It can accept the following keys:
- size: 
numberMaximum number of recent suggestions to return. Defaults to 5. - minHits: 
numberReturn only recent searches that returned at leastminHitsresults. There is no default minimum hits-based restriction. - minChars: 
numberReturn only recent suggestions that have minimum characters, as set in this property. There is no default minimum character-based restriction. - index: 
stringIndex(es) from which to return the recent suggestions from. Defaults to the entire cluster. - sectionLabel: 
stringcustom html markup for section title. 
 - size: 
 
    <SearchBox
        enableRecentSuggestions={true}
        recentSuggestionsConfig={{
            size: 5,
            minHits: 5,
            minChars: 3,
            index: "good-books-ds",  // further restrict the index to search on
            sectionLabel: '<h3>Index suggestions</h3>' 
        }}
    />- enableFeaturedSuggestions 
bool[optional] Defaults tofalse. When set totrue, featured suggestions are returned as suggestions as per the featured suggestions config (either defaults, or as set throughfeaturedSuggestionsConfigor via Featured Suggestions settings in the control plane). Read more about it over here. 
Featured suggestions allow creating autocomplete experiences with user-defined suggestions. They're specified using the Featured Suggestions API, introduced in 8.1.0. This is a beta API and subject to change.
- 
featuredSuggestionsConfig
ObjectSpecify additional options for fetching featured suggestions.It can accept the following keys:
- featuredSuggestionsGroupId: 
string[Required] unique id for featured suggestions' group. - maxSuggestionsPerSection: 
numbermaximum number of featured suggestions fetched per section. - sectionsOrder: 
Array<String>accepts an array of section id(s). The order in which section id(s) are defined in the array describes the order in which the sections appear in the UI. 
 - featuredSuggestionsGroupId: 
 
    <SearchBox
        enableFeaturedSuggestions={true}
        featuredSuggestionsConfig={{
            featuredSuggestionsGroupId: 'document-search', // # mandatory
            maxSuggestionsPerSection: 10,    
            sectionsOrder: ['document', 'pages', 'help'], 
        }}
    />- 
enablePredictiveSuggestions
Boolean[optional] Defaults tofalse. When set totrue, it predicts the next relevant words from a field's value based on the search query typed by the user. When set to false (default), the matching document field's value would be displayed. - 
downShiftProps
Object[optional] allow passing props directly to the underlyingDownshiftcomponent. You can read more about Downshift props here. - 
fieldWeights
Array[optional] [deprecated] set the search weight for the database fields, useful when dataField is an Array of more than one field. This prop accepts an array of numbers. A higher number implies a higher relevance weight for the corresponding field in the search results. 
Note: The
fieldWeightsproperty has been marked as deprecated in v3.21.0 of ReactiveSearch and v7.47.0 of Appbase and would be removed in the next major release. We recommend you to use the dataField property to define the weights.
- placeholder 
String[optional] set placeholder text to be shown in the component's input field. Defaults to "Search". - type 
String[optional] set the searchbox input field type attribute. - showIcon 
Boolean[optional] whether to display a search or custom icon in the input box. Defaults totrue. - iconPosition 
String[optional] sets the position of the search icon. Can be set to eitherleftorright. Defaults toright. - icon 
JSX[optional] set a custom search icon instead of the default 🔍 - showClear 
Boolean[optional] show a clear textXicon. Defaults tofalse. - clearIcon 
JSX[optional] allows setting a custom icon for clearing text instead of the default cross. - autosuggest 
Boolean[optional] set whether the autosuggest functionality should be enabled or disabled. Defaults totrue. - strictSelection 
Boolean[optional] defaults tofalse. When set totruethe component will only set its value and fire the query if the value was selected from the suggestion. Otherwise the value will be cleared on selection. This is only relevant withautosuggest. - debounce 
Number[optional] set the milliseconds to wait before executing the query. Defaults to0, i.e. no debounce. - highlight 
Boolean[optional] whether highlighting should be enabled in the returned results. - highlightField 
String or Array[optional] when highlighting is enabled, this prop allows specifying the fields which should be returned with the matching highlights. When not specified, it defaults to applying highlights on the field(s) specified in the dataField prop. - customHighlight 
Function[optional] a function which returns the custom highlight settings. It receives thepropsand expects you to return an object with thehighlightkey. Check out the technews demo where theSearchBoxcomponent uses acustomHighlightas given below, 
    <SearchBox
        componentId="BookSensor"
        dataField={[{field: "name", weight:3 }, {field: "name.search", weight:1 }]}
        highlight
        customHighlight={props => ({
        highlight: {
                pre_tags: ['<mark>'],
                post_tags: ['</mark>'],
                fields: {
                    text: {},
                    title: {},
                },
                number_of_fragments: 0,
            },
        })}
    />- 
queryFormat
String[optional] Sets the query format, can be or or and. Defaults to or.- or returns all the results matching any of the search query text's parameters. For example, searching for "bat man" with or will return all the results matching either "bat" or "man".
 - On the other hand with and, only results matching both "bat" and "man" will be returned. It returns the results matching all of the search query text's parameters.
 
 - 
fuzziness
String or Number[optional] Sets a maximum edit distance on the search parameters, can be 0, 1, 2 or "AUTO". Useful for showing the correct results for an incorrect search parameter by taking the fuzziness into account. For example, with a substitution of one character, fox can become box. Read more about it in the elastic search docs.Note:
This prop doesn't work when the value of
queryFormatprop is set toand. - 
showFilter
Boolean[optional] show as filter when a value is selected in a global selected filters view. Defaults totrue. - 
showDistinctSuggestions
Boolean[optional] Show 1 suggestion per document. If set tofalsemultiple suggestions may show up for the same document as searched value might appear in multiple fields of the same document, this is true only if you have configured multiple fields indataFieldprop. Defaults totrue.
Example if you haveshowDistinctSuggestionsis set tofalseand have following configurations 
	// Your document:
	{
		"name": "Warn",
		"address": "Washington"
	}
	// Component:
	<SearchBox dataField={['name', 'address']} />
	// Search Query:
	"wa"Then there will be 2 suggestions from the same document
as we have the search term present in both the fields
specified in dataField.
	Warn
	WashingtonNote: Check the above concept in action over here.
- showVoiceSearch 
Boolean[optional] show a voice icon in the searchbox to enable users to set voice input. Defaults tofalse. - searchOperators 
Boolean[optional] Defaults tofalse. If set totruethan you can use special characters in the search query to enable an advanced search behavior.
Read more about it here. - queryString 
Boolean[optional] Defaults tofalse. If set totruethan it allows you to create a complex search that includes wildcard characters, searches across multiple fields, and more. Read more about it here. - filterLabel 
String[optional] An optional label to display for the component in the global selected filters view. This is only applicable ifshowFilteris enabled. Default value used here iscomponentId. - URLParams 
Boolean[optional] enable creating a URL query string param based on the search query text value. This is useful for sharing URLs with the component state. Defaults tofalse. - excludeFields 
String Array[optional] fields to be excluded in the suggestion's query whenautoSuggestis true. - includeFields 
String Array[optional] fields to be included in the suggestion's query whenautoSuggestis true. - render 
Function[optional] You can render suggestions in a custom layout by using therenderprop.
It accepts an object with these properties:loading:booleanindicates that the query is still in progress.error:objectAn object containing the error info.data:arrayAn array of suggestions obtained from cobtained as a result ofsuggestiontype query.rawDataobjectAn object of raw response as-is from elasticsearch query.resultStats:objectAn object with the following properties which can be helpful to render custom stats:numberOfResults:numberTotal number of results foundtime:numberTime taken to find total results (in ms)hidden:numberTotal number of hidden results foundpromoted:numberTotal number of promoted results found
value:stringcurrent search input value i.e the search query being used to obtain suggestions.downshiftProps:objectprovides all the control props fromdownshiftwhich can be used to bind list items with click/mouse events. Read more about it here.
 
    <SearchBox
        render={({ 
            loading, 
            error, 
            data, 
            value, 
            downshiftProps: { isOpen, getItemProps } 
            }) => {
                if (loading) {
                    return <div>Fetching Suggestions.</div>;
                }
                if (error) {
                    return <div>Something went wrong! Error details {JSON.stringify(error)}</div>;
                }
                return isOpen && Boolean(value.length) ? (
                    <div>
                        {data.map((suggestion, index) => (
                            <div key={suggestion.value} {...getItemProps({ item: suggestion })}>
                                {suggestion.value}
                            </div>
                        ))}
                        {Boolean(value.length) && (
                            <div {...getItemProps({ item: { label: value, value: value } })}>
                                Show all results for "{value}"
                            </div>
                        )}
                    </div>
                ) : null;
        }}
    />Or you can also use render function as children
    <SearchBox>
        {
            ({
                loading,
                error,
                data,
                rawData,
                value,
                downshiftProps
            }) => (
                // return UI to be rendered
            )
        }
    </SearchBox>- 
renderError
String or JSX or Function[optional] can be used to render an error message in case of any error.renderError={(error) => ( <div> Something went wrong!<br/>Error details<br/>{error} </div> ) } - 
renderNoSuggestion
String or JSX or Function[optional] can be used to render a message when there is no suggestions found.renderNoSuggestion={() => ( <div> No suggestions found </div> ) } - 
getMicInstance
Function[optional] You can pass a callback function to get the instance ofSpeechRecognitionobject, which can be used to override the default configurations. - 
renderMic
String or JSX or Function[optional] can we used to render the custom mic option.
It accepts an object with the following properties:handleClick:functionneeds to be called when the mic option is clicked.status:stringis a constant which can have one of these values:
INACTIVE- mic is in inactive state i.e not listening
STOPPED- mic has been stopped by the user
ACTIVE- mic is listening
DENIED- permission is not allowed
renderMic = {({ handleClick, status }) => { switch(status) { case 'ACTIVE': return <img src="/active_mic.png" onClick={handleClick} /> case 'DENIED': case 'STOPPED': return <img src="/mute_mic.png" onClick={handleClick} /> default: return <img src="/inactive_mic.png" onClick={handleClick} /> } }} - 
onChange
function[optional] is a callback function which accepts component's current value as a parameter. It is called when you are using thevalueprop and the component's value changes. This prop is used to implement the controlled component behavior.<SearchBox value={this.state.value} onChange={(value, triggerQuery, event) => { this.setState( { value, }, () => triggerQuery(), ); }} /> 
Note:
If you're using the controlled behavior than it's your responsibility to call the
triggerQuerymethod to update the query i.e execute the search query and update the query results in connected components byreactprop. It is not mandatory to call thetriggerQueryinonChangeyou can also call it in other input handlers likeonBluroronKeyPress. ThetriggerQuerymethod accepts an object withisOpenproperty (default tofalse) that can be used to control the opening state of the suggestion dropdown.
- 
onData
Function[optional] You can pass a callback function to listen for the changes in suggestions. The function receivesdata,rawData,aggregationData,loadinganderroras a single parameter object.<SearchBox componentId="BookSensor" // ... other props ... onData = {({ data, rawData, aggregationData, loading, error }) =>{ // do something with the updated properties }} /> - 
onError
Function[optional] You can pass a callback function that gets triggered in case of an error and provides theerrorobject which can be used for debugging or giving feedback to the user if needed. - 
recentSearchesIcon
JSX[optional] 
You can use a custom icon in place of the default icon for the recent search items that are shown when enableRecentSearches prop is set to true. You can also provide styles using the recent-search-icon key in the innerClass prop.
```jsx
    <SearchBox
        // ... other props
        enableRecentSuggestions
        innerClass={{
            'recent-search-icon': '...',
        }}
        recentSearchesIcon={<RecentIcon />}
    />
```- popularSearchesIcon 
JSX[optional] 
You can use a custom icon in place of the default icon for the popular searches that are shown when enablePopularSuggestions prop is set to true. You can also provide styles using the popular-search-icon key in the innerClass prop.
```jsx
    <SearchBox
        // ... other props
        enablePopularSuggestions
        innerClass={{
            'popular-search-icon': '...'
        }}
        popularSearchesIcon={<PopularIcon />}
    />
```- distinctField 
String[optional] 
This prop returns only the distinct value documents for the specified field. It is equivalent to the DISTINCT clause in SQL. It internally uses the collapse feature of Elasticsearch. You can read more about it over here.
- distinctFieldConfig 
Object[optional] 
This prop allows specifying additional options to the distinctField prop. Using the allowed DSL, one can specify how to return K distinct values (default value of K=1), sort them by a specific order, or return a second level of distinct values. distinctFieldConfig object corresponds to the inner_hits key's DSL.  You can read more about it over here.
```jsx
    <SearchBox
        //....
        distinctField="authors.keyword"
        distinctFieldConfig={{
            inner_hits: {
                name: 'most_recent',
                size: 5,
                sort: [{ timestamp: 'asc' }],
            },
            max_concurrent_group_searches: 4,
        }}
    />
```
> Note: In order to use the `distinctField` and `distinctFieldConfig` props, the `enableAppbase` prop must be set to true in `ReactiveBase`.- 
renderItem
Function[optional] You can render each suggestion in a custom layout by using therenderItemprop.<SearchBox componentId="BookSensor" // ... other props ... renderItem={(suggestion)=>{ return <span>{suggestion.label}</span> // custom render every suggestion item in dropdown }} /> - 
applyStopwords
BooleanWhen set to true, it would not predict a suggestion which starts or ends with a stopword. You can find the list of stopwords used by Appbase at here. - 
customStopwords
Array[String]It allows you to define a list of custom stopwords. You can also set it throughIndexsettings in the control plane. - 
categoryField
string[optional] Data field whose values are used to provide category specific suggestions. 
Demo
Styles
SearchBox component supports an innerClass prop to provide styles to the sub-components of SearchBox. These are the supported keys:
titleinputlistrecent-search-iconpopular-search-iconfeatured-search-iconsection-labelactive-suggestion-itemsuggestion-itementer-buttonselected-tag
Read more about it here.
Extending
SearchBox component can be extended to:
- customize the look and feel with 
className,style, - update the underlying DB query with 
customQuery, - connect with external interfaces using 
beforeValueChange,onValueChange,onValueSelectedandonQueryChange, - specify how search suggestions should be filtered using 
reactprop, 
- it's also possible to take control of rendering individual suggestions with 
renderItemprop or the entire suggestions rendering using therenderprop. Check the custom suggestions recipe for more info. 
- 
add the following synthetic events to the underlying
inputelement:- onBlur
 - onFocus
 - onKeyPress
 - onKeyDown
 - onKeyUp
 - autoFocus
 
Note:
- All these events accepts the 
triggerQueryas a second parameter which can be used to trigger theSearchBoxquery with the current selected value (useful to customize the search query execution). - There is a known issue with 
onKeyPresswhenautosuggestis set to true. It is recommended to useonKeyDownfor the consistency. 
<SearchBox //... className="custom-class" style={{"paddingBottom": "10px"}} customQuery={ function(value, props) { return { query: { match: { data_field: "this is a test" } } } } } beforeValueChange={ function(value) { // called before the value is set // returns a promise return new Promise((resolve, reject) => { // update state or component props resolve() // or reject() }) } } onValueChange={ function(value) { console.log("current value: ", value) // set the state // use the value with other js code } } onValueSelected={ function(value, cause, source) { console.log("current value: ", value) } } onQueryChange={ function(prevQuery, nextQuery) { // use the query with other js code console.log('prevQuery', prevQuery); console.log('nextQuery', nextQuery); } } // specify how and which suggestions are filtered using `react` prop. react={ "and": ["pricingFilter", "dateFilter"], "or": ["searchFilter"] } /> 
- 
className
StringCSS class to be injected on the component container. - 
style
ObjectCSS styles to be applied to the SearchBox component. - 
customQuery
Functiontakes value and props as parameters and returns the data query to be applied to the component, as defined in Elasticsearch Query DSL.Note:customQuery is called on value changes in the SearchBox component as long as the component is a part ofreactdependency of at least one other component. - 
defaultQuery
Functionis a callback function that takes value and props as parameters and returns the data query to be applied to the source component, as defined in Elasticsearch Query DSL, which doesn't get leaked to other components. In simple words,defaultQueryprop allows you to modify the query to render the suggestions whenautoSuggestis enabled. Read more about it here. - 
beforeValueChange
Functionis a callback function which accepts component's future value as a parameter and returns a promise. It is called everytime before a component's value changes. The promise, if and when resolved, triggers the execution of the component's query and if rejected, kills the query execution. This method can act as a gatekeeper for query execution, since it only executes the query after the provided promise has been resolved.Note:
If you're using Reactivesearch version >=
3.3.7,beforeValueChangecan also be defined as a synchronous function.valueis updated by default, unless you throw anErrorto reject the update. For example:beforeValueChange = value => { // The update is accepted by default if (value && value.toLowerCase().contains('Social')) { // To reject the update, throw an error throw Error('Search value should not contain social.'); } }; - 
onValueChange
Functionis a callback function which accepts component's current value as a parameter. It is called everytime the component's value changes. This prop is handy in cases where you want to generate a side-effect on value selection. For example: You want to show a pop-up modal with the valid discount coupon code when a user searches for a product in a SearchBox. - 
onValueSelected
Functionis called with the value selected via user interaction. It works only withautosuggestand is called whenever a suggestion is selected or a search is performed by pressing enter key. It also passes thecauseof action and thesourceobject if the cause of action was'SUGGESTION_SELECT'. The possible causes are:'SUGGESTION_SELECT''ENTER_PRESS''CLEAR_VALUE''SEARCH_ICON_CLICK'
 - 
onQueryChange
Functionis a callback function which accepts component's prevQuery and nextQuery as parameters. It is called everytime the component's query changes. This prop is handy in cases where you want to generate a side-effect whenever the component's query would change. - 
react
Objectspecify dependent components to reactively update SearchBox's suggestions.- key 
Stringone ofand,or,notdefines the combining clause.- and clause implies that the results will be filtered by matches from all of the associated component states.
 - or clause implies that the results will be filtered by matches from at least one of the associated component states.
 - not clause implies that the results will be filtered by an inverse match of the associated component states.
 
 - value 
String or Array or ObjectStringis used for specifying a single component by itscomponentId.Arrayis used for specifying multiple components by theircomponentId.Objectis used for nesting other key clauses.
 
 - key 
 - 
index
String[optional] The index prop can be used to explicitly specify an index to query against for this component. It is suitable for use-cases where you want to fetch results from more than one index in a single ReactiveSearch API request. The default value for the index is set to theappprop defined in the ReactiveBase component.Note: This only works when
enableAppbaseprop is set to true inReactiveBase. - 
focusShortcuts
Array<string | number>[optional] 
A list of keyboard shortcuts that focus the search box. Accepts key names and key codes. Compatible with key combinations separated using '+'. Defaults to ['/'].
- 
autoFocus
boolean[optional] When set to true, search box is auto-focused on page load. Defaults tofalse. - 
addonBefore
string|JSX[optional] The HTML markup displayed before (on the left side of) the searchbox input field. Users can use it to render additional actions/ markup, eg: a custom search icon hiding the default. 
          
          
```jsx
    <SearchBox
        showIcon={false}
        addonBefore={
        <img
            src="https://img.icons8.com/cute-clipart/64/000000/search.png"
            height="30px"
        />
        }
        id="search-component"
        // ...other props
    />
```- addonAfter 
string|JSX[optional] The HTML markup displayed after (on the right side of) the searchbox input field. Users can use it to render additional actions/ markup, eg: a custom search icon hiding the default. 
          
          
```jsx
    <SearchBox
        showIcon={false}
        addonAfter={
        <img
            src="https://img.icons8.com/cute-clipart/64/000000/search.png"
            height="30px"
        />
        }
        id="search-component"
        // ... other props
    />
```- expandSuggestionsContainer 
boolean[optional] When set to false the width of suggestions dropdown container is limited to the width of searchbox input field. Defaults totrue. 
          
          
```jsx
    <SearchBox
        expandSuggestionsContainer={false}
        addonBefore={
            <img  />
        }
        addonAfter={
            <img  />
        }
        id="search-component"
        // ... other props
    />
```- 
isOpen
boolean[optional] When set totruethe dropdown is displayed on the initial render. Defaults tofalse. - 
enterButton
boolean[optional] When set totrue, the results would only be updated on press of the button. Defaults tofalse. You can also provide styles using theenter-buttonkey in theinnerClassprop.
          
          
<SearchBox id="search-component" enterButton={true} /> - 
renderEnterButton
Function[optional] renders a custom jsx markup for the enter button. Use in conjunction withenterButtonprop set totrue.
          
          
<SearchBox id="search-component" enterButton renderEnterButton={clickHandler => ( <div style={{ height: '100%', display: 'flex', alignItems: 'stretch', }} > <button style={{ border: '1px solid #c3c3c3' }} onClick={clickHandler}> 🔍 Search </button> </div> )} /> - 
renderSelectedTags
Function[optional] to custom render tags when mode is set totag. 
Function param accepts an object with the following properties:
- 
values:Array<String>array of selected values. - 
handleClear:Function - (string) => voidfunction to clear a tag value. It accepts the tag value(String) as a parameter. - 
handleClearAll:Function - () => voidfunction to clear all selected values.<SearchBox id="search-component" enterButton renderSelectedTags=({ values = [], handleClear, handleClearAll }) => { // return custom rendered tags } /> 
Examples
SearchBox with default props
Customize suggestions using innerClass
          
          
	<SearchBox
	    title="SearchBox"
	    dataField={['original_title', 'original_title.search']}
	    componentId="BookSensor"
	    innerClass={{
            'section-label': 'section-label',
	    	'active-suggestion-item': 'active-test-suggestion',
	    	'suggestion-item': 'test-suggestion',
	    }}
	    enableFeaturedSuggestions
    />Inside your css file ->
.section-label {
	font-weight: 800;
	font-size: 14px;
	text-decoration: overline;
}
.active-test-suggestion {
	border-left: 6px solid #ffa000;
	background-color: #6629ea !important;
	border-radius: 4px;
	margin: 3px;
}
.test-suggestion {
	background-color: #f0e1e1 !important;
	border-radius: 4px;
	margin: 3px;
}