我的编码技巧有点低:) 最近我开始学习golang以及如何处理Api通信应用程序。 Golang一直很开心自己学习,golang将自己视为一种具有挑战性的语言,最终获得丰厚奖励(代码意义上的^^)。
一直在尝试根据他们的API V2(BETA)为golang创建一个cryptsy api lib,这是一个restfull api。他们在api网站https://github.com/ScriptProdigy/CryptsyPythonV2/blob/master/Cryptsy.py上有一个python lib。
到目前为止,已经能够使公共访问工作,但由于身份验证部分,我在私人访问中非常困难。我发现他们在网站上提供的关于如何实现它的信息有点令人困惑:(
通过将以下变量发送到请求标头Key
来执行授权
- 公共API密钥。
- 根据HMAC-SHA512方法由密钥签名的所有查询数据(nonce = blahblah& limit = blahblah)。您可以从帐户设置页面生成密钥和公钥。每个请求都需要一个唯一的随机数。 (建议使用unix时间戳和微秒)
对于此身份验证部分,python代码如下:
def _query(self, method, id=None, action=None, query=[], get_method="GET"):
query.append(('nonce', time.time()))
queryStr = urllib.urlencode(query)
link = 'https://' + self.domain + route
sign = hmac.new(self.PrivateKey.encode('utf-8'), queryStr, hashlib.sha512).hexdigest()
headers = {'Sign': sign, 'Key': self.PublicKey.encode('utf-8')}
在golang中走了这么远:
package main
import(
"crypto/hmac"
"crypto/sha512"
"encoding/hex"
"encoding/json"
"errors"
"fmt"
"io/ioutil"
"net/http"
"strings"
"time"
)
const (
API_BASE_CRY = "https://api.cryptsy.com/api/"
API_VERSION_CRY = "v2"
API_KEY_CRY = "xxxxx"
API_SECRET_CRY = "xxxxxxxxxxxx"
DEFAULT_HTTPCLIENT_TIMEOUT = 30 // HTTP client timeout
)
type clientCry struct {
apiKey string
apiSecret string
httpClient *http.Client
}
type Cryptsy struct {
clientCry *clientCry
}
type CryptsyApiRsp struct {
Success bool `json:"success"`
Data json.RawMessage `json:"data"`
}
func NewCry(apiKey, apiSecret string) *Cryptsy {
clientCry := NewClientCry(apiKey, apiSecret)
return &Cryptsy{clientCry}
}
func NewClientCry(apiKey, apiSecret string) (c *clientCry) {
return &clientCry{apiKey, apiSecret, &http.Client{}}
}
func ComputeHmac512Hex(secret, payload string) string {
h := hmac.New(sha512.New, []byte(secret))
h.Write([]byte(payload))
return hex.EncodeToString(h.Sum(nil))
}
func (c *clientCry) doTimeoutRequestCry(timer *time.Timer, req *http.Request) (*http.Response, error) {
type data struct {
resp *http.Response
err error
}
done := make(chan data, 1)
go func() {
resp, err := c.httpClient.Do(req)
done <- data{resp, err}
}()
select {
case r := <-done:
return r.resp, r.err
case <-timer.C:
return nil, errors.New("timeout on reading data from Bittrex API")
}
}
func (c *clientCry) doCry(method string, ressource string, payload string, authNeeded bool) (response []byte, err error) {
connectTimer := time.NewTimer(DEFAULT_HTTPCLIENT_TIMEOUT * time.Second)
var rawurl string
nonce := time.Now().UnixNano()
result := fmt.Sprintf("nonce=%d", nonce)
rawurl = fmt.Sprintf("%s%s/%s?%s", API_BASE_CRY ,API_VERSION_CRY , ressource, result )
req, err := http.NewRequest(method, rawurl, strings.NewReader(payload))
sig := ComputeHmac512Hex(API_SECRET_CRY, result)
req.Header.Add("Sign", sig)
req.Header.Add("Key", API_KEY_CRY )
resp, err := c.doTimeoutRequestCry(connectTimer, req)
defer resp.Body.Close()
response, err = ioutil.ReadAll(resp.Body)
fmt.Println(fmt.Sprintf("reponse %s", response), err)
return response, err
}
func main() {
crypsy := NewCry(API_KEY_CRY, API_SECRET_CRY)
r, _ := crypsy.clientCry.doCry("GET", "info", "", true)
fmt.Println(r)
}
我的输出是:
response {"success":false,"error":["Must be authenticated"]} <nil>
没有得到原因:(我传递公钥和标题中的签名,签名..我想我在hmac-sha512做得对。 我正在查询用户信息网址https://www.cryptsy.com/pages/apiv2/user,如api网站所述,它没有任何额外的查询变量,因此nonce是唯一需要的..
已经搜索过restfull api,但是找不到任何答案:(开始不让我晚上睡觉,因为我觉得我正在做的事情是对的..真的无法发现错误..
那里的任何人都可以尝试帮助我吗?
很多:)
答案 0 :(得分:1)
我看到了result := fmt.Sprintf("%d", nonce)
的问题。与Python代码对应的代码应该类似于
result := fmt.Sprintf("nonce=%d", nonce)
请你用这个修复程序检查一下吗?
我也可以观察到请求发送方式的主要区别。 Python版本是(link):
ret = requests.get(link,
params=query,
headers=headers,
verify=False)
但你的代码不会发送params
添加nonce等等。我认为它应该像
rawurl = fmt.Sprintf("%s%s/%s?%s", API_BASE_CRY ,API_VERSION_CRY , ressource, queryStr)
其中queryStr应包含nonce等。