Library for server-side verification of Google reCAPTCHA v2/v3 response token for ASP.NET.
Recaptcha.Verify.Net starting from version 2.0.0 supports the following platforms and any target that supports .NET Standard from 2.0:
- .NET Standard 2.0
- .NET Standard 2.1
- .NET Framework 4.6.2
- .NET 6
- .NET 7
- Installation
- Verifying reCAPTCHA response
- Using attribute for verifying reCAPTCHA response
- Directly passing score threshold
- Using score threshold map
- Verifying reCAPTCHA response without checking action and score
- Handling exceptions
- Examples
Package can be installed using Visual Studio UI (Tools > NuGet Package Manager > Manage NuGet Packages for Solution and search for "Recaptcha.Verify.Net").
Also latest version of package can be installed using Package Manager Console:
PM> Install-Package Recaptcha.Verify.Net
- Add secret key in appsettings.json file.
{
"Recaptcha": {
"SecretKey": "<recaptcha secret key>",
"ScoreThreshold": 0.5
}
}
- Configure service in Startup.cs.
public void ConfigureServices(IServiceCollection services)
{
services.AddRecaptcha(Configuration.GetSection("Recaptcha"));
//...
}
- Use service in controller to verify captcha answer and check response action and score for V3.
[ApiController]
[Route("api/[controller]")]
public class LoginController : Controller
{
private const string _loginAction = "login";
private readonly ILogger _logger;
private readonly IRecaptchaService _recaptchaService;
public LoginController(ILoggerFactory loggerFactory, IRecaptchaService recaptchaService)
{
_logger = loggerFactory.CreateLogger<LoginController>();
_recaptchaService = recaptchaService;
}
[HttpPost]
public async Task<IActionResult> Login([FromBody] Credentials credentials, CancellationToken cancellationToken)
{
var checkResult = await _recaptchaService.VerifyAndCheckAsync(
credentials.RecaptchaToken,
_loginAction,
cancellationToken);
if (!checkResult.Success)
{
if (!checkResult.Response.Success)
{
// Handle unsuccessful verification response
_logger.LogError("Recaptcha error: {errorCodes}", JsonConvert.SerializeObject(checkResult.Response.ErrorCodes));
}
if (!checkResult.ScoreSatisfies)
{
// Handle score less than specified threshold for v3
}
// Unsuccessful verification and check
return BadRequest();
}
// Process login
return Ok();
}
}
- Specify in appsettings.json name of parameter for a way in which reCAPTCHA response token is passed.
{
"Recaptcha": {
...
"AttributeOptions": {
"ResponseTokenNameInHeader": "RecaptchaTokenInHeader", // If token is passed in header
"ResponseTokenNameInQuery": "RecaptchaTokenInQuery", // If token is passed in query
"ResponseTokenNameInForm": "RecaptchaTokenInForm" // If token is passed in form
}
}
}
Or set in Startup GetResponseTokenFromActionArguments or GetResponseTokenFromExecutingContext delegate that points how to get token from parsed data.
services.AddRecaptcha(Configuration.GetSection("Recaptcha"),
// Specify how to get token from parsed arguments for using in RecaptchaAttribute
o => o.AttributeOptions.GetResponseTokenFromActionArguments =
d =>
{
if (d.TryGetValue("credentials", out var credentials))
{
return ((BaseRecaptchaCredentials)credentials).RecaptchaToken;
}
return null;
});
Credentials model used in example has base class with property containing token.
public class BaseRecaptchaCredentials
{
public string RecaptchaToken { get; set; }
}
public class Credentials : BaseRecaptchaCredentials
{
public string Login { get; set; }
public string Password { get; set; }
}
- Add Recaptcha attribute in controller to verify captcha answer and check response action and score for V3.
[Recaptcha("login")]
[HttpPost("Login")]
public async Task<IActionResult> Login([FromBody] Credentials credentials, CancellationToken cancellationToken)
{
// Process login
return Ok();
}
Score threshold in appsettings.json is optional and value could be passed directly into VerifyAndCheckAsync function.
var scoreThreshold = 0.5f;
var checkResult = await _recaptchaService.VerifyAndCheckAsync(
credentials.RecaptchaToken,
_loginAction,
scoreThreshold);
Based on the score, you can take variable actions in the context of your site instead of blocking traffic to better protect your site. Score thresholds specified for actions allow you to achieve adaptive risk analysis and protection based on the context of the action.
- Specify ActionsScoreThresholds in appsettings.json. If specified ScoreThreshold value will be used as default score threshold for actions that are not in map.
{
"Recaptcha": {
"SecretKey": "<recaptcha secret key>",
"ScoreThreshold": 0.5,
"ActionsScoreThresholds": {
"login": 0.75,
"test": 0.9
}
}
}
- Call VerifyAndCheckAsync function
// Response will be checked with score threshold equal to 0.75
var checkResultLogin = await _recaptchaService.VerifyAndCheckAsync(credentials.RecaptchaToken, "login");
// Response will be checked with score threshold equal to 0.9
var checkResultTest = await _recaptchaService.VerifyAndCheckAsync(credentials.RecaptchaToken, "test");
// Response will be checked with score threshold equal to 0.5
var checkResultSignUp = await _recaptchaService.VerifyAndCheckAsync(credentials.RecaptchaToken, "signup");
If checking of verification response needs to be completed separately then you can use VerifyAsync instead of VerifyAndCheckAsync.
var response = await _recaptchaService.VerifyAsync(credentials.RecaptchaToken);
Library can produce following exceptions
Exception | Description |
---|---|
EmptyActionException | This exception is thrown when the action passed in function is empty. |
EmptyCaptchaAnswerException | This exception is thrown when captcha answer passed in function is empty. |
HttpRequestException | This exception is thrown when http request failed. Stores Refit.ApiException as inner exception. |
MinScoreNotSpecifiedException | This exception is thrown when minimal score was not specified and request had score value (used V3 reCAPTCHA). |
SecretKeyNotSpecifiedException | This exception is thrown when secret key was not specified in options or request params. |
UnknownErrorKeyException | This exception is thrown when verification response error key is unknown. |
All of these exceptions are inherited from RecaptchaServiceException.
Examples could be found in library repository:
- Recaptcha.Verify.Net.ConsoleApp (.NET 6)
- Recaptcha.Verify.Net.AspNetCoreAngular (ASP.NET 6 + Angular)