这是在文件上写的代码。这里使用的SecurityUtils类是将字符串编码为AES / CBC。
public static boolean reWriteToFile(String str1,
String str2, String str3, String str4) {
if (Environment.getExternalStorageState().equals(
Environment.MEDIA_MOUNTED)) {
SecurityUtils securityUtils = new SecurityUtils();
String st = securityUtils.getEncryptedToken(str1) + "\n" + securityUtils.getEncryptedToken(str2) + "\n" + securityUtils.getEncryptedToken(str3) + "\n" + securityUtils.getEncryptedToken(str4);
Logger.i("STRING_TO_WRITE", st);
File externalStorageDir = Environment.getExternalStorageDirectory();
File myFile = new File(externalStorageDir, APP_CONFIG_FILE_NAME);
try {
FileOutputStream fOut1 = new FileOutputStream(myFile);
OutputStreamWriter myOutWriter = new OutputStreamWriter(fOut1);
myOutWriter.append(st);
myOutWriter.close();
fOut1.close();
} catch (Exception e) {
e.printStackTrace();
}
return true;
} else {
return false;
}
}
这是从文件中读取的代码:
public static boolean readFromFile() {
SecurityUtils securityUtils = new SecurityUtils();
if (Environment.getExternalStorageState().equals(
Environment.MEDIA_MOUNTED)) {
File externalStorageDir = Environment.getExternalStorageDirectory();
File myFile = new File(externalStorageDir, APP_CONFIG_FILE_NAME);
if (myFile.exists()) {
try {
BufferedReader br = new BufferedReader(
new InputStreamReader(new FileInputStream(myFile)));
String data;
StringBuffer sb = new StringBuffer();
while ((data = br.readLine()) != null) {
sb.append(data + ",");
}
String str = sb.toString().replace(",,", ",");
String[] both = str.split(",");
Log.d("3rd string", both[3]);
} catch (FileNotFoundException e) {
e.printStackTrace();
return false;
} catch (IOException e) {
e.printStackTrace();
return false;
}
}
return false;
} else
return false;
}
但是在 两者[3] 的日志中,我只得到第5行,如图所示,我需要第5到第9行 第一行是一个没有换行符的字符串 第3个也是一个没有换行符的字符串 5月9日也是一个没有换行符的字符串 11也是一个没有换行符的字符串。 但是在每个不同的字符串之间都有一个新的行字符
这些都是AES / CBC编码的字符串 不是整个部分。
答案 0 :(得分:1)
解决您的问题非常简单 - 您不应该将任何字符串写入文件,这些字符串只是加密的结果。每次,当您想要加密某些字符串时,加密结果应由Base64编码。使用以下代码对加密结果进行编码。
public String base64Encoding(String input) throws UnsupportedEncodingException {
String base64 = "";
byte[] hex = input.getBytes("utf8");
base64 = Base64.encodeToString(hex, Base64.NO_WRAP);
return base64;
}
您的代码应如下所示
String st = base64Encoding(securityUtils.getEncryptedToken(str1)) + "\n" + base64Encoding(securityUtils.getEncryptedToken(str2)) + "\n" + base64Encoding(securityUtils.getEncryptedToken(str3)) + "\n" + base64Encoding(securityUtils.getEncryptedToken(str4));
将它粘贴到try catch块中,一切都应该没问题。
当你想要读取你的文件并解密你的字符串时,你应首先解码base64,然后解密aes。下面是示例代码
public String base64ToText(String input) throws UnsupportedEncodingException {
String text = "";
byte[] data = Base64.decode(input, Base64.NO_WRAP);
text = new String(data, "utf8");
return text;
}