-1

我得到了cant cannot be resolved to a variable,我知道它的用途,但我不知道如何解决它。我必须在其他地方声明它吗?在哪里 ?

我有这个 :

public void calculeaza() {

    totaltest = 0;
    String[] cant = new String[allcant.size()];

    for (int j = 0; j < allcant.size(); j++) {

        cant[j] = allcant.get(j).getText().toString();
        if (cant[j].matches("")) {
            Toast.makeText(this,
                    "Ati omis cantitatea de pe pozitia " + (j + 1),
                    Toast.LENGTH_SHORT).show();
            cant[j] = Float.toString(0);

        }

和这个 :

public void salveaza(){
    try {

        File myFile = new File("/sdcard/mysdfile.txt");
        myFile.createNewFile();
        FileOutputStream fOut = new FileOutputStream(myFile);
        OutputStreamWriter myOutWriter = 
                                new OutputStreamWriter(fOut);
        myOutWriter.append(cant[1]);
        myOutWriter.close();
        fOut.close();
        Toast.makeText(getBaseContext(),
                "Done writing SD 'mysdfile.txt'",
                Toast.LENGTH_SHORT).show();
    } catch (Exception e) {
        Toast.makeText(getBaseContext(), e.getMessage(),
                Toast.LENGTH_SHORT).show();
    }
}
4

3 回答 3

3

由于您在 中声明cantcalculeaza()您不能在 中使用它salveaza()。如果要在方法之间共享它,则应在外部将其声明为实例变量。

您可以在此处了解有关 Java 范围的更多信息:Java 编程:5 - 变量范围

于 2013-06-11T21:27:15.210 回答
1

使用 ArrayList 而不是 String[] 并将其声明为类字段。

public class MyClass{

    private ArrayList<String> cant;  // <---- accessible by all methods in the class.

    public void calculeaza() {

        cant = new ArrayList<String>();

        for (int j = 0; j < allcant.size(); j++) {

              cant.add(allcant.get(j).getText().toString());

             if (cant.get(j).matches("")) {
                 Toast.makeText(this,
                      "Ati omis cantitatea de pe pozitia " + (j + 1),
                      Toast.LENGTH_SHORT).show();
                 cant.get(j) = Float.toString(0);

             }
        ....

     public void salveaza(){ 

        try {

            File myFile = new File("/sdcard/mysdfile.txt");
            myFile.createNewFile();
            FileOutputStream fOut = new FileOutputStream(myFile);
            OutputStreamWriter myOutWriter = 
                               new OutputStreamWriter(fOut);
            myOutWriter.append(cant[1]);
            myOutWriter.close();
            fOut.close();
            Toast.makeText(getBaseContext(),
                "Done writing SD 'mysdfile.txt'",
                Toast.LENGTH_SHORT).show();
        } catch (Exception e) {
            Toast.makeText(getBaseContext(), e.getMessage(),
                Toast.LENGTH_SHORT).show();
        } 
    }

 }

有更好的方法可以做到这一点,但这解决了你的问题。使用 ArrayList 因为它比尝试在类级别初始化数组要容易得多。

于 2013-06-11T21:33:05.093 回答
1

如果你想String[] cant = new String[allcant.size()];在不同的方法中使用你调用的字符串数组,你不能在方法中声明它。

在方法中声明变量使其成为局部方法,这意味着它仅存在于该方法中,不能从外部看到或使用。您最好的选择是将其声明为实例变量。

于 2013-06-11T21:33:47.343 回答