Using Mirascope’s O1 style thinking and thoughtful reasoning

In this tutorial, we will explore how to implement chain of ideas (COT) reasoning using Mirascope library and Groq’s Llama 3 model. Instead of turning the model directly to the answer, Cot reasoning encourages it to break down the problem into logical steps, just like how humans solve it. This approach improves accuracy, transparency, and helps to handle complex multi-step tasks more reliably. We will guide you in setting up the schema, defining step-by-step reasoning calls, generating final answers, and visualizing the thinking process in a structured way.

We will ask LLM a relative speed question – “If the train is traveling at 60 km/h at 9:00 am and another train leaves City B at 90 km/h at 10:00 am (300 km from City A) to A, when will the train meet?transparent

Install dependencies

!pip install "mirascope[groq]" 
!pip install datetime

GROQ API keys

For this tutorial, we need a GROQ API key to dial LLM. You can

Import the library and define the Pydantic schema

This section imports the required libraries and defines the cotresult Pydantic model. The pattern builds the title, content and next_action flags for each reasoning step to indicate whether the model should continue to reason or return the final answer.

from typing import Literal

from mirascope.core import groq
from pydantic import BaseModel, Field


history: list[dict] = []


class COTResult(BaseModel):
    title: str = Field(..., desecription="The title of the step")
    content: str = Field(..., description="The output content of the step")
    next_action: Literal["continue", "final_answer"] = Field(
        ..., description="The next action to take"
    )

Define step-by-step reasoning and final answer functions

These functions form the core of the thinking chain (COT) reasoning workflow. The COT_STEP function allows the model to iteratively think by reviewing previous steps and deciding whether to continue or conclude. This allows for more in-depth reasoning, especially for multi-step questions. The Final_answer function integrates all inference into a centralized response, making the output clean and ready for end-user consumption. Together, they help models handle complex tasks more logically and transparently.

@groq.call("llama-3.3-70b-versatile", json_mode=True, response_model=COTResult)
def cot_step(prompt: str, step_number: int, previous_steps: str) -> str:
    return f"""
    You are an expert AI assistant that explains your reasoning step by step.
    For this step, provide a title that describes what you're doing, along with the content.
    Decide if you need another step or if you're ready to give the final answer.

    Guidelines:
    - Use AT MOST 5 steps to derive the answer.
    - Be aware of your limitations as an LLM and what you can and cannot do.
    - In your reasoning, include exploration of alternative answers.
    - Consider you may be wrong, and if you are wrong in your reasoning, where it would be.
    - Fully test all other possibilities.
    - YOU ARE ALLOWED TO BE WRONG. When you say you are re-examining
        - Actually re-examine, and use another approach to do so.
        - Do not just say you are re-examining.

    IMPORTANT: Do not use code blocks or programming examples in your reasoning. Explain your process in plain language.

    This is step number {step_number}.

    Question: {prompt}

    Previous steps:
    {previous_steps}
    """


@groq.call("llama-3.3-70b-versatile")
def final_answer(prompt: str, reasoning: str) -> str:
    return f"""
    Based on the following chain of reasoning, provide a final answer to the question.
    Only provide the text response without any titles or preambles.
    Retain any formatting as instructed by the original prompt, such as exact formatting for free response or multiple choice.

    Question: {prompt}

    Reasoning:
    {reasoning}

    Final Answer:
    """

Generate and display responses through a chain of thoughts

This section defines two key functions to manage complete chains of passing through passing through passing through passing through through passing through management:

  • Generate_COT_Response handles iterative reasoning process. It sends user queries to the model step by step, tracks the content, title and response time of each step, and stops after the model signal reaches the final answer or up to 5 steps. It then calls final_answer to draw clear conclusions based on cumulative reasoning.
  • display_cot_response neatly prints the step-by-step breakdown and the time it takes for each step, followed by the final answer and total processing time.

Together, these features help visualize the reason for the model through complex hints and allow for better transparency and multi-step output debugging.

def generate_cot_response(
    user_query: str,
) -> tuple[list[tuple[str, str, float]], float]:
    steps: list[tuple[str, str, float]] = []
    total_thinking_time: float = 0.0
    step_count: int = 1
    reasoning: str = ""
    previous_steps: str = ""

    while True:
        start_time: datetime = datetime.now()
        cot_result = cot_step(user_query, step_count, previous_steps)
        end_time: datetime = datetime.now()
        thinking_time: float = (end_time - start_time).total_seconds()

        steps.append(
            (
                f"Step {step_count}: {cot_result.title}",
                cot_result.content,
                thinking_time,
            )
        )
        total_thinking_time += thinking_time

        reasoning += f"n{cot_result.content}n"
        previous_steps += f"n{cot_result.content}n"

        if cot_result.next_action == "final_answer" or step_count >= 5:
            break

        step_count += 1

    # Generate final answer
    start_time = datetime.now()
    final_result: str = final_answer(user_query, reasoning).content
    end_time = datetime.now()
    thinking_time = (end_time - start_time).total_seconds()
    total_thinking_time += thinking_time

    steps.append(("Final Answer", final_result, thinking_time))

    return steps, total_thinking_time


def display_cot_response(
    steps: list[tuple[str, str, float]], total_thinking_time: float
) -> None:
    for title, content, thinking_time in steps:
        print(f"{title}:")
        print(content.strip())
        print(f"**Thinking time: {thinking_time:.2f} seconds**n")

    print(f"**Total thinking time: {total_thinking_time:.2f} seconds**")

Run the workflow through the thought chain

Running functions initiates a complete chain of thoughts (COT) reasoning process by sending multi-step mathematical word problems to the model. It first prints the user’s problem and then uses Generate_COT_Response to calculate step-by-step reasoning tracking. These steps and the total processing time will be displayed using display_cot_response.

Finally, the feature records the final answers to the question and model into a shared historical list and preserves the complete interaction for future reference or review. This feature brings all early components together to make them oriented towards a complete, user-oriented inference flow.

def run() -> None:
    question: str = "If a train leaves City A at 9:00 AM traveling at 60 km/h, and another train leaves City B (which is 300 km away from City A) at 10:00 AM traveling at 90 km/h toward City A, at what time will the trains meet?"
    print("(User):", question)
    # Generate COT response
    steps, total_thinking_time = generate_cot_response(question)
    display_cot_response(steps, total_thinking_time)

    # Add the interaction to the history
    history.append({"role": "user", "content": question})
    history.append(
        {"role": "assistant", "content": steps[-1][1]}
    )  # Add only the final answer to the history


# Run the function

run()

Check Code. All credits for this study are to the researchers on the project.

Sponsorship Opportunities: Attract the most influential AI developers in the United States and Europe. 1M+ monthly readers, 500K+ community builders, unlimited possibilities. [Explore Sponsorship]


I am a civil engineering graduate in Islamic Islam in Jamia Milia New Delhi (2022) and I am very interested in data science, especially neural networks and their applications in various fields.

You may also like...