cloudflare unblock
Cloudbypass enables seamless Cloudflare verification bypass

It supports bypassing Cloudflare JavaScript Challenges, Turnstile, and Incapsula verification.
Cloudbypass offers both HTTP API and Proxy modes, with clear documentation for integration and response handling.

Visit https://opensea.io/path/to/target?a=4, the following is an example of Curl request:

                                             
# Use curl to request https://opensea.io/category/memberships
# curl -X GET "https://opensea.io/category/memberships"
                                                
#Using Cloudbypass API request example
# Use Cloudbyapss API to request
curl -X GET "https://api.cloudbypass.com/category/memberships" ^
-H "x-cb-apikey: YOUR_API_KEY" ^
-H "x-cb-host: opensea.io" -k
                                                   
# Use CloudbypassProxy request example
# Use Cloudbyapss Proxy to request
curl -X GET "https://opensea.io/category/memberships" -x "http://YOUR_API_KEY:@proxy.cloudbypass.com:1087" -k
                                             
                                         
Detailed documentation

Visit https://opensea.io/path/to/target?a=4, the following is an example of Python request:

                                             
// Use python to request https://opensea.io/category/memberships
import requests

"""
# Code example before modification
# original code
url = "https://opensea.io/category/memberships"
response = requests.request("GET", url)
print(response.text)
print(response.status_code,response.reason)
# (403, 'Forbidden')
"""

#Using Cloudbypass API request example
# Use Cloudbyapss API to request
url = "https://api.cloudbypass.com/category/memberships"

headers = {
     'x-cb-apikey': 'YOUR_API_KEY',
     'x-cb-host': 'opensea.io',
}

response = requests.request("GET", url, headers=headers)

print(response.text)

// Use python to request https://opensea.io/category/memberships
import requests

"""
# Code example before modification
# original code
url = "https://opensea.io/category/memberships"
response = requests.request("GET", url)
print(response.text)
print(response.status_code,response.reason)
# (403, 'Forbidden')
"""

#Using Cloudbypass API request example
# Use Cloudbyapss API to request
url = "https://api.cloudbypass.com/category/memberships"

headers = {
     'x-cb-apikey': 'YOUR_API_KEY',
     'x-cb-host': 'opensea.io',
}

response = requests.request("GET", url, headers=headers)

print(response.text)

                                         
Detailed documentation

Access https://opensea.io/category/memberships, request example:

                                            
// # Go Modules
// require github.com/go-resty/resty/v2 v2.7.0
package main
                                                
import (
    "fmt"
    "github.com/go-resty/resty/v2"
)
                                                
func main() {
    client := resty.New()
                                                
    client.Header.Add("X-Cb-Apikey", "/* APIKEY */")
    client.Header.Add("X-Cb-Host", "opensea.io")
                                                
 resp, err := client.R().Get("https://api.cloudbypass.com/category/memberships")
                                                
    if err != nil {
        fmt.Println(err)
        return
    }
                                                
    fmt.Println(resp.StatusCode(), resp.Header().Get("X-Cb-Status"))
    fmt.Println(resp.String())
}                                                
                                            
                                        
Detailed documentation

Visit https://opensea.io/path/to/target?a=4, the following is an example Nodejs request:

                                             
// Use javascript to request https://opensea.io/category/memberships
const axios = require('axios');

/*
// Code example before modification
//original code
const url = "https://opensea.io/category/memberships";
axios.get(url, {})
   .then(response => console.log(response.data))
   .catch(error => console.error(error));
*/

// Example of request using Cloudbypass API
// Use Cloudbyapss API to request
const url = "https://api.cloudbypass.com/path/to/target?a=4";
const headers = {
   'x-cb-apikey': 'YOUR_API_KEY',
   'x-cb-host': 'www.example.com',
};

axios.get(url, {}, {headers: headers})
   .then(response => console.log(response.data))
   .catch(error => console.error(error));
  
# Use javascript to request https://opensea.io/category/memberships
const axios = require('axios');

//Request example using CloudbypassProxy
// Use Cloudbyapss Proxy to request
const url = "https://opensea.io/category/memberships";
const config = {
     proxy: {
         host: 'proxy.cloudbypass.com',
         port: 1087,
         auth: {
             username: 'YOUR_API_KEY',
             password: ''
             // Use a custom proxy
             // password: 'proxy=http:CUSTOM_PROXY:8080'
         }
     }
};

