search-web

4get

by yshalsager

4get is a privacy-focused private search engine that aggregates web, image, and news results while protecting your data

Integrates with the 4get meta search engine to provide privacy-focused web, image, and news searches through a search aggregator that maintains user privacy while accessing results from multiple sources with built-in rate limiting resilience and caching optimization.

github stars

5

Privacy-focused with no user trackingBuilt-in rate limiting and cachingAggregates multiple search engines

best for

  • / Privacy-conscious users avoiding tracking
  • / Research requiring diverse search sources
  • / Content creators needing image searches

capabilities

  • / Search the web across multiple search engines
  • / Find images from various sources
  • / Search news articles
  • / Access cached and optimized results

what it does

Provides privacy-focused web searches through the 4get meta search engine, which aggregates results from multiple sources without tracking users.

about

4get is a community-built MCP server published by yshalsager that provides AI assistants with tools and capabilities via the Model Context Protocol. 4get is a privacy-focused private search engine that aggregates web, image, and news results while protecting your data It is categorized under search web.

how to install

You can install 4get in your AI client of choice. Use the install panel on this page to get one-click setup for Cursor, Claude Desktop, VS Code, and other MCP-compatible clients. This server runs locally on your machine via the stdio transport.

license

GPL-3.0

4get is released under the GPL-3.0 license.

readme

4get MCP Server

A MCP server that provides seamless access to the 4get Meta Search engine API for LLM clients via FastMCP.

Codacy Badge Codacy Badge PyPI version PyPI Downloads

GitHub release GitHub Downloads

made-with-python Open Source Love

PayPal LiberaPay

✨ Features

  • 🔍 Multi Search Functions: Web, image, and news search with comprehensive result formatting
  • ⚡ Smart Caching: TTL-based response caching with configurable size limits
  • 🔄 Retry Logic: Exponential backoff for rate-limited and network errors
  • 🏗️ Production Ready: Connection pooling, comprehensive error handling, and validation
  • 📊 Rich Responses: Featured answers, related searches, pagination support, and more
  • 🧪 Well Tested: Extensive test suite including integration tests with real API, unit tests, and more
  • ⚙️ Highly Configurable: 11+ environment variables for fine-tuning
  • 🎯 Engine Shorthands: Pick a 4get scraper via the engine parameter without memorizing query strings

📋 Requirements

  • Python 3.13+
  • uv for dependency management

Quick Start

# Install dependencies
uv sync

# Run the server
uv run -m mcp_4get

# Or use mise
mise run

⚙️ Configuration

The server is highly configurable via environment variables. All settings have sensible defaults for the public https://4get.ca instance.

Core Settings

VariableDescriptionDefault
FOURGET_BASE_URLBase URL for the 4get instancehttps://4get.ca
FOURGET_PASSOptional pass token for rate-limited instancesunset
FOURGET_USER_AGENTOverride User-Agent headermcp-4get/<version>
FOURGET_TIMEOUTRequest timeout in seconds20.0

Caching & Performance

VariableDescriptionDefault
FOURGET_CACHE_TTLCache lifetime in seconds600.0
FOURGET_CACHE_MAXSIZEMaximum cached responses128
FOURGET_CONNECTION_POOL_MAXSIZEMax concurrent connections10
FOURGET_CONNECTION_POOL_MAX_KEEPALIVEMax persistent connections5

Retry & Resilience

VariableDescriptionDefault
FOURGET_MAX_RETRIESMaximum retry attempts3
FOURGET_RETRY_BASE_DELAYBase retry delay in seconds1.0
FOURGET_RETRY_MAX_DELAYMaximum retry delay in seconds60.0

🚀 Running the Server

Local Development

uv run -m mcp_4get

Production Deployment

# With custom configuration
export FOURGET_BASE_URL="https://my-4get-instance.com"
export FOURGET_PASS="my-secret-token"
export FOURGET_CACHE_TTL="300"
export FOURGET_MAX_RETRIES="5"

uv run -m mcp_4get

MCP Server Integration

You can integrate the 4get MCP server with popular IDEs and AI assistants. Here are configuration examples:

Cursor IDE

Add this to your Cursor MCP configuration (~/.cursor/mcp.json):

{
  "mcpServers": {
    "4get": {
      "command": "uvx",
      "args": [
        "mcp_4get@latest"
      ],
      "env": {
        "FOURGET_BASE_URL": "https://4get.ca"
      }
    }
  }
}

OpenAI Codex

Add this to your Codex MCP configuration (~/.codex/config.toml):

[mcp_servers.4get]
command = "uvx"
args = ["mcp_4get@latest"]
env = { FOURGET_BASE_URL = "https://4get.ca" }

Note: Replace /path/to/your/mcp-4get with the actual path to your project directory.

🔧 MCP Tools

The server exposes three powerful search tools with comprehensive response formatting:

fourget_web_search

fourget_web_search(
    query: str,
    page_token: str = None,        # Use 'npt' from previous response
    extended_search: bool = False, # Enable extended search mode
    engine: str = None,             # Pick a scraper from the supported engine list
    extra_params: dict = None      # Language, region, etc.
)

Response includes: web[], answer[], spelling, related[], npt

fourget_image_search

fourget_image_search(
    query: str,
    page_token: str = None,   # Use 'npt' from previous response
    engine: str = None,       # Pick a scraper from the supported engine list
    extra_params: dict = None # Size, color, type filters
)

Response includes: image[], npt

fourget_news_search

