Blog.

Go client for Elasticsearch using Docker

MF

Marco Franssen /

9 min read1736 words

Cover Image for Go client for Elasticsearch using Docker

In this blog post I would like to cover the recently released Elasticsearch 7.0-rc1 Go client for Elasticsearch. In this blogpost I want to show you a small example with a simple Docker setup using to build a Elasticsearch cluster.

In my previous blogpost I covered some Docker tips and tricks we will utilize again in this blog post.

Initializing your project

To start with we first have to create a project folder. In this folder we will have to initialize our Go module, add our Dockerfile and docker-compose.yml. Once we have this in place we will be able to start our development. As I like as few mouseclicks as possible to get my projects bootstrapped I share below a few lines of shell script to easily create the outline of our project.

mkdir es-demo
cd es-demo
go mod init github.com/marcofranssen/es-demo
go get -u github.com/elastic/go-elasticsearch/[email protected]
touch Dockerfile
touch docker-compose.yml
touch main.go

For our Dockerfile we will utilize the same definition as we discussed in our previous blogpost. See below for the contents of the Dockerfile.

Dockerfile

Dockerfile

In my previous blogpost I explain every single line of above Dockerfile, please have a look there if you want to have a better understanding on the details of this Dockerfile.

Docker-compose

Next I would like to put in place the contents of our docker-compose.yml, so we have our runtime in place from an infra and packaging point of view.

docker-compose.yml

As you can see we only open up the web container port to our host. That way all other services will not be directly accessible. We can access our api on port 5000.

Webserver boilerplate

Last but not least I would like to use the graceful webserver which I have written about earlier as a starting point to build our api on top of Elasticsearch.

Dockerfile

Now with all of this in place we are able to boot up our infrastructure and have a first look on the setup from our browser.

NOTE: we didn't do anything yet with the Go Elasticsearch client, but we will come to that once we have seen our infrastructure is working so far.

Now we can run out solution by doing docker-compose up --build It will build our api image and download the Elasticsearch docker containers. By accessing http://localhost:5000 you should be able to see a blank response with http status 200. You will also notice http://localhost:9200 is not available due to the fact we don't expose the port from our docker network.

Time for code

Now we are ready to modify our webserver to interact with Elasticsearch. For that we will utilize the go-elasticsearch client we installed already in the first few steps using the shell commands. In order to use it we will add an import statement and I will add a new function to create a new Elasticsearch client.

import (
  "github.com/elastic/go-elasticsearch/v7"
)

… left for brevity …

func newEsClient(logger *log.Logger, addresses []string) *elasticsearch.Client {
  cfg := elasticsearch.Config{Addresses: addresses}
  client, err := elasticsearch.NewClient(cfg)

  if err != nil {
    logger.Println(err)
    panic(err)
  }

  return client
}

Now we can use our function to create a Elasticsearch client from our main function, so we can use it on our http server. Lets add another commandline flag to configure the elasticsearch addresses and create the client from this.

var (
  addr        string
  esAddresses string
)

func main() {
  flag.StringVar(&esAddresses, "es-addresses", "http://es01:9200,http://es02:9200", "elasticsearch addresses")
  es := newEsClient(logger, strings.Split(esAddresses, ","))
}

With the last step I want to update our webserver function so we can return our Elasticsearch cluster info using the Elasticsearch client, when we call the endpoint. For that we will add the client as a parameter to our webserver and update the HttpHandler which registered at / to get the Elasticsearch cluster info.

func newWebserver(logger *log.Logger, es *elasticsearch.Client) *http.Server {
  router := http.NewServeMux()
  router.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
    logger.Println(r.Method, r.URL.Path, r.RemoteAddr, r.UserAgent())

    read, write := io.Pipe()

    go func() {
      defer write.Close()
      esInfo, err := es.Info()
      if err != nil {
        http.Error(w, err.Error(), http.StatusInternalServerError)
      } else {
        defer esInfo.Body.Close()
        io.Copy(write, esInfo.Body)
      }
    }()
    io.Copy(w, read)
    w.WriteHeader(http.StatusOK)
  })

  return &http.Server{
    Addr:         listenAddr,
    Handler:      router,
    ErrorLog:     logger,
    ReadTimeout:  5 * time.Second,
    WriteTimeout: 10 * time.Second,
    IdleTimeout:  15 * time.Second,
  }
}

