Migrating from the low-level API to the typed API
The Go client ships two API surfaces over a shared transport: the low-level API (*elasticsearch.Client) and the typed API (*elasticsearch.TypedClient). This page explains how to move existing code from the low-level API to the typed API, and shows how to migrate gradually (one endpoint at a time) without rewriting your whole codebase.
The typed API gives you:
- Type-safe requests. Requests are Go structs generated from the Elasticsearch specification, so invalid fields are caught at compile time.
- Decoded responses. Every endpoint returns a typed response; no manual JSON parsing and no forgetting to close response bodies.
- Fluent builders. The
esdslpackage provides chainable builders for queries, aggregations, mappings, and sort options, replacing deeply nested struct literals. - Less boilerplate. No more
io.Readerwrapping, nodefer res.Body.Close(), nores.IsError()checks.
If you can commit to the typed API everywhere, replace the constructor and the call sites:
// Modern functional-options form.
client, err := elasticsearch.New(
elasticsearch.WithAddresses("https://localhost:9200"),
elasticsearch.WithAPIKey("API_KEY"),
)
// Older, deprecated Config form (still works).
client, err := elasticsearch.NewClient(elasticsearch.Config{
Addresses: []string{"https://localhost:9200"},
APIKey: "API_KEY",
})
client, err := elasticsearch.NewTyped(
elasticsearch.WithAddresses("https://localhost:9200"),
elasticsearch.WithAPIKey("API_KEY"),
)
Both constructors take the same functional options and share the same transport, retry, instrumentation, and interceptor infrastructure. The deprecated NewClient(Config{...}) form has a typed equivalent in NewTypedClient(Config{...}), but both are deprecated, so a migration is a good moment to move to the functional-options form as well.
A few common call-site translations:
Index a document
data, _ := json.Marshal(doc)
res, err := client.Index(
"my-index",
bytes.NewReader(data),
client.Index.WithDocumentID("1"),
)
if err != nil {
log.Fatal(err)
}
defer res.Body.Close()
res, err := client.Index("my-index").
Id("1").
Document(doc).
Do(ctx)
Search
query := `{"query":{"match":{"title":{"query":"golang"}}}}`
res, err := client.Search(
client.Search.WithIndex("my-index"),
client.Search.WithBody(strings.NewReader(query)),
)
if err != nil {
log.Fatal(err)
}
defer res.Body.Close()
var result map[string]any
json.NewDecoder(res.Body).Decode(&result)
import "github.com/elastic/go-elasticsearch/v9/typedapi/esdsl"
res, err := client.Search().
Index("my-index").
Query(esdsl.NewMatchQuery("title", "golang")).
Do(ctx)
if err != nil {
log.Fatal(err)
}
for _, hit := range res.Hits.Hits {
fmt.Println(hit.Source_)
}
Bulk
var buf bytes.Buffer
buf.WriteString(`{"index":{"_index":"my-index","_id":"1"}}` + "\n")
buf.WriteString(`{"title":"Test"}` + "\n")
res, err := client.Bulk(bytes.NewReader(buf.Bytes()))
if err != nil {
log.Fatal(err)
}
defer res.Body.Close()
index := "my-index"
id := "1"
bulk := client.Bulk()
if err := bulk.IndexOp(
types.IndexOperation{Index_: &index, Id_: &id},
map[string]any{"title": "Test"},
); err != nil {
log.Fatal(err)
}
res, err := bulk.Do(ctx)
if err != nil {
log.Fatal(err)
}
if res.Errors {
// One or more operations failed.
}
For more call-site patterns, see CRUD operations, Searching, Aggregations, and Bulk indexing.
You do not have to switch the whole codebase at once. The typed API endpoints live in small, focused packages under typedapi/ (for example typedapi/core/search, typedapi/indices/create, typedapi/core/bulk). Each endpoint package exports a constructor that takes an elastictransport.Interface, which is just:
// from github.com/elastic/elastic-transport-go/v8/elastictransport
type Interface interface {
Perform(*http.Request) (*http.Response, error)
}
*elasticsearch.Client (low-level) and *elasticsearch.TypedClient (typed) both embed BaseClient, which implements Perform. That means you can pass an existing low-level client directly into any typed endpoint package: no second client, no duplicated configuration, same transport and connection pool.
Keep your existing low-level *elasticsearch.Client for every call except search. Build a search.New(client) wherever you want typed search:
package main
import (
"context"
"fmt"
"log"
"github.com/elastic/go-elasticsearch/v9"
"github.com/elastic/go-elasticsearch/v9/typedapi/core/search"
"github.com/elastic/go-elasticsearch/v9/typedapi/esdsl"
)
func main() {
client, err := elasticsearch.New(
elasticsearch.WithAddresses("https://localhost:9200"),
elasticsearch.WithAPIKey("API_KEY"),
)
if err != nil {
log.Fatal(err)
}
defer client.Close(context.Background())
// Unchanged: all other calls keep using the low-level client.
res, err := client.Indices.Exists([]string{"my-index"})
if err != nil {
log.Fatal(err)
}
defer res.Body.Close()
// Migrated: search uses the typed package directly, backed by the
// same client and the same transport.
typedSearch := search.New(client)
result, err := typedSearch.
Index("my-index").
Query(esdsl.NewMatchQuery("title", "golang")).
Do(context.Background())
if err != nil {
log.Fatal(err)
}
for _, hit := range result.Hits.Hits {
fmt.Println(hit.Source_)
}
}
- The existing low-level client. Keep it.
search.Newaccepts anyelastictransport.Interface.*elasticsearch.Clientsatisfies it via the embeddedBaseClient.Performmethod, so no adapter is needed.- The
esdslbuilders work with any typed endpoint, regardless of how you built the client.
The same pattern applies to every typed endpoint package: typedapi/indices/create, typedapi/core/bulk, typedapi/cluster/health, and so on. Import the package for the endpoint you want to migrate, call New(client), and use the builder.
A typical gradual migration looks like:
- Start with the hot spots. Migrate the endpoints where typed requests and decoded responses give the most value: usually search, aggregations, and bulk indexing.
- Let new code use
NewTypeddirectly. New call sites can use*elasticsearch.TypedClientfrom the start; old call sites keep using the low-level client. - Replace the constructor last. Once most call sites are typed, swap
elasticsearch.New(...)forelasticsearch.NewTyped(...). Any typed endpoint packages you used for partial migration keep working against the new client, because*TypedClientalso satisfieselastictransport.Interface. What stops compiling is the remaining low-level call sites (client.Search(...),client.Indices.Create(...),client.Bulk(...), etc.), because*TypedClientdoes not embed*esapi.API. Treat those as the last batch to migrate.
The typed API covers the most widely used endpoints, but it does not yet cover every endpoint in the REST API. If you hit a gap, keep calling that endpoint through the low-level client: the two share the same transport, so you can mix and match freely in the same application. Check the typedapi godoc for the current set of supported endpoints.
- Typed API overview: namespaces, builders, NDJSON payloads.
- esdsl builders: fluent query, aggregation, and mapping construction.
- Typed API conventions: naming, enums, and unions.