标签:rri str code input 错误 ace 参考 读取 需要
即把不确定的数据元素类型用一个泛型占位符表示
@Data
public class Person<T> {
private T name;
private T address;
}
Person<String> person= new Person<>();
person.setName("attack204");
System.out.println(person.getName());
即需要传递多个类型占位符,一个常见的应用是map
@Data
public class MyMap<K, V> {
private K key;
private V value;
public void setKeyAndValue(K key, V value) {
this.key = key;
this.value = value;
}
}
MyMap<String, Integer> myMap = new MyMap<>();
myMap.setKeyAndValue("attack204", 2333);
System.out.println(myMap.getKey());
System.out.println(myMap.getValue());
@Data
public class Person<T> {
private T name;
private T address;
//以下两种方法都可以
public String show(T inputName) {
return inputName + "is showing";
}
public <E> String show2(E input) {
return input + "is showing two";
}
}
Person<String> person = new Person<>();
System.out.println(person.show("attack204"));
System.out.println(person.show2("attack203"));
@Data
public class Person<T> {
private T name;
private T address;
//注意,静态方法只能调用静态变量,T不是静态变量
//因此不能写成 public static String show(T inputName) {
public static <E> String show(E inputName) {
return inputName + "is showing";
}
}
System.out.println(Person.show("attack204"));
和上面差不多一样
public interface PersonInt<T> {
public String show(T name);
}
public class PersonImpl implements PersonInt<String> {
@Override
public String show(String name) {
return name + "is showing three";
}
}
或者
public class PersonImpl<T> implements PersonInt<T> {
@Override
public String show(T name) {
return name + "is showing three";
}
}
PersonImpl person = new PersonImpl();
System.out.println(person.show("attack204"));
或者
PersonImpl<String> person = new PersonImpl<>();
System.out.println(person.show("attack204"))
考虑这样一段代码
Person<String> p = new Person<>();
Person<Integer> p1 = new Person<>();
system.out.println(p == p1);
//true
在泛型中不识别父子继承关系(具体见视频)
因此需要通配符<?>来解决此错误
用了<?>
相当于此处可以是任意类型,但是有时候需要对其进行限定
<? extends T>
表示只能传入T及其子类,需要读取,但不写入时使用
<? super T>
表示只能传入T及其父类,需要写入,但不读取时使用
标签:rri str code input 错误 ace 参考 读取 需要
原文地址:https://www.cnblogs.com/attack204/p/14490060.html