axios.get(url, config)
   .then(response => console.log(response.data))
   .catch(error => console.error(error));
                                             
                                         
Detailed documentation

Visit https://opensea.io/path/to/target?a=4, the following is a Java request example:

                                             
// Use java to request https://opensea.io/category/memberships
import java.net.URI;
import java.net.http.HttpClient;
import java.net.http.HttpRequest;
import java.net.http.HttpResponse;

public class Main {
     public static void main(String[] args) throws Exception {
         /*
             // Code example before modification
             //original code
             String url = "https://opensea.io/category/memberships";
             HttpClient client = HttpClient.newHttpClient();
             HttpRequest request = HttpRequest.newBuilder()
                             .uri(URI.create(url))
                             .GET(HttpRequest.BodyPublishers.noBody())
                             .build();

             HttpResponse response = client.send(request, HttpResponse.BodyHandlers.ofString());
             System.out.println(response.body());
         */

         // Example of request using Cloudbypass API
         // Use Cloudbyapss API to request
         String url = "https://api.cloudbypass.com/category/memberships";
         HttpClient client = HttpClient.newHttpClient();
         HttpRequest request = HttpRequest.newBuilder()
                 .uri(URI.create(url))
                 .header("x-cb-apikey", "YOUR_API_KEY")
                 .header("x-cb-host", "opensea.io")
                 .GET(HttpRequest.BodyPublishers.noBody())
                 .build();
                
         //Request example using CloudbypassProxy
         // Use Cloudbyapss Proxy to request
         String url = "https://opensea.io/category/memberships";
         HttpClient client = HttpClient.newBuilder()
                 .proxy(HttpClient
                         .ProxySelector
                         // Use a custom proxy
                         //.of(URI.create("http://YOUR_API_KEY:proxy=http:CUSTOM_PROXY:[email protected]:1087")))
                         .of(URI.create("http://YOUR_API_KEY:@proxy.cloudbypass.com:1087")))
                 .build();
         HttpRequest request = HttpRequest.newBuilder()
                 .uri(URI.create(url))
                 .GET()
                 .build();

         HttpResponse response = client.send(request, HttpResponse.BodyHandlers.ofString());
         System.out.println(response.body());
     }
}
                                
                                         
Detailed documentation




Cloudbypass Onboarding Workflow

1.Create Your Account

Register a Cloudbypass API account — Sign Up Now

Register a Cloudbypass Proxy account — Sign Up Now

Cloudbypass uses a unified account system — registering once enables both API and Proxy access. Log in within 30 days and click the 🎁 Trial Activity button to claim free credits and traffic.

2.Test with the Code Generator

Enter your target URL in the Code Generator to test Cloudflare verification bypass.

V1 includes a built-in rotating IP pool — no proxy setup is required if accessible.
TV2 requires a fixed or time-based IP. When using Cloudbypass rotating IPs, set validity to at least 10 minutes.

For assistance, see the API documentation or contact Cloudbypass Support.

3.Integrate the Cloudbypass API

Integrate the Cloudbypass API into your application, complete debugging, and deploy to production.

4.Select a Pricing Plan

Choose a plan based on your usage — View Pricing

To bypass Cloudflare’s 5-second challenge, purchase a Points Plan.

For proxy traffic, select a Rotating Datacenter or Rotating Residential proxy plan.

Cloudflare bypass consumes points and may require proxy support. A proxy alone cannot bypass Cloudflare.

cloudflare bypass Onboarding Workflow




Bypass Cloudflare bot protection for large-scale web scraping

Handle Cloudflare verification and unlock large-scale web scraping

Cloudbypass API is built for tough anti-bot verification. It supports compliant access through Cloudflare JS Challenge, Turnstile CAPTCHA, and browser check flows. With protocol-level JavaScript rendering, your automated access stays steady and maintains a high success rate under strict risk controls.

  • Full JavaScript rendering

    Auto-solves complex challenges and matches real browser behavior.

  • Auto JSON parse & return

    Decrypts and formats responses so you get structured data faster.

  • Configurable headers

    Customize Referer and headers to fit the target verification flow.

  • Custom request body

    Send business data via JSON payloads or form parameters.

  • Query parameters support

    Handle URL query parameters for search, paging, and filtering.

  • HTTP/SOCKS5 proxy support

    Use external proxy IP and rotating IP pools for geo-matching access.

