0

我已经开发了一个主应用程序,现在我需要开发第二个应用程序,它与第一个应用程序相同,但只执行 70% 的功能。我已经模块化了主应用程序的功能,但现在我希望能够根据配置文件打开/关闭它们。此配置文件中的值需要在活动和服务的上下文中可访问。很多人建议使用 SharedPrefences,但我不需要最终用户来修改它。它仅供开发人员配置这些设置。最好的方法是什么?

4

1 回答 1

0

现在在android中数据可以通过这些方式存储

现在您不想将配置存储在共享首选项中,所以我建议您采用两种方式创建两个应用程序都可以访问的 SQLite 数据库或创建一个存储配置数据并且两个应用程序都可以访问的文件

无论您选择哪种存储数据的方法,都可以使用类似这样的加密算法对其进行加密

private static byte[] encrypt(byte[] raw, byte[] clear) throws Exception {
    SecretKeySpec skeySpec = new SecretKeySpec(raw, "AES");
    Cipher cipher = Cipher.getInstance("AES");
    cipher.init(Cipher.ENCRYPT_MODE, skeySpec);
    byte[] encrypted = cipher.doFinal(clear);
    return encrypted;
}

private static byte[] decrypt(byte[] raw, byte[] encrypted) throws Exception {
    SecretKeySpec skeySpec = new SecretKeySpec(raw, "AES");
    Cipher cipher = Cipher.getInstance("AES");
    cipher.init(Cipher.DECRYPT_MODE, skeySpec);
    byte[] decrypted = cipher.doFinal(encrypted);
    return decrypted;
  }

并像这样调用它们:

ByteArrayOutputStream baos = new ByteArrayOutputStream();  
bm.compress(Bitmap.CompressFormat.PNG, 100, baos); // bm is the bitmap object   
byte[] b = baos.toByteArray();  

byte[] keyStart = "this is a key".getBytes();
KeyGenerator kgen = KeyGenerator.getInstance("AES");
SecureRandom sr = SecureRandom.getInstance("SHA1PRNG");
sr.setSeed(keyStart);
kgen.init(128, sr); // 192 and 256 bits may not be available
SecretKey skey = kgen.generateKey();
byte[] key = skey.getEncoded();    

// encrypt
byte[] encryptedData = encrypt(key,b);
// decrypt
byte[] decryptedData = decrypt(key,encryptedData);

现在您可以使用密钥访问这些值,用户将无法理解您的配置信息

或者您可以使用 Web 服务将数据保存到服务器上,并且您的两个应用程序都可以使用该 Web 服务来获取配置,但它不会脱机工作:(

于 2012-11-01T04:39:51.657 回答