Чтение текста из файла и сравнение его с символами - PullRequest
0 голосов
/ 20 марта 2019

Могу ли я получить рекомендацию или получить совет о том, что следует использовать или быть известным для выполнения этой задачи (я думаю, самым элементарным образом). если кто-то захочет написать код, который был бы фантастическим, но не хватало бы смутных ответов на необходимые знания или технику.

Мне нужна программа, в которой в начале вы вводите символы, разделенные нажатием клавиши ввода, или строку, которая может быть как бы разделена на отдельные элементы массива (я полагаю) - символы, разделенные запятой - и это будет затем по сравнению с TXT-файлом, который содержит серии записей, и будут напечатаны только те, которые содержат некоторые из (то есть более короткие) или все символы, которые были предоставлены в начале, возможно, даже печать будет разделена на длину Вступительное слово).

Есть идеи, как это сделать? Кроме того, результаты могут быть напечатаны где-то еще, кроме командной строки, как другой текстовый файл? Нужно сделать это в Java. Спасибо.

1 Ответ

0 голосов
/ 20 марта 2019

Взгляните на следующий пример:

public class SimpleExample {

    public static void main(String[] args) throws ClassNotFoundException {
        Scanner inputNumbers = new Scanner(System.in);
        List<Integer> listOfNumbersToStore = new ArrayList<>();
        List<Integer> listOfNumbersToCheck = new ArrayList<>();
        int number;
        String answer;
        boolean flag = true;
        // do code within a loop while flag is true
        do {
            // print message to screen
            System.out.print("Would you like to put new number to your file list (Y/N): ");
            // get answer (Y/N) to continue
            answer = inputNumbers.next();
            // if answer is Y or y
            if ("Y".equalsIgnoreCase(answer)) {
                // print message
                System.out.print("Put your number: ");
                // get input integer and assign it to number
                number = inputNumbers.nextInt();
                // add that number to a list of numbers to store to file
                listOfNumbersToStore.add(number);
            } else if ("N".equalsIgnoreCase(answer)) {
                flag = false;
            }

        } while (flag);
        writeToFile(listOfNumbersToStore);
        System.out.println("---------- Check numbers ----------");
        flag = true; // set it again to true
        //do code within a loop while flag is true
        do {
            System.out.print("Would you like to put new number to your check list (Y/N) : ");
            answer = inputNumbers.next();
            if ("Y".equalsIgnoreCase(answer)) {
                System.out.print("Put your number: ");
                number = inputNumbers.nextInt();
                listOfNumbersToCheck.add(number);
            } else if ("N".equalsIgnoreCase(answer)) {
                flag = false;
            }

        } while (flag);
        // get a list from a file
        List<Integer> readFromFile = readFromFile();
        // check if there are any common elements within compared lists
        boolean areThereAnyCommonElements = !Collections.disjoint(
                listOfNumbersToCheck, readFromFile);

        //create a new treeset used for containing unique elements and ordering it naturally, from 0 to n
        Set<Integer> set = new TreeSet<>(listOfNumbersToCheck);
        set.retainAll(readFromFile);
        // print these messages
        System.out.println("Are there any common integers between a list from a file and checking list? " + areThereAnyCommonElements);
        System.out.println("Those integers are: " + set.toString());
    }

    /**
     * List implements Seriazable interface, therefore store it to a file
     * serialized
     *
     * @param numberOfIntegers
     */
    public static void writeToFile(List<Integer> numberOfIntegers) {
        try {
            // create a file output stream to write to the file with the specified name. 
            FileOutputStream fileOutputStream = new FileOutputStream("tekstDataOutputStream");
            // writes the serialization stream header to the underlying file stream; 
            ObjectOutputStream dataOutputStream = new ObjectOutputStream(new BufferedOutputStream(fileOutputStream));
            // write a list to object output stream
            dataOutputStream.writeObject(numberOfIntegers);
            //close them
            dataOutputStream.close();
            fileOutputStream.close();
        } catch (IOException ioE) {
            System.err.println("JVM reported an error! Take a look: " + ioE);
        }
    }

    public static List<Integer> readFromFile() throws ClassNotFoundException {
        //create an empty list of integers
        List<Integer> result = new ArrayList<>();
        try {
            //opening a connection to an actual file
            FileInputStream fis = new FileInputStream("tekstDataOutputStream");
            //used for reading from a specified input stream
            ObjectInputStream reader = new ObjectInputStream(fis);
            //get that list 
            result = (List<Integer>) reader.readObject();
            //close streams
            reader.close();
            fis.close();

        } catch (IOException ioE) {
            System.err.println("JVM reported an error! Take a look: " + ioE);
        }
        return result;
    }

}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...