A RetroSearch Logo

Home - News ( United States | United Kingdom | Italy | Germany ) - Football scores

Search Query:

Showing content from https://opentelemetry-python-contrib.readthedocs.io/en/latest/instrumentation/asgi/asgi.html below:

Website Navigation


OpenTelemetry ASGI Instrumentation — OpenTelemetry Python Contrib documentation

OpenTelemetry ASGI Instrumentation

This library provides a ASGI middleware that can be used on any ASGI framework (such as Django, Starlette, FastAPI or Quart) to track requests timing through OpenTelemetry.

Installation
pip install opentelemetry-instrumentation-asgi
References API

The opentelemetry-instrumentation-asgi package provides an ASGI middleware that can be used on any ASGI framework (such as Django-channels / Quart) to track request timing through OpenTelemetry.

Usage (Quart)
from quart import Quart
from opentelemetry.instrumentation.asgi import OpenTelemetryMiddleware

app = Quart(__name__)
app.asgi_app = OpenTelemetryMiddleware(app.asgi_app)

@app.route("/")
async def hello():
    return "Hello!"

if __name__ == "__main__":
    app.run(debug=True)
Usage (Django 3.0)

Modify the application’s asgi.py file as shown below.

import os
from django.core.asgi import get_asgi_application
from opentelemetry.instrumentation.asgi import OpenTelemetryMiddleware

os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'asgi_example.settings')

application = get_asgi_application()
application = OpenTelemetryMiddleware(application)
Usage (Raw ASGI)
from opentelemetry.instrumentation.asgi import OpenTelemetryMiddleware

app = ...  # An ASGI application.
app = OpenTelemetryMiddleware(app)
Configuration Request/Response hooks

This instrumentation supports request and response hooks. These are functions that get called right after a span is created for a request and right before the span is finished for the response.

For example,

from opentelemetry.trace import Span
from typing import Any
from asgiref.typing import Scope, ASGIReceiveEvent, ASGISendEvent
from opentelemetry.instrumentation.asgi import OpenTelemetryMiddleware

async def application(scope: Scope, receive: ASGIReceiveEvent, send: ASGISendEvent):
    await send({
        'type': 'http.response.start',
        'status': 200,
        'headers': [
            [b'content-type', b'text/plain'],
        ],
    })

    await send({
        'type': 'http.response.body',
        'body': b'Hello, world!',
    })

def server_request_hook(span: Span, scope: Scope):
    if span and span.is_recording():
        span.set_attribute("custom_user_attribute_from_request_hook", "some-value")

def client_request_hook(span: Span, scope: Scope, message: dict[str, Any]):
    if span and span.is_recording():
        span.set_attribute("custom_user_attribute_from_client_request_hook", "some-value")

def client_response_hook(span: Span, scope: Scope, message: dict[str, Any]):
    if span and span.is_recording():
        span.set_attribute("custom_user_attribute_from_response_hook", "some-value")

OpenTelemetryMiddleware(application, server_request_hook=server_request_hook, client_request_hook=client_request_hook, client_response_hook=client_response_hook)
Capture HTTP request and response headers

You can configure the agent to capture specified HTTP headers as span attributes, according to the semantic convention.

API
class opentelemetry.instrumentation.asgi.ASGIGetter[source]

Bases: Getter[dict]

get(carrier, key)[source]

Getter implementation to retrieve a HTTP header value from the ASGI scope.

Parameters:
  • carrier (dict) – ASGI scope object

  • key (str) – header name in scope

Return type:

Optional[List[str]]

Returns:
A list with a single string with the header value if it exists,

else None.

keys(carrier)[source]

Function that can retrieve all the keys in a carrier object.

Parameters:

carrier (dict) – An object which contains values that are used to construct a Context.

Return type:

List[str]

Returns:

list of keys from the carrier.

class opentelemetry.instrumentation.asgi.ASGISetter[source]

Bases: Setter[dict]

set(carrier, key, value)[source]

Sets response header values on an ASGI scope according to the spec.

Parameters:
  • carrier (dict) – ASGI scope object

  • key (str) – response header name to set

  • value (str) – response header value

Return type:

None

Returns:

None

opentelemetry.instrumentation.asgi.collect_request_attributes(scope, sem_conv_opt_in_mode=_StabilityMode.DEFAULT)[source]

Collects HTTP request attributes from the ASGI scope and returns a dictionary to be used as span creation attributes.

Returns custom HTTP request or response headers to be added into SERVER span as span attributes.

Return type:

dict[str, list[str]]

Refer specifications:
opentelemetry.instrumentation.asgi.get_host_port_url_tuple(scope)[source]

Returns (host, port, full_url) tuple.

opentelemetry.instrumentation.asgi.set_status_code(span, status_code, metric_attributes=None, sem_conv_opt_in_mode=_StabilityMode.DEFAULT)[source]

Adds HTTP response attributes to span using the status_code argument.

opentelemetry.instrumentation.asgi.get_default_span_details(scope)[source]

Default span name is the HTTP method and URL path, or just the method. https://github.com/open-telemetry/opentelemetry-specification/pull/3165 https://opentelemetry.io/docs/reference/specification/trace/semantic_conventions/http/#name

Parameters:

scope (dict) – the ASGI scope dictionary

Return type:

Tuple[str, dict]

Returns:

a tuple of the span name, and any attributes to attach to the span.

class opentelemetry.instrumentation.asgi.OpenTelemetryMiddleware(app, excluded_urls=None, default_span_details=None, server_request_hook=None, client_request_hook=None, client_response_hook=None, tracer_provider=None, meter_provider=None, tracer=None, meter=None, http_capture_headers_server_request=None, http_capture_headers_server_response=None, http_capture_headers_sanitize_fields=None, exclude_spans=None)[source]

Bases: object

The ASGI application middleware.

This class is an ASGI middleware that starts and annotates spans for any requests it is invoked with.

Parameters:
  • app – The ASGI application callable to forward requests to.

  • default_span_details – Callback which should return a string and a tuple, representing the desired default span name and a dictionary with any additional span attributes to set. Optional: Defaults to get_default_span_details.

  • server_request_hook (Optional[Callable[[Span, Dict[str, Any]], None]]) – Optional callback which is called with the server span and ASGI scope object for every incoming request.

  • client_request_hook (Optional[Callable[[Span, Dict[str, Any], Dict[str, Any]], None]]) – Optional callback which is called with the internal span, and ASGI scope and event which are sent as dictionaries for when the method receive is called.

  • client_response_hook (Optional[Callable[[Span, Dict[str, Any], Dict[str, Any]], None]]) – Optional callback which is called with the internal span, and ASGI scope and event which are sent as dictionaries for when the method send is called.

  • tracer_provider – The optional tracer provider to use. If omitted the current globally configured one is used.

  • meter_provider – The optional meter provider to use. If omitted the current globally configured one is used.

  • exclude_spans (Optional[list[Literal['receive', 'send']]]) – Optionally exclude HTTP send and/or receive spans from the trace.


RetroSearch is an open source project built by @garambo | Open a GitHub Issue

Search and Browse the WWW like it's 1997 | Search results from DuckDuckGo

HTML: 3.2 | Encoding: UTF-8 | Version: 0.7.4