Skip to main content
Glama

get_flight_option_details

Retrieve detailed flight information including segments, pricing, and baggage details for a specific flight option from search results.

Instructions

Retrieve detailed information about a specific flight option from the search results. This tool provides detailed information about a flight option, including its segments, price, baggage info. It is useful for getting more granular information about a specific flight option.

Input Schema

TableJSON Schema
NameRequiredDescriptionDefault
search_idYesSearch ID from the previous search_flights tool.
offer_idYesOffer ID of the flight option for which to request a booking link.

Implementation Reference

  • The primary handler function for the 'get_flight_option_details' tool, decorated with @mcp.tool which registers it. Retrieves cached search results by search_id, finds the specific proposal by offer_id using get_proposal_by_id, and returns detailed description via get_full_description. Includes inline schema via Pydantic Field descriptions.
    @mcp.tool(description="Retrieve detailed information about a specific flight option from the search results. " \
        "This tool provides detailed information about a flight option, including its segments, price, baggage info. " \
        "It is useful for getting more granular information about a specific flight option.")
    def get_flight_option_details(
        search_id: str = Field(..., description="Search ID from the previous search_flights tool."),
        offer_id: str = Field(..., description="Offer ID of the flight option for which to request a booking link."),
    ) -> Dict[str, Any]:
        """Get detailed information about a specific flight option from the search results."""
        
        batch = search_results_cache.get(search_id)
        if not batch:
            raise ToolError(f"No search results found for search_id: {search_id}. " \
                            "It may have expired after 10 minutes. " \
                            "Please perform a search first using the `search_flights` tool.")
        
        proposal = batch.get_proposal_by_id(offer_id)
        if not proposal:
            raise ToolError(f"No flight details found for offer_id: {offer_id} in search_id: {search_id}.")
        
        return proposal.get_full_description()
  • Helper method on ProposalsBatchModel to find and return the Proposal instance matching the offer_id (stored as 'sign'). Called directly from the tool handler.
    def get_proposal_by_id(self, proposal_id: str) -> Optional[Proposal]:
        for proposal in self.proposals:
            if proposal.sign == proposal_id:
                return proposal
        return None
  • Helper method on Proposal class that generates comprehensive string description of the flight option, including detailed flights, layovers, agency prices, baggage, etc. Returned directly by the tool handler.
    def get_full_description(self) -> str:
        description_parts = [self.get_short_description(include_cheapest_price=False, include_aircraft=True)]
        if self.is_charter:
            description_parts.append("* This is a charter flight.")
        description_parts.append(f"* This ticket is offered by {len(self.terms)} agencies with the following terms:")
        for term_id, terms in self.terms.items():
            agency = self.batch_ref.gates_info.get(term_id)
            if agency:
                description_parts.append(f"* Agency {agency.label} (internal agency ID: {term_id})")
            else:
                description_parts.append(f"* Agency (internal agency ID: {term_id})")
            description_parts.append(f"  * **Price:** {terms.price} {terms.currency.upper()} " \
                                     f"(in user currency: {convert_unified_price_to_user(terms.unified_price, self.batch_ref.currency)} {self.batch_ref.currency.upper()})")
            
            description_parts.append(f"  * Baggage info:")
            for segment_idx, segment in enumerate(self.segment):
                for flight_idx, flight in enumerate(segment.flight):
                    baggage = terms.flights_baggage[segment_idx][flight_idx]
    
                    handbag = terms.flights_handbags[segment_idx][flight_idx]
                    description_parts.append(f"    * Flight {flight.get_full_flight_number()}: \n" \
                                             f"      * {parse_baggage_string(baggage)} \n" \
                                             f"      * {parse_carry_on_string(handbag)}")
        if self.tags:
            description_parts.append(f"* Tags: {', '.join(self.tags)}")
        
        return "\n".join(description_parts)
  • TTLCache instance used across tools to store search results (ProposalsBatchModel) temporarily for 10 minutes, accessed by search_id in get_flight_option_details.
    search_results_cache = TTLCache(
        maxsize=10000,  # Maximum number of cached items
        ttl=10 * 60,  # Time to live for each cached item (10 minutes)
    )
Behavior2/5

Does the description disclose side effects, auth requirements, rate limits, or destructive behavior?

No annotations are provided, so the description carries the full burden. It describes a read operation ('retrieve'), but doesn't disclose behavioral traits such as whether it requires authentication, has rate limits, what happens if parameters are invalid, or the format of the returned data. The description adds minimal context beyond the basic purpose.

Agents need to know what a tool does to the world before calling it. Descriptions should go beyond structured annotations to explain consequences.

Conciseness4/5

Is the description appropriately sized, front-loaded, and free of redundancy?

The description is appropriately sized with two sentences that are front-loaded with the main purpose. It avoids redundancy but could be slightly more concise by removing the slightly repetitive second sentence about 'detailed information'.

Shorter descriptions cost fewer tokens and are easier for agents to parse. Every sentence should earn its place.

Completeness2/5

Given the tool's complexity, does the description cover enough for an agent to succeed on first attempt?

Given no annotations and no output schema, the description is incomplete. It doesn't explain what the return values look like (e.g., structure of segments, price details), potential errors, or other behavioral aspects needed for effective tool use. For a tool with 2 parameters and no structured output, more context is warranted.

Complex tools with many parameters or behaviors need more documentation. Simple tools need less. This dimension scales expectations accordingly.

Parameters3/5

Does the description clarify parameter syntax, constraints, interactions, or defaults beyond what the schema provides?

Schema description coverage is 100%, so the schema already documents both parameters (search_id and offer_id) with descriptions. The description mentions 'search results' and 'specific flight option', which aligns with the schema but doesn't add significant meaning beyond it. Baseline 3 is appropriate as the schema does the heavy lifting.

Input schemas describe structure but not intent. Descriptions should explain non-obvious parameter relationships and valid value ranges.

Purpose4/5

Does the description clearly state what the tool does and how it differs from similar tools?

The description clearly states the verb ('retrieve detailed information') and resource ('specific flight option from the search results'), and mentions specific data elements like segments, price, and baggage info. However, it doesn't explicitly differentiate from sibling tools like 'get_flight_options' beyond mentioning 'detailed information' versus presumably summary information.

Agents choose between tools based on descriptions. A clear purpose with a specific verb and resource helps agents select the right tool.

Usage Guidelines3/5

Does the description explain when to use this tool, when not to, or what alternatives exist?

The description implies usage by stating it's 'useful for getting more granular information about a specific flight option' and references 'search results' from a previous search. However, it doesn't explicitly state when to use this versus alternatives like 'get_flight_options' or 'request_booking_link', nor does it provide exclusions or prerequisites beyond the implied need for a search_id and offer_id.

Agents often have multiple tools that could apply. Explicit usage guidance like "use X instead of Y when Z" prevents misuse.

Install Server

Other Tools

Latest Blog Posts

MCP directory API

We provide all the information about MCP servers via our MCP API.

curl -X GET 'https://glama.ai/api/mcp/v1/servers/maratsarbasov/flights-mcp'

If you have feedback or need assistance with the MCP directory API, please join our Discord server