Get Cloudbypass API

Full SDK Support: Integrate Cloudflare Protocol Handling in Minutes

Cloudbypass API offers a standard HTTP API endpoint plus a built-in Proxy mode, compatible with most programming languages. Add it in a few lines to support web scraping or automated access, while cutting Web Application Firewall (WAF) engineering and upkeep.

  • cURL CLI Call

    Test with native cURL in one command to verify Cloudflare challenge handling, with minimal setup.

  • Python SDK (Official)

    Works with requests and aiohttp for async high concurrency—ideal for data extraction teams.

  • Go SDK (High-Throughput)

    Leverages Go concurrency with fast, type-safe APIs for large-scale scraping workloads.

  • Node.js SDK

    Fits full-stack apps and automation tools, enabling fast request routing in services or scripts.

  • Java API Integration

    Built for enterprise standards, supports multithreaded calls for steady access in complex flows.

  • TypeScript Support

    Includes full type definitions to improve reliability across modern web scraping pipelines.

Get Cloudbypass API


Cloudbypass API integration modes: HTTP API and Proxy



Advanced tools to bypass Cloudflare anti-bot protection
Advanced Cloudflare bot verification bypass technology

Deep Fingerprint Simulation for Safe Requests Through Cloudflare

Cloudbypass API goes beyond basic access automation. It simulates browser fingerprinting signals—TLS fingerprints, hardware acceleration traits, and behavior patterns—so every request looks like a real user and reduces anti-bot linkage blocks.

  • Match anti-automation protection

    Syncs updates fast and supports protocol-level handling for new bot checks.

  • Full Cloudflare verification flow

    Supports JS Challenge and tough Cloudflare Turnstile for web scraping tasks.

  • Configurable Referer params

    Mimics traffic source paths for sites with strict origin validation.

  • Configurable User-Agent

    Large real-device UA pool for desktop and mobile, with easy switching.

  • WAF / edge security ready

    Works with Web Application Firewall (WAF) and CDN protection layers, including Imperva and Akamai.

  • Supports headless browser mode

    Protocol-level headless browser simulation with JavaScript rendering efficiency for faster data extraction.

Get Cloudbypass API

Protocol-Level Responses Across Platforms for Efficient Distributed Web Scraping

Compared with heavy Selenium/Puppeteer setups, Cloudbypass API uses a protocol-based request mode with no real browser instance. This keeps server usage low while supporting high concurrency across OS and cloud environments.

  • Windows Deployment Support

    Fits Windows workflows for local debugging and fast delivery of small-to-mid data extraction jobs.

  • macOS Dev & Production Ready

    Works smoothly on Apple Silicon, making scripting, testing, and iteration faster for developers.

  • Linux Servers (Recommended)

    Optimized for mainstream Linux, with Docker deployments and horizontal cluster scaling.

  • Enterprise CentOS Support

    Meets enterprise stability needs and runs long-term in traditional IDC environments.

  • iOS Mobile Request Routing

    Supports mobile protocol forwarding for iOS testing and mobile data extraction access.

  • Android Proxy-Based Access

    Fits Android API calls and helps automated access pass cloud firewall checks reliably.

Get Cloudbypass API



Proxy mode with cross-platform support and high concurrency

Trusted by 1,200+ Data Scraping Teams and Developers Solving Cloudflare Challenges

Bypass cloudflare verification
Shape
Use Cases

Works with any website that requires bypassing Cloudflare (and similar anti-bot checks) for stable data collection

E-commerce & Retail Data Collection

Covers marketplaces and DTC websites. Track new listings, benchmark competitors, monitor pricing and promotions, and analyze review and demand trends—helping teams react faster and optimize product and pricing decisions.

Marketing & Advertising Data Collection

Built for growth and performance teams. Continuously track competitor ad creatives, landing page changes, and keyword trends—turning signals into reusable insights for strategy reviews and campaign optimization.

Social Media Data Collection

Capture feeds and engagement signals across social platforms. Track trends, analyze topics, shortlist creators, and monitor sentiment—so teams can identify what’s working and scale content more efficiently.

