kt-search

Multi platform kotlin client for Elasticsearch & Opensearch with easily extendable Kotlin DSLs for queries, mappings, bulk, and more.


Project maintained by jillesvangurp Hosted on GitHub Pages — Theme by mattgraham

KNN Search

KT Search Manual Previous: Creating Data Streams Next: Extending the Json DSLs
Github © Jilles van Gurp  

An exciting new feature in Elasticsearch is KNN search, aka. vector search or semantic search.

And kt-search has you covered and makes this as easy as possible.

Conceptually, vector search is very simple:

  1. You use some AI model to produce so-called embeddings (vectors). These vectors encode the learned semantics of your data.
  2. You index the embeddings using the “dense_vector” field type
  3. You use the same AI model to generate a vector for whatever users query on
  4. And you let Elasticsearch figure out the “nearest” vector match.

The devil is of course in the details. You can use off-the shelf AI models from e.g. OpenAI. But these models have their limitations. And training your own models is also possible but can be a lot of work.

The following example implements a simple knn search using some pre-calculated embeddings. The embeddings were generated with openai using their text-similarity-ada-001 model.

This is of course not the most advanced model available. However, we are constrained here by the maximum vector length that elasticsearch allows here of 1024. Some of the more advanced models in openai have a dimensionality (vector length) of multiple tens of thousands. These presumably capture more semantic information.


data class Embeddings(val id: String, val embedding: List<Double>)

// load the pre-calculated embeddings from a tsv file
val embeddings = Thread.currentThread()
  .contextClassLoader.getResourceAsStream("embeddings.tsv")
  ?.let { stream ->
    csvReader {
      delimiter = '\t'
    }.readAllWithHeader(stream)
  }?.map {
    Embeddings(
      it["id"]!!,
      it["embedding"]?.let { value ->
        DEFAULT_JSON.decodeFromString(
          ListSerializer(Double.serializer()),
          value
        )
      }!!
    )
  }?.associateBy { it.id } ?: error("embeddings not found")


// these are the inputs that we generated embeddings for
val inputs = mapOf(
  "input-1" to "banana muffin with chocolate chips",
  "input-2" to "apple crumble",
  "input-3" to "apple pie",
  "input-4" to "chocolate chip cookie",
  "input-5" to "the cookie monster",
  "input-6" to "pattiserie",
  "input-7" to "chicken teriyaki with rice",
  "input-8" to "tikka massala",
  "input-9" to "chicken",
)

// and we also generated embeddings for a few queries
val queries = mapOf(
  "q-1" to "rice",
  // pastry and pie, in Dutch
  "q-2" to "gebak en taart",
  "q-3" to "muppets",
  "q-4" to "artisanal baker",
  "q-5" to "indian curry",
  "q-6" to "japanese food",
  "q-7" to "baked goods",
)

// we'll use this simple data class as the model

@Serializable
data class KnnTestDoc(
  val id: String,
  val text: String,
  val vector: List<Double>)

val indexName = "knn-test"
client.createIndex(indexName) {
  mappings {
    keyword(KnnTestDoc::id)
    text(KnnTestDoc::text)
    // text-similarity-ada-001 has a dimension of 1024
    // which is also the maximum for dense vector
    denseVector(
      property = KnnTestDoc::vector,
      dimensions = 1024,
      index = true,
      similarity = KnnSimilarity.Cosine
    )
  }
}

client.bulk(target = indexName) {
  inputs.map { (id, text) ->
    val embedding =
      embeddings[id]?.embedding
        ?: error("no embedding")
    KnnTestDoc(id, text, embedding)
  }.forEach { doc ->
    create(doc)
  }
}

queries.forEach { (queryId, text) ->
  client.search(indexName) {
    knn = KnnQuery(
      field = KnnTestDoc::vector,
      queryVector = embeddings[queryId]!!.embedding,
      k = 3,
      numCandidates = 3
    )
  }.let { searchResponse ->
    println("query for vector of $text:")
    searchResponse.searchHits.forEach { hit ->
      println("${hit.id} - ${hit.score}: ${hit.parseHit<KnnTestDoc>().text}")
    }
    println("---")
  }
}

This prints:

query for vector of rice:
xuLmBY8B8xrjR73C5UmK - 0.9389602: chicken
xOLmBY8B8xrjR73C5UmK - 0.916195: chicken teriyaki with rice
wOLmBY8B8xrjR73C5UmK - 0.91184926: apple pie
---
query for vector of gebak en taart:
w-LmBY8B8xrjR73C5UmK - 0.9021788: pattiserie
xeLmBY8B8xrjR73C5UmK - 0.9010898: tikka massala
wOLmBY8B8xrjR73C5UmK - 0.89891326: apple pie
---
query for vector of muppets:
wOLmBY8B8xrjR73C5UmK - 0.9121342: apple pie
xuLmBY8B8xrjR73C5UmK - 0.91064054: chicken
w-LmBY8B8xrjR73C5UmK - 0.90385926: pattiserie
---
query for vector of artisanal baker:
weLmBY8B8xrjR73C5UmK - 0.9168335: chocolate chip cookie
wuLmBY8B8xrjR73C5UmK - 0.9078536: the cookie monster
vuLmBY8B8xrjR73C5UmK - 0.9031166: banana muffin with chocolate chips
---
query for vector of indian curry:
xuLmBY8B8xrjR73C5UmK - 0.9383265: chicken
xOLmBY8B8xrjR73C5UmK - 0.93595815: chicken teriyaki with rice
xeLmBY8B8xrjR73C5UmK - 0.9253379: tikka massala
---
query for vector of japanese food:
xOLmBY8B8xrjR73C5UmK - 0.9337205: chicken teriyaki with rice
xuLmBY8B8xrjR73C5UmK - 0.9329303: chicken
wOLmBY8B8xrjR73C5UmK - 0.9222199: apple pie
---
query for vector of baked goods:
wOLmBY8B8xrjR73C5UmK - 0.9228046: apple pie
weLmBY8B8xrjR73C5UmK - 0.91771054: chocolate chip cookie
v-LmBY8B8xrjR73C5UmK - 0.9135959: apple crumble
---

This shows both the power and weakness of knn search:

So, use this at your own peril. Clearly, a lot depends on the AI model you use to calculate the embeddings.

If you wish to play with generating your own embeddings, I’ve published the source code for that here


KT Search Manual Previous: Creating Data Streams Next: Extending the Json DSLs
Github © Jilles van Gurp