DEV Community

Cover image for Supercharging AI Code Reviews: Our Journey with Mistral-Large-2411
Jet Xu
Jet Xu

Posted on • Originally published at Medium

Supercharging AI Code Reviews: Our Journey with Mistral-Large-2411

In the realm of AI-powered code review systems, the quality of the underlying language model is crucial for providing actionable insights. This technical deep dive details our journey upgrading LlamaPReview (a fully automated PR review Github APP) from Mistral-Large-2407 to Mistral-Large-2411, focusing on the challenges we encountered and the solutions we engineered.

Initial Integration Challenges

When Mistral announced their Large-2411 model, our initial upgrade attempt revealed unexpected complexities. Our original implementation pattern:

# Previous implementation
messages = [
 {
 "role": "user",
 "content": f"{system_prompt}\n\n{pr_details}"
 }
]
Enter fullscreen mode Exit fullscreen mode

This approach, while functional with Mistral-Large-2407, failed to leverage the enhanced prompt processing capabilities of the 2411 version. Direct version upgrade of the LLM model without proper adaptation resulted in significant degradation of PR review quality, including malformed output formats and inconsistent review standards.

Technical Investigation

Model Architecture Changes

Following a thorough analysis of the model's documentation and specifications. We found that the Mistral-Large-2411 documentation revealed significant changes in prompt processing:

# Previous prompt format for Mistral-Large-2407
<s>[INST] user message[/INST] assistant message</s>[INST] system prompt + "\n\n" + user message[/INST]

# New optimized prompt format for Mistral-Large-2411
<s>[SYSTEM_PROMPT] system prompt[/SYSTEM PROMPT][INST] user message[/INST] assistant message</s>[INST] user message[/INST]
Enter fullscreen mode Exit fullscreen mode

LangChain Integration Analysis

Given our integration with Mistral Chat API through LangChain, it was essential to verify LangChain's compatibility with the new prompt pattern requirements.

To understand the exact interaction between LangChain and Mistral's API, we developed a sophisticated HTTP client interceptor:

import logging
import json
import httpx
from functools import wraps

# Configure logging
logging.basicConfig(level=logging.DEBUG)
logger = logging.getLogger("httpx_debug")

# Save the original request method
original_send = httpx.Client.send

def log_request_response(func):
    @wraps(func)
    def wrapper(client, request, *args, **kwargs):
        # Log request information
        logger.debug("\n=== Request ===")
        logger.debug(f"URL: {request.url}")
        logger.debug(f"Method: {request.method}")
        logger.debug("Headers:")
        for name, value in request.headers.items():
            logger.debug(f"  {name}: {value}")

        if request.content:
            try:
                body = json.loads(request.content)
                logger.debug(f"Request Body:\n{json.dumps(body, indent=2, ensure_ascii=False)}")
            except:
                logger.debug(f"Request Body: {request.content}")

        # Execute original request
        response = func(client, request, *args, **kwargs)

        # Special handling for streaming responses
        if 'text/event-stream' in response.headers.get('content-type', ''):
            logger.debug("\n=== Streaming Response ===")
            logger.debug(f"Status: {response.status_code}")
            logger.debug("Headers:")
            for name, value in response.headers.items():
                logger.debug(f"  {name}: {value}")

            # Create a new response object to capture streaming content
            original_iter = response.iter_bytes

            def logging_iter():
                logger.debug("\n=== Response Stream Content ===")
                for chunk in original_iter():
                    try:
                        decoded = chunk.decode('utf-8')
                        logger.debug(f"Chunk: {decoded}")
                    except:
                        logger.debug(f"Raw chunk: {chunk}")
                    yield chunk

            response.iter_bytes = logging_iter
        else:
            # Handle non-streaming responses
            logger.debug("\n=== Response ===")
            logger.debug(f"Status: {response.status_code}")
            logger.debug("Headers:")
            for name, value in response.headers.items():
                logger.debug(f"  {name}: {value}")

            try:
                response_body = response.json()
                logger.debug(f"Response Body:\n{json.dumps(response_body, indent=2, ensure_ascii=False)}")
            except:
                logger.debug(f"Response Body: {response.text}")

        return response

    return wrapper

