比较数组 Golang

huangapple go评论85阅读模式
英文:

Compare arrays golang

问题

我在Go语言中定义了自己的类型:

type Sha1Hash [20]byte

我想要对两个这样的哈希值 h1h2 进行排序:

func Compare(h1, h2 Sha1Hash) int {
    // h1 >= h2 // 不起作用,数组只有 == 和 != 运算符
    // bytes.Compare(h1, h2) // 不起作用,Compare 只能用于切片

    // 你可以使用下面的方法来比较数组
    if h1 == h2 {
        return 0
    } else if h1 > h2 {
        return 1
    } else {
        return -1
    }
}

你可以使用上述方法来比较数组。

英文:

I have defined my own type in Go:

type Sha1Hash [20]byte

I would like to sort two of these hashes, h1 and h2:

func Compare(h1, h2 Sha1Hash) int {

    h1 >= h2 // doens't work, arrays only have == and !=
    bytes.Compare(h1,h2) //doesn't work, Compare only works on slices

}

How can I compare my arrays?

答案1

得分: 5

你可以从一个数组中创建一个切片:

func Compare(h1, h2 Sha1Hash) int {
    return bytes.Compare(h1[0:20], h2[0:20]) 
}

你可以使用切片操作符[start:end]来指定切片的范围。在这个例子中,h1[0:20]表示从h1数组的索引0开始,取出长度为20的切片。同样地,h2[0:20]表示从h2数组的索引0开始,取出长度为20的切片。然后,使用bytes.Compare函数来比较这两个切片。

英文:

You can form a slice from an array:

func Compare(h1, h2 Sha1Hash) int {
    return bytes.Compare(h1[0:20], h2[0:20]) 
}

huangapple
  • 本文由 发表于 2014年12月17日 01:06:06
  • 转载请务必保留本文链接:https://go.coder-hub.com/27510036.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定