Building a Connector
You are viewing the English version of this page because it has not yet been fully translated. Interested in helping out? See Contributing.
Connectors in OpenTelemetry
The content of this page is most applicable if you already have an instrumented application generating some kind of tracing telemetry data and already have an understanding of the OpenTelemetry Collector.
What is a Connector?
A connector acts as the means of sending telemetry data between different collector pipelines by connecting them. A connector acts as an exporter to one pipeline and a receiver to another. Each pipeline in the OpenTelemetry Collector acts on one type of telemetry data. There may exist the need to process one form of telemetry data into another one, but it is required to route the according data to its proper collector pipeline.
Why use a Connector?
The connector is beneficial at merging, routing and replicating data streams. Along with sequential pipelining, which is to connect pipelines together, the connector component is capable of conditional data flow and generated data streams. Conditional data flow means sending data to the highest priority pipeline and has error detection to route to alternative pipeline if need be. Generated data streams means that the component generates and emits its own data based on the received data. This tutorial emphasizes on the connector’s ability to connect pipelines.
There are processors in OpenTelemetry that convert telemetry data of one type into another one. A few examples are the spanmetrics processor, as well as the servicegraph processor. The spanmetrics processor generates aggregate requests, error and duration metrics from span data. The servicegraph processor analyzes trace data and generates metrics that describe the relationship between the services. Both these processors ingest trace data and convert them to metrics data. Since pipelines in the OpenTelemetry Collector are for only one type of data, it is necessary to convert the trace data from the processor in the traces pipeline and send it to the metrics pipeline. Historically, some processors transmitted data by making use of a workaround that follows a bad practice where a processor directly exports data after processing. The connector component solves the need for this workaround and the processors that used the workaround have been deprecated. On the same line, above mentioned processors are also now deprecated in recent releases and are replaced by the connectors.
Additional details about the connector’s full capabilities can be found at the following links: What are Connectors in OpenTelemetry?, OpenTelemetry Connector Configurations
The Old Architecture:
New Architecture Using a Connector:
Building Example Connector
For this tutorial, we will write an example connector that takes traces and converts them into metrics as a basic example of how the connector component in OpenTelemetry functions. The functionality of the basic connector is to simply count the number of spans in traces that contain a specific attribute name. The count of these occurrences are stored in the connector.
Configurations
Setting up Collector Config:
Setup the configuration you will use for the OpenTelemetry Collector in the
config.yaml file. This file defines how your data will be routed, processed
and exported. The configurations defined in the file, detail how you want your
data pipeline to behave. You can define the components and how the data moves
through your defined pipeline from start to end. There are further details about
how to configure a collector at
Collector Configurations.
Use the following code for the example connector we will build. The code is an example of a basic valid OpenTelemetry Collector configuration file.
receivers:
  otlp:
    protocols:
      grpc:
        endpoint: 0.0.0.0:4317
      http:
        endpoint: 0.0.0.0:4318
exporters:
  # NOTE: Prior to v0.86.0 use the `logging` instead of `debug`.
  debug:
connectors:
  example:
service:
  pipelines:
    traces:
      receivers: [otlp]
      exporters: [example]
    metrics:
      receivers: [example]
      exporters: [debug]
In the connectors portion of the above code, you need to declare the names of
the usable connectors for your pipeline. Here, example is the name of the
connector we will create in this tutorial.
Implementation
- Create a folder for your example connector. In this tutorial we will create a folder called - exampleconnector.
- Navigate to the folder and run - go mod init github.com/gord02/exampleconnector
- Run - go mod tidy- This will create files - go.modand- go.sum.
- Create the following files in the folder - config.go- A file to define the connector’s settings
- factory.go- A file to create instances of the connector
 
