Как я могу расшифровать текстовый файл с помощью моего класса дешифрования? - PullRequest
0 голосов
/ 08 мая 2020

У меня есть текстовый файл, который мне нужно расшифровать с помощью этого кода:

// Rot13 зашифровать и расшифровать publi c class Rot13 {

private char [] letter = {' ', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M',
                              'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'};

private int index = 0;

public String encrypt(String s){

    String str = "";
    //forloop to get the each character from the passing string
    for(int i=0; i<s.length(); i++){
        char c = Character.toUpperCase(s.charAt(i));
        if(c == ' '){
            str += ' ';
        }else {
            //forloop to check the index of the character from array
            for (int j = 1; j < letter.length; j++) {
                if (letter[j] == c) {
                    index = j;
                }
            }
            //shifting characters based on rot13
            index = index % 26;
            index = index + 13;
            index = index % 26;
            if (index == 0)
                index = 26;
            str += letter[index];
        }
    }

    return str;
}//end encrypt

public String decrypt(String s){

    String str = "";
    //forloop to get the each character from the passing string
    for(int i=0; i<s.length(); i++){
        char c = Character.toUpperCase(s.charAt(i));
        if(c == ' '){
            str += ' ';
        }else {
            //forloop to check the index of the character from array
            for (int j = 1; j < letter.length; j++) {
                if (letter[j] == c) {
                    index = j;
                }
            }
            //shifting characters based on rot13
            index = index % 26;
            index = index + 13;
            index = index % 26;
            if (index == 0)
                index = 26;
            str += letter[index];
        }
    }

    return str;
}//end decrypt

} // конец class Rot13

Я хочу расшифровать файл, созданный с помощью класса File.

import java .io. *; import java .util.Scanner;

publi c class FileExample extends Rot13 {

public static void main(String [] args) {

    try {

        //create file object for input.txt
        File in_file = new File("src/text.txt");
        //create file object for output.txt
        File out_file = new File("src/output.txt");

        //read the input.txt file with Scanner
        Scanner read = new Scanner(in_file);
        //write the output.txt file with PrintWriter
        PrintWriter w = new PrintWriter(out_file);

        while(read.hasNextLine()){
            w.write(read.nextLine());
        }

    while(read.hasNext()){
        System.out.println(read.next());
    }
        //don't forget to close
        w.close();

    }
        catch(Exception ex) {
            ex.getStackTrace();
    }
}

}

Я не знаю, как отправить текст файл с зашифрованным сообщением в класс дешифрования. Кто-нибудь может мне помочь?

Спасибо.

1 Ответ

0 голосов
/ 08 мая 2020

Ваши методы шифрования и дешифрования ожидают ввода String.

Вы можете получить все содержимое файла в одной строке, используя метод File.readAllBytes(). FileExample расширяет Rot13, но методы шифрования и дешифрования не являются стандартными c (методы stati c обычно в любом случае являются плохой идеей).

Итак, чтобы вызвать метод дешифрования, вам сначала нужно создать экземпляр FileExamples, а затем вызвать метод дешифрования для этого экземпляра. Фактически, лучше переместить ваш logi c из основного метода в нестатический c метод в FileExample и просто весь этот метод из main.

Наконец, вы записываете расшифрованный String в выходной файл в одну строку, используя метод Files.write()

См. Код ниже:

public class FileExample extends Rot13 {

    public void decryptFile(String inputFilePath, String outputFilePath){

        try {
            //Get the encrypted file contents as a String
            String encryptedContents = new String(Files.readAllBytes(Paths.get(inputFilePath)));

            //Call the decrypt method - inherited from Rot13
            String decryptedContents = decrypt(encryptedContents);

            //Write the decrypted content to the output file
            Files.write(Paths.get(outputFilePath), decryptedContents.getBytes());
        }
        catch(Exception ex) {
            ex.getStackTrace();
        }
    }

    public static void main(String [] args) {
        FileExample example = new FileExample();
        example.decryptFile("src/text.txt", "src/output.txt");
    }
}
...