我在上课,我的教授说她的代码有效,没有错,一定是我。我已经查看了她的代码并像她所说的那样逐字复制了它,但是我仍然收到错误:


  Pair.java:28:成对中的set(java.lang.String,java.lang.Double)无法应用于(Student,java.lang.Double)


我加粗的部分是我收到错误的部分。设置方法不正确吗?因为有错误的行返回到set方法

这是她的代码:

学生.java

import java.io.*;

public class Student implements Person {
  String id;
  String name;
  int age;

  //constructor
  public Student(String i, String n, int a) {
    id = i;
    name = n;
    age = a;
  }

  public String getID() {
    return id;
  }

  public String getName() {
    return name; //from Person interface
  }

  public int getAge() {
    return age; //from Person interface
  }

  public void setid(String i) {
    this.id = i;
  }

  public void setName(String n) {
    this.name = n;

  }

  public void setAge(int a) {
   this.age = a;
  }

  public boolean equalTo(Person other) {
    Student otherStudent = (Student) other;
    //cast Person to Student
    return (id.equals(otherStudent.getID()));
  }

  public String toString() {
    return "Student(ID: " + id +
      ",Name: " + name +
      ", Age: " + age +")";
  }
}


人.java

import java.io.*;

public interface Person {
  //is this the same person?
  public boolean equalTo (Person other);
  //get this persons name
  public String getName();
  //get this persons age
  public int getAge();
}


Pair.java

import java.io.*;

public class Pair<K, V> {

  K key;
  V value;
  public void set (K k, V v) {
    key = k;
    value = v;
  }

  public K getKey() {return key;}
  public V getValue() {return value;}
  public String toString() {
    return "[" + getKey() + "," + getValue() + "]";
  }

  public static void main (String [] args) {
    Pair<String,Integer> pair1 =
      new Pair<String,Integer>();
    pair1.set(new String("height"),new
                Integer(36));
    System.out.println(pair1);
    Pair<String,Double> pair2 =
      new Pair<String,Double>();

    //class Student defined earlier
    **pair2.set(new Student("s0111","Ann",19),**
              new Double(8.5));
    System.out.println(pair2);
  }
}

最佳答案

对于实例化:

Pair<String,Double> pair2 = new Pair<String,Double>();


您的set()方法签名等同于:set(String, Double)。并且您在下面的调用中将其传递给Student引用,该引用将不起作用,因为Student不是String

pair2.set(new Student("s0111","Ann",19), new Double(8.5));


为避免此问题,请将pair2的声明更改为:

Pair<Student,Double> pair2 = new Pair<Student,Double>();

10-06 07:30
查看更多