Create your connector settings in config.go
In order to be instantiated and participate in pipelines, the collector needs to identify your connector and properly load its settings from within its configuration file.
In order to be able to give your connector access to its settings, create a
Config struct. The struct must have an exported field for each of the
connector’s settings. The parameter fields added will be accessible from the
config.yaml file. Their name in the configuration file is set through a struct
tag. Create struct and add parameters. You can optionally add a validator
function to check if the given default values are valid for an instance of your
connector.
Here is what the config.go file should look like:
exampleconnector/config.go
package exampleconnector
import "fmt"
// Config represents the connector config settings within the collector's config.yaml
type Config struct {
    AttributeName string `mapstructure:"attribute_name"`
}
func (c *Config) Validate() error {
    if c.AttributeName == "" {
        return fmt.Errorf("attribute_name must not be empty")
    }
    return nil
}
Further details about mapstructure can be found at Go mapstructure.
Implement the Factory
To instantiate the object, you will need to use the NewFactory function
associated with each of the components. We will use the connector.NewFactory
function. The connector.NewFactory function instantiates and returns a
connector.Factory and it requires the following parameters:
- component.Type: a unique string identifier for your connector across all collector’s components of the same type. This string also acts as the name to refer to the connector by.
- component.CreateDefaultConfigFunc: a reference to a function that returns the default- component.Configinstance for your connector.
- ...FactoryOption: the slice of- connector.FactoryOptionswill determine what type of signal your connector is capable of processing.
- Create factory.go file and define the unique string to identify your connector as a global constant. - const defaultVal string = "request.n" // Type is the component type name for this connector var Type = component.MustNewType("example")
- Create the default configuration function. This is how you choose to initialize your connector object with default values. - func createDefaultConfig() component.Config { return &Config{ AttributeName: defaultVal, } }
- Define the type of the connector you will work with. This will be passed as a factory option. A connector can connect pipelines of different or similar types. We have to define the type of the exported end of the connector and the receiver end of the connector. A connector that exports traces and receives metrics is just one distinct configuration of the connector component and the order of how it is defined matters. A connector that exporters traces and receives metrics is not the same as a connector that could export metrics and receive traces. - // createTracesToMetricsConnector defines the consumer type of the connector // We want to consume traces and export metrics, therefore, define nextConsumer as metrics, since consumer is the next component in the pipeline func createTracesToMetricsConnector(ctx context.Context, params connector.Settings, cfg component.Config, nextConsumer consumer.Metrics) (connector.Traces, error) { return newConnector(params.Logger, cfg, nextConsumer) }- createTracesToMetricsConnectoris a function that further initializes the connector component by defining its consumer component, or the next component to ingest the data after the connector transmits the data. It should be noted that the connector is not restricted to one ordered combination of types like we have here. For example, the count connector defines several of these functions for traces to metrics, logs to metrics and metrics to metrics.- Parameters for the - createTracesToMetricsConnector:- context.Context: the reference to the collector’s- context.Contextso your trace receiver can properly manage its execution context.
- connector.CreateSettings: the reference to some of the collector’s settings under which your receiver is created.
- component.Config: the reference for the receiver config settings passed by the collector to the factory so it can properly read its settings from the collector config.
- consumer.Metrics: the reference to the next consumer type in the pipeline, which is where received traces will go. This can be a processor, exporter or another connector.
 
