1

Java を使用した Object Oriented Data Structures という本を読んでいて、現在は第 2 章です。そこにある演習の 1 つを試してみることにしましたが、本から直接引用したものであるにもかかわらず、コードが機能しないようです。 . 誰でもこれを明確にできますか?

package chapter2;

public interface StringLogInterface
{
    void insert(String element);
    boolean isFull();
    int size();
    boolean contains(String element);
    void clear();
    String getName();
    String toString();
}

このプロジェクトでは 3 つのファイルを使用します。残りの 2 つを以下に掲載します。

package chapter2;

public class ArrayStringLog
{
  protected String name;              
  protected String[] log;             
  protected int lastIndex = -1;       

  public ArrayStringLog(String name, int maxSize)
  {
    log = new String[maxSize];
    this.name = name;
  }

  public ArrayStringLog(String name) 
  {
    log = new String[100];
    this.name = name;
  }

  public void insert(String element)
  {      
    lastIndex++;
    log[lastIndex] = element;
  }

  public boolean isFull()
  {              
    if (lastIndex == (log.length - 1)) 
      return true;
    else
      return false;
  }

  public int size()
  {
    return (lastIndex + 1);
  }

  public boolean contains(String element)
  {                 
    int location = 0;
    while (location <= lastIndex) 
    {
      if (element.equalsIgnoreCase(log[location]))  // if they match
        return true;
      else
        location++;
    }
   return false;
  }

  public void clear()
  {                  
    for (int i = 0; i <= lastIndex; i++)
      log[i] = null;
    lastIndex = -1;
  }

  public String getName()
  {
    return name;
  }

  public String toString()
  {
    String logString = "Log: " + name + "\n\n";

    for (int i = 0; i <= lastIndex; i++)
      logString = logString + (i+1) + ". " + log[i] + "\n";

    return logString;
  }
}

最後の部分:

package chapter2;

public class UseStringLog
{
    public static void main(String[] args)
    { 
    StringLogInterface sample;
    sample = new ArrayStringLog("Example Use");
    sample.insert("Elvis");
    sample.insert("King Louis XII");
    sample.insert("Captain Kirk");
    System.out.println(sample);
    System.out.println("The size of the log is " + sample.size());
    System.out.println("Elvis is in the log: " + sample.contains("Elvis"));
    System.out.println("Santa is in the log: " + sample.contains("Santa"));
    }
}

この最後の部分は、私を混乱させたものです。ラインでは、

sample = new ArrayStringLog("Example Use");

NetBeans は、「比較できない型、必須: StringLogInterface、見つかった: ArrayStringLog.

それらはすべて正常にビルドされますが、最後に 3 つの println ステートメントを含む最後のファイルが何かを出力するはずではありませんか?

4

1 に答える 1

2

実装 ArrayStringLogしますStringLogInterface

public class ArrayStringLog implements StringLogInterface {
  // ...
}

そうして初めて、これが可能になります:

StringLogInterface sample;
sample = new ArrayStringLog("Example Use");
于 2013-09-21T17:40:02.470 に答える