1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
use serde::Deserialize;
use std::net::IpAddr;

const POST_URL: &str = "https://www.google.com/recaptcha/api/siteverify";

/// Error returned when ReCaptcha verification fails
#[derive(Debug, Clone, PartialEq)]
pub enum RecaptchaError {
    Unknown(Option<String>),
    HttpError(String),
    MissingInputSecret,
    InvalidInputSecret,
    MissingInputResponse,
    InvalidInputResponse,
    BadRequest,
    TimeoutOrDuplicate,
}

impl TryFrom<String> for RecaptchaError {
    type Error = RecaptchaError;

    fn try_from(value: String) -> Result<Self, Self::Error> {
        Ok(match value.as_str() {
            "missing-input-secret" => RecaptchaError::MissingInputSecret,
            "invalid-input-secret" => RecaptchaError::InvalidInputSecret,
            "missing-input-response" => RecaptchaError::MissingInputResponse,
            "invalid-input-response" => RecaptchaError::InvalidInputResponse,
            "bad-request" => RecaptchaError::BadRequest,
            "timeout-or-duplicate" => RecaptchaError::TimeoutOrDuplicate,
            s => RecaptchaError::Unknown(Some(s.to_string())),
        })
    }
}

#[derive(Deserialize, Debug, Clone)]
#[allow(dead_code)]
struct RecaptchaResult {
    success: bool,
    challenge_ts: Option<String>,
    hostname: Option<String>,
    apk_package_name: Option<String>,
    #[serde(rename(deserialize = "error-codes"))]
    error_codes: Option<Vec<String>>,
}

/// # Verify ReCaptcha
///
/// This is supposed to be a (near) drop-in replacement for recaptcha-rs but using more recent
/// versions of tokio, reqwest and serde.
///
/// ## Minimalist Example
///
/// Basic starting point.
///
/// ```ignore
/// use recaptcha_verify::{RecaptchaError, verify};
///
/// let res:Result<(), RecaptchaError> = verify("secret", "token", None).await;
/// ```
///
/// ## Full Example
///
/// End-to-end real-life use with actix and result handling.
///
/// ```rust
/// #[tokio::main]
/// async fn main() {
///     use std::net::IpAddr;
///     use recaptcha_verify::{RecaptchaError, verify as recaptcha_verify};
///
///     let recaptcha_secret_key = "secret"; // from env or config
///     let recaptcha_token = "token"; // from request
///     let realip_remote_addr = Some("1.1.1.1"); // actix_web::info::ConnectionInfo
///
///     let ip_addr;
///     let mut ip: Option<&IpAddr> = None;
///
///     if let Some(remote_addr) = realip_remote_addr {
///         if let Ok(ip_addr_res) = remote_addr.to_string().parse::<IpAddr>() {
///             ip_addr = ip_addr_res;
///             ip = Some(&ip_addr);
///         }
///     }
///
///     let res = recaptcha_verify(recaptcha_secret_key, recaptcha_token, ip).await;
///
///     if res.is_ok() {
///         assert_eq!(res, Ok(()));
///     } else {
///         assert_eq!(res, Err(RecaptchaError::InvalidInputSecret));
///     }
/// }
/// ```
///
pub async fn verify(
    secret: &str,
    response: &str,
    remoteip: Option<&IpAddr>,
) -> Result<(), RecaptchaError> {
    let mut params = vec![("secret", secret), ("response", response)];

    let ip_str;
    if let Some(ip) = remoteip {
        ip_str = ip.to_string();
        params.push(("remoteip", ip_str.as_str()));
    }

    let client = reqwest::Client::new();
    let response = client
        .post(POST_URL)
        .form(&params)
        .send()
        .await
        .map_err(|e| RecaptchaError::HttpError(e.to_string()))?;

    if let Ok(result) = response.json::<RecaptchaResult>().await {
        if result.success {
            return Ok(());
        } else if let Some(errs) = result.error_codes {
            return Err(errs
                .get(0)
                .ok_or(RecaptchaError::Unknown(None))?
                .to_string()
                .try_into()?);
        }
    }

    Err(RecaptchaError::Unknown(None))
}

#[cfg(test)]
mod tests {
    use super::*;

    #[tokio::test]
    async fn it_works() {
        let res: Result<(), RecaptchaError> = verify("test", "test", None).await;

        assert_eq!(res, Err(RecaptchaError::InvalidInputSecret));
    }
}