This is JS/TS SDK for enabling Maxim observability. Maxim is an enterprise grade evaluation and observability platform.
- ✅ Node.js - Full feature support
- ✅ React Native - Core features with platform-specific optimizations
- ✅ Web/Browser - Via bundlers like Webpack, Vite, etc.
React Native developers: See REACT_NATIVE_SETUP.md for setup instructions and platform-specific considerations.
npm install @maximai/maxim-js
const maxim = new Maxim({ apiKey: "maxim-api-key" }); const logger = await maxim.logger({ id: "log-repository-id" });
// Start a trace logger.trace({ id: "trace-id" }); // Add a span logger.traceSpan("trace-id", { id: "span-id", name: "Intent detection service" }); // Add llm call to this span const generationId = uuid(); logger.spanGeneration("span-id", { id: generationId, name: "test-inference", model: "gpt-3.5-turbo-16k", messages: [ { role: "user", content: "Hello, how are you?", }, ], modelParameters: { temperature: 3, }, provider: "openai", }); // Make the actual call to the LLM const result = llm_call(); // Log back the result logger.generationResult(generationId, result); // Ending span logger.spanEnd("span-id"); // Ending trace logger.traceEnd("trace-id");
You can use the built-in MaximLangchainTracer to integrate Maxim observability with your LangChain and LangGraph applications.
The LangChain integration is available as an optional dependency. Install the required LangChain package:
npm install @langchain/core
Add comprehensive observability to your existing LangChain code with just 2 lines:
const maximTracer = new MaximLangchainTracer(logger); const result = await chain.invoke(input, { callbacks: [maximTracer] });
That's it! No need to modify your existing chains, agents, or LLM calls.
import { MaximLangchainTracer } from "@maximai/maxim-js"; import { ChatOpenAI } from "@langchain/openai"; import { ChatPromptTemplate } from "@langchain/core/prompts"; // Initialize Maxim (standard setup) const maxim = new Maxim({ apiKey: "your-maxim-api-key" }); const logger = await maxim.logger({ id: "your-log-repository-id" }); // Step 1: Create the tracer const maximTracer = new MaximLangchainTracer(logger); // Your existing LangChain code remains unchanged const prompt = ChatPromptTemplate.fromTemplate("What is {topic}?"); const model = new ChatOpenAI({ model: "gpt-3.5-turbo" }); const chain = prompt.pipe(model); // Step 2: Add tracer to your invoke calls const result = await chain.invoke({ topic: "AI" }, { callbacks: [maximTracer] }); // Alternative: Attach permanently to the chain const chainWithTracer = chain.withConfig({ callbacks: [maximTracer] }); const result2 = await chainWithTracer.invoke({ topic: "machine learning" });
import { createReactAgent } from "@langchain/langgraph/prebuilt"; import { MemorySaver } from "@langchain/langgraph"; import { tool } from "@langchain/core/tools"; import { z } from "zod"; // Create a simple tool const searchTool = tool( async ({ query }) => { // Your tool implementation return `Search results for: ${query}`; }, { name: "search", schema: z.object({ query: z.string(), }), description: "Search for information", }, ); // Create LangGraph agent const checkpointer = new MemorySaver(); const agent = createReactAgent({ llm: model, tools: [searchTool], checkpointSaver: checkpointer, }); // Use the tracer with your graph const result = await agent.invoke( { messages: [{ role: "user", content: "Hello!" }] }, { callbacks: [maximTracer], configurable: { thread_id: "conversation-1" }, }, );
The MaximLangchainTracer automatically captures:
- Traces: Top-level executions with input/output
- Spans: Chain executions (sequences, parallel operations, etc.)
- Generations: LLM calls with messages, model parameters, and responses
- Retrievals: Vector store and retriever operations
- Tool Calls: Function/tool executions
- Errors: Failed operations with error details
The tracer automatically detects and supports:
- OpenAI (including Azure OpenAI)
- Anthropic
- Google (Vertex AI, Gemini)
- Amazon Bedrock
- Hugging Face
- Together AI
- Groq
- And more...
You can pass custom metadata through LangChain's metadata system to customize how your operations appear in Maxim. All Maxim-specific metadata should be nested under the maxim key:
const result = await chain.invoke( { topic: "AI" }, { callbacks: [maximTracer], metadata: { maxim: { // Your Maxim-specific metadata here }, }, }, );
Entity Naming:
- traceName- Override the default trace name
- chainName- Override the default chain/span name
- generationName- Override the default LLM generation name
- retrievalName- Override the default retrieval operation name
- toolCallName- Override the default tool call name
Entity Tagging:
- traceTags- Add custom tags to the trace (object:- {key: value})
- chainTags- Add custom tags to chains/spans (object:- {key: value})
- generationTags- Add custom tags to LLM generations (object:- {key: value})
- retrievalTags- Add custom tags to retrieval operations (object:- {key: value})
- toolCallTags- Add custom tags to tool calls (object:- {key: value})
ID References (for linking to existing traces/sessions):
- sessionId- Link this trace to an existing session
- traceId- Use a specific trace ID
- spanId- Use a specific span ID
const result = await chain.invoke( { query: "What is machine learning?" }, { callbacks: [maximTracer], metadata: { maxim: { // Custom names for better organization traceName: "ML Question Answering", // Custom tags for filtering and analytics traceTags: { category: "educational", priority: "high", version: "v2.1", }, // Link to existing session (optional) sessionId: "user_session_123", }, // You can also include non-Maxim metadata user_id: "user_123", request_id: "req_456", }, }, );
For LLM calls:
const llmResult = await model.invoke("Explain quantum computing", { callbacks: [maximTracer], metadata: { maxim: { generationName: "Quantum Computing Explanation", generationTags: { topic: "quantum_computing", difficulty: "advanced", model: "gpt-4", }, }, }, });
For retrievers:
const docs = await retriever.invoke("machine learning algorithms", { callbacks: [maximTracer], metadata: { maxim: { retrievalName: "ML Algorithm Search", retrievalTags: { index_name: "ml_papers", search_type: "semantic", top_k: "5", }, }, }, });
For tool calls:
const toolResult = await tool.invoke( { query: "weather in NYC" }, { callbacks: [maximTracer], metadata: { maxim: { toolCallName: "Weather API Lookup", toolCallTags: { api: "openweather", location: "NYC", units: "metric", }, }, }, }, );
- Automatic fallbacks: If you don't provide custom names, the tracer uses sensible defaults based on the LangChain component names
- Session linking: Use sessionIdto group multiple traces under the same user session for better analytics
AI SDK integration is available as an optional dependency. Install the required package:
npm install @ai-sdk/provider
Use the built-in wrapMaximAISDKModel function to wrap provider models and integrate Maxim observability and logging with your agents using AI SDK.
import { wrapMaximAISDKModel } from "@maximai/maxim-js/vercel-ai-sdk"; const model = wrapMaximAISDKModel(anthropic("claude-3-5-sonnet-20241022"), logger);
You can pass this wrapped model in your generation functions to enable logging integration with Maxim.
const query = "Hello"; const response = await generateText({ model: model, prompt: query, }); console.log("OpenAI response for generateText", response.text);
You can customize the behavior of the operations in Maxim by passing in custom metadata. Use the providerOptions property to pass in an object with the key of maxim to use this behavior.
streamText({ model: model, // other model parameters providerOptions: { maxim: { traceName: "custom-trace-name", traceTags: { type: "demo", priority: "high", }, }, }, });
Entity Naming:
- sessionName- Override the default session name
- traceName- Override the default trace name
- spanName- Override the default span name
- generationName- Override the default LLM generation name
Entity Tagging:
- sessionTags- Add custom tags to the session (object:- {key: value})
- traceTags- Add custom tags to the trace (object:- {key: value})
- spanTags- Add custom tags to span (object:- {key: value})
- generationTags- Add custom tags to LLM generations (object:- {key: value})
ID References (for linking to existing traces/sessions):
- sessionId- Link this trace to an existing session
- traceId- Use a specific trace ID
- spanId- Use a specific span ID
You can get type-completion for the maxim metadata object using the MaximVercelProviderMetadata type from @maximai/maxim-js/vercel-ai-sdk
streamText({ model: model, // other model parameters providerOptions: { maxim: { traceName: "custom-trace-name", traceTags: { type: "demo", priority: "high", }, } as MaximVercelProviderMetadata, }, });
import { v4 as uuid } from "uuid"; import { z } from "zod"; import { MaximVercelProviderMetadata, wrapMaximAISDKModel } from "@maximai/maxim-js/vercel-ai-sdk"; // other imports const logger = await maxim.logger({ id: repoId }); if (!logger) { throw new Error("Logger is not available"); } const model = wrapMaximAISDKModel(openai.chat("gpt-4o-mini"), logger); const spanId = uuid(); const trace = logger.trace({ id: uuid(), name: "Demo trace" }); const prompt = "Predict the top 3 largest city by 2050. For each, return the name, the country, the reason why it will on the list, and the estimated population in millions."; trace.input(prompt); try { const { text: rawOutput } = await generateText({ model: model, prompt: prompt, providerOptions: { maxim: { traceName: "Demo Trace", traceId: trace.id, spanId: spanId, } as MaximVercelProviderMetadata, }, }); const { object } = await generateObject({ model: model, prompt: "Extract the desired information from this text: \n" + rawOutput, schema: z.object({ name: z.string().describe("the name of the city"), country: z.string().describe("the name of the country"), reason: z.string().describe("the reason why the city will be one of the largest cities by 2050"), estimatedPopulation: z.number(), }), output: "array", providerOptions: { maxim: { traceId: trace.id, spanId: spanId, } as MaximVercelProviderMetadata, }, }); const { text: output } = await generateText({ model: model, prompt: `Format this into a human-readable format: ${JSON.stringify(object)}`, providerOptions: { maxim: { traceId: trace.id, } as MaximVercelProviderMetadata, }, }); trace.end(); console.log("OpenAI response for demo **trace**", output); } catch (error) { console.error("Error in demo trace", error); }
Install:
npm install @openai/agents
Attach tracing:
import { addTraceProcessor } from "@openai/agents"; import { Maxim } from "@maximai/maxim-js"; import { MaximOpenAIAgentsProcessor } from "@maximai/maxim-js/openai-agents"; const maxim = new Maxim({ apiKey: process.env.MAXIM_API_KEY! }); const logger = await maxim.logger({ id: "my-app" }); // Add alongside the default OpenAI exporter addTraceProcessor(new MaximOpenAIAgentsProcessor(logger)); // Or replace all processors (disables default OpenAI exporter) // setTraceProcessors([new MaximOpenAIAgentsProcessor(logger)]);
Configuration via Agents trace metadata (set on the OpenAI Agents trace):
- traceId: string — overrides the Maxim trace id (default: Agent's- traceId)
- traceName: string — sets the Maxim trace name
- traceSessionId: string — associates the trace to a session
- traceTags: Record<string,string> — tags to add on the trace
- traceMetadata: Record<string,unknown> — metadata to add on the trace
- traceMetrics: Record<string,number> — numeric metrics to add on the trace
- traceSpanId: string — id for the single top-level span
- traceSpanName: string — name for the top-level span
- traceSpanTags: Record<string,string> — tags for the top-level span
Note: only traceTags, traceMetadata, and traceMetrics are read at both onTraceStart and onTraceEnd, the rest is only read at onTraceStart
Behavior:
- One top-level span per trace; all components are nested inside it.
- Additional nested spans are created only for clear branch boundaries (only agentfor now).
- No automatic flush is performed; manage flush/shutdown in your app lifecycle. (i.e., calling await maxim.cleanup())
- No logging support for types: "speech" | "transcription" | "speech_group"
For projects still using our separate package Maxim Langchain Tracer (now deprecated in favor of the built-in tracer above), you can use our built-in tracer as is by just replacing the import and installing @langchain/core.
- feat: Added support for OpenAI Responses API type in Generation result handling
- feat: Added TTL-based caching (60s) for prompt version number single-condition fetches
- feat: Added new promptVersionNumber()method in QueryBuilder for convenient version-specific queries
- chore: Added openaipackage as dev dependency for Responses API type support
- fix: Fixes trace input updating with AI SDK integration
- feat: OpenAI Agents SDK integration
- wiring: use addTraceProcessor(new MaximOpenAIAgentsProcessor(logger))orsetTraceProcessors([...])
- config: pass ids/tags/metadata/metrics via Agents trace metadata: traceId,name,sessionId,traceTags,traceMetadata,traceMetrics,traceSpanId,traceSpanName,traceSpanTags
- fix: fixes error message being shown as [object Object]in certain places
- feat: Added direct cost support in generation.result- Added cost tracking capabilities directly in generation results
 
- feat: Added enhanced React Native support
- Introduced a platform adapter that automatically switches between Node.js and React Native implementations as appropriate
- Ensures seamless integration and feature parity across Node.js and React Native environments
- No breaking changes for existing Node.js users; React Native projects benefit from optimized platform-specific handling
 
- New Feature: Added comprehensive metric tracking capabilities across all logger components
- Added addMetric()method toGenerationclass for tracking generation quality metrics, token accounting, and streaming characteristics
- Added addMetric()method toRetrievalclass for tracking RAG evaluation metrics like precision, recall, MRR, and NDCG
- Added addMetric()method toSessionclass for tracking session-level aggregates like trace counts and message counts
- Added addMetric()method toTraceclass for tracking trace-level metrics like tool call counts, costs, and evaluation scores
- Added logger level methods to MaximLoggerclass:sessionAddMetric(),traceAddMetric(),generationAddMetric(), andretrievalAddMetric()
 
- Added 
- feat: Added AI SDK v5support. KeepsAI SDK v4support intact
- fix: Fixes start and end timestamps for log entities
- feat: Adds tool call results support for prompt responses
- feat: Adds toolCallResultstoPromptResponsetype and aToolCallResultstype
- feat: v4 datasets API; flattened POST (rowNo, columnName, type, cellValue) and two-step file upload + PATCH
- feat: signed URL helpers (getUploadUrlForDatasetAttachment,uploadToSignedUrl)
- feat: addDatasetEntriesnow takes[{ columnName, cellValue: { type: VariableType.TEXT | VariableType.JSON | VariableType.FILE, payload } }]
- fix: Fixed the usage type for PromptResponseandPromptChainResponseto respond with camel-case instead of snake-case
- feat: Added deploymentIdsupport to prompt configurations- ENHANCEMENT: Optional deploymentIdfield now available inPromptandPromptVersionConfigtypes for all prompts withAzureprovider
 
- ENHANCEMENT: Optional 
- improvement: Extended mutex timeout for log processing from 30 seconds to 2 minutes
- RELIABILITY: Reduces timeout-related failures during heavy logging operations
- PERFORMANCE: Better handling of large log batches and concurrent operations
 
- feat: Migrated from native HTTP/HTTPS to Axios with comprehensive retry logic
- BREAKING INTERNAL: Replaced native Node.js http/httpsmodules withaxiosandaxios-retryfor all API calls
- RELIABILITY: Enhanced retry mechanism with exponential backoff (up to 5 attempts) for server errors (5xx) and network issues
- NETWORK RESILIENCE: Automatic retries for common network errors (ECONNRESET, ETIMEDOUT, ENOTFOUND, etc.)
- SMART RETRY: Respects Retry-Afterheaders and includes jitter to prevent thundering herd problems
- ERROR HANDLING: Client errors (4xx) are still immediately rejected without retries, preserving API contract
- PERFORMANCE: Improved connection pooling and keep-alive support for better throughput
- TIMEOUT: Enhanced timeout management with configurable per-request timeouts
- DEBUGGING: Better error logging and retry attempt tracking in debug mode
- NEW DEPENDENCIES: Added axiosandaxios-retryas direct dependencies
 
- BREAKING INTERNAL: Replaced native Node.js 
- feat: Enhanced large log handling with automatic remote storage upload
- NEW FEATURE: Automatic detection of large logs (>900KB) and direct upload to remote storage instead of SDK endpoint
- PERFORMANCE: Significantly improved performance when logging large volumes of data by bypassing SDK payload limits
- RELIABILITY: Added retry mechanism (up to 3 attempts) for failed storage uploads
- TRANSPARENCY: Debug logging for large log upload operations with size and key information
- AUTOMATIC: No code changes required - large logs are automatically detected and handled via storage flow
 
- feat: Added Vercel AI SDK integration
- NEW EXPORT: wrapMaximAISDKModel- Wrapper function for AI SDK models (available via@maximai/maxim-js/vercel-ai-sdk)
- NEW TYPE: MaximVercelProviderMetadata- Type for custom metadata inproviderOptions.maxim
- Support for all AI SDK generation functions: generateText,streamText,generateObject,streamObject
- Automatic log component tracking with custom metadata support
- Comprehensive TypeScript support
 
- NEW EXPORT: 
- fix: Prevented LangChain packages from being auto-installed when not needed because they were listed as optional dependencies
- Moved LangChain dependencies to devDependencies for cleaner installations and exported it via @maximai/maxim-js/langchain
- Improved build process to exclude development dependencies from published package
 
- Moved LangChain dependencies to devDependencies for cleaner installations and exported it via 
- feat: Enhanced developer experience
- Added comprehensive JSDoc comments for better IntelliSense support
- Improved TypeScript type definitions throughout the library
 
- fix: Fixes boolean deployment var comparison issue for both prompt and prompt chain deployments
- 
⚠️ BREAKING CHANGES:- 
Prompt.messagestype changed: Themessagesfield type has been updated for better type safety- Before: { role: string; content: string | CompletionRequestContent[] }[]
- After: (CompletionRequest | ChatCompletionMessage)[]
- Migration: Update your code to use the new CompletionRequestinterface which has more specific role types ("user" | "system" | "tool" | "function") instead of genericstring
 // Before (v6.4.x and earlier) const messages: { role: string; content: string }[] = [{ role: "user", content: "Hello" }]; // After (v6.5.0+) const messages: CompletionRequest[] = [ { role: "user", content: "Hello" }, // role is now type-safe ]; 
- Before: 
- 
GenerationConfig.messagestype changed: For better type safety and tool call support- Before: messages: CompletionRequest[]
- After: messages: (CompletionRequest | ChatCompletionMessage)[]
- Migration: Your existing CompletionRequest[]arrays will still work, but you can now also passChatCompletionMessage[]for assistant responses with tool calls
 
- Before: 
- 
Generation.addMessages()method signature changed:- Before: addMessages(messages: CompletionRequest[])
- After: addMessages(messages: (CompletionRequest | ChatCompletionMessage)[])
- Migration: Your existing calls will still work, but you can now also pass assistant messages with tool calls
 
- Before: 
- 
MaximLogger.generationAddMessage()method signature changed:- Before: generationAddMessage(generationId: string, messages: CompletionRequest[])
- After: generationAddMessage(generationId: string, messages: (CompletionRequest | ChatCompletionMessage)[])
- Migration: Your existing calls will still work, but you can now also pass assistant messages with tool calls
 
- Before: 
 
- 
- 
feat: Added LangChain integration with MaximLangchainTracer- Comprehensive tracing support for LangChain and LangGraph applications
- Automatic detection of 8+ LLM providers (OpenAI, Anthropic, Google, Bedrock, etc.)
- Support for chains, agents, retrievers, and tool calls
- Custom metadata and tagging capabilities
- Added @langchain/coreas optional dependency
 
- 
feat: Enhanced prompt and prompt chain execution capabilities - NEW METHOD: Prompt.run(input, options?)- Execute prompts directly from Prompt objects
- NEW METHOD: PromptChain.run(input, options?)- Execute prompt chains directly from PromptChain objects
- Support for image URLs when running prompts via ImageUrltype
- Support for variables in prompt execution
 
- NEW METHOD: 
- 
feat: New types and interfaces for improved type safety - NEW TYPE: PromptResponse- Standardized response format for prompt executions
- NEW TYPE: AgentResponse- Standardized response format for prompt chain executions
- ENHANCED TYPE: ChatCompletionMessage- More specific interface for assistant messages with tool call support
- ENHANCED TYPE: CompletionRequest- More specific interface with type-safe roles
- NEW TYPE: Choice,Usage- Supporting types for response data with token usage
- NEW TYPE: ImageUrl- Type for image URL content in prompts (extracted fromCompletionRequestImageUrlContent)
- NEW TYPE: AgentCost,AgentUsage,AgentResponseMeta- Supporting types for agent responses
 
- NEW TYPE: 
- 
feat: Test run improvements with prompt chain support - Enhanced test run execution with cost and usage tracking for prompt chains
- Support for prompt chains alongside existing prompt and workflow support
- NEW METHOD: TestRunBuilder.withPromptChainVersionId(id, contextToEvaluate?)- Add prompt chain to test runs
 
- 
feat: Enhanced exports for better developer experience - NEW EXPORT: MaximLangchainTracer- Main LangChain integration class
- NEW EXPORTS: ChatCompletionMessage,Choice,CompletionRequest,PromptResponse- Core types now available for external use
- Enhanced type safety and IntelliSense support for prompt handling
 
- NEW EXPORT: 
- 
feat: Standalone package configuration - MIGRATION: Moved from NX monorepo to standalone package (internal change, no user action needed)
- Added comprehensive build, test, and lint scripts
- Updated TypeScript configuration for ES2022 target
- Added Prettier and ESLint configuration files
- NEW EXPORT: VariableTypefrom dataset models
 
- 
deps: LangChain ecosystem support (all optional) - NEW OPTIONAL: @langchain/coreas optional dependency (^0.3.0) - only needed if usingMaximLangchainTracer
 
- NEW OPTIONAL: 
Migration Guide for v6.5.0:
- If you access Prompt.messagesdirectly: Update your type annotations to useCompletionRequest | ChatCompletionMessagetypes
- If you create custom prompt objects: Ensure your messagesarray uses the new interface structure
- If you use Generation.addMessages(): The method now accepts(CompletionRequest | ChatCompletionMessage)[]- your existing code will work unchanged
- If you use MaximLogger.generationAddMessage(): The method now accepts(CompletionRequest | ChatCompletionMessage)[]- your existing code will work unchanged
- If you create GenerationConfigobjects: Themessagesfield now accepts(CompletionRequest | ChatCompletionMessage)[]- your existing code will work unchanged
- To use LangChain integration: Install @langchain/coreand importMaximLangchainTracer
- No action needed for: Regular SDK usage through maxim.logger(), test runs, or prompt management APIs
CompletionRequest[] is compatible with (CompletionRequest | ChatCompletionMessage)[]. You may only see TypeScript compilation errors if you have strict type checking enabled.
- feat: adds providerfield to thePrompttype. This field specifies the LLM provider (e.g., 'openai', 'anthropic', etc.) for the prompt.
- feat: include Langchain integration in the main repository
- feat: adds attachments support to Trace,Span, andGenerationfor file uploads.- 3 attachment types are supported: file path, buffer data, and URL
- has auto-detection of MIME types, file sizes, and names for attachments wherever possible
 
- fix: refactored message handling for Generations to prevent keeping messages reference but rather duplicates the object to ensure point in time capture.
- fix: ensures proper cleanup of resources
Adding attachments
// Add file as attachment entity.addAttachment({ id: uuid(), type: "file", path: "/path/to/file.pdf", }); // Add buffer data as attachment const buffer = fs.readFileSync("image.png"); entity.addAttachment({ id: uuid(), type: "fileData", data: buffer, }); // Add URL as attachment entity.addAttachment({ id: uuid(), type: "url", url: "https://example.com/image.jpg", });
- fix: Added support for OpenAI's logprobsoutput in generation results (ChatCompletionResultandTextCompletionResult).
- fix: Refactored message handling in Generation class to prevent duplicate messages
- chore: Adds maximum payload limit to push to the server
- chore: Adds max in-memory size of the queue for pending commit logs. Beyond that limit, writer automatically flushes logs to the server
- Feat: Adds new errorcomponent
- Chore: Adds ID validator for each entity. It will spit out error log or exception based on raiseExceptionsflag.
- Feat: Adds trace.addToSessionmethod for attaching trace to a new session
- Fix: minor bug fixes around queuing of logs.
- Fix: updates create test run api to use v2 api
- Fix: Handles marking test run as failed if the test run throws at any point after creating it on the platform.
- Feat: Adds support for contextToEvaluateinwithPromptVersionIdandwithWorkflowId(by passing it as the second parameter) to be able to choose whichever variable or dataset column to use as context to evaluate, as opposed to only having the dataset column as context through theCONTEXT_TO_EVALUATEdatastructure mapping.
- Feat: Adds createCustomEvaluatorandcreateCustomCombinedEvaluatorsForfor adding custom evaluators to add them to the test runs.
- Feat: Adds withCustomLoggerto the test run builder chain to have a custom logger that follows theTestRunLoggerinterface.
- Feat: Adds createDataStructurefunction to create a data struture outside the test run builder. This is done to help use the data structure to infer types outside the test run builder.
- Feat: Adds withWorkflowIdandwithPromptVersionIdto the test run builder chain.
- Fix: makes eventIdmandatory while logging an event.
- Feat: adds addMetadatamethod to all log components for tracking any additional metadata.
- Feat: adds evaluatemethod toTrace,Span,GenerationandRetrievalclasses for agentic (or node level) evaluation.
- Feat: Adds support for tool_calls as a separate entity.
- Change: Adds a new config parameter raiseExceptionsto control exceptions thrown by the SDK. Default value isfalse.
- getPrompt(s),- getPromptChain(s)and- getFolder(s)could return undefined if- raiseExceptionsis- false.
- Change: Prompt management needs to be enabled via config.
- Chore: On multiple initializations of the SDK, SDK will warn the user. This start throwing exceptions in future releases.
- Chore: removed optional dependencies
- Feat: Adds a new logger.flushmethod to explicitly flushing logs
- Fix: fixes logger cleanup
- Feat: Jinja 2.0 variables support
- Fix: fixes incorrect message format for openai structured output params
- Fix: fixes incorrect mapping of messages for old langchain sdk
- Fix: config fixes for static classes
- Improvement: Adds AWS lambda support for Maxim SDK.
- Fix: There was a critical bug in the implementation of HTTP POST calls where some of the payloads were getting truncated.
- Fix: For ending any entity, we make sure endTimestamp is captured from client side. This was not the case earlier in some scenarios.
- Fix: Data payload will always be a valid JSON
- Improvement: Adds exponential retries to the API calls to Maxim server.
- Improvement: Readme updates.
- Improvement: Detailed logs in debug mode
- Adds scaffold to support LangchainTracer for Maxim SDK.
- Exposes MaximLogger for writing wrappers for different developer SDKs.
- Adds more type-safety for generation messages
- Adds support input/output for traces
- Adds support for node 12+
- Fixed a critical bug related to pushing generation results to the Maxim platform
- Improved error handling for network connectivity issues
- Enhanced performance when logging large volumes of data
- Adds retrieval updates
- Adds ChatMessage support
- Adds prompt chain support
- Adds vision model support for prompts
- Adds separate error reporting method for generations
- Adds top level methods for easier SDK integration
- Fixes logs push error
- Minor bug fixes
- Updates default base url
- Prompt selection algorithm v2
- Minor bug fixes
- Moves to new base URL
- Adds all new logging support
- Adds support for adding dataset entries via SDK.
- Folders, Tags and advanced filtering support.
- Add support for customizing default matching algorithm.
- Adds realtim sync for prompt deployment.
- Adds support for deployment variables and custom fields. [Breaking change from earlier versions.]
- Adds support for new SDK apis.
- Adds support for custom fields for Prompts.