2

我正在尝试创建一个程序,使我能够将 MEID(长度为 14 的十六进制数)转换为伪 ESN(长度为 8 的十六进制数)。从 MEID 获取 pESN 的方法在理论上相当简单。例如,给定 MEID 0xA0000000002329,要制作 pESN,需要将 SHA-1 应用于 MEID。A0000000002329 上的 SHA-1 给出 e3be267a2cd5c861f3c7ea4224df829a3551f1ab。取此结果的最后 6 个十六进制数字,并将其附加到 0x80 - 结果是 0x8051F1AB。

现在这是我到目前为止的代码:

public void sha1() throws NoSuchAlgorithmException {

    String hexMEID = "A0000000002329";

    MessageDigest mDigest = MessageDigest.getInstance("SHA1");      
    byte[] b = new BigInteger(hexMEID,16).toByteArray();    

    byte[] result = mDigest.digest(b);
    StringBuilder sb = new StringBuilder();

    for (int i = 0; i < result.length; i++) {
        sb.append(Integer.toString((result[i] & 0xff) + 0x100, 16).substring(1));
    }

    System.out.println(sb.toString());
}

问题是使用这种方法,A0000000002329 上的 SHA-1 给出 6ad447f040941bf43c0693d2b391c6c79fa58320 而不是 e3be267a2cd5c861f3c7ea4224df829a3551f1ab。我在这里做错了什么?

有人给了我一个暗示

诀窍是将 SHA-1 应用于代表 MEID 的数字,而不是代表 MEID 的字符串。您需要逐字节处理它,因此您必须一次给它两个十六进制数字(因为两个十六进制数字构成一个字节)并确保它们被解释为数字而不是 ASCII 字符

如果这些说明是正确的,那么如何逐字节将 SHA-1 应用于我的十六进制数?

4

2 回答 2

4

您有一个小问题,这是使用BigInteger获取字节数组的结果。由于 MEID 只有 7 个字节长,因此当您将其泵入 BigInteger 时,您将得到一个长度为 8 的字节数组,因为 BigInteger 输出包含符号的 exta 字节。当然,这个额外的字节会导致您输入的 SHA-1 散列完全不同。你需要把它剥掉。

下面是 HEX MEID 到 ESN 代码的样子:

String hexMEID = "A0000000002329";
MessageDigest mDigest = MessageDigest.getInstance( "SHA1" );

byte[] input = new byte[ 7 ]; // MEIDs are only 7 bytes

// Now copy the bytes from BigInteger skipping the extra byte added by it
System.arraycopy( new BigInteger( hexMEID, 16 ).toByteArray(), 1, input, 0, 7 );

// Get the SHA-1 bytes
byte[] result = mDigest.digest( input );

// Build the SHA-1 String
StringBuilder sb = new StringBuilder();
for ( int i = 0; i < result.length; i++ )
{
    String hex = Integer.toHexString( 0xFF & result[ i ] );
    if ( hex.length() == 1 )
    {
        sb.append( '0' );
    }
    sb.append( hex );
}

String sha1 = sb.toString();
// Grab the last 6 characters of the SHA-1 hash
String lastSix = sha1.substring( sha1.length() - 6 );
// And prepend '80', now you have the ESN
System.out.println( "80" + lastSix );
// Will print 8051f1ab which is exactly what you want
于 2012-08-07T05:48:31.193 回答
2

Strelok 发现了BigInteger在返回的数组中添加额外字节的问题。这个更简单的版本也给出了预期的结果:

String hexMEID = "A0000000002329";

MessageDigest mDigest = MessageDigest.getInstance("SHA1");

byte[] b = new BigInteger(hexMEID,16).toByteArray();

// skip the first byte set by BigInteger and retain only 7 bytes (length of MEID)
byte[] result = mDigest.digest(Arrays.copyOfRange(b, 1, 8));

StringBuilder sb = new StringBuilder("80");

// need only the last 3 bytes
for (int i=17; i<20; i++) {
    sb.append(Integer.toHexString((result[i] & 0xff) | 0x100).substring(1));
}

String pESN = sb.toString();
System.out.println(pESN);
// -> 8051f1ab
于 2012-08-07T15:55:07.117 回答