|
| 1 | +#!/usr/bin/env python3 |
| 2 | +""" |
| 3 | +Reproduce the exact GitHub issue #3203 and show the trace waterfall. |
| 4 | +This demonstrates the span hierarchy issue before and after the fix. |
| 5 | +""" |
| 6 | + |
| 7 | +import asyncio |
| 8 | +import sys |
| 9 | +from typing import TypedDict |
| 10 | +import httpx |
| 11 | +from langgraph.graph import END, START, StateGraph |
| 12 | +from opentelemetry import trace |
| 13 | +from opentelemetry.instrumentation.langchain import LangchainInstrumentor |
| 14 | +from opentelemetry.sdk.trace import TracerProvider |
| 15 | +from opentelemetry.sdk.trace.export import SimpleSpanProcessor |
| 16 | +from opentelemetry.sdk.trace.export.in_memory_span_exporter import InMemorySpanExporter |
| 17 | + |
| 18 | +from waterfall_visualizer import visualize_trace_waterfall, print_raw_span_data |
| 19 | + |
| 20 | + |
| 21 | +def setup_tracing(): |
| 22 | + """Set up OpenTelemetry tracing exactly like in the test environment.""" |
| 23 | + span_exporter = InMemorySpanExporter() |
| 24 | + |
| 25 | + tracer_provider = TracerProvider() |
| 26 | + tracer_provider.add_span_processor(SimpleSpanProcessor(span_exporter)) |
| 27 | + |
| 28 | + trace.set_tracer_provider(tracer_provider) |
| 29 | + |
| 30 | + langchain_instrumentor = LangchainInstrumentor() |
| 31 | + langchain_instrumentor.instrument(tracer_provider=tracer_provider) |
| 32 | + |
| 33 | + return span_exporter, langchain_instrumentor |
| 34 | + |
| 35 | + |
| 36 | +async def run_github_issue_reproduction(): |
| 37 | + """Run the exact code from GitHub issue #3203.""" |
| 38 | + print("🚀 Running GitHub Issue #3203 Reproduction") |
| 39 | + print("=" * 60) |
| 40 | + |
| 41 | + span_exporter, langchain_instrumentor = setup_tracing() |
| 42 | + |
| 43 | + tracer = trace.get_tracer(__name__) |
| 44 | + |
| 45 | + class TestAgentState(TypedDict): |
| 46 | + http_result: str |
| 47 | + span_result: str |
| 48 | + messages: list |
| 49 | + |
| 50 | + async def http_call_node(state: TestAgentState) -> dict: |
| 51 | + """HTTP call node from the GitHub issue.""" |
| 52 | + print("📞 Executing http_call_node...") |
| 53 | + try: |
| 54 | + data = {"a": 10, "b": 25} |
| 55 | + async with httpx.AsyncClient() as _: |
| 56 | + with tracer.start_as_current_span("POST") as span: |
| 57 | + span.set_attribute("http.method", "POST") |
| 58 | + span.set_attribute("http.url", "https://httpbin.org/post") |
| 59 | + |
| 60 | + sum_result = data.get("a", 0) + data.get("b", 0) |
| 61 | + http_result = f"HTTP call successful! Sum of {data.get('a')} + {data.get('b')} = {sum_result}" |
| 62 | + |
| 63 | + span.set_attribute("http.response.status_code", 200) |
| 64 | + span.set_attribute("calculation.result", sum_result) |
| 65 | + |
| 66 | + print(f" ✅ {http_result}") |
| 67 | + |
| 68 | + except Exception as e: |
| 69 | + http_result = f"HTTP call error: {str(e)}" |
| 70 | + print(f" ❌ {http_result}") |
| 71 | + |
| 72 | + return {"http_result": http_result} |
| 73 | + |
| 74 | + async def opentelemetry_span_node(state: TestAgentState) -> dict: |
| 75 | + """OpenTelemetry span node from the GitHub issue.""" |
| 76 | + print("📊 Executing otel_span_node...") |
| 77 | + |
| 78 | + with tracer.start_as_current_span("test_agent_span") as span: |
| 79 | + span.set_attribute("node.name", "opentelemetry_span_node") |
| 80 | + span.set_attribute("agent.type", "test_agent") |
| 81 | + span.set_attribute("operation.type", "span_creation") |
| 82 | + |
| 83 | + span.add_event("Starting span processing") |
| 84 | + |
| 85 | + await asyncio.sleep(0.01) |
| 86 | + |
| 87 | + http_result = state.get("http_result", "No HTTP result available") |
| 88 | + span.set_attribute("previous.http_result", http_result) |
| 89 | + |
| 90 | + span.add_event("Processing HTTP result from previous node") |
| 91 | + |
| 92 | + span_result = f"OpenTelemetry span created successfully! Span ID: {span.get_span_context().span_id}" |
| 93 | + |
| 94 | + span.add_event("Span processing completed") |
| 95 | + span.set_attribute("processing.status", "completed") |
| 96 | + |
| 97 | + print(f" ✅ {span_result}") |
| 98 | + |
| 99 | + return {"span_result": span_result} |
| 100 | + |
| 101 | + def create_test_agent(): |
| 102 | + """Create a simple LangGraph agent with 2 nodes matching the GitHub issue exactly.""" |
| 103 | + print("🔧 Creating LangGraph agent...") |
| 104 | + builder = StateGraph(TestAgentState) |
| 105 | + |
| 106 | + builder.add_node("http_call", http_call_node) |
| 107 | + builder.add_node("otel_span", opentelemetry_span_node) |
| 108 | + |
| 109 | + builder.add_edge(START, "http_call") |
| 110 | + builder.add_edge("http_call", "otel_span") |
| 111 | + builder.add_edge("otel_span", END) |
| 112 | + |
| 113 | + agent = builder.compile() |
| 114 | + print(" ✅ Agent created successfully!") |
| 115 | + return agent |
| 116 | + |
| 117 | + async def run_test_agent(): |
| 118 | + """Run the test agent with root span tracking.""" |
| 119 | + with tracer.start_as_current_span("test_agent_execution_root") as root_span: |
| 120 | + root_span.set_attribute("agent.name", "test_agent") |
| 121 | + root_span.set_attribute("agent.version", "1.0.0") |
| 122 | + root_span.set_attribute("execution.type", "full_agent_run") |
| 123 | + |
| 124 | + root_span.add_event("Agent execution started") |
| 125 | + |
| 126 | + try: |
| 127 | + root_span.add_event("Creating agent graph") |
| 128 | + agent = create_test_agent() |
| 129 | + root_span.set_attribute("agent.nodes_count", 2) |
| 130 | + |
| 131 | + initial_state = {"http_result": "", "span_result": "", "messages": []} |
| 132 | + root_span.add_event("Initial state prepared") |
| 133 | + |
| 134 | + print("🏃 Starting agent invocation...") |
| 135 | + root_span.add_event("Starting agent invocation") |
| 136 | + final_state = await agent.ainvoke(initial_state) |
| 137 | + |
| 138 | + root_span.set_attribute("execution.status", "completed") |
| 139 | + print("✅ Agent execution completed successfully!") |
| 140 | + return final_state |
| 141 | + |
| 142 | + except Exception as e: |
| 143 | + root_span.set_attribute("execution.status", "failed") |
| 144 | + root_span.set_attribute("error.type", type(e).__name__) |
| 145 | + root_span.set_attribute("error.message", str(e)) |
| 146 | + root_span.add_event("Agent execution failed", {"error": str(e)}) |
| 147 | + print(f"❌ Agent execution failed: {e}") |
| 148 | + raise |
| 149 | + |
| 150 | + try: |
| 151 | + final_state = await run_test_agent() |
| 152 | + |
| 153 | + spans = span_exporter.get_finished_spans() |
| 154 | + |
| 155 | + print("\n📊 EXECUTION RESULTS:") |
| 156 | + print(f" • HTTP Result: {final_state.get('http_result', 'N/A')}") |
| 157 | + print(f" • Span Result: {final_state.get('span_result', 'N/A')}") |
| 158 | + print(f" • Total Spans Captured: {len(spans)}") |
| 159 | + |
| 160 | + visualize_trace_waterfall(spans) |
| 161 | + |
| 162 | + if "--debug" in sys.argv: |
| 163 | + print_raw_span_data(spans) |
| 164 | + |
| 165 | + return spans |
| 166 | + |
| 167 | + finally: |
| 168 | + langchain_instrumentor.uninstrument() |
| 169 | + |
| 170 | + |
| 171 | +if __name__ == "__main__": |
| 172 | + print("🔍 GitHub Issue #3203 - LangGraph Span Hierarchy Reproduction") |
| 173 | + print("This script demonstrates the exact issue described in the GitHub issue.") |
| 174 | + print("Run with --debug to see raw span data.\n") |
| 175 | + |
| 176 | + try: |
| 177 | + spans = asyncio.run(run_github_issue_reproduction()) |
| 178 | + print(f"\n✅ Demo completed successfully! Captured {len(spans)} spans.") |
| 179 | + print("\n🎉 GitHub Issue #3203 has been FIXED!") |
| 180 | + print("The visualization above shows the CORRECTED span hierarchy.") |
| 181 | + print("Note how POST and test_agent_span are now properly nested") |
| 182 | + print("under their respective task spans (http_call.task and otel_span.task)!") |
| 183 | + |
| 184 | + except KeyboardInterrupt: |
| 185 | + print("\n❌ Demo interrupted by user") |
| 186 | + sys.exit(1) |
| 187 | + except Exception as e: |
| 188 | + print(f"\n❌ Demo failed: {e}") |
| 189 | + sys.exit(1) |
0 commit comments