0

我在课堂上,我的教授说她的代码有效,没有任何问题,一定是我。我查看了她的代码并像她所说的那样逐字复制,但是我仍然收到错误消息:

Pair.java:28:Pair 中的 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();
}

对.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);
  }
}
4

4 回答 4

3

对于实例化:

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>();
于 2013-09-26T19:50:24.733 回答
2

该错误是不言自明的。pair2 被定义为 a Pair<String, Double>。您正在尝试设置一个Student, Double. 那是行不通的。

于 2013-09-26T19:49:19.450 回答
2
Pair<String,Double> pair2 = new Pair<String,Double>();

应该:

Pair<Student,Double> pair2 = new Pair<Student,Double>();
于 2013-09-26T19:50:34.457 回答
1

从您的代码pair2中定义为类型Pair<String,Double>,即pair2 set()期望方法StringDouble作为参数,但您正在传递StudentDouble
所以

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

应该

Pair<Student,Double> pair2 = new Pair<Student,Double>();
于 2013-09-26T19:52:10.520 回答