- Write a - NewFactoryfunction that instantiates your custom factory for your connector(component).- // NewFactory creates a factory for example connector. func NewFactory() connector.Factory { // OpenTelemetry connector factory to make a factory for connectors return connector.NewFactory( Type, createDefaultConfig, connector.WithTracesToMetrics(createTracesToMetricsConnector, component.StabilityLevelAlpha)) }- It should be noted that connectors can support multiple ordered combinations of data types. 
Once finished, here is factory.go:
package exampleconnector
import (
	"context"
	"go.opentelemetry.io/collector/component"
	"go.opentelemetry.io/collector/connector"
	"go.opentelemetry.io/collector/consumer"
)
const defaultVal string = "request.n"
// Type is the component type name for this connector
var Type = component.MustNewType("example")
// NewFactory creates a factory for example connector.
func NewFactory() connector.Factory {
	// OpenTelemetry connector factory to make a factory for connectors
	return connector.NewFactory(
		Type,
		createDefaultConfig,
		connector.WithTracesToMetrics(createTracesToMetricsConnector, component.StabilityLevelAlpha))
}
func createDefaultConfig() component.Config {
	return &Config{
		AttributeName: defaultVal,
	}
}
// createTracesToMetricsConnector defines the consumer type of the connector
// We want to consume traces and export metrics, therefore, define nextConsumer as metrics, since consumer is the next component in the pipeline
func createTracesToMetricsConnector(ctx context.Context, params connector.Settings, cfg component.Config, nextConsumer consumer.Metrics) (connector.Traces, error) {
	return newConnector(params.Logger, cfg, nextConsumer)
}
Implementing the Trace Connector
Implement the methods from the interface component specific to the type of the
component in the connector.go file. In this tutorial we will implement the
Traces connector and therefore must implement the interfaces: baseConsumer,
Traces and component.Component.
- Define the connector struct with the desired parameters for your connector - // schema for connector type connectorImp struct { config Config metricsConsumer consumer.Metrics logger *zap.Logger // Include these parameters if a specific implementation for the Start and Shutdown function are not needed component.StartFunc component.ShutdownFunc }
- Define the - newConnectorfunction to create a connector- // newConnector is a function to create a new connector func newConnector(logger *zap.Logger, config component.Config, nextConsumer consumer.Metrics) (*connectorImp, error) { logger.Info("Building exampleconnector connector") cfg := config.(*Config) return &connectorImp{ config: *cfg, logger: logger, metricsConsumer: nextConsumer, }, nil }- The - newConnectorfunction is a factory function to create an instance of a connector.
- Implement - Capabilitiesmethod to properly implement the interface- // Capabilities implements the consumer interface. func (c *connectorImp) Capabilities() consumer.Capabilities { return consumer.Capabilities{MutatesData: false} }- Implement the - Capabilitiesmethod to ensure your connector is of type consumer. This method defines the capabilities of the component, whether the component can mutate data or not. If- MutatesDatais set to true, it indicates that the connector mutates the data structures it is handed.
- Implement - Consumermethod to consume telemetry data- // ConsumeTraces method is called for each instance of a trace sent to the connector func (c *connectorImp) ConsumeTraces(ctx context.Context, td ptrace.Traces) error { // loop through the levels of spans of the one trace consumed for i := 0; i < td.ResourceSpans().Len(); i++ { resourceSpan := td.ResourceSpans().At(i) for j := 0; j < resourceSpan.ScopeSpans().Len(); j++ { scopeSpan := resourceSpan.ScopeSpans().At(j) for k := 0; k < scopeSpan.Spans().Len(); k++ { span := scopeSpan.Spans().At(k) attrs := span.Attributes() if _, ok := attrs.Get(c.config.AttributeName); ok { // create metric only if span of trace had the specific attribute metrics := pmetric.NewMetrics() return c.metricsConsumer.ConsumeMetrics(ctx, metrics) } } } } return nil }
- Optional: Implement - Startand- Shutdownmethods to properly implement the interface only if a specific implementation is required. Otherwise, it is enough to include- component.StartFuncand- component.ShutdownFuncas part of the defined connector struct.
The complete connector file should look like this:
exampleconnector/connector.go
package exampleconnector
import (
	"context"
	"go.uber.org/zap"
	"go.opentelemetry.io/collector/component"
	"go.opentelemetry.io/collector/consumer"
	"go.opentelemetry.io/collector/pdata/pmetric"
	"go.opentelemetry.io/collector/pdata/ptrace"
)
// schema for connector
type connectorImp struct {
	config          Config
	metricsConsumer consumer.Metrics
	logger          *zap.Logger
	// Include these parameters if a specific implementation for the Start and Shutdown function are not needed
	component.StartFunc
	component.ShutdownFunc
}
// newConnector is a function to create a new connector
func newConnector(logger *zap.Logger, config component.Config, nextConsumer consumer.Metrics) (*connectorImp, error) {
	logger.Info("Building exampleconnector connector")
	cfg := config.(*Config)
	return &connectorImp{
		config:          *cfg,
		logger:          logger,
		metricsConsumer: nextConsumer,
	}, nil
}
// Capabilities implements the consumer interface.
func (c *connectorImp) Capabilities() consumer.Capabilities {
	return consumer.Capabilities{MutatesData: false}
}
// ConsumeTraces method is called for each instance of a trace sent to the connector
func (c *connectorImp) ConsumeTraces(ctx context.Context, td ptrace.Traces) error {
	// loop through the levels of spans of the one trace consumed
	for i := 0; i < td.ResourceSpans().Len(); i++ {
		resourceSpan := td.ResourceSpans().At(i)
		for j := 0; j < resourceSpan.ScopeSpans().Len(); j++ {
			scopeSpan := resourceSpan.ScopeSpans().At(j)
			for k := 0; k < scopeSpan.Spans().Len(); k++ {
				span := scopeSpan.Spans().At(k)
				attrs := span.Attributes()
				if _, ok := attrs.Get(c.config.AttributeName); ok {
					// create metric only if span of trace had the specific attribute
					metrics := pmetric.NewMetrics()
					return c.metricsConsumer.ConsumeMetrics(ctx, metrics)
				}
			}
		}
	}
	return nil
}
Using the Component
Summary of Using OpenTelemetry Collector Builder:
You can use the OpenTelemetry Collector Builder to build your code and run it. The collector builder is a tool that enables you to build your own OpenTelemetry Collector binary. You can add or remove components (receivers, processors, connectors and exporters) to suit your needs.
- Follow the OpenTelemetry Collector Builder installation instructions. 
- Write a Configuration File: - Once installed, the next step is to create a configuration file - builder-config.yaml. This file defines the collector components you want to include in your custom binary.- Here is an example of the configuration file you can use featuring your new connector component: - dist: name: otelcol-dev-bin description: Basic OpenTelemetry collector distribution for Developers output_path: ./otelcol-dev exporters: - gomod: # Note: Prior to v0.86.0 use the `loggingexporter` instead of `debugexporter`. go.opentelemetry.io/collector/exporter/debugexporter v0.129.0 receivers: - gomod: go.opentelemetry.io/collector/receiver/otlpreceiver v0.129.0 # Not used in this tutorial, but can be added if needed for your use case # processors: connectors: - gomod: github.com/gord02/exampleconnector v0.129.0 replaces: # a list of "replaces" directives that will be part of the resulting go.mod # This replace statement is necessary since the newly added component is not found/published to GitHub yet. Replace references to GitHub path with the local path - github.com/gord02/exampleconnector => [PATH-TO-COMPONENT-CODE]/exampleconnector- It is necessary to include a replace statement. The replace section since your newly created component is not published to GitHub yet. The references to the GitHub path for your component will need to be replaced with the local path to your code. - There are further details on replacement in go at Go mod file Replace. 
- Build Your collector binary: - Run the builder while passing in the builder config file detailing the included connector component which will then build the custom collector binary: - ./ocb --config [PATH-TO-CONFIG]/builder-config.yaml- This will generate the collector binary in the specified output path directory that was in your config file. - When the build is successful, you should see output similar to: - ./ocb --config builder-config.yaml 2025-07-15T22:10:10.351+0900 INFO internal/command.go:99 OpenTelemetry Collector Builder {"version": "0.129.0"} 2025-07-15T22:10:10.352+0900 INFO internal/command.go:104 Using config file {"path": "builder-config.yaml"} 2025-07-15T22:10:10.353+0900 INFO builder/config.go:160 Using go {"go-executable": "/opt/homebrew/Cellar/go@1.23/1.23.6/bin/go"} 2025-07-15T22:10:10.354+0900 INFO builder/main.go:99 Sources created {"path": "./otelcol-dev"} 2025-07-15T22:10:10.516+0900 INFO builder/main.go:201 Getting go modules 2025-07-15T22:10:10.554+0900 INFO builder/main.go:110 Compiling 2025-07-15T22:10:13.369+0900 INFO builder/main.go:140 Compiled {"binary": "./otelcol-dev/otelcol-dev-bin"}
- Run Your collector binary: - Now you can run your custom collector binary using the binary path from step 3 output (e.g., - {"binary": "./otelcol-dev/otelcol-dev-bin"}):- ./otelcol-dev/otelcol-dev-bin --config [PATH-TO-CONFIG]/config.yaml- The output path name and name of dist is detailed in the - build-config.yaml.
Testing Your Connector
Now that you have built your example connector, let’s validate its functionality with unit tests. Go unit tests provide better coverage and are easier to maintain.
Writing Unit Tests
Create a test file connector_test.go in your connector directory:
exampleconnector/connector_test.go
package exampleconnector
import (
	"context"
	"testing"
	"github.com/stretchr/testify/assert"
	"github.com/stretchr/testify/require"
	"github.com/vibeus/opentelemetry-collector/confmap/xconfmap"
	"go.opentelemetry.io/collector/consumer/consumertest"
	"go.opentelemetry.io/collector/pdata/ptrace"
	"go.uber.org/zap"
)
func TestConsumeTraces(t *testing.T) {
	// Create a test consumer that captures metrics
	metricsConsumer := &consumertest.MetricsSink{}
	// Create connector with test configuration
	cfg := &Config{
		AttributeName: "request.n",
	}
	connector, err := newConnector(zap.NewNop(), cfg, metricsConsumer)
	require.NoError(t, err)
	ctx := context.Background()
	t.Run("span with target attribute generates metric", func(t *testing.T) {
		// Reset the consumer
		metricsConsumer.Reset()
		// Create trace data with target attribute
		traces := ptrace.NewTraces()
		resourceSpan := traces.ResourceSpans().AppendEmpty()
		scopeSpan := resourceSpan.ScopeSpans().AppendEmpty()
		span := scopeSpan.Spans().AppendEmpty()
		// Add the target attribute
		span.Attributes().PutStr("request.n", "test-value")
		span.Attributes().PutStr("http.method", "GET")
		// Consume the traces
		err := connector.ConsumeTraces(ctx, traces)
		require.NoError(t, err)
		// Verify metric was generated
		assert.Equal(t, 1, len(metricsConsumer.AllMetrics()))
	})
	t.Run("span without target attribute does not generate metric", func(t *testing.T) {
		// Reset the consumer
		metricsConsumer.Reset()
		// Create trace data without target attribute
		traces := ptrace.NewTraces()
		resourceSpan := traces.ResourceSpans().AppendEmpty()
		scopeSpan := resourceSpan.ScopeSpans().AppendEmpty()
		span := scopeSpan.Spans().AppendEmpty()
		// Add other attributes but not the target one
		span.Attributes().PutStr("http.method", "POST")
		span.Attributes().PutStr("user.id", "12345")
		// Consume the traces
		err := connector.ConsumeTraces(ctx, traces)
		require.NoError(t, err)
		// Verify no metric was generated
		assert.Equal(t, 0, len(metricsConsumer.AllMetrics()))
	})
	t.Run("multiple spans with mixed attributes", func(t *testing.T) {
		// Reset the consumer
		metricsConsumer.Reset()
		// Create trace data with multiple spans
		traces := ptrace.NewTraces()
		resourceSpan := traces.ResourceSpans().AppendEmpty()
		scopeSpan := resourceSpan.ScopeSpans().AppendEmpty()
		// First span with target attribute
		span1 := scopeSpan.Spans().AppendEmpty()
		span1.Attributes().PutStr("request.n", "value1")
		// Second span without target attribute
		span2 := scopeSpan.Spans().AppendEmpty()
		span2.Attributes().PutStr("other.attr", "value2")
		// Consume the traces
		err := connector.ConsumeTraces(ctx, traces)
		require.NoError(t, err)
		// Should generate exactly one metric (from first span only)
		assert.Equal(t, 1, len(metricsConsumer.AllMetrics()))
	})
}
func TestConnectorCapabilities(t *testing.T) {
	connector := &connectorImp{}
	capabilities := connector.Capabilities()
	assert.False(t, capabilities.MutatesData)
}
func TestCreateDefaultConfig(t *testing.T) {
	cfg := createDefaultConfig()
	assert.NotNil(t, cfg)
	exampleConfig := cfg.(*Config)
	assert.Equal(t, "request.n", exampleConfig.AttributeName)
}
func TestConfigValidation(t *testing.T) {
	t.Run("valid config", func(t *testing.T) {
		cfg := &Config{
			AttributeName: "test.attribute",
		}
		err := xconfmap.Validate(cfg)
		assert.NoError(t, err)
	})
	t.Run("invalid config - empty attribute name", func(t *testing.T) {
		cfg := &Config{
			AttributeName: "",
		}
		err := xconfmap.Validate(cfg)
		assert.Error(t, err)
		assert.Contains(t, err.Error(), "attribute_name must not be empty")
	})
}
Running the Tests
- Add test dependencies to your - go.mod:- go mod tidy
- Run the tests: - go test -cover -v ./...
Expected Test Output
When tests run successfully, you should see output similar to:
go test -cover -v ./...
=== RUN   TestConsumeTraces
=== RUN   TestConsumeTraces/span_with_target_attribute_generates_metric
=== RUN   TestConsumeTraces/span_without_target_attribute_does_not_generate_metric
=== RUN   TestConsumeTraces/multiple_spans_with_mixed_attributes
--- PASS: TestConsumeTraces (0.00s)
    --- PASS: TestConsumeTraces/span_with_target_attribute_generates_metric (0.00s)
    --- PASS: TestConsumeTraces/span_without_target_attribute_does_not_generate_metric (0.00s)
    --- PASS: TestConsumeTraces/multiple_spans_with_mixed_attributes (0.00s)
=== RUN   TestConnectorCapabilities
--- PASS: TestConnectorCapabilities (0.00s)
=== RUN   TestCreateDefaultConfig
--- PASS: TestCreateDefaultConfig (0.00s)
=== RUN   TestConfigValidation
=== RUN   TestConfigValidation/valid_config
=== RUN   TestConfigValidation/invalid_config_-_empty_attribute_name
--- PASS: TestConfigValidation (0.00s)
    --- PASS: TestConfigValidation/valid_config (0.00s)
    --- PASS: TestConfigValidation/invalid_config_-_empty_attribute_name (0.00s)
PASS
coverage: 90.5% of statements
ok      github.com/gord02/exampleconnector      0.501s  coverage: 90.5% of statements
These unit tests provide comprehensive coverage of your connector’s functionality and are the recommended approach for validating component behavior in the OpenTelemetry Collector ecosystem.
Additional resources on the OpenTelemetry Collector Builder:
- Building a custom collector
- OpenTelemetry Collector Builder README
- Connected Observability Pipelines in the OpenTelemetry Collector by Dan Jaglowski
- Connector README
Feedback
Was this page helpful?
Thank you. Your feedback is appreciated!
Please let us know how we can improve this page. Your feedback is appreciated!