| layout | default |
|---|---|
| title | Langfuse Tutorial - Chapter 2: Tracing Fundamentals |
| nav_order | 2 |
| has_children | false |
| parent | Langfuse Tutorial |
Welcome to Chapter 2: Tracing Fundamentals. In this part of Langfuse Tutorial: LLM Observability, Evaluation, and Prompt Operations, you will build an intuitive mental model first, then move into concrete implementation details and practical production tradeoffs.
Capture traces, spans, and events with rich metadata to debug LLM flows.
Langfuse traces represent a user request; spans represent steps (LLM calls, tools, DB lookups). You can attach inputs, outputs, scores, tags, and user identifiers to make debugging straightforward. In this chapter you will:
- Learn the trace hierarchy and how pieces nest together.
- Instrument a multi-step flow manually.
- Use the
@observedecorator for zero-boilerplate tracing. - Trace asynchronous operations.
- Add custom attributes and metadata to spans.
- Filter and search traces in the Langfuse UI.
- Walk through a complete RAG tracing example.
Every request your application handles becomes a Trace. Inside that trace you create Spans for each meaningful step, and optionally attach Events for lightweight log entries. Here is the hierarchy:
graph TD
T[Trace<br/>name: support-query<br/>user_id: user_123] --> S1[Span: retrieval<br/>type: RETRIEVAL]
T --> S2[Span: llm-answer<br/>type: LLM]
T --> S3[Span: tool-call<br/>type: TOOL]
S1 --> E1[Event: rerank<br/>level: info]
S2 --> E2[Event: token-count<br/>level: debug]
S3 --> S4[Span: db-lookup<br/>type: DEFAULT]
T --> SC[Score: helpfulness = 0.92]
style T fill:#e0f2fe,stroke:#0284c7
style S1 fill:#fef3c7,stroke:#d97706
style S2 fill:#fef3c7,stroke:#d97706
style S3 fill:#fef3c7,stroke:#d97706
style S4 fill:#fef3c7,stroke:#d97706
style E1 fill:#f3e8ff,stroke:#9333ea
style E2 fill:#f3e8ff,stroke:#9333ea
style SC fill:#dcfce7,stroke:#16a34a
| Concept | Purpose | Key fields |
|---|---|---|
| Trace | Root of a request or conversation. | name, user_id, session_id, metadata, tags |
| Span | A step within the trace (LLM call, tool, retrieval). | name, input, output, metadata, tags, usage |
| Event | A lightweight log entry attached to a trace or span. | name, level, data |
| Score | A numeric or categorical quality signal. | name, value, comment |
Spans can nest inside other spans, giving you an arbitrarily deep tree. This is useful when a single "step" (like a tool call) has its own sub-steps (like a database query followed by a transformation).
Let's build on the hello-world example from Chapter 1 and trace a support-query pipeline with retrieval and LLM generation.
from langfuse import Langfuse
from openai import OpenAI
import time
langfuse = Langfuse() # reads keys from environment
client = OpenAI()
# Start a trace for this user request
trace = langfuse.trace(
name="support-query",
user_id="user_123",
session_id="session_abc",
metadata={"plan": "pro", "source": "web-chat"},
tags=["support", "production"],
)
# -- Step 1: Retrieval --
retrieval = trace.span(
name="retrieval",
input={"query": "How do I reset my password?"},
tags=["rag"],
)
# Simulate fetching documents
retrieval_output = [
"Reset via Settings > Security > Change Password",
"Send a password-reset email from the login page",
]
time.sleep(0.1) # simulate latency
retrieval.end(output=retrieval_output)
# -- Step 2: LLM generation --
llm_span = trace.span(
name="llm-answer",
input={"context": retrieval_output, "question": "How do I reset my password?"},
)
resp = client.chat.completions.create(
model="gpt-4o-mini",
messages=[
{"role": "system", "content": "Answer using only the provided context."},
{"role": "user", "content": "How do I reset my password?"},
],
)
llm_span.end(
output=resp.choices[0].message.content,
usage={
"input": resp.usage.prompt_tokens,
"output": resp.usage.completion_tokens,
"total": resp.usage.total_tokens,
},
)
# -- Attach a score --
trace.score(name="helpfulness", value=0.92, comment="Answered correctly with context.")
trace.end()
langfuse.flush()When you open this trace in the UI, you will see a timeline with two spans nested under the trace, each with its own timing, inputs, and outputs.
Manually creating spans is fine for simple flows, but as your codebase grows it becomes tedious. The @observe decorator automatically creates a span for every decorated function call and captures its arguments and return value.
from langfuse.decorators import observe, langfuse_context
@observe()
def retrieve_documents(query: str) -> list[str]:
"""Simulate document retrieval."""
# Your real retrieval logic here
return [
"Reset via Settings > Security > Change Password",
"Send a password-reset email from the login page",
]
@observe()
def generate_answer(question: str, context: list[str]) -> str:
"""Call the LLM with retrieved context."""
from openai import OpenAI
client = OpenAI()
resp = client.chat.completions.create(
model="gpt-4o-mini",
messages=[
{"role": "system", "content": f"Context: {context}"},
{"role": "user", "content": question},
],
)
return resp.choices[0].message.content
@observe()
def answer_support_question(question: str) -> str:
"""Top-level function traced as the root span."""
docs = retrieve_documents(question)
answer = generate_answer(question, docs)
return answerWhen you call answer_support_question("How do I reset my password?"), Langfuse automatically creates:
- A trace named
answer_support_question. - A child span named
retrieve_documents. - A child span named
generate_answer.
Each span records the function's arguments as input and the return value as output.
Use langfuse_context to enrich the current span from inside a decorated function:
from langfuse.decorators import observe, langfuse_context
@observe()
def generate_answer(question: str, context: list[str]) -> str:
from openai import OpenAI
client = OpenAI()
resp = client.chat.completions.create(
model="gpt-4o-mini",
messages=[
{"role": "system", "content": f"Context: {context}"},
{"role": "user", "content": question},
],
)
# Enrich the current span
langfuse_context.update_current_observation(
usage={
"input": resp.usage.prompt_tokens,
"output": resp.usage.completion_tokens,
},
metadata={"model": "gpt-4o-mini"},
)
# Attach a score to the parent trace
langfuse_context.score_current_trace(
name="completeness",
value=0.85,
)
return resp.choices[0].message.contentTo set user_id, session_id, or tags on the root trace, call langfuse_context.update_current_trace inside the top-level decorated function:
@observe()
def answer_support_question(question: str, user_id: str) -> str:
langfuse_context.update_current_trace(
user_id=user_id,
session_id="session_abc",
tags=["support", "production"],
)
docs = retrieve_documents(question)
return generate_answer(question, docs)If your application uses asyncio, the @observe decorator works with async functions out of the box:
import asyncio
from langfuse.decorators import observe
@observe()
async def fetch_documents(query: str) -> list[str]:
# Simulate an async database or API call
await asyncio.sleep(0.05)
return ["Doc A", "Doc B", "Doc C"]
@observe()
async def call_llm(prompt: str) -> str:
from openai import AsyncOpenAI
client = AsyncOpenAI()
resp = await client.chat.completions.create(
model="gpt-4o-mini",
messages=[{"role": "user", "content": prompt}],
)
return resp.choices[0].message.content
@observe()
async def async_rag_pipeline(question: str) -> str:
docs = await fetch_documents(question)
answer = await call_llm(f"Context: {docs}\n\nQuestion: {question}")
return answer
# Run it
asyncio.run(async_rag_pipeline("What is Langfuse?"))Langfuse correctly parents async spans even when multiple coroutines run concurrently, because it uses Python's contextvars under the hood.
When you run tasks in parallel with asyncio.gather, each branch gets its own span:
@observe()
async def parallel_retrieval(question: str) -> dict:
vector_results, keyword_results = await asyncio.gather(
vector_search(question),
keyword_search(question),
)
return {"vector": vector_results, "keyword": keyword_results}Every span accepts a rich set of fields. Here is a comprehensive example showing the most useful ones:
span = trace.span(
name="tool-call",
input={"cmd": "GET /users/123"},
output={"status": 200, "body": {"name": "Alice"}},
tags=["tool", "http", "users-api"],
metadata={
"service": "users-api",
"region": "us-east-1",
"latency_ms": 42,
},
level="DEFAULT", # DEFAULT, DEBUG, WARNING, ERROR
status_message="OK",
version="1.2.0", # your app version for filtering
)For LLM spans, always pass usage so Langfuse can compute cost automatically:
llm_span.end(
output=resp.choices[0].message.content,
usage={
"input": resp.usage.prompt_tokens,
"output": resp.usage.completion_tokens,
"total": resp.usage.total_tokens,
"unit": "TOKENS",
},
model="gpt-4o-mini", # helps Langfuse look up the price
)Langfuse maintains an internal pricing table. When you set the model field, it calculates cost per trace automatically and displays it in the dashboard.
For large inputs or outputs (full documents, images, etc.), consider storing only a summary in the span and linking to the full payload externally:
span = trace.span(
name="document-processing",
input={"document_id": "doc_456", "summary": "10-page contract PDF"},
metadata={"full_document_url": "s3://my-bucket/docs/doc_456.pdf"},
)This keeps your Langfuse database lean while still giving you enough context to debug.
Events are lightweight log entries that do not have a duration. They are useful for recording intermediate steps, decisions, or metrics:
# Log a reranking step
trace.event(
name="rerank",
level="info",
data={"candidates_before": 10, "candidates_after": 3, "model": "cohere-rerank-v3"},
)
# Log a cache hit
trace.event(
name="cache-hit",
level="debug",
data={"cache_key": "query_abc123", "ttl_seconds": 300},
)
# Log a warning
trace.event(
name="rate-limit-warning",
level="warning",
data={"provider": "openai", "retry_after_seconds": 5},
)Always wrap risky operations in try/except and mark failed spans explicitly:
try:
db_span = trace.span(name="db-call", input={"query": "SELECT * FROM users"})
# do work...
result = run_query("SELECT * FROM users WHERE id = 123")
db_span.end(output=result)
except Exception as e:
db_span.end(
output={"error": str(e)},
level="ERROR",
status_message=str(e),
)
trace.score(name="error", value=1, comment=str(e))
finally:
trace.end()
langfuse.flush()Setting level="ERROR" highlights the failed span in red in the UI, making it easy to spot during debugging.
Once you have hundreds or thousands of traces, finding the right one matters. Langfuse gives you several ways to filter:
In the Traces view, use the search bar and the tag dropdown to narrow results. Good naming conventions pay off here -- use consistent, descriptive names like support-query, onboarding-flow, or document-qa.
If you set user_id and session_id, you can quickly pull up all traces for a single user or conversation. This is invaluable for debugging production issues.
You can filter traces by score name and range. For example, show only traces where helpfulness < 0.5 to focus on low-quality responses.
Tags and metadata fields are searchable. Use them for environment (production, staging), feature flags, A/B test variants, or any dimension you care about.
- Use short, consistent
namevalues -- they become the primary filter dimension. - Always set
user_idto tie traces back to real users. - Tag traces with the environment (
production,staging,development). - Add
session_idfor multi-turn conversations so you can replay the whole exchange.
Let's put everything together in a realistic Retrieval-Augmented Generation pipeline:
from langfuse.decorators import observe, langfuse_context
from openai import OpenAI
import numpy as np
client = OpenAI()
@observe()
def embed_query(query: str) -> list[float]:
"""Generate an embedding for the user query."""
resp = client.embeddings.create(model="text-embedding-3-small", input=query)
langfuse_context.update_current_observation(
metadata={"model": "text-embedding-3-small", "dimensions": 1536},
)
return resp.data[0].embedding
@observe()
def vector_search(embedding: list[float], top_k: int = 5) -> list[dict]:
"""Search the vector store for relevant documents."""
# Simulated results -- replace with your real vector DB call
results = [
{"id": "doc_1", "text": "To reset your password, go to Settings > Security.", "score": 0.95},
{"id": "doc_2", "text": "Password requirements: 8+ chars, one uppercase.", "score": 0.87},
{"id": "doc_3", "text": "Two-factor authentication adds extra security.", "score": 0.72},
]
langfuse_context.update_current_observation(
metadata={"top_k": top_k, "results_returned": len(results)},
)
return results[:top_k]
@observe()
def rerank_documents(query: str, documents: list[dict]) -> list[dict]:
"""Rerank documents by relevance."""
# Simulated reranking -- replace with Cohere Rerank, cross-encoder, etc.
reranked = sorted(documents, key=lambda d: d["score"], reverse=True)
langfuse_context.update_current_observation(
metadata={"input_count": len(documents), "output_count": len(reranked)},
)
return reranked[:3]
@observe()
def generate_response(question: str, context: list[dict]) -> str:
"""Generate the final answer using the LLM."""
context_text = "\n".join(doc["text"] for doc in context)
resp = client.chat.completions.create(
model="gpt-4o-mini",
messages=[
{
"role": "system",
"content": (
"You are a helpful support agent. Answer the question using "
"only the provided context. If the context does not contain "
"the answer, say so.\n\n"
f"Context:\n{context_text}"
),
},
{"role": "user", "content": question},
],
)
langfuse_context.update_current_observation(
usage={
"input": resp.usage.prompt_tokens,
"output": resp.usage.completion_tokens,
},
model="gpt-4o-mini",
)
return resp.choices[0].message.content
@observe()
def rag_pipeline(question: str, user_id: str) -> str:
"""Full RAG pipeline: embed -> search -> rerank -> generate."""
langfuse_context.update_current_trace(
user_id=user_id,
tags=["rag", "support", "production"],
metadata={"pipeline_version": "2.1"},
)
embedding = embed_query(question)
raw_docs = vector_search(embedding, top_k=5)
ranked_docs = rerank_documents(question, raw_docs)
answer = generate_response(question, ranked_docs)
# Score the trace
langfuse_context.score_current_trace(
name="context_relevance",
value=0.91,
comment="Top document directly answers the question.",
)
return answer
# Run the pipeline
result = rag_pipeline("How do I reset my password?", user_id="user_456")
print(result)In the Langfuse UI this trace will display five nested spans (rag_pipeline > embed_query, vector_search, rerank_documents, generate_response), each with its own timing, inputs, outputs, and metadata. The score appears on the trace summary.
- The Trace > Span > Event hierarchy and when to use each.
- How to instrument flows manually and with the
@observedecorator. - How to trace async and parallel operations.
- How to attach custom metadata, tags, and token usage.
- How to filter and search traces effectively in the UI.
- A complete RAG tracing example you can adapt to your own pipeline.
| Previous: Chapter 1 -- Getting Started | Next: Chapter 3 -- Prompt Management |
The package module in package.json handles a key part of this chapter's functionality:
{
"name": "langfuse",
"version": "3.163.0",
"author": "engineering@langfuse.com",
"license": "MIT",
"private": true,
"engines": {
"node": "24"
},
"scripts": {
"agents:check": "node scripts/agents/sync-agent-shims.mjs --check",
"agents:sync": "node scripts/agents/sync-agent-shims.mjs",
"postinstall": "node -e \"const fs = require('node:fs'); const cp = require('node:child_process'); if (!fs.existsSync('scripts/postinstall.sh')) { console.log('Skipping repo postinstall helper: scripts/postinstall.sh is not present in this install context.'); process.exit(0); } cp.execSync('bash scripts/postinstall.sh', { stdio: 'inherit' });\"",
"preinstall": "npx only-allow pnpm",
"infra:dev:up": "docker compose -f ./docker-compose.dev.yml up -d --wait",
"infra:dev:down": "docker compose -f ./docker-compose.dev.yml down",
"infra:dev:prune": "docker compose -f ./docker-compose.dev.yml down -v",
"db:generate": "turbo run db:generate",
"db:migrate": "turbo run db:migrate",
"db:seed": "turbo run db:seed",
"db:seed:examples": "turbo run db:seed:examples",
"nuke": "bash ./scripts/nuke.sh",
"dx": "pnpm i && pnpm run infra:dev:prune && pnpm run infra:dev:up --pull always && pnpm --filter=shared run db:reset:test && pnpm --filter=shared run db:reset && pnpm --filter=shared run ch:reset && pnpm --filter=shared run db:seed:examples && pnpm run dev",
"dx-f": "pnpm i && pnpm run infra:dev:prune && pnpm run infra:dev:up --pull always && pnpm --filter=shared run db:reset:test && pnpm --filter=shared run db:reset -f && SKIP_CONFIRM=1 pnpm --filter=shared run ch:reset && pnpm --filter=shared run db:seed:examples && pnpm run dev",
"dx:skip-infra": "pnpm i && pnpm --filter=shared run db:reset:test && pnpm --filter=shared run db:reset && pnpm --filter=shared run ch:reset && pnpm --filter=shared run db:seed:examples && pnpm run dev",
"build": "turbo run build",
"build:check": "turbo run build:check",
"typecheck": "turbo run typecheck",
"tc": "turbo run typecheck",
"start": "turbo run start",
"dev": "turbo run dev",
"dev:worker": "turbo run dev --filter=worker",
"dev:web": "turbo run dev --filter=web",
"dev:web-webpack": "turbo run dev --filter=web -- --webpack",
"lint": "turbo run lint",This module is important because it defines how Langfuse Tutorial: LLM Observability, Evaluation, and Prompt Operations implements the patterns covered in this chapter.
The docker-compose.dev-azure module in docker-compose.dev-azure.yml handles a key part of this chapter's functionality:
services:
clickhouse:
image: docker.io/clickhouse/clickhouse-server:24.3
user: "101:101"
environment:
CLICKHOUSE_DB: default
CLICKHOUSE_USER: ${CLICKHOUSE_USER:-clickhouse}
CLICKHOUSE_PASSWORD: ${CLICKHOUSE_PASSWORD:-clickhouse}
volumes:
- langfuse_clickhouse_data:/var/lib/clickhouse
- langfuse_clickhouse_logs:/var/log/clickhouse-server
ports:
- "8123:8123"
- "9000:9000"
healthcheck:
test: wget --no-verbose --tries=1 --spider http://localhost:8123/ping || exit 1
interval: 5s
timeout: 5s
retries: 10
start_period: 1s
depends_on:
- postgres
azurite:
image: mcr.microsoft.com/azure-storage/azurite
command: azurite-blob --blobHost 0.0.0.0
ports:
- "10000:10000"
volumes:
- langfuse_azurite_data:/data
minio:
image: cgr.dev/chainguard/minio
container_name: ${MINIO_CONTAINER_NAME:-langfuse-minio}
entrypoint: shThis module is important because it defines how Langfuse Tutorial: LLM Observability, Evaluation, and Prompt Operations implements the patterns covered in this chapter.
The docker-compose module in docker-compose.yml handles a key part of this chapter's functionality:
# Make sure to update the credential placeholders with your own secrets.
# We mark them with # CHANGEME in the file below.
# In addition, we recommend to restrict inbound traffic on the host to langfuse-web (port 3000) and minio (port 9090) only.
# All other components are bound to localhost (127.0.0.1) to only accept connections from the local machine.
# External connections from other machines will not be able to reach these services directly.
services:
langfuse-worker:
image: docker.io/langfuse/langfuse-worker:3
restart: always
depends_on: &langfuse-depends-on
postgres:
condition: service_healthy
minio:
condition: service_healthy
redis:
condition: service_healthy
clickhouse:
condition: service_healthy
ports:
- 127.0.0.1:3030:3030
environment: &langfuse-worker-env
NEXTAUTH_URL: ${NEXTAUTH_URL:-http://localhost:3000}
DATABASE_URL: ${DATABASE_URL:-postgresql://postgres:postgres@postgres:5432/postgres} # CHANGEME
SALT: ${SALT:-mysalt} # CHANGEME
ENCRYPTION_KEY: ${ENCRYPTION_KEY:-0000000000000000000000000000000000000000000000000000000000000000} # CHANGEME: generate via `openssl rand -hex 32`
TELEMETRY_ENABLED: ${TELEMETRY_ENABLED:-true}
LANGFUSE_ENABLE_EXPERIMENTAL_FEATURES: ${LANGFUSE_ENABLE_EXPERIMENTAL_FEATURES:-false}
CLICKHOUSE_MIGRATION_URL: ${CLICKHOUSE_MIGRATION_URL:-clickhouse://clickhouse:9000}
CLICKHOUSE_URL: ${CLICKHOUSE_URL:-http://clickhouse:8123}
CLICKHOUSE_USER: ${CLICKHOUSE_USER:-clickhouse}
CLICKHOUSE_PASSWORD: ${CLICKHOUSE_PASSWORD:-clickhouse} # CHANGEME
CLICKHOUSE_CLUSTER_ENABLED: ${CLICKHOUSE_CLUSTER_ENABLED:-false}
LANGFUSE_USE_AZURE_BLOB: ${LANGFUSE_USE_AZURE_BLOB:-false}
LANGFUSE_S3_EVENT_UPLOAD_BUCKET: ${LANGFUSE_S3_EVENT_UPLOAD_BUCKET:-langfuse}
LANGFUSE_S3_EVENT_UPLOAD_REGION: ${LANGFUSE_S3_EVENT_UPLOAD_REGION:-auto}This module is important because it defines how Langfuse Tutorial: LLM Observability, Evaluation, and Prompt Operations implements the patterns covered in this chapter.
flowchart TD
A[package]
B[docker-compose.dev-azure]
C[docker-compose]
A --> B
B --> C