Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Support uploading traces to UI in OpenTelemetry format (OTLP JSON) #5155

Merged
merged 14 commits into from
Feb 14, 2024
Merged
Show file tree
Hide file tree
Changes from 10 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
52 changes: 52 additions & 0 deletions cmd/query/app/fixture/otlp2jaeger-in.json
Original file line number Diff line number Diff line change
@@ -0,0 +1,52 @@
{
"resourceSpans":[
{
"resource":{
"attributes":[
{
"key":"service.name",
"value":{
"stringValue":"telemetrygen"
}
}
]
},
"scopeSpans":[
{
"scope":{
"name":"telemetrygen"
},
"spans":[
{
"traceId":"83a9efd15c1c98a977e0711cc93ee28b",
"spanId":"e127af99e3b3e074",
"parentSpanId":"909541b92cf05311",
"name":"okey-dokey-0",
"kind":2,
"startTimeUnixNano":"1706678909209712000",
"endTimeUnixNano":"1706678909209835000",
"attributes":[
{
"key":"net.peer.ip",
"value":{
"stringValue":"1.2.3.4"
}
},
{
"key":"peer.service",
"value":{
"stringValue":"telemetrygen-client"
}
}
],
"status":{

}
}
]
}
],
"schemaUrl":"https://opentelemetry.io/schemas/1.4.0"
}
]
}
1 change: 1 addition & 0 deletions cmd/query/app/fixture/otlp2jaeger-out.json
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
{"data":[{"traceID":"83a9efd15c1c98a977e0711cc93ee28b","spans":[{"traceID":"83a9efd15c1c98a977e0711cc93ee28b","spanID":"e127af99e3b3e074","operationName":"okey-dokey-0","references":[{"refType":"CHILD_OF","traceID":"83a9efd15c1c98a977e0711cc93ee28b","spanID":"909541b92cf05311"}],"startTime":1706678909209712,"duration":123,"tags":[{"key":"otel.library.name","type":"string","value":"telemetrygen"},{"key":"net.peer.ip","type":"string","value":"1.2.3.4"},{"key":"peer.service","type":"string","value":"telemetrygen-client"},{"key":"span.kind","type":"string","value":"server"}],"logs":[],"processID":"p1","warnings":null}],"processes":{"p1":{"serviceName":"telemetrygen","tags":[]}},"warnings":null}],"total":0,"limit":0,"offset":0,"errors":null}
32 changes: 32 additions & 0 deletions cmd/query/app/http_handler.go
Original file line number Diff line number Diff line change
Expand Up @@ -20,6 +20,7 @@
"encoding/json"
"errors"
"fmt"
"io"
"net/http"
"net/url"
"strconv"
Expand Down Expand Up @@ -128,6 +129,7 @@
aH.handleFunc(router, aH.getOperations, "/operations").Methods(http.MethodGet)
// TODO - remove this when UI catches up
aH.handleFunc(router, aH.getOperationsLegacy, "/services/{%s}/operations", serviceParam).Methods(http.MethodGet)
aH.handleFunc(router, aH.transformOTLP, "/transform").Methods(http.MethodPost)
aH.handleFunc(router, aH.dependencies, "/dependencies").Methods(http.MethodGet)
aH.handleFunc(router, aH.latencies, "/metrics/latencies").Methods(http.MethodGet)
aH.handleFunc(router, aH.calls, "/metrics/calls").Methods(http.MethodGet)
Expand Down Expand Up @@ -193,6 +195,36 @@
aH.writeJSON(w, r, &structuredRes)
}

func (aH *APIHandler) transformOTLP(w http.ResponseWriter, r *http.Request) {
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
body, err := io.ReadAll(r.Body)
if aH.handleError(w, err, http.StatusBadRequest) {
return
}

var uiErrors []structuredError
traces, err := otlp2traces(body)

if aH.handleError(w, err, http.StatusInternalServerError) {
return
}

uiTraces := make([]*ui.Trace, len(traces))

for i, v := range traces {
uiTrace, uiErr := aH.convertModelToUI(v, false)
if uiErr != nil {
uiErrors = append(uiErrors, *uiErr)
}

Check warning on line 217 in cmd/query/app/http_handler.go

View check run for this annotation

Codecov / codecov/patch

cmd/query/app/http_handler.go#L216-L217

Added lines #L216 - L217 were not covered by tests
uiTraces[i] = uiTrace
}

structuredRes := structuredResponse{
Data: uiTraces,
Errors: uiErrors,
}
aH.writeJSON(w, r, structuredRes)
}