fourget_news_search(
    query: str,
    page_token: str = None,   # Use 'npt' from previous response
    engine: str = None,       # Pick a scraper from the supported engine list
    extra_params: dict = None # Date range, source filters
)

Response includes: news[], npt

Engine shorthands

All MCP tools accept an optional engine argument that maps directly to the 4get scraper query parameter. This shorthand overrides any scraper value you may include in extra_params.

ValueEngine
ddgDuckDuckGo
braveBrave
mullvad_braveMullvad (Brave)
yandexYandex
googleGoogle
google_cseGoogle CSE
mullvad_googleMullvad (Google)
startpageStartpage
qwantQwant
ghosteryGhostery
yepYep
grepprGreppr
crowdviewCrowdview
mwmblMwmbl
mojeekMojeek
baiduBaidu
coccocCoc Coc
solofieldSolofield
marginaliaMarginalia
wibywiby
curlieCurlie

If you need to pass additional 4get query parameters (such as country or language), continue to supply them through extra_params.

📄 Pagination

All tools support pagination via the npt (next page token):

# Get first page
result = await client.web_search("python programming")

# Get next page if available
if result.get('npt'):
    next_page = await client.web_search("ignored", page_token=result['npt'])

🐍 Using the Async Client Directly

You can reuse the bundled async client outside MCP for direct API access:

import asyncio
from mcp_4get.client import FourGetClient
from mcp_4get.config import Config

async def main() -> None:
    client = FourGetClient(Config.from_env())
    data = await client.web_search(
        "model context protocol",
        options={"scraper": "mullvad_brave"},
    )
    for result in data.get("web", []):
        print(result["title"], "->", result["url"])

asyncio.run(main())

This allows you to integrate 4get search capabilities directly into your Python applications without going through the MCP protocol.

🛡️ Error Handling & Resilience

Automatic Retry Logic

  • Rate Limiting (429): Exponential backoff with jitter
  • Network Errors: Connection failures and timeouts
  • Non-retryable: HTTP 404/500 errors fail immediately

Error Types

  • FourGetAuthError: Rate limited or invalid authentication
  • FourGetAPIError: API returned non-success status
  • FourGetTransportError: Network or HTTP protocol errors
  • FourGetError: Generic client errors

Configuration Validation

All settings are validated on startup with clear error messages for misconfigurations.

📊 Response Format

Based on the real 4get API, responses include rich metadata:

{
  "status": "ok",
  "web": [
    {
      "title": "Example Result",
      "description": "Result description...",
      "url": "https://example.com",
      "date": 1640995200,
      "type": "web"
    }
  ],
  "answer": [
    {
      "title": "Featured Answer",
      "description": [{"type": "text", "value": "Answer content..."}],
      "url": "https://source.com",
      "table": {"Key": "Value"}
    }
  ],
  "spelling": {
    "type": "no_correction",
    "correction": null
  },
  "related": ["related search", "terms"],
  "npt": "pagination_token_here"
}

Development

This project uses several tools to streamline the development process:

mise

mise is used for managing project-level dependencies and environment variables. mise helps ensure consistent development environments across different machines.

To get started with mise:

  1. Install mise by following the instructions on the official website.
  2. Run mise install in the project root to set up the development environment.

**Environment Variab


FAQ

What is the 4get MCP server?
4get is a Model Context Protocol (MCP) server profile on explainx.ai. MCP lets AI hosts (e.g. Claude Desktop, Cursor) call tools and resources through a standard interface; this page summarizes categories, install hints, and community ratings.
How do MCP servers relate to agent skills?
Skills are reusable instruction packages (often SKILL.md); MCP servers expose live capabilities. Teams frequently combine both—skills for workflows, MCP for APIs and data. See explainx.ai/skills and explainx.ai/mcp-servers for parallel directories.
How are reviews shown for 4get?
This profile displays 10 aggregated ratings (sample rows for discoverability plus signed-in user reviews). Average score is about 4.5 out of 5—verify behavior in your own environment before production use.
MCP server reviews

Ratings

4.510 reviews
  • Shikha Mishra· Oct 10, 2024

    4get is among the better-indexed MCP projects we tried; the explainx.ai summary tracks the official description.

  • Piyush G· Sep 9, 2024

    We evaluated 4get against two servers with overlapping tools; this profile had the clearer scope statement.

  • Chaitanya Patil· Aug 8, 2024

    Useful MCP listing: 4get is the kind of server we cite when onboarding engineers to host + tool permissions.

  • Sakshi Patil· Jul 7, 2024

    4get reduced integration guesswork — categories and install configs on the listing matched the upstream repo.

  • Ganesh Mohane· Jun 6, 2024

    I recommend 4get for teams standardizing on MCP; the explainx.ai page compares cleanly with sibling servers.

  • Oshnikdeep· May 5, 2024

    Strong directory entry: 4get surfaces stars and publisher context so we could sanity-check maintenance before adopting.

  • Dhruvi Jain· Apr 4, 2024

    4get has been reliable for tool-calling workflows; the MCP profile page is a good permalink for internal docs.

  • Rahul Santra· Mar 3, 2024

    According to our notes, 4get benefits from clear Model Context Protocol framing — fewer ambiguous “AI plugin” claims.

  • Pratham Ware· Feb 2, 2024

    We wired 4get into a staging workspace; the listing’s GitHub and npm pointers saved time versus hunting across READMEs.

  • Yash Thakker· Jan 1, 2024

    4get is a well-scoped MCP server in the explainx.ai directory — install snippets and categories matched our Claude Code setup.