0

我有一个java程序,我编写它来返回一个值表。后来随着该程序功能的增长,我发现我想访问方法中未返回的变量,但我不确定最好的方法。我知道您不能返回一个以上的值,但是如果不进行大修,我将如何访问该变量?这是我的代码的简化版本:

public class Reader {
    public String[][] fluidigmReader(String cllmp) throws IOException {
        //read in a file
        while ((inpt = br.readLine()) != null) {
            if (!inpt.equals("Calls")) {
                continue;
            }
            break;
        }
        br.readLine();
        inpt = br.readLine();
        //set up parse parse parameters and parse
        prse = inpt.split(dlmcma, -1);
        while ((inpt = br.readLine()) != null) {
            buffed.add(inpt);
        }
        int lncnt = 0;
        String tbl[][] = new String[buffed.size()][rssnps.size()];
        for (int s = 0; s < buffed.size(); s++) {
            prse = buffed.get(s).split(dlmcma);
            //turns out I want this smpls ArrayList elsewhere
            smpls.add(prse[1]);
//making the table to search through
            for (int m = 0; m < prse.length; m++) {
                tbl[lncnt][m] = prse[m];
            }
            lncnt++;
        }
        //but I return just the tbl here
        return tbl;
    }

任何人都可以推荐一种在另一个类中使用 smpls 而不返回它的方法吗?这可能是当您使用获取/设置类型的设置时?抱歉,如果这似乎是一个显而易见的问题,我对模块化编程世界还是陌生的

4

4 回答 4

3

现在你有这个tbl变量。将其包装在一个类中并将列表添加到该类中。

class TableWrapper {
    // default accessing for illustrative purposes - 
    // setters and getters are a good idea
    String[][] table;
    List<String> samples;

    TableWrapper(String[][] table, List<String> samples) {
        this.table = table;
        this.samples = samples;
    }
}

然后重构您的方法以返回包装器对象。

public TableWrapper fluidigmReader(String cllmp) throws IOException {
    // your code here
    String tbl[][] = new String[buffed.size()][rssnps.size()];
    TableWrapper tw = new TableWrapper(tbl,smpls);
    // more of your code
    return tw;
}  

然后在你的代码中你要去的地方

String[][] tbl = fluidigmReader(cllmp);

你反而去

TableWrapper tw = fluidigmReader(cllmp);
String[][] tbl = tw.table;
List<String> smpls = tw.samples;
于 2013-01-03T20:09:31.807 回答
1

如果您为返回值使用了专用类(例如TableWrapper在另一个答案中提到的),那么您可以在那里添加其他字段。

这就是类的好处——它们可以扩展。但是你不能String[][]在 Java 中扩展。

于 2013-01-03T20:10:37.233 回答
0

You can set a field, instead of a local variable, which you can retrieve later with a getter. You want to avoid it unless it is needed, but in this case it is.

于 2013-01-03T20:05:44.360 回答
0

您可以为此使用 class(Inside Reader class) 变量。但请确保它的读/写是同步的

于 2013-01-03T20:11:36.187 回答