Skip to content
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
4 changes: 4 additions & 0 deletions pyproject.toml
Original file line number Diff line number Diff line change
Expand Up @@ -179,6 +179,10 @@ ignore_missing_imports = true
module = "agents.*"
ignore_missing_imports = true

[[tool.mypy.overrides]]
module = "dramatiq.*"
ignore_missing_imports = true

#
# Tool: Ruff (linting and formatting)
#
Expand Down
1 change: 1 addition & 0 deletions sentry_sdk/consts.py
Original file line number Diff line number Diff line change
Expand Up @@ -839,6 +839,7 @@ class OP:
QUEUE_TASK_HUEY = "queue.task.huey"
QUEUE_SUBMIT_RAY = "queue.submit.ray"
QUEUE_TASK_RAY = "queue.task.ray"
QUEUE_TASK_DRAMATIQ = "queue.task.dramatiq"
SUBPROCESS = "subprocess"
SUBPROCESS_WAIT = "subprocess.wait"
SUBPROCESS_COMMUNICATE = "subprocess.communicate"
Expand Down
120 changes: 89 additions & 31 deletions sentry_sdk/integrations/dramatiq.py
Original file line number Diff line number Diff line change
@@ -1,18 +1,31 @@
import json

import sentry_sdk
from sentry_sdk.integrations import Integration
from sentry_sdk.consts import OP, SPANSTATUS
from sentry_sdk.api import continue_trace, get_baggage, get_traceparent
from sentry_sdk.integrations import Integration, DidNotEnable
from sentry_sdk.integrations._wsgi_common import request_body_within_bounds
from sentry_sdk.tracing import (
BAGGAGE_HEADER_NAME,
SENTRY_TRACE_HEADER_NAME,
TransactionSource,
)
from sentry_sdk.utils import (
AnnotatedValue,
capture_internal_exceptions,
event_from_exception,
)
from typing import TypeVar

R = TypeVar("R")

from dramatiq.broker import Broker # type: ignore
from dramatiq.message import Message # type: ignore
from dramatiq.middleware import Middleware, default_middleware # type: ignore
from dramatiq.errors import Retry # type: ignore
try:
from dramatiq.broker import Broker
from dramatiq.middleware import Middleware, default_middleware
from dramatiq.errors import Retry
from dramatiq.message import Message
except ImportError:
raise DidNotEnable("Dramatiq is not installed")

from typing import TYPE_CHECKING

Expand All @@ -34,10 +47,12 @@ class DramatiqIntegration(Integration):
"""

identifier = "dramatiq"
origin = f"auto.queue.{identifier}"

@staticmethod
def setup_once():
# type: () -> None

_patch_dramatiq_broker()


Expand Down Expand Up @@ -85,50 +100,93 @@ class SentryMiddleware(Middleware): # type: ignore[misc]
DramatiqIntegration.
"""

def before_process_message(self, broker, message):
# type: (Broker, Message) -> None
SENTRY_HEADERS_NAME = "_sentry_headers"

def before_enqueue(self, broker, message, delay):
# type: (Broker, Message[R], int) -> None
integration = sentry_sdk.get_client().get_integration(DramatiqIntegration)
if integration is None:
return

message._scope_manager = sentry_sdk.new_scope()
message._scope_manager.__enter__()
Comment on lines -94 to -95
Copy link
Contributor

Choose a reason for hiding this comment

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

We still need some sort of scope management in order to make sure the data we collect about tasks is isolated.

The general rule of thumb is: if you start a transaction, you should start it in a new isolation scope. See for example huey.

So we should start an isolation scope right after the initial if integration is None: return check with

scope = sentry_sdk.isolation_scope()
message._scope_manager = scope
scope.__enter__()

Everything that we do on the scope later in the function can stay, but it should be done on the isolation scope, not current scope as before.

And finally, we need to __exit__ the saved scope in after_process_message with message._scope_manager.__exit__(None, None, None).

Copy link
Contributor Author

Choose a reason for hiding this comment

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

Done.
but please recheck it)

message.options[self.SENTRY_HEADERS_NAME] = {
BAGGAGE_HEADER_NAME: get_baggage(),
SENTRY_TRACE_HEADER_NAME: get_traceparent(),
}

def before_process_message(self, broker, message):
# type: (Broker, Message[R]) -> None
integration = sentry_sdk.get_client().get_integration(DramatiqIntegration)
if integration is None:
return

scope = sentry_sdk.get_current_scope()
scope.set_transaction_name(message.actor_name)
message._scope_manager = sentry_sdk.isolation_scope()
scope = message._scope_manager.__enter__()
scope.clear_breadcrumbs()
scope.set_extra("dramatiq_message_id", message.message_id)
scope.add_event_processor(_make_message_event_processor(message, integration))

sentry_headers = message.options.get(self.SENTRY_HEADERS_NAME) or {}
if "retries" in message.options:
# start new trace in case of retrying
sentry_headers = {}

transaction = continue_trace(
sentry_headers,
name=message.actor_name,
op=OP.QUEUE_TASK_DRAMATIQ,
source=TransactionSource.TASK,
origin=DramatiqIntegration.origin,
)
transaction.set_status(SPANSTATUS.OK)
sentry_sdk.start_transaction(
transaction,
name=message.actor_name,
op=OP.QUEUE_TASK_DRAMATIQ,
source=TransactionSource.TASK,
)
transaction.__enter__()
Copy link

Choose a reason for hiding this comment

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

Bug: Transaction Initialization Redundancy

The transaction initialization in before_process_message uses an incorrect pattern. It creates a transaction with continue_trace(), then passes this existing transaction object to sentry_sdk.start_transaction(), which is designed to create new transactions. This leads to redundant initialization, a manual transaction.__enter__() call, and causes the origin parameter set by continue_trace() to be lost.

