How to Solve reCAPTCHA Using Python

CAPTCHAFORUM

Administrator
1743093853937.png

https://2captcha.com/lang/python

reCAPTCHA is a security feature designed to differentiate between humans and bots. If you're developing an automated tool that needs to bypass reCAPTCHA, one of the most reliable methods is using the 2Captcha service. This article will guide you through solving reCAPTCHA using Python and 2Captcha.

Prerequisites​

Before proceeding, ensure you have:
  • A 2Captcha account (Sign up at 2Captcha)
  • Python installed on your system
  • requests library installed (pip install requests)

Step 1: Get Your 2Captcha API Key​

After signing up on 2Captcha, navigate to your dashboard and obtain your API key. You will use this key to communicate with the 2Captcha API.

Step 2: Find the Site Key​

Each reCAPTCHA challenge has a unique site key, which is embedded in the webpage. To locate it, inspect the website's HTML source code and look for:

Code:
<script src="https://www.google.com/recaptcha/api.js" data-sitekey="SITE_KEY_HERE"></script>
Extract the data-sitekey value.

Step 3: Submit reCAPTCHA for Solving​

Use Python's requests module to send the site key and your API key to 2Captcha.

Code:
import time
import requests

API_KEY = "your_2captcha_api_key"
SITE_KEY = "site_key_from_target_website"
URL = "https://targetwebsite.com"

# Request captcha solving
captcha_request = requests.post("http://2captcha.com/in.php", data={
"key": API_KEY,
"method": "userrecaptcha",
"googlekey": SITE_KEY,
"pageurl": URL,
"json": 1
})

request_result = captcha_request.json()
if request_result["status"] != 1:
print("Error submitting captcha request")
exit()

captcha_id = request_result["request"]

# Wait for solution
print("Waiting for solution...")
time.sleep(15)  # Give time for solving

while True:
captcha_response = requests.get("http://2captcha.com/res.php", params={
"key": API_KEY,
"action": "get",
"id": captcha_id,
"json": 1
})
response_result = captcha_response.json()

if response_result["status"] == 1:
solution = response_result["request"]
print("Captcha solved:", solution)
break
else:
print("Retrying...")
time.sleep(5)

Step 4: Submit the Captcha Solution​

Once 2Captcha returns the solution, you must send it to the website’s form or API. This usually involves including the token in a form submission.

Code:
form_data = {
    "g-recaptcha-response": solution,
"other_form_fields": "values_here"
}

response = requests.post(URL, data=form_data)
print("Final Response:", response.text)

Using 2Captcha, you can efficiently solve reCAPTCHA in Python. However, always ensure that you comply with the website’s terms of service when using automated scripts.