文件加密

Base编码

介绍

BASE64 是一种编码方式,通常用于把二进制数据编码为可写的字符形式的数据
且 它是一种可逆的编码方式
编码后的数据是一个字符串,其中包含的字符为:A-Z、a-z、0-9、+、/
共64个字符 加上填充符 '=' 总共65个
64个字符需要6位来表示


文件加密_第1张图片
image.png

这样,长度为3个字节的数据经过Base64编码后就变为4个字节
如下图


image.png

如果数据的字节数不是3的倍数,则其位数就不是6的倍数,那么需要就不能精确地划分成6位的块。,
此时,需在原数据后面添加1个或2个零值字节,使其字节数是3的倍数。
然后,在编码后的字符串后面添加1个或2个等号“=”,表示所添加的零值字节数。
image.png

应用

加密函数

public static String encode(String str) {
        BASE64Encoder base64Encoder = new BASE64Encoder();
        String encoder = base64Encoder.encode(str.getBytes());
        return encoder;

    }

解密函数

public static String decode(String str) throws Exception{
        BASE64Decoder base64Decoder = new BASE64Decoder();
        String decoder = new String(base64Decoder.decodeBuffer(str));
        return decoder;
    }

然后用IO流对文件读出 再调用加密方法进行加密 加密完后在写入文件
注意:
1、base64编码转换成字符数据
2、注意中文乱码
加密测试

public static void main(String[] args) throws Exception{
        File  file = new File("d://bc.txt");
        if(!file.exists()){
            file.createNewFile();
        }
        BufferedReader br = new BufferedReader(new InputStreamReader(new FileInputStream ("d://ac.txt"),"GBK"));
        String len = "";
        BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(new FileOutputStream(file),"GBK"));
        while ((len = br.readLine())!= null){
             bw.write(Base64Uti.encode(len));
             bw.newLine();
        }
        bw.flush();
        br.close();
        bw.close();
    }

能不能直接用字符流读、写 文件

用异或加密

public class Jiami {
    private static final int dec = 0x99;
    private static int len = 0;
    public static void main(String[] args) throws Exception{

            EncodeFile();
    }
    public static void EncodeFile() throws Exception{
        InputStream fis = new FileInputStream("d://ac.txt");
        OutputStream fos = new FileOutputStream("d://bc.txt");
        byte[] bytes= new byte[1024];

        while((len=fis.read(bytes))!=-1){

            //BASE64Encoder base64 =new BASE64Encoder();
            //base64.encode(len.getBytes());
            //Convert.ToBase64String(Encoding.UTF8.GetBytes("bytes"));
            fos.write(len^dec);
        }
        fis.close();
        fos.close();
    }
}

解码只需将文件夹改变 然后调用解码方法

你可能感兴趣的:(文件加密)