是否可以通过类方法访问实例方法和变量

时间:2015-01-18 03:16:09

标签: java class methods

直到我在Oracle Doc上读到这个(类方法不能直接访问实例变量或实例方法 - 它们必须使用对象引用)我唯一知道的,关于实例方法和变量不能被类访问(静态)方法直接。

它说什么意思......他们必须使用对象引用?这是否意味着我们可以使用类方法间接访问实例变量和方法?

提前谢谢你。

2 个答案:

答案 0 :(得分:8)

这意味着允许这样做:

public class Test {
    public int instanceVariable = 42;
    public void instanceMethod() {System.out.println("Hello!");}

    public static void staticMethod() {
        Test test = new Test();

        System.out.println(test.instanceVariable); // prints 42
        test.instanceMethod(); // prints Hello!
    }
}

而这不是:

public class Test {
    public int instanceVariable = 42;
    public void instanceMethod() {System.out.println("Hello!");}

    public static void staticMethod() {
        System.out.println(instanceVariable); // compilation error
        instanceMethod(); // compilation error
    }
}

答案 1 :(得分:1)

实例变量,顾名思义是绑定到类的实例。因此,直接从类方法访问它,这与任何特定实例无关,这没有意义。因此,要访问实例变量,您必须具有从中访问实例变量的类的实例。

但事实并非如此 - 类变量位于“顶级”,因此实例方法和变量可以访问。

class MyClass;
{  
 public int x = 2;
 public static int y = 2;

 private int z = y - 1; //This will compile.

 public static void main(String args[])
 {
    System.out.println("Hello, World!");
 }

 public static void show()
 {
    System.out.println(x + y); // x is for an instance, y is not! This will not compile.

    MyClass m = new MyClass();
    System.out.println(m.x + y); // x is for the instance m, so this will compile.
 }

 public void show2()
 {
  System.out.println(x + y); // x is per instance, y is for the class but accessible to every instance, so this will compile.
 }
}