# Replace the original request method
httpx.Client.send = log_request_response(original_send)

# Optional: Add debug control functionality
class HTTPXDebugControl:
    def __init__(self):
        self.enabled = False

debug_control = HTTPXDebugControl()

def enable_httpx_debug():
    debug_control.enabled = True

def disable_httpx_debug():
    debug_control.enabled = False
Enter fullscreen mode Exit fullscreen mode

Example usage:

from langchain_mistralai.chat_models import ChatMistralAI
from langchain.prompts import ChatPromptTemplate
from langchain.schema import StrOutputParser

llm = ChatMistralAI(mistral_api_key=your_api_key, model="mistral-large-2411")

context = ChatPromptTemplate.from_messages([
    ("system", "You are an expert code reviewer…"),
    ("human", "PR Details: …")
])

chain = (
    context
    | llm
    | StrOutputParser()
)

initial_response = ""
for chunk in chain.stream({}):
    initial_response += chunk
Enter fullscreen mode Exit fullscreen mode

This interceptor revealed crucial details about LangChain's interaction with Mistral's API:

  1. Message formatting
  2. System prompt handling
  3. Streaming response processing

Key Findings from API Analysis

The logged API interactions showed:

https://api.mistral.ai/v1/chat/completions
{
  "messages": [
    {
      "role": "system",
      "content": "You are an expert code reviewer…"
    },
    {
      "role": "user",
      "content": "PR Details: …"
    }
  ],
  "model": "mistral-large-2411",
  "temperature": 0.7,
  "top_p": 1,
  "safe_prompt": false,
  "stream": true
}
Enter fullscreen mode Exit fullscreen mode

Our analysis revealed that LangChain's implementation already handles the correct message formatting for Mistral's Chat API. This meant that rather than modifying the API integration layer, we could focus on optimizing our prompt engineering to fully leverage Mistral-Large-2411's enhanced capabilities through LangChain's abstraction.

Optimized Implementation

Based on our findings, we developed an enhanced integration approach to fulfill Mistral-Large-2411's new Prompt pattern:

from langchain_mistralai.chat_models import ChatMistralAI
from langchain.prompts import ChatPromptTemplate
from langchain.schema import StrOutputParser

llm = ChatMistralAI(mistral_api_key=your_api_key, model="mistral-large-2411")

context = ChatPromptTemplate.from_messages([
    ("system", initial_think_system_message), # main prompt content will be put here
    ("human", initial_think_human_message) # shot introduction with parameter pr_details
])

chain = (
    context
    | llm
    | StrOutputParser()
)

initial_response = ""
for chunk in chain.stream({"pr_details": pr_details}):
    initial_response += chunk
Enter fullscreen mode Exit fullscreen mode

Meanwhile, we have also enhanced our prompt for:

  • Enhanced Review Focus: Optimized prompts for more valuable code reviews
  • Improved Output Reliability: Enhanced output reliability through improved comment generation logic, ensuring consistent code review format compliance and eliminating potential response truncation issues

Validation Results: Mistral-Large-2411 Upgrade

Our comprehensive validation demonstrated significant improvements across all key metrics:

🎯 Review Quality

  • Architecture Analysis: Substantial increase in architectural design recommendations
  • Security Coverage: Enhanced detection of potential vulnerabilities, including edge cases
  • Performance Insights: More actionable optimization suggestions
  • Edge Case Detection: Improved coverage of potential corner cases

Best Practices and Recommendations

Based on our experience, we recommend:

  • Lock your LLM version in production and conduct comprehensive testing in a staging environment before any model upgrades.

Conclusion

The upgrade to Mistral-Large-2411 represented more than a version change; it required deep understanding of model capabilities, API interactions, and prompt engineering. Our investigation and implementation process has established a robust foundation for future model upgrades and continuous improvement of our AI code review system.

Top comments (0)