0

背景

我正在开发 Bukkit 插件(Minecraft 服务器端)。该插件允许玩家来回发送消息。我也在开发一个网络界面。为了查看他们的“收件箱”,他们必须首先使用游戏中设置的密码登录。

这个密码不是原始存储的,它被转换成一长串 unicode 值,然后分成几块,每块都转换为十六进制并附加到不同的字符串。

爪哇版

//This isn't the best method, I know, but it's still going to take a genius to crack it.
//The resulting number (before somewhat converted to hex) is really
//long, there isn't an easy way of knowing the sequence of characters.
//This conversion is much different than straight up converting to hex,
//as PHP has certain limitations
public static String encodePassword(String password) {
    String longNumber = "";
    for(int i = 0; i < password.length(); i++) {
        longNumber += ((int) password.charAt(i));
    }
    //System.out.println("long = " + longNumber);
    String result = "";
    int splitLength = 5;
    int iterations = longNumber.length() / splitLength;
    if(longNumber.length() % splitLength > 0)
        iterations++;
    for(int i = 0; i < iterations; i++) {
        //System.out.println(result);
        int start = splitLength * i;
        if(longNumber.length() - start <= splitLength) {
            String sub = longNumber.substring(start);
            result += Integer.toHexString(Integer.parseInt(sub));
            continue;
        }
        String sub = longNumber.substring(start, start + splitLength);
        result += Integer.toHexString(Integer.parseInt(sub));
    }
    return result;
}

PHP版本

function encodePassword($pw){
    $unicode = "";
    for($i=0; $i<strlen($pw); $i++){
        $char = $pw{$i};
        $val = unicode_value($char);
        $unicode = $unicode.$val;
    }
    $result = "";
    $splitLength = 5;
    $iterations = strlen($unicode) / $splitLength;
    if(strlen($unicode) % $splitLength > 0)
        $iterations++;
    for($i = 0; $i < $iterations; $i++) {
        $start = $splitLength * $i;
        if(strlen($unicode) - $start <= $splitLength) {
            $sub = substr($unicode, $start);
            $result = $result.base_convert($sub, 10, 16);
            continue;
        }
        $sub = substr($unicode, $start, $splitLength);
        $result = $result.base_convert($sub, 10, 16);
    }
    return $result;
}

如果我对密码“partychat”(插件的名称,它也具有群聊功能)进行“编码”,我会2c212c93ef23163a91bcc使用 Java 和2c212c93ef23163a91bcc0PHP(除了尾随 0 之外相同)。有什么我做错了吗?

注意: 这并不总是发生,大多数“编码”工作正常,但由于某种原因,这种情况有时会发生

4

1 回答 1

0

为什么你甚至想要这个,我只会使用用户密码的哈希,比如:这个关于 SHA-256 的 stackoverflow 问题,我知道它不能解决你的问题,但是不发明你自己的加密标准更安全:)

于 2013-09-10T00:52:19.400 回答