In above example we are piping the Body of the Elasticsearch response to our httpWriter using io.Pipe() and io.Copy(). So above example is a nice way for you to be able to add your own logic like authentication on top of elasticsearch and for the rest just directly pipe the elasticsearch response to your api response. This is very memory efficient as you will not take the full response into memory and directly pipe it on your http response.

Last thing left is to change the function call to newWebserver, so we provide the Elasticsearch client to the function.

server := newWebserver(logger, esClient)

Let's try out our example by running docker-compose up --build -d, this will rebuild web container and run Docker in background so we can more easily continue development on next example. To get access to console logs you can do docker-compose logs -f or docker-compose logs -f web to filter out only web container logs.

Searching an index

To give you a more tensible example I would like to show you how to search an indice as a starting point for your Elasticsearch Go journey.

First we will define a new HttpHandlerFunc on our http router which will forward out search request to ElasticSearch. In addition I will add a small helper function to build an elasticsearch query and some constant string for the constant part of our query.

const searchMatch = `
  "query": {
    "multi_match": {
      "query": %q,
      "fields": ["lastName^100", "firstName^10", "country", "title"],
      "operator": "and"
    }
  },
  "highlight": {
    "fields": {
      "lastName": { "number_of_fragments": 0 },
      "firstName": { "number_of_fragments": 0 },
      "country": { "number_of_fragments": 0 },
      "title": { "number_of_fragments": 0 }
    }
  },
  "size": 25,
  "sort": [{ "_score": "desc" }, { "_doc": "asc" }]`

func buildQuery(query string) io.Reader {
  var b strings.Builder

  b.WriteString("{\n")
  b.WriteString(fmt.Sprintf(searchMatch, query))
  b.WriteString("\n}")

  return strings.NewReader(b.String())
}

func newWebserver(logger *log.Logger, es *elasticsearch.Client) *http.Server {
  router := http.NewServeMux()
  router.HandleFunc("/search", func(w http.ResponseWriter, r *http.Request) {
    logger.Println(r.Method, r.URL.Path, r.RemoteAddr, r.UserAgent())

    q := r.URL.Query().Get("q")

    read, write := io.Pipe()

    go func() {
      defer write.Close()
      res, err := es.Search(
        es.Search.WithContext(r.Context()),
        es.Search.WithIndex("people"),
        es.Search.WithBody(buildQuery(q)),
        es.Search.WithTrackTotalHits(true),
      )
      if err != nil {
        http.Error(w, err.Error(), http.StatusInternalServerError)
      } else {
        defer res.Body.Close()
        io.Copy(write, res.Body)
      }
    }()
    io.Copy(w, read)
  })

  return &http.Server{
    Addr:         listenAddr,
    Handler:      router,
    ErrorLog:     logger,
    ReadTimeout:  5 * time.Second,
    WriteTimeout: 10 * time.Second,
    IdleTimeout:  15 * time.Second,
  }
}

Above code will add a handler for a /search endpoint that will take the querystring parameter q to build up the Elasticsearch search request which will utilize the advanced POST request where the query will be formed as a JSON body. Let's try it out, docker-compose up --build -d. Now when you try to hit the API you will notice we are getting an error response as we don't have a index called people yet. Try for yourself at http://localhost:5000/search?q=marco.

To resolve this we will add a bit more code to our project to create the index and add some initial records to Elasticsearch.

import (
  "github.com/elastic/go-elasticsearch/v7/esapi"
)

