字符串哈希与Java中的二进制哈希

问题描述 投票:-2回答:1

我正在编写一个将比特币privateKey转换为WIF格式的Java程序。不幸的是,我错了SHA256哈希。

我的代码基于基于this tutorial

当我散列一个像:

800C28FCA386C7A227600B2FE50B7CAE11EC86D3BF1FBE471BE89827E19D72AA1D

我得到这样的结果:

e2e4146a36e9c455cf95a4f259f162c353cd419cc3fd0e69ae36d7d1b6cd2c09

代替:

8147786C4D15106333BF278D71DADAF1079EF2D2440A4DDE37D747DED5403592

这是我的一段代码:

public String getSHA(String value){
    String hash = hash = DigestUtils.sha256Hex(value.getBytes());
    System.out.println(hash);
    return hash;
}

我用过这个库:import org.apache.commons.codec.digest.DigestUtils;

当然我在网上搜索了这个问题,我找到了this site

在该网站上,有两个文本框 - String hash和Binary Hash。使用String哈希,我得到了与我的Java程序相同的错误结果。但是,使用二进制哈希,我得到了正确的结果。

我的问题是:Binary和String哈希之间有什么区别?如何在我的Java方法中实现二进制哈希?

java hash bitcoin
1个回答
1
投票

在你的情况下,800C28...是使用十六进制编码的byte[]的文本表示。要将它转换回byte[]你可以看看this answer,一种方法是:

public static byte[] hexStringToByteArray(String hex) {
  int l = hex.length();
  byte[] data = new byte[l/2];
  for (int i = 0; i < l; i += 2) {
    data[i/2] = (byte) ((Character.digit(hex.charAt(i), 16) << 4)
      + Character.digit(hex.charAt(i+1), 16));
  }
  return data;
}

String.getBytes()将返回字符值,例如根据8,字符the ASCII table的值为56。

System.out.println(Arrays.toString("8".getBytes())); // 56
© www.soinside.com 2019 - 2024. All rights reserved.