假设我有一个扩展java.lang.Object的类,如下所示:
package pack;
public class Person {
}
以下三个例子:
Object one = new Object();
Object two = new Person();
Person three = new Person();
为了确定运行时类型,我只需要在实例上调用 getClass()方法,如下所示:
System.out.println("One runtime-type : " + one.getClass());
System.out.println("Two runtime-type : " + two.getClass());
System.out.println("Three runtime-type : " + three.getClass());
哪个输出:
One runtime-type : class java.lang.Object
Two runtime-type : class pack.Person
Three runtime-type : class pack.Person
现在我的问题是如何以编程方式确定上述实例的静态/编译类型?
静态/编译类型我的意思是“左边”类型。它会输出:
One compile-type : class java.lang.Object
Two compile-type : class java.lang.Object
Three compile-type : class pack.Person
答案 0 :(得分:1)
当您想了解编译时类型时,您没有指定 。从您的示例输出中我假设您要在运行时打印出编译时类型。
这是不可能的,(更新:),除非你手动完成,知道你想要预先使用的所有类型。
如果您知道将只使用Object和Person类,则可以尝试以下代码。您需要为每个使用的类定义一个方法,并且编译器足够智能以使用最佳匹配方法。
public class Program {
static class Person {
}
public static void main(String[] params) throws Exception {
Object one = new Object();
Object two = new Person();
Person three = new Person();
System.out.println("One compile-type : " + getStaticType(one));
System.out.println("Two compile-type : " + getStaticType(two));
System.out.println("Three compile-type : " + getStaticType(three));
}
public static Class getStaticType(Person p) {
return Person.class;
}
public static Class getStaticType(Object o) {
return Object.class;
}
}
打印出来:
One compile-type : class java.lang.Object
Two compile-type : class java.lang.Object
Three compile-type : class Program$Person
请注意,如果要将此方法应用于接口,此方法可能会中断,当编译器无法确定使用哪种方法时,您可能遇到这种情况。
原始答案:
您基本上是在询问源代码中的变量类型。源代码在运行时唯一剩下的就是Java编译器生成的字节码。此字节码不包含有关变量类型的任何信息。
以下是源代码的字节码:
public static void main(java.lang.String[]) throws java.lang.Exception;
Code:
0: new #2 // class java/lang/Object
3: dup
4: invokespecial #1 // Method java/lang/Object."<init>":()V
7: astore_1
8: new #3 // class Program$Person
11: dup
12: invokespecial #4 // Method Program$Person."<init>":()V
15: astore_2
16: new #3 // class Program$Person
19: dup
20: invokespecial #4 // Method Program$Person."<init>":()V
23: astore_3
24: getstatic #5 // Field java/lang/System.out:Ljava/io/PrintStream;
27: new #6 // class java/lang/StringBuilder
30: dup
31: invokespecial #7 // Method java/lang/StringBuilder."<init>":()V
34: ldc #8 // String Two runtime-type :
36: invokevirtual #9 // Method java/lang/StringBuilder.append:(Ljava/lang/String;)Ljava/lang/StringBuilder;
39: aload_2
40: invokevirtual #10 // Method java/lang/Object.getClass:()Ljava/lang/Class;
43: invokevirtual #11 // Method java/lang/StringBuilder.append:(Ljava/lang/Object;)Ljava/lang/StringBuilder;
46: invokevirtual #12 // Method java/lang/StringBuilder.toString:()Ljava/lang/String;
49: invokevirtual #13 // Method java/io/PrintStream.println:(Ljava/lang/String;)V
52: return
}
你可以看到,除了调用Person的构造函数之外,没有类型为Person的引用,因此,例如,变量three
属于Person类型丢失。此外,Java没有任何内置运算符可用于在编译时捕获变量的类型。