Video & Image Asset Collection

Designed for asset archiving and creative reuse. Organize video and image libraries with tags, track performance signals, and build a searchable reference hub—speeding up production and improving consistency.

News & Publishing Data Collection (News / Fiction)

Aggregate updates from news and content platforms. Track breaking events, build topic collections, and sync chapters/releases—creating structured content assets for recommendations, operations, and research.

Financial Market Data Collection (Stocks / FX / Crypto)

Cover stocks, indices, FX rates, commodities, and crypto markets. Collect real-time and historical prices, candlestick indicators, and event/news signals—supporting backtests, alerts, and quant workflows.

Jobs & Talent Data Collection

Collect job listings and hiring signals across platforms and company sites. Track demand, skills, and salary movements—supporting recruiting planning, workforce insights, and industry research.

Real Estate & Local Services Data Collection

Consolidate listings and local service data for market monitoring and location analysis. Track supply, demand, and pricing shifts—helping teams make faster, more confident decisions in local operations.

Travel, Visa & Ticketing Data Collection

Built for travel services and industry analysts. Track flights, hotels, ticketing, and visa rules in one place—even when prices and policies change frequently—so your data stays reliable for planning and decisions.

Coupons & Promotions Data Collection

Collect coupon and promotion data across channels. Track promo trends, evaluate offer effectiveness, and analyze post-discount pricing—helping teams run cleaner retrospectives and improve conversion performance.

Logistics & Supply Chain Data Collection (Shipping / Vessels / Containers)

Track ocean routes and schedules, port milestones, container movements, and freight surcharges. Enable shipment visibility and exception alerts—so teams can forecast costs and delivery performance with confidence.

Security & Risk Intelligence Data Collection

Built for fraud prevention and security operations. Aggregate risk IPs/domains, abnormal behavior signals, and reputation intelligence—powering faster assessments, automated alerts, and stronger protection boundaries.

Bypass cloudflare verification
Cloudbypass API Pricing Plans

Bypass over 95% of Cloudflare verification challenges and scale data collection with ease.

Starting at $0.35 per 1,000 successful verifications.
Failed requests are not charged.
Each successful request consumes 1 credit (Cloudbypass V2 consumes 3 credits).

  • Basic

  • $49/Month

  •  Integral:80000
  •  Validity: 1 month (30 days)
  •  Concurrency: 20 times/s
  • Standard

  • $79/Month

  •  Integral: 300000
  •  Validity: 1 month (30 days)
  •  Concurrency: 20 times/s
  • Advanced

  • $129/Month

  •  Integral:1000000
  •  Validity: 1 month (30 days)
  •  Concurrency: 30 times/s
  • Professional

  • $259/Month

  •  Integral:2200000
  •  Validity: 1 month (30 days)
  •  Concurrency: 30 times/s
  • Premium

  • $489/Month

  •  Integral:4600000
  •  Validity: 1 month (30 days)
  •  Concurrency: 30 times/s
  • Ultimate

  • $1056/Month

  •  Integral:12000000
  •  Validity: 1 month (30 days)
  •  Concurrency: 30 times/s
Cloudbypass Rotating Proxy Packages – Built for Cloudflare Bypass

Enterprise-grade HTTP and SOCKS5 rotating proxies with country and city targeting, unlimited bandwidth, and no concurrency limits. Fully integrated with the Cloudbypass API for fast, developer-friendly deployment

Designed for moderate IP quality requirements — suitable for Cloudflare bypass proxy scenarios where IP reputation and trust level are not critical. Ideal for web crawling, general browsing, automated logins, account scaling, and engagement automation (likes, comments, interactions).
Starting at $0.35/GB

Price:$ 18

15 GB
DataCenter Proxy
Unit price:$1.22 /GB
Sign up to purchase

Price:$ 42

40 GB
DataCenter Proxy
Unit price:$1.04 /GB
Sign up to purchase

Price:$ 88

100 GB
DataCenter Proxy
Unit price:$0.88 /GB
Sign up to purchase

Price:$ 208

300 GB
DataCenter Proxy
Unit price:$0.69 /GB
Sign up to purchase

Price:$ 489