Fix in Cursor Fix in Web


def after_process_message(self, broker, message, *, result=None, exception=None):
# type: (Broker, Message, Any, Optional[Any], Optional[Exception]) -> None
# type: (Broker, Message[R], Optional[Any], Optional[Exception]) -> None
integration = sentry_sdk.get_client().get_integration(DramatiqIntegration)
if integration is None:
return

actor = broker.get_actor(message.actor_name)
throws = message.options.get("throws") or actor.options.get("throws")

try:
if (
exception is not None
and not (throws and isinstance(exception, throws))
and not isinstance(exception, Retry)
):
event, hint = event_from_exception(
exception,
client_options=sentry_sdk.get_client().options,
mechanism={
"type": DramatiqIntegration.identifier,
"handled": False,
},
)
sentry_sdk.capture_event(event, hint=hint)
finally:
message._scope_manager.__exit__(None, None, None)
scope_manager = message._scope_manager
transaction = sentry_sdk.get_current_scope().transaction
if not transaction:
return None

Copy link

Choose a reason for hiding this comment

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

Bug: SentryMiddleware Scope Leak

The SentryMiddleware creates a scope leak. In after_process_message, if no transaction is found, the isolation scope entered in before_process_message is not properly exited, leading to a resource leak.

Fix in Cursor Fix in Web

is_event_capture_required = (
exception is not None
and not (throws and isinstance(exception, throws))
and not isinstance(exception, Retry)
)
if not is_event_capture_required:
# normal transaction finish
transaction.__exit__(None, None, None)
scope_manager.__exit__(None, None, None)
return

event, hint = event_from_exception(
exception, # type: ignore[arg-type]
client_options=sentry_sdk.get_client().options,
mechanism={
"type": DramatiqIntegration.identifier,
"handled": False,
},
)
sentry_sdk.capture_event(event, hint=hint)
# transaction error
transaction.__exit__(type(exception), exception, None)
scope_manager.__exit__(type(exception), exception, None)


def _make_message_event_processor(message, integration):
# type: (Message, DramatiqIntegration) -> Callable[[Event, Hint], Optional[Event]]
# type: (Message[R], DramatiqIntegration) -> Callable[[Event, Hint], Optional[Event]]

def inner(event, hint):
# type: (Event, Hint) -> Optional[Event]
Expand All @@ -142,7 +200,7 @@ def inner(event, hint):

class DramatiqMessageExtractor:
def __init__(self, message):
# type: (Message) -> None
# type: (Message[R]) -> None
self.message_data = dict(message.asdict())

def content_length(self):
Expand Down
57 changes: 52 additions & 5 deletions tests/integrations/dramatiq/test_dramatiq.py
Original file line number Diff line number Diff line change
Expand Up @@ -5,12 +5,21 @@
from dramatiq.brokers.stub import StubBroker

import sentry_sdk
from sentry_sdk.tracing import TransactionSource
from sentry_sdk import start_transaction
from sentry_sdk.consts import SPANSTATUS
from sentry_sdk.integrations.dramatiq import DramatiqIntegration
from sentry_sdk.integrations.logging import ignore_logger

ignore_logger("dramatiq.worker.WorkerThread")

@pytest.fixture
def broker(sentry_init):
sentry_init(integrations=[DramatiqIntegration()])

@pytest.fixture(scope="function")
def broker(request, sentry_init):
sentry_init(
integrations=[DramatiqIntegration()],
traces_sample_rate=getattr(request, "param", None),
)
broker = StubBroker()
broker.emit_after("process_boot")
dramatiq.set_broker(broker)
Expand Down Expand Up @@ -44,19 +53,57 @@ def dummy_actor(x, y):
assert exception["type"] == "ZeroDivisionError"


def test_that_actor_name_is_set_as_transaction(broker, worker, capture_events):
@pytest.mark.parametrize(
"broker,expected_span_status",
[
(1.0, SPANSTATUS.INTERNAL_ERROR),
(1.0, SPANSTATUS.OK),
],
ids=["error", "success"],
indirect=["broker"],
)
def test_task_transaction(broker, worker, capture_events, expected_span_status):
events = capture_events()
task_fails = expected_span_status == SPANSTATUS.INTERNAL_ERROR

@dramatiq.actor(max_retries=0)
def dummy_actor(x, y):
return x / y

dummy_actor.send(1, 0)
dummy_actor.send(1, int(not task_fails))
broker.join(dummy_actor.queue_name)
worker.join()

if task_fails:
error_event = events.pop(0)
exception = error_event["exception"]["values"][0]
assert exception["type"] == "ZeroDivisionError"
assert exception["mechanism"]["type"] == DramatiqIntegration.identifier

(event,) = events
assert event["type"] == "transaction"
assert event["transaction"] == "dummy_actor"
assert event["transaction_info"] == {"source": TransactionSource.TASK}
assert event["contexts"]["trace"]["status"] == expected_span_status


@pytest.mark.parametrize("broker", [1.0], indirect=True)
def test_dramatiq_propagate_trace(broker, worker, capture_events):
events = capture_events()

@dramatiq.actor(max_retries=0)
def propagated_trace_task():
pass

with start_transaction() as outer_transaction:
propagated_trace_task.send()
broker.join(propagated_trace_task.queue_name)
worker.join()

assert (
events[0]["transaction"] == "propagated_trace_task"
) # the "inner" transaction
assert events[0]["contexts"]["trace"]["trace_id"] == outer_transaction.trace_id


def test_that_dramatiq_message_id_is_set_as_extra(broker, worker, capture_events):
Expand Down