注:本文为转载文章,原文请参考: Android数据加密之异或加密算法
什么是异或加密?
异或运算中,如果某个字符(或数值)x 与 一个数值m 进行异或运算得到y,则再用y 与 m 进行异或运算就可以还原为 x ,因此应用这个原理可以实现数据的加密解密功能。
异或运算使用场景?
public byte[] encrypt(byte[] bytes) if (bytes == null) return null; int len = bytes.length; int key = 0x12; for (int i = 0; i < len; i++) bytes[i] ^= key; return bytes;
测试加密解密
byte[] bytes = encrypt("whoislcj".getBytes());//加密 String str1 = new String(encrypt(bytes));//解密
不固定key的方式
加密实现
public byte[] encrypt(byte[] bytes) if (bytes == null) return null; int len = bytes.length; int key = 0x12; for (int i = 0; i < len; i++) bytes[i] = (byte) (bytes[i] ^ key); key = bytes[i]; return bytes;
解密实现
public byte[] decrypt(byte[] bytes) if (bytes == null) return null; int len = bytes.length; int key = 0x12; for (int i = len - 1; i > 0; i--) bytes[i] = (byte) (bytes[i] ^ bytes[i - 1]); bytes[0] = (byte) (bytes[0] ^ key); return bytes;
测试
byte[] bytes = encrypt("whoislcj".getBytes());//加密 String str1 = new String(decrypt(bytes));//解密
总结: