Ecosyste.ms: Awesome
An open API service indexing awesome lists of open source software.
https://github.com/elastic/app-search-node
Elastic App Search Official Node.js Client
https://github.com/elastic/app-search-node
api-client elastic elastic-app-search javascript node search swiftype
Last synced: 3 days ago
JSON representation
Elastic App Search Official Node.js Client
- Host: GitHub
- URL: https://github.com/elastic/app-search-node
- Owner: elastic
- License: apache-2.0
- Created: 2019-07-24T15:49:38.000Z (over 5 years ago)
- Default Branch: master
- Last Pushed: 2024-08-08T16:00:30.000Z (5 months ago)
- Last Synced: 2024-12-16T15:16:45.135Z (7 days ago)
- Topics: api-client, elastic, elastic-app-search, javascript, node, search, swiftype
- Language: JavaScript
- Homepage: https://www.elastic.co/products/app-search
- Size: 568 KB
- Stars: 44
- Watchers: 24
- Forks: 24
- Open Issues: 8
-
Metadata Files:
- Readme: README.md
- License: LICENSE.txt
Awesome Lists containing this project
README
> **⚠️ This client is deprecated ⚠️**
>
> As of Enterprise Search version 8.3.2, we are directing users to the new [Enterprise Search Node Client](https://github.com/elastic/enterprise-search-js) and
> deprecating this client.
>
> Our development effort on this project will be limited to bug fixes.
> All future enhancements will be focused on the Enterprise Search Node Client.
>
> Thank you! - Elastic> A first-party Node.JS client for building excellent, relevant search experiences with [Elastic App Search](https://www.elastic.co/products/app-search).
## Contents
- [Getting started](#getting-started-)
- [Versioning](#versioning)
- [Usage](#usage)
- [Running tests](#running-tests)
- [FAQ](#faq-)
- [Contribute](#contribute-)
- [License](#license-)---
## Getting started 🐣
To install this package, run:
```bash
npm install @elastic/app-search-node
```## Versioning
This client is versioned and released alongside App Search.
To guarantee compatibility, use the most recent version of this library within the major version of the corresponding App Search implementation.
For example, for App Search `7.3`, use `7.3` of this library or above, but not `8.0`.
If you are using the [SaaS version available on swiftype.com](https://app.swiftype.com/as) of App Search, you should use the version 7.5.x of the client.
## Usage
### Setup: Configuring the client and authentication
Using this client assumes that you have already an instance of [Elastic App Search](https://www.elastic.co/products/app-search) up and running.
The client is configured using the `baseUrlFn` and `apiKey` parameters.
```javascript
const apiKey = 'private-mu75psc5egt9ppzuycnc2mc3'
const baseUrlFn = () => 'http://localhost:3002/api/as/v1/'
const client = new AppSearchClient(undefined, apiKey, baseUrlFn)
```Note:
The `[apiKey]` authenticates requests to the API.
You can use any key type with the client, however each has a different scope.
For more information on keys, check out the [documentation](https://swiftype.com/documentation/app-search/api/credentials).#### Swiftype.com App Search users:
When using the [SaaS version available on swiftype.com](https://app.swiftype.com/as) of App Search, you can configure the client using your `hostIdentifier` instead of the `baseUrlFn` parameter.
The `hostIdentifier` can be found within the [Credentials](https://app.swiftype.com/as#/credentials) menu.```javascript
const AppSearchClient = require('@elastic/app-search-node')
const hostIdentifier = 'host-c5s2mj'
const apiKey = 'private-mu75psc5egt9ppzuycnc2mc3'
const client = new AppSearchClient(hostIdentifier, apiKey)
```### API Methods
##### Indexing: Creating or Replacing Documents
```javascript
const engineName = 'favorite-videos'
const documents = [
{
id: 'INscMGmhmX4',
url: 'https://www.youtube.com/watch?v=INscMGmhmX4',
title: 'The Original Grumpy Cat',
body: 'A wonderful video of a magnificent cat.'
},
{
id: 'JNDFojsd02',
url: 'https://www.youtube.com/watch?v=dQw4w9WgXcQ',
title: 'Another Grumpy Cat',
body: 'A great video of another cool cat.'
}
]client
.indexDocuments(engineName, documents)
.then(response => console.log(response))
.catch(error => console.log(error))
```Note that this API will not throw on an indexing error. Errors are inlined in the response body per document:
```json
[
{ "id": "park_rocky-mountain", "errors": [] },
{
"id": "park_saguaro",
"errors": ["Invalid field value: Value 'foo' cannot be parsed as a float"]
}
]```
##### Indexing: Updating Documents (Partial Updates)
```javascript
const engineName = 'favorite-videos'
const documents = [
{
id: 'INscMGmhmX4',
title: 'Updated title'
}
]client
.updateDocuments(engineName, documents)
.then(response => console.log(response))
.catch(error => console.log(error))
```##### Retrieving Documents
```javascript
const engineName = 'favorite-videos'
const documentIds = ['INscMGmhmX4', 'JNDFojsd02']client
.getDocuments(engineName, documentIds)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Listing Documents
```javascript
const engineName = 'favorite-videos'// Without paging
client
.listDocuments(engineName)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))// With paging
client
.listDocuments(engineName, { page: { size: 10, current: 1 } })
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Destroying Documents
```javascript
const engineName = 'favorite-videos'
const documentIds = ['INscMGmhmX4', 'JNDFojsd02']client
.destroyDocuments(engineName, documentIds)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Listing Engines
```javascript
client
.listEngines({ page: { size: 10, current: 1 } })
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Retrieving Engines
```javascript
const engineName = 'favorite-videos'client
.getEngine(engineName)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Creating Engines
```javascript
const engineName = 'favorite-videos'client
.createEngine(engineName, { language: 'en' })
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Destroying Engines
```javascript
const engineName = 'favorite-videos'client
.destroyEngine(engineName)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Searching
```javascript
const engineName = 'favorite-videos'
const query = 'cat'
const searchFields = { title: {} }
const resultFields = { title: { raw: {} } }
const options = { search_fields: searchFields, result_fields: resultFields }client
.search(engineName, query, options)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Multi-Search
```javascript
const engineName = 'favorite-videos'
const searches = [
{ query: 'cat', options: {
search_fields: { title: {} },
result_fields: { title: { raw: {} } }
} },
{ query: 'grumpy', options: {} }
]client
.multiSearch(engineName, searches)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Query Suggestion
```javascript
const engineName = 'favorite-videos'
const options = {
size: 3,
types: {
documents: {
fields: ['title']
}
}
}client
.querySuggestion(engineName, 'cat', options)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Listing Curations
```javascript
const engineName = 'favorite-videos'client
.listCurations(engineName)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))// Pagination details are optional
const paginationDetails = {
page: {
current: 2,
size: 10
}
}client
.listCurations(engineName, paginationDetails)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Retrieving Curations
```javascript
const engineName = 'favorite-videos'
const curationId = 'cur-7438290'client
.getCuration(engineName, curationId)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Creating Curations
```javascript
const engineName = 'favorite-videos'
const newCuration = {
queries: ['cat blop'],
promoted: ['Jdas78932'],
hidden: ['INscMGmhmX4', 'JNDFojsd02']
}client
.createCuration(engineName, newCuration)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Updating Curations
```javascript
const engineName = 'favorite-videos'
const curationId = 'cur-7438290'
// "queries" is required, either "promoted" or "hidden" is required.
// Values sent for all fields will overwrite existing values.
const newDetails = {
queries: ['cat blop'],
promoted: ['Jdas78932', 'JFayf782']
}client
.updateCuration(engineName, curationId, newDetails)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Deleting Curations
```javascript
const engineName = 'favorite-videos'
const curationId = 'cur-7438290'client
.destroyCuration(engineName, curationId)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Retrieving Schemas
```javascript
const engineName = 'favorite-videos'client
.getSchema(engineName)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Updating Schemas
```javascript
const engineName = 'favorite-videos'
const schema = {
views: 'number',
created_at: 'date'
}client
.updateSchema(engineName, schema)
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Create a Signed Search Key
Creating a search key that will only return the title field.
```javascript
const publicSearchKey = 'search-xxxxxxxxxxxxxxxxxxxxxxxx'
// This name must match the name of the key above from your App Search dashboard
const publicSearchKeyName = 'search-key'
const enforcedOptions = {
result_fields: { title: { raw: {} } },
filters: { world_heritage_site: 'true' }
}// Optional. See https://github.com/auth0/node-jsonwebtoken#usage for all options
const signOptions = {
expiresIn: '5 minutes'
}const signedSearchKey = AppSearchClient.createSignedSearchKey(
publicSearchKey,
publicSearchKeyName,
enforcedOptions,
signOptions
)const baseUrlFn = () => 'http://localhost:3002/api/as/v1/'
const client = new AppSearchClient(undefined, signedSearchKey, baseUrlFn)client.search('sample-engine', 'everglade')
```##### Create a Meta Engine
```javascript
const engineName = 'my-meta-engine'client
.createMetaEngine(engineName, ['source-engine-1', 'source-engine-2'])
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Add a Source Engine to a Meta Engine
```javascript
const engineName = 'my-meta-engine'client
.addMetaEngineSources(engineName, ['source-engine-3'])
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Remove a Source Engine from a Meta Engine
```javascript
const engineName = 'my-meta-engine'client
.deleteMetaEngineSources(engineName, ['source-engine-3'])
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```##### Creating Engines
```javascript
const engineName = 'my-meta-engine'client
.createEngine(engineName, {
type: 'meta',
source_engines: ['source-engine-1', 'source-engine-2']
})
.then(response => console.log(response))
.catch(error => console.log(error.errorMessages))
```### For App Search APIs not available in this client
We try to keep this client up to date with all of the available API endpoints available from App Search.
There are a few APIs that may not be available yet. For those APIs, please use the low-level client to connect to hit any App Search endpoint.
```javascript
const engineName = 'favorite-videos'
const options = {
query: 'cats'
}const Client = require('@elastic/app-search-node/lib/client')
const client = new Client('private-mu75psc5egt9ppzuycnc2mc3', 'http://localhost:3002/api/as/v1/')
client.post(`engines/${encodeURIComponent(engineName)}/search`, options).then(console.log)
```## Running tests
```bash
npm test
```The specs in this project use [node-replay](https://github.com/assaf/node-replay) to capture fixtures.
New fixtures should be captured from a running instance of App Search.
To capture new fixtures, run a command like the following:
```
nvm use
HOST_IDENTIFIER=host-c5s2mj API_KEY=private-b94wtaoaym2ovdk5dohj3hrz REPLAY=record npm run test -- -g 'should create a meta engine'
```To break that down a little...
- `HOST_IDENTIFIER` - Use this to override the fake value used in tests with an actual valid value for your App Search instance to record from
- `API_KEY` - Use this to override the fake value used in tests with an actual valid value for your App Search instance to record from
- `REPLAY=record` - Tells replay to record a new response if one doesn't already exist
- `npm run test` - Run the tests
- `-- -g 'should create a meta engine'` - Limit the tests to ONLY run the new test you've created, 'should create a meta engine' for exampleThis will create a new fixture, make sure you manually edit that fixture to replace the host identifier and api key
recorded in that fixture with the values the tests use.You'll also need to make sure that fixture is located in the correctly named directory under `fixtures` according to the host that was used.
You'll know if something is not right because this will error when you run `npm run test` with an error like:
```
Error: POST https://host-c5s2mj.api.swiftype.com:443/api/as/v1/engines refused: not recording and no network access
```## FAQ 🔮
### Where do I report issues with the client?
If something is not working as expected, please open an [issue](https://github.com/elastic/app-search-node/issues/new).
### Where can I learn more about App Search?
Your best bet is to read the [documentation](https://swiftype.com/documentation/app-search).
### Where else can I go to get help?
You can checkout the [Elastic App Search community discuss forums](https://discuss.elastic.co/c/app-search).
## Contribute 🚀
We welcome contributors to the project. Before you begin, a couple notes...
- Prior to opening a pull request, please create an issue to [discuss the scope of your proposal](https://github.com/elastic/app-search-node/issues).
- Please write simple code and concise documentation, when appropriate.## License 📗
[Apache 2.0](https://github.com/elastic/app-search-node/blob/master/LICENSE.txt) © [Elastic](https://github.com/elastic)
Thank you to all the [contributors](https://github.com/elastic/app-search-node/graphs/contributors)!