func bootstrap(es *elasticsearch.Client) error {
  idx := "people"
  ctx := context.Background()
  _, err := esapi.IndicesDeleteRequest{Index: []string{idx}}.Do(ctx, es)
  if err != nil {
    return err
  }
  _, err2 := esapi.IndicesCreateRequest{Index: idx}.Do(ctx, es)
  if err2 != nil {
    return err2
  }

  people := make([]*Person, 0, 4)
  people = append(people, &Person{
    ID:        "1",
    Title:     "Mr.",
    FirstName: "Marco",
    LastName:  "Franssen",
    Email:     "[email protected]",
    Country:   "The Netherlands",
  })
  people = append(people, &Person{
    ID:        "2",
    Title:     "Mr.",
    FirstName: "John",
    LastName:  "Doe",
    Email:     "[email protected]",
    Country:   "Neverland",
  })
  people = append(people, &Person{
    ID:        "3",
    Title:     "Mrs.",
    FirstName: "Jane",
    LastName:  "Doe",
    Email:     "[email protected]",
    Country:   "Neverland",
  })
  people = append(people, &Person{
    ID:        "4",
    Title:     "Mr.",
    FirstName: "Rob",
    LastName:  "Pike",
    Email:     "[email protected]",
    Country:   "Unknown",
  })

  for _, p := range people {
    payload, err := json.Marshal(p)
    if err != nil {
      return err
    }

    _, err3 := esapi.CreateRequest{
      Index:      idx,
      DocumentID: p.ID,
      Body:       bytes.NewReader(payload),
    }.Do(ctx, es)
    if err != nil {
      return err3
    }
  }

  return nil
}

Last but not least call this bootstrap function in your main function right after creating the Elasticsearch client.

err := bootstrap(esClient)
if err != nil {
  panic(err)
}

Now we can run the solution again and hit some searches. docker-compose up -d --build and then run docker-compose logs -f to see your requests reach your handler. As you might have noticed before we only made it possible to search by firstname, lastname, country and title. For those searchable fields we also defined priorities in case your query matches one multiple of those fields to calculate the score. Some queries you could try for example:

For this last search you will not find any results as we don't match on email addresses. Now go ahead yourself by editing the query template to also be able to search by email address, then rerun your code using docker-compose up -d --build to give the last search another try.

Resources

A collection of resources you might want to checkout to enrich your knowledge.

Thank you for reading my blogpost. I hope this gave you a good starting point to start developing your own Go Elasticsearch projects. Please share it on social media with your friends and colleagues. Oh and before I forget, you can download the entire solution here as a zip.

You have disabled cookies. To leave me a comment please allow cookies at functionality level.

More Stories

Cover Image for Upgrading Raspbian Stretch to Raspbian Buster

Upgrading Raspbian Stretch to Raspbian Buster

MF

Marco Franssen /

In this blog I want to note down in the shortest way possible how to upgrade your Raspberry Pi from Raspbian Stretch to Raspbian Buster. First check your current version of Raspbian is Raspbian Stretch. The easiest way to do this is enter the following in your terminal. In case it states version 8 (jessie) you can check out following blog first to upgrade first to Raspbian Stretch from Jessie. In case your output is version 9 (stretch) please continue below. First I ensure at least all patche…

Cover Image for Improved graceful shutdown webserver

Improved graceful shutdown webserver

MF

Marco Franssen /

In a previous blogpost I wrote how to create a Webserver in Go with graceful shutdown. This time I want to show you a more improved version which you can utilize better in your projects as it can be used as a drop in server.go file in your project where I also make use of some popular high performing libraries. In previous example I coded the full example in main.go. Although nothing wrong with that I learned while building microservices for a while it would be more convenient for me if I could…

Cover Image for Docker tips and tricks for your Go projects

Docker tips and tricks for your Go projects

MF

Marco Franssen /

In this blogpost I would like to show you some basic Docker setup I have been using so far in my Go projects. We will be looking at multi-stage Docker builds and how to utilize docker-compose. In a typical project setup in Go you would most probably start with a file main.go. In addition to that I usually add a Dockerfile for building a Docker image and a docker-compose file to easily spin up my dependencies like databases and queues. To start we create a new folder to work in and initiales th…

Cover Image for Go webserver with graceful shutdown

Go webserver with graceful shutdown

MF

Marco Franssen /

In this blogpost I want to show you how you can make a http webserver in Go with gracefull shutdown. Using this approach you allow the server to clean up some resources before it actually shuts down. Think about finishing a database transaction or some other long operation. We will be using the things we learned in my blogpost on concurency. So expect to see channels and go routines as part of the solution. When I create new http servers I usually start with an commandline flag to provide the p…