Skip to main content
Glama
Domoteek
by Domoteek

airbnb_search

Search for Airbnb listings by location, dates, and filters to find accommodations matching specific requirements. Get direct links to listings for booking.

Instructions

Search for Airbnb listings with various filters and pagination. Provide direct links to the user

Input Schema

TableJSON Schema
NameRequiredDescriptionDefault
locationYesLocation to search for (city, state, etc.)
placeIdNoGoogle Maps Place ID (overrides the location parameter)
checkinNoCheck-in date (YYYY-MM-DD)
checkoutNoCheck-out date (YYYY-MM-DD)
adultsNoNumber of adults
childrenNoNumber of children
infantsNoNumber of infants
petsNoNumber of pets
minPriceNoMinimum price for the stay
maxPriceNoMaximum price for the stay
cursorNoBase64-encoded string used for Pagination
ignoreRobotsTextNoIgnore robots.txt rules for this request

Implementation Reference

  • The handler function that implements the core logic of the airbnb_search tool: constructs Airbnb search URL from parameters, checks robots.txt compliance, fetches and scrapes the HTML using cheerio to extract search results including listings with URLs, prices, ratings, etc., and returns structured JSON.
    async function handleAirbnbSearch(params: any) {
      const {
        location,
        placeId,
        checkin,
        checkout,
        adults = 1,
        children = 0,
        infants = 0,
        pets = 0,
        minPrice,
        maxPrice,
        cursor,
        ignoreRobotsText = false,
      } = params;
    
      // Build search URL
      const searchUrl = new URL(`${BASE_URL}/s/${encodeURIComponent(location)}/homes`);
      
      // Add placeId
      if (placeId) searchUrl.searchParams.append("place_id", placeId);
      
      // Add query parameters
      if (checkin) searchUrl.searchParams.append("checkin", checkin);
      if (checkout) searchUrl.searchParams.append("checkout", checkout);
      
      // Add guests
      const adults_int = parseInt(adults.toString());
      const children_int = parseInt(children.toString());
      const infants_int = parseInt(infants.toString());
      const pets_int = parseInt(pets.toString());
      
      const totalGuests = adults_int + children_int;
      if (totalGuests > 0) {
        searchUrl.searchParams.append("adults", adults_int.toString());
        searchUrl.searchParams.append("children", children_int.toString());
        searchUrl.searchParams.append("infants", infants_int.toString());
        searchUrl.searchParams.append("pets", pets_int.toString());
      }
      
      // Add price range
      if (minPrice) searchUrl.searchParams.append("price_min", minPrice.toString());
      if (maxPrice) searchUrl.searchParams.append("price_max", maxPrice.toString());
      
      // Add room type
      // if (roomType) {
      //   const roomTypeParam = roomType.toLowerCase().replace(/\s+/g, '_');
      //   searchUrl.searchParams.append("room_types[]", roomTypeParam);
      // }
    
      // Add cursor for pagination
      if (cursor) {
        searchUrl.searchParams.append("cursor", cursor);
      }
    
      // Check if path is allowed by robots.txt
      const path = searchUrl.pathname + searchUrl.search;
      if (!ignoreRobotsText && !isPathAllowed(path)) {
        return {
          content: [{
            type: "text",
            text: JSON.stringify({
              error: robotsErrorMessage,
              url: searchUrl.toString()
            }, null, 2)
          }],
          isError: true
        };
      }
    
      const allowSearchResultSchema: Record<string, any> = {
        listing : {
          id: true,
          name: true,
          title: true,
          coordinate: true,
          structuredContent: {
            mapCategoryInfo: {
              body: true
            },
            mapSecondaryLine: {
              body: true
            },
            primaryLine: {
              body: true
            },
            secondaryLine: {
              body: true
            },
          }
        },
        avgRatingA11yLabel: true,
        listingParamOverrides: true,
        structuredDisplayPrice: {
          primaryLine: {
            accessibilityLabel: true,
          },
          secondaryLine: {
            accessibilityLabel: true,
          },
          explanationData: {
            title: true,
            priceDetails: {
              items: {
                description: true,
                priceString: true
              }
            }
          }
        },
        // contextualPictures: {
        //   picture: true
        // }
      };
    
      try {
        const response = await fetchWithUserAgent(searchUrl.toString());
        const html = await response.text();
        const $ = cheerio.load(html);
        
        let staysSearchResults = {};
        
        try {
          const scriptElement = $("#data-deferred-state-0").first();
          const clientData = JSON.parse($(scriptElement).text()).niobeMinimalClientData[0][1];
          const results = clientData.data.presentation.staysSearch.results;
          cleanObject(results);
          staysSearchResults = {
            searchResults: results.searchResults
              .map((result: any) => flattenArraysInObject(pickBySchema(result, allowSearchResultSchema)))
              .map((result: any) => { return {url: `${BASE_URL}/rooms/${result.listing.id}`, ...result }}),
            paginationInfo: results.paginationInfo
          }
        } catch (e) {
            console.error(e);
        }
    
        return {
          content: [{
            type: "text",
            text: JSON.stringify({
              searchUrl: searchUrl.toString(),
              ...staysSearchResults
            }, null, 2)
          }],
          isError: false
        };
      } catch (error) {
        return {
          content: [{
            type: "text",
            text: JSON.stringify({
              error: error instanceof Error ? error.message : String(error),
              searchUrl: searchUrl.toString()
            }, null, 2)
          }],
          isError: true
        };
      }
    }
  • The Tool object definition for airbnb_search, including name, description, and detailed inputSchema for validation of parameters like location, dates, guests, prices, etc.
    const AIRBNB_SEARCH_TOOL: Tool = {
      name: "airbnb_search",
      description: "Search for Airbnb listings with various filters and pagination. Provide direct links to the user",
      inputSchema: {
        type: "object",
        properties: {
          location: {
            type: "string",
            description: "Location to search for (city, state, etc.)"
          },
          placeId: {
            type: "string",
            description: "Google Maps Place ID (overrides the location parameter)"
          },
          checkin: {
            type: "string",
            description: "Check-in date (YYYY-MM-DD)"
          },
          checkout: {
            type: "string",
            description: "Check-out date (YYYY-MM-DD)"
          },
          adults: {
            type: "number",
            description: "Number of adults"
          },
          children: {
            type: "number",
            description: "Number of children"
          },
          infants: {
            type: "number",
            description: "Number of infants"
          },
          pets: {
            type: "number",
            description: "Number of pets"
          },
          minPrice: {
            type: "number",
            description: "Minimum price for the stay"
          },
          maxPrice: {
            type: "number",
            description: "Maximum price for the stay"
          },
          cursor: {
            type: "string",
            description: "Base64-encoded string used for Pagination"
          },
          ignoreRobotsText: {
            type: "boolean",
            description: "Ignore robots.txt rules for this request"
          }
        },
        required: ["location"]
      }
    };
  • index.ts:120-123 (registration)
    Registration of the airbnb_search tool in the AIRBNB_TOOLS array, which is used to list available tools via ListToolsRequestHandler.
    const AIRBNB_TOOLS = [
      AIRBNB_SEARCH_TOOL,
      AIRBNB_LISTING_DETAILS_TOOL,
    ] as const;
  • index.ts:488-490 (registration)
    Server request handler for listing tools, which returns the AIRBNB_TOOLS array including airbnb_search.
    server.setRequestHandler(ListToolsRequestSchema, async () => ({
      tools: AIRBNB_TOOLS,
    }));
  • index.ts:499-502 (registration)
    Dispatch/registration in the CallToolRequestSchema handler: switch case that routes 'airbnb_search' calls to the handleAirbnbSearch function.
    switch (request.params.name) {
      case "airbnb_search": {
        return await handleAirbnbSearch(request.params.arguments);
      }
Behavior2/5

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

With no annotations provided, the description carries the full burden of behavioral disclosure. It mentions 'pagination' and 'Provide direct links to the user,' which adds some context beyond basic functionality. However, it lacks critical details such as rate limits, authentication requirements, error handling, or what the output looks like (e.g., format of results). For a search tool with 12 parameters and no annotations, this is a significant gap in transparency.

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 concise and front-loaded, consisting of two sentences that directly state the tool's purpose and a key output behavior. There's no wasted verbiage or redundancy. However, it could be slightly more structured by explicitly separating functionality from output guidance, but it remains efficient and clear.

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 the complexity (12 parameters, no output schema, no annotations), the description is incomplete. It covers basic purpose and hints at output behavior but lacks details on result format, error cases, usage constraints, or how to interpret pagination. Without annotations or an output schema, the agent has insufficient information to fully understand the tool's behavior and integration needs.

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?

The input schema has 100% description coverage, so all parameters are documented in the schema itself. The description adds minimal value beyond the schema by mentioning 'various filters and pagination,' which loosely maps to parameters like location, dates, prices, and cursor. However, it doesn't provide additional semantics, constraints, or examples that aren't already in the schema descriptions, meeting the baseline for high schema coverage.

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 tool's purpose: 'Search for Airbnb listings with various filters and pagination.' It specifies the verb ('search'), resource ('Airbnb listings'), and scope ('with various filters and pagination'), which is specific and actionable. However, it doesn't explicitly differentiate from its sibling tool 'airbnb_listing_details', which likely provides details for specific listings rather than searching.

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

Usage Guidelines2/5

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

The description provides minimal usage guidance. It mentions 'Provide direct links to the user,' which hints at output behavior but doesn't specify when to use this tool versus alternatives like the sibling 'airbnb_listing_details' or other search methods. There's no explicit guidance on prerequisites, when-not-to-use scenarios, or comparisons to other tools, leaving the agent to infer usage context.

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/Domoteek/mcp-server-airbnb'

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