-
Notifications
You must be signed in to change notification settings - Fork 17
/
recaptcha.go
83 lines (76 loc) · 2.19 KB
/
recaptcha.go
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
// Package recaptcha is google golang module for google re-captcha.
//
// Installation
//
// go get github.com/haisum/recaptcha
//
// Usage
//
// Usage example can be found in example/main.go file.
//
//
// Source code
//
// Available on github: http://github.com/haisum/recaptcha
//
// Author: Haisum (haisumbhatti@gmail.com)
package recaptcha
import (
"encoding/json"
"io/ioutil"
"net/http"
"net/url"
"time"
)
// R type represents an object of Recaptcha and has public property Secret,
// which is secret obtained from google recaptcha tool admin interface
type R struct {
Secret string
lastError []string
}
// Struct for parsing json in google's response
type googleResponse struct {
Success bool
ErrorCodes []string `json:"error-codes"`
}
// url to post submitted re-captcha response to
var postURL = "https://www.google.com/recaptcha/api/siteverify"
// Verify method, verifies if current request have valid re-captcha response and returns true or false
// This method also records any errors in validation.
// These errors can be received by calling LastError() method.
func (r *R) Verify(req http.Request) bool {
response := req.FormValue("g-recaptcha-response")
return r.VerifyResponse(response)
}
// VerifyResponse is a method similar to `Verify`; but doesn't parse the form for you. Useful if
// you're receiving the data as a JSON object from a javascript app or similar.
func (r *R) VerifyResponse(response string) bool {
r.lastError = make([]string, 1)
client := &http.Client{Timeout: 20 * time.Second}
resp, err := client.PostForm(postURL,
url.Values{"secret": {r.Secret}, "response": {response}})
if err != nil {
r.lastError = append(r.lastError, err.Error())
return false
}
defer resp.Body.Close()
body, err := ioutil.ReadAll(resp.Body)
if err != nil {
r.lastError = append(r.lastError, err.Error())
return false
}
gr := new(googleResponse)
err = json.Unmarshal(body, gr)
if err != nil {
r.lastError = append(r.lastError, err.Error())
return false
}
if !gr.Success {
r.lastError = append(r.lastError, gr.ErrorCodes...)
}
return gr.Success
}
// LastError returns errors occurred in last re-captcha validation attempt
func (r R) LastError() []string {
return r.lastError
}