800 GB
DataCenter Proxy
Unit price:$0.61 /GB
Sign up to purchase

Price:$ 1056

2000 GB
DataCenter Proxy
Unit price:$0.53 /GB
Sign up to purchase

Price:$ 1292

3000 GB
DataCenter Proxy
Unit price:$0.43 /GB
Sign up to purchase

Price:$ 1736

5000 GB
DataCenter Proxy
Unit price:$0.35 /GB
Sign up to purchase

Built for high IP quality and reputation-sensitive use cases — delivering stronger IP trust, higher stability, and long-session reliability for Cloudflare-protected environments. Ideal for store management, account registration, surveys, advertising workflows, e-commerce reviews, and gaming automation.
Starting at $1.11/GB

Price:$ 21

8 GB
Residential Proxy
Unit price:$2.57 /GB
Sign up to purchase

Price:$ 46

20 GB
Residential Proxy
Unit price:$2.29 /GB
Sign up to purchase

Price:$ 93

50 GB
Residential Proxy
Unit price:$1.86 /GB
Sign up to purchase

Price:$ 163

100 GB
Residential Proxy
Unit price:$1.63 /GB
Sign up to purchase

Price:$ 303

200 GB
Residential Proxy
Unit price:$1.51 /GB
Sign up to purchase

Price:$ 703

500 GB
Residential Proxy
Unit price:$1.40 /GB
Sign up to purchase

price:$1.29 /GB

1000 GB
Residential Proxy
Unit price:$1.29 /GB
Sign up to purchase

Price:$ 2223

2000 GB
Residential Proxy
Unit price:$1.11 /GB
Sign up to purchase

Cloudbypass Product FAQ

Find answers to common usage questions or contact our technical support team for assistance.

How are Cloudbypass API credits consumed?

Each successful API request consumes credits, while failed requests do not deduct any credits.
V1: Each successful request consumes 1 credit.
V2: Each successful request consumes 3 credits. One credit is used for the API request itself, and two additional credits are consumed during JavaScript polling. The session remains valid for 10 minutes. During this period, the same proxy and session parameters can be reused to avoid repeated Cloudflare verification. This means no additional credits are charged for subsequent requests within the same session window.

Cloudbypass API credits expire if not used within their validity period. Each recharge is calculated independently, and credits are consumed on a first-in, first-out basis.

Cloudbypass operates as a request-forwarding service. You submit an HTTP request to the Cloudbypass API, and the API executes the request on your behalf. This approach significantly reduces the likelihood of your traffic being identified as automated. The system focuses on preventing Cloudflare challenges from being triggered, allowing direct access to the target URL instead of programmatically interacting with challenge pages.

The Cloudbypass API is designed to be simple and developer-friendly. You only need to submit the HTTP request intended for the target website, and Cloudbypass will forward it exactly as provided.
You can use the online code generator to generate request examples in cURL, JavaScript, TypeScript, Java, Python, and more.
Cloudbypass API and Proxy integration examples are available here: View code examples

Cloudbypass V2 supports JavaScript rendering and polling, making it suitable for more advanced Cloudflare challenges.
V2 does not include a default proxy. You must use a Cloudbypass Proxy with V2.
V1 includes a built-in rotating proxy by default.

Session partitions are used to manage Cloudflare cookies and verified sessions. Once a session is successfully verified, the proxy IP, browser fingerprint, and related parameters must remain unchanged for 10 minutes. This prevents additional Cloudflare challenges from being triggered during the session.

Session partition values range from 0 to 999, allowing up to 1,000 concurrent session partitions per account. After a successful request, the proxy IP is locked to the session partition. Changing the partition value allows you to switch proxies. Each successful request refreshes the 10-minute session duration.

Start by testing your target URL using the code generator with Cloudbypass V1.
If V1 fails, switch to Cloudbypass V2 and configure your own proxy IP. A test proxy is available in the backend for validation. It is recommended to set the proxy extraction duration to more than 10 minutes.

All Cloudbypass API plans currently support up to 30 concurrent requests per second.

This error indicates that your Cloudbypass API account has no remaining credits.

You can purchase credits in the Cloudbypass API console: Cloudbypass API Console, or contact customer support to request test credits.

Error description:
This error occurs when the current session partition is already processing a Cloudflare challenge.

