从java

时间:2016-07-14 05:44:21

标签: java input file-io

我编写了一个程序,需要为不同的输入(整数)值生成结果。我必须从几个文本文件中读取一些整数并将它们存储在这些变量中。

  • 选择
  • numofNodes
  • numofPoints

在每个文件中可能有多个数字应分配给上述变量之一,例如:

第一个文本文件包含第一个变量的五个值,而另外两个变量在不同的行上有一个值,如下所示:

1 2 3 4 5
60
50

第二个文本文件包含第二个变量的五个值,而其他两个变量在不同的行上有一个值,如下所示:

1 
40 50 60 70 80
50

依旧......

我不知道如何从文本文件中读取它们。 任何帮助将不胜感激。

这是我的主要课程:

public static void main(String[] args)throws InterruptedException {

    // how to read numbers from different text files here
    // and store them in these variables to call func method?
    // int choice = ? 
    // int numofNode = ?
    // int numofPoint = ?

    path ob=new path(choice,numofNode,numofPoint);
    ob.func();

}

1 个答案:

答案 0 :(得分:2)

将文件路径放在字符串数组中。然后,您可以通过创建java.util.Scanner类的实例来读取文件,该实例具有多种读取文件内容的方法。

您只需要使用for和for-each循环来遍历文件并阅读它们。

这里有一些我希望有帮助的代码!

/**
 * converts array of string numbers to array of integer numbers.
 *
 * @param numbers is array of strings
 * @return an integer array which is parsed from <b>numbers</b>
 *
 */
static int[] parseInt(String[] numbers) {
    return Arrays.stream(numbers).mapToInt(Integer::parseInt).toArray();
}

public static void main(String[] args) {

    // put input files path here
    String[] name_and_path_of_files = {
        "C:\\Users\\YOUR_USER\\Desktop\\input_1.txt",
        "C:\\Users\\YOUR_USER\\Desktop\\input_2.txt"
    };

    // file reader
    Scanner inputFileReader = null;
    try {

        // for all files
        for (String fileInfo : name_and_path_of_files) {

            // create reader object with file info
            inputFileReader = new Scanner(new File(fileInfo));

            int line_index = 0;

            int choices[] = null;
            int numofNodes[] = null;
            int numofPoints[] = null;

            // trying to read file content
            while (inputFileReader.hasNext()) {
                String separated_numbers[] = inputFileReader.nextLine().split(" ");
                switch (line_index) {
                    case 0:
                        choices = parseInt(separated_numbers);
                        break;
                    case 1:
                        numofNodes = parseInt(separated_numbers);
                        break;
                    case 2:
                        numofPoints = parseInt(separated_numbers);
                        break;
                }
                line_index++;
            }

            for (int choice : choices) {
                for (int numofPoint : numofPoints) {
                    for (int numofNode : numofNodes) {
                        path ob = new path(choice, numofNode, numofPoint);
                        ob.func();
                    }
                }
            }
        }
    } catch (Exception e) {
        System.out.println("Error: " + e.getMessage());
    } finally {
        if (inputFileReader != null) {
            inputFileReader.close();
        }
    }
}