我正在尝试静态和非静态方法和字段。 我试着编译这个:
class main{
public int a=10;
static int b=0;
public static void main(String[] args){
b+=1; //here i can do anything with static fields.
}
}
class bla {
void nn(){
main.a+=1; //why here not? the method is non-static and the field "main.a" too. Why?
}
}
并且编译器返回我:
try.java:10: non-static variable a cannot be referenced from a static context
但为什么呢?方法和字段“a”都是非静态的!
答案 0 :(得分:2)
您正试图以静态方式访问a
。您首先需要实例化main
才能访问a
。
main m = new main();
m.a += 1;
另外,为了便于阅读,您应该将Classes的名称大写,并将驼峰大小写为您的实例变量。
答案 1 :(得分:2)
变量a
不是静态的,因此如果没有Main
Main.b += 1; // This will work, assuming that your class is in the same package
Main main = new Main();
main.a += 1; // This will work because we can reference the variable via the object instance
所以,我们假设我们有类
public class Main {
public int a = 10;
static int b = 0;
}
现在我们来了,假设这些类在同一个包中
public class Blah {
void nn() {
Main.a += 1; // This will fail, 'a' is not static
Main.b += 1; // This is fine, 'b' is static
Main main = new Main();
main.a += 1; // Now we can access 'a' via the Object reference
}
}
答案 2 :(得分:0)
您需要一个类main实例来更改a,因为它不是类变量。
答案 3 :(得分:0)
您尚未在main
方法中初始化nn()
的实例。