Go语言 将Btye数组从MD5散列转换为字符串

k2arahey  于 2022-12-07  发布在  Go
关注(0)|答案(2)|浏览(142)

谁能告诉我我哪里错了。
我不能通过字符串转换哈希和函数产生的字节数组,我必须使用Sprintf。
下面是代码片段:

f, _ := os.Open(filename)
hash := md5.New()
io.Copy(hash, f)
hashStringGood := fmt.Sprintf("%x", hash.Sum(nil))
hashStringJunk := string(hash.Sum(nil)[:])

hasStringGood将产生d41d8cd98f00b204e9800998ecf8427e哈希字符串垃圾将产生��ُ�� ���B~

chhkpiq4

chhkpiq41#

当您将随机二进制数据转换为没有编码方案的字符串时,数据不太可能Map到可打印字符序列。
fmt包中的%x动词是对二进制数据进行十六进制编码的一种方便方法。

%s  the uninterpreted bytes of the string or slice
%q  a double-quoted string safely escaped with Go syntax
%x  base 16, lower-case, two characters per byte

或者,您可以使用嵌套在the encoding package下面的包对数据进行编码:

package main

import (
    "crypto/md5"
    "encoding/base64"
    "encoding/hex"
    "fmt"
)

func main() {
    hash := md5.Sum([]byte("input to be hashed"))
    fmt.Printf("Using %%s verb: %s\n", hash)
    fmt.Printf("Using %%q verb: %q\n", hash)
    fmt.Printf("Using %%x verb: %x\n", hash)

    hexHash := hex.EncodeToString(hash[:])
    fmt.Printf("Converted to a hex-encoded string: %s\n", hexHash)

    base64Hash := base64.StdEncoding.EncodeToString(hash[:])
    fmt.Printf("Converted to a base64-encoded string: %s\n", base64Hash)
}

输出量

Using %s verb: �����Q���6���5�
Using %q verb: "\x8d\xa8\xf1\xf8\x06\xd3Q\x9d\xa1\xe46\xdb\xfb\x9f5\xd7"
Using %x verb: 8da8f1f806d3519da1e436dbfb9f35d7
Converted to a hex-encoded string: 8da8f1f806d3519da1e436dbfb9f35d7
Converted to a base64-encoded string: jajx+AbTUZ2h5Dbb+5811w==

Go Playground

iyfamqjs

iyfamqjs2#

MD5 hash是一个128位的值。如果你把它转换成一个字符串,你会得到16个字节的二进制数据,其中很多是无法打印的。你必须用fmt.Sprintf或其他方法把它转换成一个字符串。

相关问题