Security News
RubyGems.org Adds New Maintainer Role
RubyGems.org has added a new "maintainer" role that allows for publishing new versions of gems. This new permission type is aimed at improving security for gem owners and the service overall.
meilisearch
Advanced tools
ā” Lightning Fast, Ultra Relevant, and Typo-Tolerant Search Engine MeiliSearch client written in JavaScript
MeiliSearch JavaScript is a client for MeiliSearch written in JavaScript. MeiliSearch is a powerful, fast, open-source, easy to use and deploy search engine. Both searching and indexing are highly customizable. Features such as typo-tolerance, filters, and synonyms are provided out-of-the-box.
npm install meilisearch
yarn add meilisearch
There are many easy ways to download and run a MeiliSearch instance.
For example, if you use Docker:
$ docker pull getmeili/meilisearch:latest # Fetch the latest version of MeiliSearch image from Docker Hub
$ docker run -it --rm -p 7700:7700 getmeili/meilisearch:latest ./meilisearch --master-key=masterKey
NB: you can also download MeiliSearch from Homebrew or APT.
import MeiliSearch from 'meilisearch'
const client = new MeiliSearch({
host: 'http://127.0.0.1:7700',
apiKey: 'masterKey',
})
<script src="https://cdn.jsdelivr.net/npm/meilisearch@latest/dist/bundles/meilisearch.umd.js"></script>
<script>
const client = new MeiliSearch({
host: 'http://127.0.0.1:7700',
apiKey: 'masterKey',
})
client.listIndexes().then(res => {
console.log({ res });
})
</script>
const MeiliSearch = require('meilisearch')
const client = new MeiliSearch({
host: 'http://127.0.0.1:7700',
apiKey: 'masterKey',
})
Here is a quickstart for a search request
const MeiliSearch = require('meilisearch')
// Or if you are on a front-end environment:
import MeiliSearch from 'meilisearch'
;(async () => {
const client = new MeiliSearch({
host: 'http://127.0.0.1:7700',
apiKey: 'masterKey',
})
const index = await client.createIndex('books') // If your index does not exist
// OR
const index = client.getIndex('books') // If your index exists
const documents = [
{ book_id: 123, title: 'Pride and Prejudice' },
{ book_id: 456, title: 'Le Petit Prince' },
{ book_id: 1, title: 'Alice In Wonderland' },
{ book_id: 1344, title: 'The Hobbit' },
{ book_id: 4, title: 'Harry Potter and the Half-Blood Prince' },
{ book_id: 42, title: "The Hitchhiker's Guide to the Galaxy" },
]
let response = await index.addDocuments(documents)
console.log(response) // => { "updateId": 0 }
})()
With the updateId
, you can check the status (processed
or failed
) of your documents addition thanks to this method.
// MeiliSearch is typo-tolerant:
const search = await index.search('harry pottre')
console.log(search)
Output:
{
"hits": [
{
"book_id": 4,
"title": "Harry Potter and the Half-Blood Prince"
}
],
"offset": 0,
"limit": 20,
"processingTimeMs": 1,
"query": "harry pottre"
}
This package is compatible with the following MeiliSearch versions:
v0.14.X
v0.13.X
All HTTP routes of MeiliSearch are accessible via methods in this SDK.
You can check out the API documentation.
Go checkout examples!
In this section, the examples contain the await
keyword.
// Create an index
const index = await client.createIndex('books')
// Create an index and give the primary-key
const index = await client.createIndex('books', { primaryKey: 'book_id' })
const indexes = await client.listIndexes()
const index = client.getIndex('books')
// Get one document
const document = await index.getDocument(123)
// Get documents by batch
const documents = await index.getDocuments({ offset: 4, limit: 20 })
await index.addDocuments([{ book_id: 2, title: 'Madame Bovary' }])
Response:
{
"updateId": 1
}
With this updateId
you can track your operation update.
// Delete one document
await index.deleteDocument(2)
// Delete several documents
await index.deleteDocuments([1, 42])
// Delete all documents /!\
await index.deleteAllDocuments()
// Get one update
// Parameter: the updateId got after an asynchronous request (e.g. documents addition)
await index.getUpdateStatus(1)
// Get all update satus
await index.getAllUpdateStatus()
const search = await index.search('prince')
{
"hits": [
{
"book_id": 456,
"title": "Le Petit Prince"
},
{
"book_id": 4,
"title": "Harry Potter and the Half-Blood Prince"
}
],
"offset": 0,
"limit": 20,
"processingTimeMs": 13,
"query": "prince"
}
All the supported options are described in this documentation section.
await index.search('prince', { limit: 1, attributesToHighlight: '*' })
{
"hits": [
{
"book_id": 456,
"title": "Le Petit Prince",
"_formatted": {
"book_id": 456,
"title": "Le Petit <em>Prince</em>"
}
}
],
"offset": 0,
"limit": 1,
"processingTimeMs": 0,
"query": "prince"
}
Placeholder search makes it possible to receive hits based on your parameters without having any query (q
).
To enable this behavior, instead of sending an empty string, the query should be null
or undefined
.
await index.search(null, {
facetFilters: ['genre:fantasy'],
facetsDistribution: ['genre']
})
{
"hits": [
{
"genre": "fantasy",
"id": 4,
"title": "Harry Potter and the Half-Blood Prince",
"comment": "The best book"
},
{
"genre": "fantasy",
"id": 42,
"title": "The Hitchhiker's Guide to the Galaxy"
}
],
"offset": 0,
"limit": 20,
"nbHits": 2,
"exhaustiveNbHits": false,
"processingTimeMs": 0,
"query": "",
"facetsDistribution": { "genre": { "fantasy": 2, "romance": 0, "sci fi": 0, "adventure": 0 } },
"exhaustiveFacetsCount": true
}
Any new contribution is more than welcome in this project!
If you want to know more about the development workflow or want to contribute, please visit our contributing guidelines for detailed instructions!
client.getIndex<T>('xxx').search(query: string, options: SearchParams = {}, method: 'POST' | 'GET' = 'POST'): Promise<SearchResponse<T>>
client.listIndexes(): Promise<IndexResponse[]>
client.createIndex<T>(uid: string, options?: IndexOptions): Promise<Index<T>>
client.getIndex<T>(uid: string): Index<T>
client.getOrCreateIndex<T>(uid: string, options?: IndexOptions): Promise<Index<T>>
index.show(): Promise<IndexResponse>
index.updateIndex(data: IndexOptions): Promise<IndexResponse>
index.deleteIndex(): Promise<void>
index.getStats(): Promise<IndexStats>
index.getUpdateStatus(updateId: number): Promise<Update>
index.getAllUpdateStatus(): Promise<Update[]>
index.waitForPendingUpdate(updateId: number, { timeOutMs?: number, intervalMs?: number }): Promise<Update>
index.addDocuments(documents: Document<T>[]): Promise<EnqueuedUpdate>
index.updateDocuments(documents: Document<T>[]): Promise<EnqueuedUpdate>
index.getDocuments(params: getDocumentsParams): Promise<Document<T>[]>
index.getDocument(documentId: string): Promise<Document<T>>
index.deleteDocument(documentId: string | number): Promise<EnqueuedUpdate>
index.deleteDocuments(documentsIds: string[] | number[]): Promise<EnqueuedUpdate>
index.deleteAllDocuments(): Promise<Types.EnqueuedUpdate>
index.getSettings(): Promise<Settings>
index.updateSettings(settings: Settings): Promise<EnqueuedUpdate>
index.resetSettings(): Promise<EnqueuedUpdate>
index.getSynonyms(): Promise<object>
index.updateSynonym(synonyms: object): Promise<EnqueuedUpdate>
index.resetSynonym(): Promise<EnqueuedUpdate>
Get Stop Words
index.getStopWords(): Promise<string[]>
Update Stop Words
index.updateStopWords(string[]): Promise<EnqueuedUpdate>
Reset Stop Words
index.resetStopWords(): Promise<EnqueuedUpdate>
Get Ranking Rules
index.getRankingRules(): Promise<string[]>
Update Ranking Rules
index.updateRankingRules(rankingRules: string[]): Promise<EnqueuedUpdate>
Reset Ranking Rules
index.resetRankingRules(): Promise<EnqueuedUpdate>
Get Distinct Attribute
index.getDistinctAttribute(): Promise<string | void>
Update Distinct Attribute
index.updateDistinctAttribute(distinctAttribute: string): Promise<EnqueuedUpdate>
Reset Distinct Attribute
index.resetDistinctAttribute(): Promise<EnqueuedUpdate>
Get Searchable Attributes
index.getSearchableAttributes(): Promise<string[]>
Update Searchable Attributes
index.updateSearchableAttributes(searchableAttributes: string[]): Promise<EnqueuedUpdate>
Reset Searchable Attributes
index.resetSearchableAttributes(): Promise<EnqueuedUpdate>
Get Displayed Attributes
index.getDisplayedAttributes(): Promise<string[]>
Update Displayed Attributes
index.updateDisplayedAttributes(displayedAttributes: string[]): Promise<EnqueuedUpdate>
Reset Displayed Attributes
index.resetDisplayedAttributes(): Promise<EnqueuedUpdate>
client.getKeys(): Promise<Keys>
client.isHealthy(): Promise<void>
client.stats(): Promise<Stats>
client.version(): Promise<Version>
MeiliSearch provides and maintains many SDKs and Integration tools like this one. We want to provide everyone with an amazing search experience for any kind of project. If you want to contribute, make suggestions, or just know what's going on right now, visit us in the integration-guides repository.
FAQs
The Meilisearch JS client for Node.js and the browser.
The npm package meilisearch receives a total of 44,636 weekly downloads. As such, meilisearch popularity was classified as popular.
We found that meilisearch demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago.Ā It has 4 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
RubyGems.org has added a new "maintainer" role that allows for publishing new versions of gems. This new permission type is aimed at improving security for gem owners and the service overall.
Security News
Node.js will be enforcing stricter semver-major PR policies a month before major releases to enhance stability and ensure reliable release candidates.
Security News
Research
Socket's threat research team has detected five malicious npm packages targeting Roblox developers, deploying malware to steal credentials and personal data.