Skip to content

Commit

Permalink
Osquerybeat: Runner and Fetcher unit tests (#28290) (#28333)
Browse files Browse the repository at this point in the history
* Runner and Fetcher unit tests

* Fix header formatting

* Tweak test

(cherry picked from commit 4acdaa7)

Co-authored-by: Aleksandr Maus <aleksandr.maus@elastic.co>
  • Loading branch information
mergify[bot] and aleksmaus committed Oct 11, 2021
1 parent b532f7a commit e1f9289
Show file tree
Hide file tree
Showing 4 changed files with 191 additions and 7 deletions.
87 changes: 84 additions & 3 deletions x-pack/osquerybeat/beater/osquery_runner_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,8 @@ import (

"golang.org/x/sync/errgroup"

"github.com/google/go-cmp/cmp"

"github.com/elastic/beats/v7/libbeat/logp"
"github.com/elastic/beats/v7/x-pack/osquerybeat/internal/config"
"github.com/elastic/beats/v7/x-pack/osquerybeat/internal/osqd"
Expand Down Expand Up @@ -84,13 +86,92 @@ func TestOsqueryRunnerCancellable(t *testing.T) {
}

// Cancel
go func() {
cn()
}()
cn()

// Wait for runner stop
er := waitGroupWithTimeout(parentCtx, g, to)
if er != nil && !errors.Is(er, context.Canceled) {
t.Fatal("failed running:", er)
}
}

func TestOsqueryRunnerRestart(t *testing.T) {
to := 10 * time.Second

parentCtx := context.Background()
logger := logp.NewLogger("osquery_runner")

runCh := make(chan struct{}, 1)

var runs int

runfn := func(ctx context.Context, flags osqd.Flags, inputCh <-chan []config.InputConfig) error {
runs++
runCh <- struct{}{}
<-ctx.Done()
return nil
}

ctx, cn := context.WithCancel(parentCtx)
defer cn()

g, ctx := errgroup.WithContext(ctx)

// Start runner
runner := newOsqueryRunner(logger)
g.Go(func() error {
return runner.Run(ctx, runfn)
})

// Sent input that will start the runner function
runner.Update(ctx, nil)

// Wait for runner start
err := waitForStart(ctx, runCh, to)
if err != nil {
t.Fatal("failed starting:", err)
}

inputConfigs := []config.InputConfig{
{
Osquery: &config.OsqueryConfig{
Options: map[string]interface{}{
"foo": "bar",
},
},
},
}

// Update flags, this should restart the run function
runner.Update(ctx, inputConfigs)

// Should get another run
err = waitForStart(ctx, runCh, to)
if err != nil {
t.Fatal("failed starting after flags update:", err)
}

// Update with the same flags, should not restart the runner function
runner.Update(ctx, inputConfigs)

// Should timeout on waiting for another run
err = waitForStart(ctx, runCh, 300*time.Millisecond)
if err != context.DeadlineExceeded {
t.Fatal("unexpected error type after update with the same flags:", err)
}

// Cancel
cn()

// Wait for runner stop
er := waitGroupWithTimeout(parentCtx, g, to)
if er != nil && !errors.Is(er, context.Canceled) {
t.Fatal("failed running:", er)
}

// Check that there were total of 2 executions of run function
diff := cmp.Diff(2, runs)
if diff != "" {
t.Error(diff)
}
}
16 changes: 13 additions & 3 deletions x-pack/osquerybeat/internal/fetch/fetch.go
Original file line number Diff line number Diff line change
Expand Up @@ -5,21 +5,31 @@
package fetch

import (
"context"
"fmt"
"io/ioutil"
"log"
"net/http"
"os"
"strings"

"github.com/elastic/beats/v7/x-pack/osquerybeat/internal/hash"
)

func Download(url, fp string) (hashout string, err error) {
// Download downloads the osquery distro package
// writes the content into a given filepath
// returns the sha256 hash
func Download(ctx context.Context, url, fp string) (hashout string, err error) {
log.Printf("Download %s to %s", url, fp)

cli := http.Client{}

res, err := cli.Get(url)
req, err := http.NewRequestWithContext(ctx, "GET", url, nil)
if err != nil {
return
}

res, err := cli.Do(req)
if err != nil {
return
}
Expand All @@ -32,7 +42,7 @@ func Download(url, fp string) (hashout string, err error) {
if err != nil {
log.Printf("Failed to read the error response body: %v", err)
} else {
s = string(b)
s = strings.TrimSpace(string(b))
}
return hashout, fmt.Errorf("failed fetch %s, status: %d, message: %s", url, res.StatusCode, s)
}
Expand Down
92 changes: 92 additions & 0 deletions x-pack/osquerybeat/internal/fetch/fetch_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,92 @@
// Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
// or more contributor license agreements. Licensed under the Elastic License;
// you may not use this file except in compliance with the Elastic License.

package fetch

import (
"context"
"net/http"
"net/http/httptest"
"os"
"testing"

"github.com/gofrs/uuid"
"github.com/google/go-cmp/cmp"
)

func TestDownload(t *testing.T) {
ctx := context.Background()

localFilePathUUID := func() string {
return uuid.Must(uuid.NewV4()).String()
}
tests := []struct {
Name string
Path string
LocalFilePath string
Status int
Payload string
Hash string
ErrStr string
}{
{
Name: "Http OK",
Path: "/ok",
LocalFilePath: localFilePathUUID(),
Status: http.StatusOK,
Payload: "serenity now",
Hash: "d1071dfdfd6a5bdf08d9b110f664731cf327cc3d341038f0739699690b599281",
},
{
Name: "Http OK, empty local file path",
Path: "/ok2",
LocalFilePath: "",
Status: http.StatusOK,
Payload: "serenity now",
Hash: "d1071dfdfd6a5bdf08d9b110f664731cf327cc3d341038f0739699690b599281",
ErrStr: "no such file or directory",
},
{
Name: "Http not found",
Path: "/notfound",
LocalFilePath: localFilePathUUID(),
Payload: "file not found",
Status: http.StatusNotFound,
ErrStr: "file not found",
},
}

mux := http.NewServeMux()
for _, tc := range tests {
mux.HandleFunc(tc.Path, func(payload string, status int) func(w http.ResponseWriter, r *http.Request) {
return func(w http.ResponseWriter, r *http.Request) {
http.Error(w, payload, status)
}
}(tc.Payload, tc.Status))
}

svr := httptest.NewServer(mux)
defer svr.Close()

for _, tc := range tests {
t.Run(tc.Name, func(t *testing.T) {
hash, err := Download(ctx, svr.URL+tc.Path, tc.LocalFilePath)
defer os.Remove(tc.LocalFilePath)

if err != nil {
if tc.ErrStr == "" {
t.Fatal("unexpected download error:", err)
}
return
}

diff := cmp.Diff(tc.Hash, hash)
if diff != "" {
t.Fatal(diff)
}

})
}

}
3 changes: 2 additions & 1 deletion x-pack/osquerybeat/scripts/mage/distro.go
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@
package mage

import (
"context"
"errors"
"fmt"
"io/ioutil"
Expand Down Expand Up @@ -121,7 +122,7 @@ func checkCacheAndFetch(osarch distro.OSArch, spec distro.Spec) (fetched bool, e
log.Printf("Hash mismatch, expected: %s, got: %s.", specHash, fileHash)
}

fileHash, err = fetch.Download(url, fp)
fileHash, err = fetch.Download(context.Background(), url, fp)
if err != nil {
log.Printf("File %s fetch failed, err: %v", url, err)
return
Expand Down

0 comments on commit e1f9289

Please sign in to comment.