Common causes:
The same session partition is used concurrently by multiple threads.
Multiple users are operating on the same account and partition.
A previous request is still holding the verification lock.

Recommended solutions:
Wait for the lock to be released and retry the request.
Switch to a different session partition (range: 0–999).

Recommended actions:
1. Set the proxy IP extraction duration to at least 10 minutes.
2. Switch to proxy IPs from different countries or regions. Using IPs from the same region repeatedly may increase the risk of restriction.

These errors usually indicate that a proxy is required. You can use either API mode or Proxy mode to access Cloudbypass services. API mode is recommended for domestic users. Currently, only HTTP proxies are supported.

Browser automation tools such as Selenium and Puppeteer are not supported. Cloudbypass operates at the HTTP request level and simulates browser requests without launching a real browser.

Do you offer monthly subscription plans?

Cloudbypass does not use monthly subscriptions. All Cloudbypass Proxy services follow a traffic-based pricing model with no expiration. You can purchase traffic packages on demand, and unused bandwidth will never expire.

Cloudbypass Proxy supports multiple payment methods, including Alipay, USDT, and other supported options depending on your region.

For Cloudbypass Rotating Proxies, traffic usage is calculated based on the total volume of uploaded and downloaded data through the proxy connection.

IP geolocation results may vary depending on the detection database used. Please verify the proxy IP location using the official Cloudbypass IP check tool: http://ipinfo.cloudbypass.com .

Cloudbypass offers two core proxy networks: Rotating Residential Proxies and Rotating Datacenter Proxies. Both proxy types are designed for Cloudflare bypass scenarios and can be managed from a single unified platform.

Cloudbypass Proxy currently supports both HTTP and SOCKS5 proxy protocols, ensuring compatibility with most scraping tools, browsers, and automation frameworks.

Cloudbypass Proxy uses a traffic-based billing model for both rotating residential and datacenter proxies. All traffic packages do not expire. You may request a free trial to evaluate Cloudflare bypass performance before purchasing.

Direct connections from mainland China IP addresses are not supported. To use Cloudbypass Proxy services, you must deploy a global network environment, such as a server or VPS located in Hong Kong or other overseas regions.

Desktop users may connect via a global network accelerator, while mobile users can access through a router configured with a global network environment.

If you are unable to set up a compatible global network environment, please do not proceed with a purchase. Refunds are not available for unsupported direct connections.

Cloudbypass Help Center

Cloudbypass API FAQs cover credit rules, Version 2 updates, and concurrency limits. Overseas IP traffic is billed by data usage and supports multiple payment methods. Guides include Cloudflare bypass, HTTP API integration, global rotating proxies, fingerprint browsers, and multi-platform setup.

Cloudflare Bypass API: Common Issues & Usage Rules

Cloudbypass API credit rules: each successful request uses 1 credit, while Version 2 consumes 3 credits. Credits reset monthly and are separate from account balance. Version 2 supports JavaScript challenge polling and requires time-based proxy plans. Maximum concurrency is 30 requests per second. HTTP 403 or Access Denied errors typically require proxy configuration. The API is not compatible with Selenium or Puppeteer, but works with anti-detection browsers and data collection tools.

View More
Cloudbypass Global Proxy: Common Issues & Billing

Cloudbypass global proxy services are billed by data packages with no expiration. Supported payment methods include Alipay and USDT. Data usage is calculated based on total upload and download traffic. The service provides rotating residential IPs and high-performance data center proxies, supporting HTTP and SOCKS5 protocols. A free trial is available after registration. For users in mainland China, usage requires a global network environment, as direct mainland IP access is not supported.

View More
Cloudbypass API & Proxy Integration Tutorials

Use Cloudbypass to bypass Cloudflare protection and enable uninterrupted web data collection. The platform offers both HTTP API access and global rotating proxy services, supporting customizable browser fingerprints such as User-Agent and Referer headers. Documentation includes IP usage FAQs, IP extraction guides, anti-detection browser integration, desktop browser setups, and mobile platform configurations, with step-by-step tutorials for multiple environments.

View More
User reviews of our Cloudbypass products and services

Trusted by developers and data professionals worldwide

Latest Articles

Cloudbypass API - Bypass Cloudflare with Ease for Uninterrupted Web Scraping