显式指定Java泛型方法返回值和输入参数类型的优点
程序员文章站
2022-06-09 13:30:11
...
以前不怎么爱用泛型方法,感觉比较麻烦,容易出错。
显式指定泛型方法的返回值和参数的类型(Type)后,现在用起来就和泛型类,泛型接口一样方便了。
package com.example.demo;
public class TestMain {
//自动获取返回值类型
@SuppressWarnings("unchecked")
public static <T> T test() {
return (T) "helloWord";
}
//显式指定返回值的类型
@SuppressWarnings("unchecked")
public static <T> T testit(Class<T> clzz) {
T objx = null;
String str = clzz.getSimpleName();
switch(str) {
case "String": return (T) ( "Hello world!");
case "Integer": return (T) (Integer.valueOf(123456));
}
return objx;
}
public static void main(String[] args) throws ClassNotFoundException {
//自动获取Type时:
//赋值后调用无需类型转换;
String str0 = test();
System.out.println( str0 );
//直接调用必须强制类型转换
System.out.println( (String) test() );
//显式指定Type时:
//无论是直接调用还是赋值后调用,都无需再强制类型转换;
//写代码时出错提示和写一般方法没有差别,编译时不依赖机器的自动识别,可靠性高;
//便于对不同类型的数据分别做出处理。
String str1 = testit(String.class);
System.out.println( str1 );
System.out.println( testit(String.class) );
Integer intx = testit(Integer.class);
System.out.println( intx );
System.out.println( testit(Integer.class) );
}
}