如何保证在Android应用秘密字符串?(How to secure secret string i

2019-08-19 08:57发布

在我的Android应用程序,我用这需要两个字符串,和的clientId微软clientSecret翻译。 此刻,我硬编码这两个字符串。 因为我发现classes.dex可以转换为罐子,然后.class文件也可以被转换为.java文件,我认为这些硬编码字符串懂事是不是一件好事。

所以我的问题很简单:如何隐藏恶意的人那些字符串?

谢谢

Answer 1:

预加密字符串,并将其存储在一个资源文件。 用密钥进行解密。 这仅仅是通过隐藏的安全性,但至少“秘密”不会是纯文本。

public class KeyHelper {

    /**
     * Encrypt a string
     *
     * @param s
     *            The string to encrypt
     * @param key
     *            The key to seed the encryption
     * @return The encrypted string
     */
    public static String encode(String s, String key) {
        return base64Encode(xorWithKey(s.getBytes(), key.getBytes()));
    }

    /**
     * Decrypt a string
     *
     * @param s
     *            The string to decrypt
     * @param key
     *            The key used to encrypt the string
     * @return The unencrypted string
     */
    public static String decode(String s, String key) {
        return new String(xorWithKey(base64Decode(s), key.getBytes()));
    }

    private static byte[] xorWithKey(byte[] a, byte[] key) {
        byte[] out = new byte[a.length];
        for (int i = 0; i < a.length; i++) {
            out[i] = (byte) (a[i] ^ key[i % key.length]);
        }
        return out;
    }

    private static byte[] base64Decode(String s) {
        try {
            return Base64.decode(s);
        } catch (IOException e) {
            throw new RuntimeException(e);
        }
    }

    private static String base64Encode(byte[] bytes) {
        return Base64.encodeBytes(bytes).replaceAll("\\s", "");
    }
}

还要注意,这个例子需要你在项目中包含的Base64类:)



文章来源: How to secure secret string in Android app?