Skip to content

Commit

Permalink
add openetelemetry_info to user_params
Browse files Browse the repository at this point in the history
Signed-off-by: Harsh Modi <hmodi@redhat.com>
  • Loading branch information
hjmodi committed Sep 11, 2023
1 parent 2bd03f4 commit eadd01e
Show file tree
Hide file tree
Showing 10 changed files with 130 additions and 6 deletions.
4 changes: 2 additions & 2 deletions .github/workflows/unittests.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -18,12 +18,12 @@ jobs:
matrix:
os:
- name: fedora
version: 32
version: 36
python: 3
engine: docker

- name: fedora
version: 33
version: 37
python: 3
engine: docker

Expand Down
22 changes: 22 additions & 0 deletions osbs/api.py
Original file line number Diff line number Diff line change
Expand Up @@ -16,6 +16,8 @@
from typing import Any, Dict
from string import Template

from otel_extensions import instrumented

from osbs.build.user_params import (
BuildUserParams,
SourceContainerUserParams
Expand All @@ -27,6 +29,7 @@
from osbs.utils.labels import Labels
# import utils in this way, so that we can mock standalone functions with flexmock
from osbs import utils
from osbs.utils.otel import get_current_traceparent, init_otel


def _load_pipeline_from_template(pipeline_run_path, substitutions):
Expand Down Expand Up @@ -299,6 +302,15 @@ def create_binary_container_pipeline_run(self,

req_labels = self._check_labels(repo_info)

if 'traceparent' in kwargs:
# we are effectively making current span as parent here
# if the traceparent is not updated then child call will
# be linked to the parent of current call
traceparent = get_current_traceparent()
kwargs.update({
'traceparent': traceparent
})

user_params = self.get_user_params(
base_image=repo_info.base_image,
component=component,
Expand All @@ -309,6 +321,7 @@ def create_binary_container_pipeline_run(self,
req_labels=req_labels,
repo_info=repo_info,
operator_csv_modifications_url=operator_csv_modifications_url,
otel_url=self.os_conf.get_otel_url(),
**kwargs)

self._checks_for_isolated(user_params)
Expand Down Expand Up @@ -371,11 +384,20 @@ def create_source_container_pipeline_run(self,
if error_messages:
raise OsbsValidationException(", ".join(error_messages))

if 'traceparent' in kwargs:
# we are effectively making current span as parent here
# if the traceparent is not updated then child call will
# be linked to the parent of current call
traceparent = get_current_traceparent()
kwargs.update({
'traceparent': traceparent
})
user_params = SourceContainerUserParams.make_params(
build_conf=self.os_conf,
component=component,
koji_target=target,
koji_task_id=koji_task_id,
otel_url=self.os_conf.get_otel_url(),
**kwargs
)

Expand Down
15 changes: 15 additions & 0 deletions osbs/build/user_params.py
Original file line number Diff line number Diff line change
Expand Up @@ -86,6 +86,7 @@ class BuildCommon(BuildParamsBase):
koji_target = BuildParam("koji_target")
koji_task_id = BuildParam("koji_task_id")
platform = BuildParam("platform")
opentelemetry_info = BuildParam("opentelemetry_info")
reactor_config_map = BuildParam("reactor_config_map")
scratch = BuildParam("scratch")
signing_intent = BuildParam("signing_intent")
Expand All @@ -102,6 +103,7 @@ def make_params(cls,
component=None,
koji_target=None,
koji_task_id=None,
otel_url=None,
platform=None,
scratch=None,
signing_intent=None,
Expand Down Expand Up @@ -129,6 +131,7 @@ def make_params(cls,
:param koji_parent_build: str,
:param koji_target: str, koji tag with packages used to build the image
:param koji_task_id: int, koji *task* ID
:param otel_url: str, opentelemetry collector URL
:param platform: str, platform
:param scratch: bool, build as a scratch build (if not specified in build_conf)
:param signing_intent: bool, True to sign the resulting image
Expand All @@ -148,6 +151,13 @@ def make_params(cls,
reactor_config = build_conf.get_reactor_config_map_scratch()
else:
reactor_config = build_conf.get_reactor_config_map()
traceparent = kwargs.get("traceparent", None)
opentelemetry_info = None
if traceparent or otel_url:
opentelemetry_info = {
"traceparent": traceparent,
"otel_url": otel_url,
}
# Update kwargs with arguments explicitly accepted by this method
kwargs.update({
"component": component,
Expand All @@ -162,6 +172,11 @@ def make_params(cls,
"scratch": build_conf.get_scratch(scratch),
})

if opentelemetry_info:
kwargs.update({
"opentelemetry_info": opentelemetry_info
})

# Drop arguments that are:
# - unknown; some callers may pass deprecated params
# - not set (set to None, either explicitly or implicitly)
Expand Down
25 changes: 23 additions & 2 deletions osbs/cli/main.py
Original file line number Diff line number Diff line change
Expand Up @@ -14,14 +14,18 @@

import sys
import argparse

from otel_extensions import get_tracer

from osbs import set_logging
from osbs.api import OSBS
from osbs.conf import Configuration
from osbs.constants import (DEFAULT_CONFIGURATION_FILE, DEFAULT_CONF_BINARY_SECTION,
DEFAULT_CONF_SOURCE_SECTION)
DEFAULT_CONF_SOURCE_SECTION, OTEL_SERVICE_NAME)
from osbs.exceptions import (OsbsNetworkException, OsbsException, OsbsAuthException,
OsbsResponseException)
from osbs.utils import UserWarningsStore
from osbs.utils.otel import init_otel

logger = logging.getLogger('osbs')

Expand Down Expand Up @@ -134,6 +138,8 @@ def cmd_build(args):
}
if args.userdata:
build_kwargs['userdata'] = json.loads(args.userdata)
if args.traceparent:
build_kwargs['traceparent'] = args.traceparent
if osbs.os_conf.get_flatpak():
build_kwargs['flatpak'] = True

Expand Down Expand Up @@ -176,6 +182,8 @@ def cmd_build_source_container(args):
}
if args.userdata:
build_kwargs['userdata'] = json.loads(args.userdata)
if args.traceparent:
build_kwargs['traceparent'] = args.traceparent

pipeline_run = osbs.create_source_container_pipeline_run(**build_kwargs)

Expand Down Expand Up @@ -289,6 +297,8 @@ def cli():
help='name of each platform to use (deprecated)')
build_parser.add_argument('--source-registry-uri', action='store', required=False,
help="set source registry for pulling parent image")
build_parser.add_argument("--traceparent", required=False,
help="TRACEPARENT for opentelemetry tracing")
build_parser.add_argument("--userdata", required=False,
help="JSON dictionary of user defined custom metadata")
build_parser.set_defaults(func=cmd_build)
Expand Down Expand Up @@ -329,6 +339,9 @@ def cli():
build_source_container_parser.add_argument(
'--signing-intent', action='store', required=False,
help='override signing intent')
build_source_container_parser.add_argument(
'--traceparent', required=False,
help='TRACEPARENT for opentelemetry tracing')
build_source_container_parser.add_argument(
'--userdata', required=False,
help='JSON dictionary of user defined custom metadata')
Expand Down Expand Up @@ -418,7 +431,15 @@ def main():

return_value = -1
try:
return_value = args.func(args)
init_otel(otel_url=os_conf.get_otel_url(),
traceparent=args.traceparent)
span_name = "binary_build_pipeline"
if getattr(args, 'func', None) is cmd_build_source_container:
span_name = "source_build_pipeline"
tracer = get_tracer(module_name=span_name, service_name=OTEL_SERVICE_NAME)

with tracer.start_as_current_span(span_name):
return_value = args.func(args)
except AttributeError:
if hasattr(args, 'func'):
raise
Expand Down
10 changes: 10 additions & 0 deletions osbs/conf.py
Original file line number Diff line number Diff line change
Expand Up @@ -116,6 +116,16 @@ def get_openshift_base_uri(self):
val = self._get_value(key, self.conf_section, key)
return val

def get_otel_url(self):
"""
https://<host>[:<port>]/
:return: str
"""
key = "otel_url"
val = self._get_value(key, self.conf_section, key)
return val

@staticmethod
def get_k8s_api_version():
# This is not configurable.
Expand Down
2 changes: 2 additions & 0 deletions osbs/constants.py
Original file line number Diff line number Diff line change
Expand Up @@ -74,6 +74,8 @@
# number of seconds to wait, before retrying on openshift not found
OS_NOT_FOUND_MAX_WAIT = 1

OTEL_SERVICE_NAME = "osbs"

ISOLATED_RELEASE_FORMAT = re.compile(r'^\d+\.\d+(\..+)?$')
RELEASE_LABEL_FORMAT = re.compile(r"""^\d+ # First character must be a digit
([._]? # allow separators between groups
Expand Down
4 changes: 4 additions & 0 deletions osbs/tekton.py
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,7 @@
from typing import Dict, List, Tuple, Callable, Any
from datetime import datetime

from otel_extensions import instrumented

from osbs.exceptions import OsbsResponseException, OsbsAuthException, OsbsException
from osbs.constants import (DEFAULT_NAMESPACE, SERVICEACCOUNT_SECRET, SERVICEACCOUNT_TOKEN,
Expand Down Expand Up @@ -422,6 +423,7 @@ def pipeline_run_url(self):
)
return self._pipeline_run_url

@instrumented
def start_pipeline_run(self):
if not self.input_data:
raise OsbsException("No input data provided for pipeline run to start")
Expand All @@ -445,6 +447,7 @@ def start_pipeline_run(self):
)
return response.json()

@instrumented
def remove_pipeline_run(self):
url = self.os.build_url(
self.api_path,
Expand All @@ -458,6 +461,7 @@ def remove_pipeline_run(self):
return response.json()

@retry_on_conflict
@instrumented
def cancel_pipeline_run(self):
data = copy.deepcopy(self.minimal_data)
data['spec']['status'] = 'CancelledRunFinally'
Expand Down
45 changes: 45 additions & 0 deletions osbs/utils/otel.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,45 @@
"""
Copyright (c) 2023 Red Hat, Inc
All rights reserved.
This software may be modified and distributed under the terms
of the BSD license. See the LICENSE file for details.
"""
import logging
import os
from typing import Optional

from opentelemetry import trace
from opentelemetry.instrumentation.requests import RequestsInstrumentor
from opentelemetry.trace import format_trace_id, format_span_id
from otel_extensions import TelemetryOptions, init_telemetry_provider

from osbs.constants import OTEL_SERVICE_NAME

logger = logging.getLogger(__name__)


def init_otel(otel_url: Optional[str], traceparent: Optional[str]):
span_exporter = ''
otel_protocol = 'http/protobuf'
if not otel_url:
otel_protocol = 'custom'
span_exporter = '"opentelemetry.sdk.trace.export.ConsoleSpanExporter"'

if traceparent:
os.environ['TRACEPARENT'] = traceparent
otel_options = TelemetryOptions(
OTEL_SERVICE_NAME=OTEL_SERVICE_NAME,
OTEL_EXPORTER_CUSTOM_SPAN_EXPORTER_TYPE=span_exporter,
OTEL_EXPORTER_OTLP_ENDPOINT=otel_url,
OTEL_EXPORTER_OTLP_PROTOCOL=otel_protocol,
)
init_telemetry_provider(otel_options)
RequestsInstrumentor().instrument()


def get_current_traceparent(**kwargs):
tracecontext = trace.get_current_span().get_span_context()
traceparent = (f'00-{format_trace_id(tracecontext.trace_id)}-'
f'{format_span_id(tracecontext.span_id)}-01')
return traceparent
5 changes: 5 additions & 0 deletions requirements.txt
Original file line number Diff line number Diff line change
Expand Up @@ -5,3 +5,8 @@ requests
requests-kerberos
six
PyYAML
opentelemetry-api==1.19.0
opentelemetry-exporter-otlp==1.19.0
opentelemetry-instrumentation-requests==0.40b0
opentelemetry-sdk==1.19.0
otel-extensions
4 changes: 2 additions & 2 deletions test.sh
Original file line number Diff line number Diff line change
Expand Up @@ -31,14 +31,14 @@ function setup_osbs() {
PIP_PKG="python-pip"
PIP="pip"
PKG="yum"
PKG_EXTRA=(yum-utils epel-release)
PKG_EXTRA=(yum-utils epel-release gcc-c++)
BUILDDEP="yum-builddep"
else
PYTHON="python$PYTHON_VERSION"
PIP_PKG="$PYTHON-pip"
PIP="pip$PYTHON_VERSION"
PKG="dnf"
PKG_EXTRA=(dnf-plugins-core "$PYTHON"-pylint)
PKG_EXTRA=(dnf-plugins-core "$PYTHON"-pylint gcc-c++)
BUILDDEP=(dnf builddep)
fi

Expand Down

0 comments on commit eadd01e

Please sign in to comment.