0

我在类checksumFinder中有一个方法hexFinder。在 hexFinder 中,每个文件都被读取并命名为文件或文件。然后将其放入两个 ArrayList 之一,listGoodFileslistBadfiles

这两个 ArrayList 都属于multiFile方法中的checksumGUI类。此方法为所选文件夹中的每个文件调用hexFinder。它还会输出一条消息,显示文件夹中有多少文件和文件。

当我将文件名添加到 ArrayLists 之一时,没有添加任何内容。

这是checksumFinder类中可能导致问题的一些代码

class checksumFinder {

checksumGUI cg = new checksumGUI();

String hexFinder(File currentFile,...){

.... // determine file is good/bad 

if (l1 == l2) {
    cg.listGoodFiles.add(currentFile.getName());
    } else{
      cg.listBadFiles.add(currentFile.getName());
    }

这是checksumGUI类中的multiFile方法

public void multiFile(JFileChooser inFileName) throws FileNotFoundException, IOException {

    checksumFinder cf = new checksumFinder();
    ArrayList<String> listTypeErrFiles = new ArrayList<String>();
    File folderFile = inFileName.getSelectedFile();
    File[] listAllFiles = folderFile.listFiles();

    for (int i = 0; i < listAllFiles.length; i++) {
        File currentFile = listAllFiles[i];
        if (currentFile.isFile() && currentFile.getName().endsWith(".pcf")) {

            cf.hexFinder(currentFile, null, null, null);
        } else {
            listTypeErrFiles.add(currentFile.getName());
            System.out.println("-----------------------------");
            System.out.println("Incorrect filetype:\n" + currentFile.getName());
            System.out.println("-----------------------------\n");
        }
    }

    JTextArea ta = new JTextArea(25, 25);
    ta.setText("Folder contains " + listAllFiles.length + " files\n\n"+ "Folder has " + 
            listGoodFiles.size() + " good files;\n" + listGoodFiles + "\nFolder has " +
            listGoodFiles.size() + " bad files;\n" + listBadFiles +"\nFolder has " + 
            listTypeErrFiles.size() + " file of wrong type;\n" + listTypeErrFiles);

            ta.setWrapStyleWord(true);
            ta.setLineWrap(true);
            ta.setCaretPosition(0);
            ta.setEditable(false);

            JOptionPane.showMessageDialog(null,
            new JScrollPane(ta),"Folder Contents", JOptionPane.INFORMATION_MESSAGE);
}

从我制作这个程序的方式来看,两个班级之间有很多变动。(我相信它可以做得更好,但这是我知道的唯一方法)

编辑:

我已经浏览过类似的问题,我发现没有什么有用的

编辑:

checksumFinder类的(最新)代码可以在这里找到。

非常感谢任何帮助,谢谢。

4

1 回答 1

3

您正在checksumGUIchecksumFinder 中创建一个新实例,而不是访问现有实例:

cg = new checksumGUI();

您应该将现有实例作为构造函数的参数:

class checksumFinder {
    private final checksumGUI cg;

    checksumFinder(checksumGUI cg) {
        this.cg = cg;
    }

    ...
}

而不是checksumFinder cf = new checksumFinder();in multiFile(),将当前实例传递给checksumFinder构造函数:

checksumFinder cf = new checksumFinder(this);

(此外,使用 java 编码约定,例如大写的类名,将使代码更易于阅读)。

于 2013-09-11T11:42:29.137 回答