-
Notifications
You must be signed in to change notification settings - Fork 932
Add LangChain workflow span support and refactor LLM invocation #4449
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Draft
wrisa
wants to merge
12
commits into
open-telemetry:main
Choose a base branch
from
wrisa:langchain-workflow-type
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Draft
Changes from all commits
Commits
Show all changes
12 commits
Select commit
Hold shift + click to select a range
912b784
Add workflow and refactor LLM for langchain
wrisa 9d4876f
Merge branch 'open-telemetry:main' into langchain-workflow-type
wrisa 1ce4cf5
add workflow support and genai dependancy
wrisa e9fff12
fixed errors
wrisa 6e34620
fixed changelog
wrisa c17607d
fixed error
wrisa a63f271
fixed type error
wrisa e8be641
removed optional
wrisa a9dc188
fixed error
wrisa 3605631
ignore
wrisa 4b7808f
fixed requests
wrisa e6d9f03
Merge branch 'main' into langchain-workflow-type
wrisa File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
113 changes: 113 additions & 0 deletions
113
instrumentation-genai/opentelemetry-instrumentation-langchain/examples/workflow/main.py
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,113 @@ | ||
| """ | ||
| LangGraph StateGraph example with an LLM node. | ||
|
|
||
| Similar to the manual example (../manual/main.py) but uses LangGraph's StateGraph | ||
| with a node that calls ChatOpenAI. OpenTelemetry LangChain instrumentation traces | ||
| the LLM calls made from within the graph node. | ||
| """ | ||
|
|
||
| from typing import Annotated | ||
|
|
||
| from langchain_core.messages import HumanMessage, SystemMessage | ||
| from langchain_openai import ChatOpenAI | ||
| from langgraph.graph import END, START, StateGraph | ||
| from langgraph.graph.message import add_messages | ||
| from typing_extensions import TypedDict | ||
|
|
||
| from opentelemetry import _logs, metrics, trace | ||
| from opentelemetry.exporter.otlp.proto.grpc._log_exporter import ( | ||
| OTLPLogExporter, | ||
| ) | ||
| from opentelemetry.exporter.otlp.proto.grpc.metric_exporter import ( | ||
| OTLPMetricExporter, | ||
| ) | ||
| from opentelemetry.exporter.otlp.proto.grpc.trace_exporter import ( | ||
| OTLPSpanExporter, | ||
| ) | ||
| from opentelemetry.instrumentation.langchain import LangChainInstrumentor | ||
| from opentelemetry.sdk._logs import LoggerProvider | ||
| from opentelemetry.sdk._logs.export import BatchLogRecordProcessor | ||
| from opentelemetry.sdk.metrics import MeterProvider | ||
| from opentelemetry.sdk.metrics.export import PeriodicExportingMetricReader | ||
| from opentelemetry.sdk.trace import TracerProvider | ||
| from opentelemetry.sdk.trace.export import BatchSpanProcessor | ||
|
|
||
| # Configure tracing | ||
| trace.set_tracer_provider(TracerProvider()) | ||
| span_processor = BatchSpanProcessor(OTLPSpanExporter()) | ||
| trace.get_tracer_provider().add_span_processor(span_processor) | ||
|
|
||
| # Configure logging | ||
| _logs.set_logger_provider(LoggerProvider()) | ||
| _logs.get_logger_provider().add_log_record_processor( | ||
| BatchLogRecordProcessor(OTLPLogExporter()) | ||
| ) | ||
|
|
||
| # Configure metrics | ||
| metrics.set_meter_provider( | ||
| MeterProvider( | ||
| metric_readers=[ | ||
| PeriodicExportingMetricReader( | ||
| OTLPMetricExporter(), | ||
| ), | ||
| ] | ||
| ) | ||
| ) | ||
|
|
||
|
|
||
| class GraphState(TypedDict): | ||
| """State for the graph; messages are accumulated with add_messages.""" | ||
|
|
||
| messages: Annotated[list, add_messages] | ||
|
|
||
|
|
||
| def build_graph(llm: ChatOpenAI): | ||
| """Build a StateGraph with a single LLM node.""" | ||
|
|
||
| def llm_node(state: GraphState) -> dict: | ||
| """Node that invokes the LLM with the current messages.""" | ||
| response = llm.invoke(state["messages"]) | ||
| return {"messages": [response]} | ||
|
|
||
| builder = StateGraph(GraphState) | ||
| builder.add_node("llm", llm_node) | ||
| builder.add_edge(START, "llm") | ||
| builder.add_edge("llm", END) | ||
| return builder.compile() | ||
|
|
||
|
|
||
| def main(): | ||
| # Set up instrumentation (traces LLM calls from within graph nodes) | ||
| LangChainInstrumentor().instrument() | ||
|
|
||
| # ChatOpenAI setup | ||
| llm = ChatOpenAI( | ||
| model="gpt-3.5-turbo", | ||
| temperature=0.1, | ||
| max_tokens=100, | ||
| top_p=0.9, | ||
| frequency_penalty=0.5, | ||
| presence_penalty=0.5, | ||
| stop_sequences=["\n", "Human:", "AI:"], | ||
| seed=100, | ||
| ) | ||
|
|
||
| graph = build_graph(llm) | ||
|
|
||
| initial_messages = [ | ||
| SystemMessage(content="You are a helpful assistant!"), | ||
| HumanMessage(content="What is the capital of France?"), | ||
| ] | ||
|
|
||
| result = graph.invoke({"messages": initial_messages}) | ||
|
|
||
| print("LangGraph output (messages):") | ||
| for msg in result.get("messages", []): | ||
| print(f" {type(msg).__name__}: {msg.content}") | ||
|
|
||
| # Un-instrument after use | ||
| LangChainInstrumentor().uninstrument() | ||
|
|
||
|
|
||
| if __name__ == "__main__": | ||
| main() |
8 changes: 8 additions & 0 deletions
8
...entation-genai/opentelemetry-instrumentation-langchain/examples/workflow/requirements.txt
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,8 @@ | ||
| langchain==0.3.21 | ||
| langchain_openai | ||
| langgraph | ||
| opentelemetry-sdk>=1.39.0 | ||
| opentelemetry-exporter-otlp-proto-grpc>=1.39.0 | ||
|
|
||
| # Uncomment after langchain instrumentation is released | ||
| # opentelemetry-instrumentation-langchain~=2.0b0.dev |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.