func (aH *APIHandler) getOperations(w http.ResponseWriter, r *http.Request) {
service := r.FormValue(serviceParam)
if service == "" {
Expand Down
42 changes: 42 additions & 0 deletions cmd/query/app/http_handler_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -56,6 +56,15 @@ import (

const millisToNanosMultiplier = int64(time.Millisecond / time.Nanosecond)

type IoReaderMock struct {
mock.Mock
}

func (m *IoReaderMock) Read(b []byte) (int, error) {
args := m.Called(b)
return args.Int(0), args.Error(1)
}

var (
errStorageMsg = "storage error"
errStorage = errors.New(errStorageMsg)
Expand Down Expand Up @@ -623,6 +632,39 @@ func TestGetOperationsLegacyStorageFailure(t *testing.T) {
require.Error(t, err)
}

func TestTransformOTLPSuccess(t *testing.T) {
withTestServer(func(ts *testServer) {
requestBytes := readOTLPTraces(t)

resp, err := ts.server.Client().Post(ts.server.URL+"/api/transform", "application/json", bytes.NewReader(requestBytes))
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
require.NoError(t, err)

responseBytes, err := io.ReadAll(resp.Body)
require.NoError(t, err)

corectResponseBytes := readJaegerTraces(t)
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
assert.Equal(t, corectResponseBytes, responseBytes)
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
}, querysvc.QueryServiceOptions{})
}

func TestTransformOTLPReadError(t *testing.T) {
withTestServer(func(ts *testServer) {
bytesReader := &IoReaderMock{}
bytesReader.On("Read", mock.AnythingOfType("[]uint8")).Return(0, errors.New("Mocked error"))
_, err := ts.server.Client().Post(ts.server.URL+"/api/transform", "application/json", bytesReader)
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
require.Error(t, err)
}, querysvc.QueryServiceOptions{})
}

func TestTransformOTLPEmptyFailure(t *testing.T) {
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
withTestServer(func(ts *testServer) {
response := new(interface{})
request := ""
err := postJSON(ts.server.URL+"/api/transform", request, response)
require.Error(t, err)
NavinShrinivas marked this conversation as resolved.
Show resolved Hide resolved
}, querysvc.QueryServiceOptions{})
}

func TestGetMetricsSuccess(t *testing.T) {
mr := &metricsmocks.Reader{}
apiHandlerOptions := []HandlerOption{
Expand Down
55 changes: 55 additions & 0 deletions cmd/query/app/otlp_translator.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,55 @@
// Copyright (c) 2024 The Jaeger Authors.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.

package app

import (
"fmt"

model2otel "github.com/open-telemetry/opentelemetry-collector-contrib/pkg/translator/jaeger"
"go.opentelemetry.io/collector/pdata/ptrace"

"github.com/jaegertracing/jaeger/model"
)

func otlp2traces(otlpSpans []byte) ([]*model.Trace, error) {
ptraceUnmarshaler := ptrace.JSONUnmarshaler{}
otlpTraces, err := ptraceUnmarshaler.UnmarshalTraces(otlpSpans)
if err != nil {
return nil, fmt.Errorf("cannot unmarshal OTLP : %w", err)
}
jaegerBatches, _ := model2otel.ProtoFromTraces(otlpTraces)
// ProtoFromTraces will not give an error

var traces []*model.Trace
traceMap := make(map[model.TraceID]*model.Trace)
for _, batch := range jaegerBatches {
for _, span := range batch.Spans {
if span.Process == nil {
span.Process = batch.Process
}
trace, ok := traceMap[span.TraceID]
if !ok {
newtrace := model.Trace{
Spans: []*model.Span{span},
}
traceMap[span.TraceID] = &newtrace
traces = append(traces, &newtrace)
} else {
trace.Spans = append(trace.Spans, span)
}

Check warning on line 51 in cmd/query/app/otlp_translator.go

View check run for this annotation

Codecov / codecov/patch

cmd/query/app/otlp_translator.go#L50-L51

Added lines #L50 - L51 were not covered by tests
}
}
return traces, nil
}
33 changes: 33 additions & 0 deletions cmd/query/app/otlp_translator_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,33 @@
// Copyright (c) 2024 The Jaeger Authors.
// SPDX-License-Identifier: Apache-2.0

package app

import (
"os"
"testing"

"github.com/stretchr/testify/require"
)

func readOTLPTraces(t *testing.T) []byte {
dat, err := os.ReadFile("./fixture/otlp2jaeger-in.json")
require.NoError(t, err)
return dat[:len(dat)-1]
// As we compare as bytes in fixtures we have to trim the EOF char
}

func readJaegerTraces(t *testing.T) []byte {
dat, err := os.ReadFile("./fixture/otlp2jaeger-out.json")
require.NoError(t, err)
return dat[:len(dat)-1]
// As we compare as bytes in fixtures we have to trim the EOF char
// We also have to make sure the JSON output expected doesnt have any formatting
}

func TestOtlp2Traces(t *testing.T) {
OTLPTraces := readOTLPTraces(t)
_, err := otlp2traces(OTLPTraces)
require.NoError(t, err)
// Correctness of outputs wrt fixtures are tested while testing http endpoints
}
Loading