有人可以向我展示如何使用Go 1生成我所拥有的字符串的SHA哈希(例如myPassword := "beautiful"
)的工作示例吗?
文档页面缺少示例,我在Google上找不到任何可用的代码。
答案 0 :(得分:55)
一个例子:
import (
"crypto/sha1"
"encoding/base64"
)
func (ms *MapServer) storee(bv []byte) {
hasher := sha1.New()
hasher.Write(bv)
sha := base64.URLEncoding.EncodeToString(hasher.Sum(nil))
...
}
在这个例子中,我从一个字节数组中生成一个sha。您可以使用
获取字节数组bv := []byte(myPassword)
当然,如果你不需要,你不需要在base64中对它进行编码:你可以使用Sum函数返回的原始字节数组。
下面的评论似乎有点混乱。因此,让我们向下一位用户阐明转换为字符串的最佳做法:
答案 1 :(得分:28)
http://golang.org/pkg/crypto/sha1/上的软件包文档确实有一个示例来说明这一点。它被称为New函数的一个例子,但它是页面上唯一的例子,它在页面顶部附近有一个链接,因此值得一看。完整的例子是,
代码:
h := sha1.New()
io.WriteString(h, "His money is twice tainted: 'taint yours and 'taint mine.")
fmt.Printf("% x", h.Sum(nil))
输出:
59 7f 6a 54 00 10 f9 4c 15 d7 18 06 a9 9a 2c 87 10 e7 47 bd
答案 2 :(得分:25)
Go By Example有关于sha1哈希的页面。
package main
import (
"fmt"
"crypto/sha1"
"encoding/hex"
)
func main() {
s := "sha1 this string"
h := sha1.New()
h.Write([]byte(s))
sha1_hash := hex.EncodeToString(h.Sum(nil))
fmt.Println(s, sha1_hash)
}
答案 3 :(得分:14)
你实际上可以用更简洁和惯用的方式来做到这一点:
// Assuming 'r' is set to some inbound net/http request
form_value := []byte(r.PostFormValue("login_password"))
sha1_hash := fmt.Sprintf("%x", sha1.Sum(form_value))
// Then output optionally, to test
fmt.Println(sha1_hash)
在包含login_password字段的http.Request POST的这个简单示例中,值得注意的是%x
调用import "encoding/hex"
将哈希值转换为十六进制而不必包含{{ 1}}声明。
(我们使用fmt.Sprintf()而不是fmt.Sprintf(),因为我们将字符串输出到变量赋值,而不是fmt.Printf()接口。)
同样是参考,io.Writer函数以与sha1.Sum()定义相同的方式详细实例化:
func New() hash.Hash {
d := new(digest)
d.Reset()
return d
}
func Sum(data []byte) [Size]byte {
var d digest
d.Reset()
d.Write(data)
return d.checkSum()
}
对于Golang的标准加密集中的Sha库变体,例如sha1.New(),这是正确的(至少在发布时)。
最后,如果有人愿意,他们可以使用类似func (h hash.Hash) String() string {...}
的方式跟随Golang的[to] String()实现来封装流程。
这很可能超出了原始问题的预期范围。
答案 4 :(得分:4)
以下是一些很好的例子:
第二个示例以sha256为目标,执行sha1十六进制:
// Calculate the hexadecimal HMAC SHA1 of requestDate using sKey
key := []byte(c.SKey)
h := hmac.New(sha1.New, key)
h.Write([]byte(requestDate))
hmacString := hex.EncodeToString(h.Sum(nil))
答案 5 :(得分:1)
这是一个可用于生成SHA1哈希的函数:
// SHA1 hashes using sha1 algorithm
func SHA1(text string) string {
algorithm := sha1.New()
algorithm.Write([]byte(text))
return hex.EncodeToString(algorithm.Sum(nil))
}
我在这里整理了一组实用程序哈希函数:https://cwiki.apache.org/confluence/display/MAVENOLD/Repository+Layout+-+Final
您会发现FNV32
,FNV32a
,FNV64
,FNV65a
,MD5
,SHA1
,SHA256
和{{ 1}}
答案 6 :(得分:1)
// Get sha1 from string
func Hashstr(Txt string) string {
h := sha1.New()
h.Write([]byte(Txt))
bs := h.Sum(nil)
sh:= string(fmt.Sprintf("%x\n", bs))
return sh
}
答案 7 :(得分:0)
h := sha1.New()
h.Write(content)
sha := h.Sum(nil) // "sha" is uint8 type, encoded in base16
shaStr := hex.EncodeToString(sha) // String representation
fmt.Printf("%x\n", sha)
fmt.Println(shaStr)