Skip to content
This repository has been archived by the owner on May 23, 2024. It is now read-only.

Support HTTP transport with jaeger.thrift #161

Merged
merged 3 commits into from
Jun 15, 2017
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
8 changes: 8 additions & 0 deletions jaeger_thrift_span.go
Original file line number Diff line number Diff line change
Expand Up @@ -49,6 +49,14 @@ func BuildJaegerThrift(span *Span) *j.Span {
return jaegerSpan
}

// BuildJaegerProcessThrift creates a thrift Process type.
func BuildJaegerProcessThrift(span *Span) *j.Process {
return &j.Process{
ServiceName: span.tracer.serviceName,
Tags: buildTags(span.tracer.tags),
}
}

func buildTags(tags []Tag) []*j.Tag {
jTags := make([]*j.Tag, 0, len(tags))
for _, tag := range tags {
Expand Down
161 changes: 161 additions & 0 deletions transport/http.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,161 @@
// Copyright (c) 2017 Uber Technologies, Inc.
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.

package transport

import (
"bytes"
"fmt"
"io"
"io/ioutil"
"net/http"
"time"

"github.com/apache/thrift/lib/go/thrift"

"github.com/uber/jaeger-client-go"
j "github.com/uber/jaeger-client-go/thrift-gen/jaeger"
)

// Default timeout for http request in seconds
const defaultHTTPTimeout = time.Second * 5

// HTTPTransport implements Transport by forwarding spans to a http server.
type HTTPTransport struct {
url string
client *http.Client
batchSize int
spans []*j.Span
process *j.Process
httpCredentials *HTTPBasicAuthCredentials
}

// HTTPBasicAuthCredentials stores credentials for HTTP basic auth.
type HTTPBasicAuthCredentials struct {
username string
password string
}

// HTTPOption sets a parameter for the HttpCollector
type HTTPOption func(c *HTTPTransport)

// HTTPTimeout sets maximum timeout for http request.
func HTTPTimeout(duration time.Duration) HTTPOption {
return func(c *HTTPTransport) { c.client.Timeout = duration }
}

// HTTPBatchSize sets the maximum batch size, after which a collect will be
// triggered. The default batch size is 100 spans.
func HTTPBatchSize(n int) HTTPOption {
return func(c *HTTPTransport) { c.batchSize = n }
}

// HTTPBasicAuth sets the credentials required to perform HTTP basic auth
func HTTPBasicAuth(username string, password string) HTTPOption {
return func(c *HTTPTransport) {
c.httpCredentials = &HTTPBasicAuthCredentials{username: username, password: password}
}
}

// NewHTTPTransport returns a new HTTP-backend transport. url should be an http
// url of the collector to handle POST request, typically something like:
// http://hostname:14268/api/traces?format=jaeger.thrift
func NewHTTPTransport(url string, options ...HTTPOption) *HTTPTransport {
c := &HTTPTransport{
url: url,
client: &http.Client{Timeout: defaultHTTPTimeout},
batchSize: 100,
spans: []*j.Span{},
}

for _, option := range options {
option(c)
}
return c
}

// Append implements Transport.
func (c *HTTPTransport) Append(span *jaeger.Span) (int, error) {
if c.process == nil {
c.process = jaeger.BuildJaegerProcessThrift(span)
}
jSpan := jaeger.BuildJaegerThrift(span)
c.spans = append(c.spans, jSpan)
if len(c.spans) >= c.batchSize {
return c.Flush()
}
return 0, nil
}

// Flush implements Transport.
func (c *HTTPTransport) Flush() (int, error) {
count := len(c.spans)
if count == 0 {
return 0, nil
}
err := c.send(c.spans)
c.spans = c.spans[:0]
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

my race condition senses are tingling

Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

the transport is meant to be used from one goroutine by the reporter

return count, err
}

// Close implements Transport.
func (c *HTTPTransport) Close() error {
return nil
}

func (c *HTTPTransport) send(spans []*j.Span) error {
batch := &j.Batch{
Spans: spans,
Process: c.process,
}
body, err := serializeThrift(batch)
if err != nil {
return err
}
req, err := http.NewRequest("POST", c.url, body)
if err != nil {
return err
}
req.Header.Set("Content-Type", "application/x-thrift")

if c.httpCredentials != nil {
req.SetBasicAuth(c.httpCredentials.username, c.httpCredentials.password)
}

resp, err := c.client.Do(req)
if err != nil {
return err
}
io.Copy(ioutil.Discard, resp.Body)
resp.Body.Close()
if resp.StatusCode >= http.StatusBadRequest {
return fmt.Errorf("error from collector: %d", resp.StatusCode)
}
return nil
}

func serializeThrift(obj thrift.TStruct) (*bytes.Buffer, error) {
t := thrift.NewTMemoryBuffer()
p := thrift.NewTBinaryProtocolTransport(t)
if err := obj.Write(p); err != nil {
return nil, err
}
return t.Buffer, nil
}
161 changes: 161 additions & 0 deletions transport/http_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,161 @@
// Copyright (c) 2017 Uber Technologies, Inc.
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
// THE SOFTWARE.

package transport

import (
"io/ioutil"
"net/http"
"sync"
"testing"
"time"

"github.com/apache/thrift/lib/go/thrift"
"github.com/stretchr/testify/assert"

"github.com/uber/jaeger-client-go"
j "github.com/uber/jaeger-client-go/thrift-gen/jaeger"
)

func TestHTTPTransport(t *testing.T) {
server := newHTTPServer(t)
httpUsername := "Bender"
httpPassword := "Rodriguez"
sender := NewHTTPTransport(
"http://localhost:10000/api/v1/spans",
HTTPBatchSize(1),
HTTPBasicAuth(httpUsername, httpPassword),
)

tracer, closer := jaeger.NewTracer(
"test",
jaeger.NewConstSampler(true),
jaeger.NewRemoteReporter(sender),
)
defer closer.Close()

span := tracer.StartSpan("root")
span.Finish()

// Need to yield to the select loop to accept the send request, and then
// yield again to the send operation to write to the socket. I think the
// best way to do that is just give it some time.

deadline := time.Now().Add(2 * time.Second)
for {
if time.Now().After(deadline) {
t.Fatal("never received a span")
}
if want, have := 1, len(server.getBatches()); want != have {
time.Sleep(time.Millisecond)
continue
}
break
}

srcSpanCtx := span.Context().(jaeger.SpanContext)
gotBatch := server.getBatches()[0]
assert.Len(t, gotBatch.Spans, 1)
assert.Equal(t, "test", gotBatch.Process.ServiceName)
gotSpan := gotBatch.Spans[0]
assert.Equal(t, "root", gotSpan.OperationName)
assert.EqualValues(t, srcSpanCtx.TraceID().High, gotSpan.TraceIdHigh)
assert.EqualValues(t, srcSpanCtx.TraceID().Low, gotSpan.TraceIdLow)
assert.EqualValues(t, srcSpanCtx.SpanID(), gotSpan.SpanId)
assert.Equal(t,
&HTTPBasicAuthCredentials{username: httpUsername, password: httpPassword},
server.authCredentials[0],
)
}

func TestHTTPOptions(t *testing.T) {
sender := NewHTTPTransport(
"some url",
HTTPBatchSize(123),
HTTPTimeout(123*time.Millisecond),
)
assert.Equal(t, 123, sender.batchSize)
assert.Equal(t, 123*time.Millisecond, sender.client.Timeout)
}

type httpServer struct {
t *testing.T
batches []*j.Batch
authCredentials []*HTTPBasicAuthCredentials
mutex sync.RWMutex
}

func (s *httpServer) getBatches() []*j.Batch {
s.mutex.RLock()
defer s.mutex.RUnlock()
return s.batches
}

func (s *httpServer) credentials() []*HTTPBasicAuthCredentials {
s.mutex.RLock()
defer s.mutex.RUnlock()
return s.authCredentials
}

func newHTTPServer(t *testing.T) *httpServer {
server := &httpServer{
t: t,
batches: make([]*j.Batch, 0),
authCredentials: make([]*HTTPBasicAuthCredentials, 0),
mutex: sync.RWMutex{},
}
http.HandleFunc("/api/v1/spans", func(w http.ResponseWriter, r *http.Request) {
contextType := r.Header.Get("Content-Type")
if contextType != "application/x-thrift" {
t.Errorf(
"except Content-Type should be application/x-thrift, but is %s",
contextType)
return
}

body, err := ioutil.ReadAll(r.Body)
if err != nil {
t.Error(err)
return
}
buffer := thrift.NewTMemoryBuffer()
if _, err = buffer.Write(body); err != nil {
t.Error(err)
return
}
transport := thrift.NewTBinaryProtocolTransport(buffer)
batch := &j.Batch{}
if err = batch.Read(transport); err != nil {
t.Error(err)
return
}
server.mutex.Lock()
defer server.mutex.Unlock()
server.batches = append(server.batches, batch)
u, p, _ := r.BasicAuth()
server.authCredentials = append(server.authCredentials, &HTTPBasicAuthCredentials{username: u, password: p})
})

go func() {
http.ListenAndServe(":10000", nil)
}()

return server
}
5 changes: 1 addition & 4 deletions transport_udp.go
Original file line number Diff line number Diff line change
Expand Up @@ -89,10 +89,7 @@ func (s *udpSender) calcSizeOfSerializedThrift(thriftStruct thrift.TStruct) int

func (s *udpSender) Append(span *Span) (int, error) {
if s.process == nil {
s.process = &j.Process{
ServiceName: span.tracer.serviceName,
Tags: buildTags(span.tracer.tags),
}
s.process = BuildJaegerProcessThrift(span)
s.processByteSize = s.calcSizeOfSerializedThrift(s.process)
s.byteBufferSize += s.processByteSize
}
Expand Down