2 回答

TA貢獻1909條經(jīng)驗 獲得超7個贊
您應該使用ArrayList<? extends ListItem>而不是ArrayList<ListItem>抽象類。
也使用equals字符串比較的方法。
更新
您的抽象類應如下所示:
abstract class CheckList<T extends ListItem> {
ArrayList<T> items;
ArrayList<T> getItems() { return this.items; }
...
實施
public class ShoppingList extends CheckList<ShoppingListItem> {
您應該確定您的泛型類以進行嚴格的類使用。
完整清單:
import java.util.ArrayList;
abstract class CheckList<T extends ListItem> {
String name;
ArrayList<T> items;
String getName() { return this.name; }
ArrayList<T> getItems() { return this.items; }
public String setName(String name) { return this.name = name; }
public abstract void addItem(String name);
public boolean editItem(String oldName, String newName) {
for (int i = 0; i < items.size(); i++)
{
if (items.get(i).getName().equals(oldName)) {
items.get(i).setName(newName);
return true; // target found
}
}
return false; // cannot find the target
}
public boolean deleteItem(String name) {
for (int i = 0; i < items.size(); i++)
{
if (items.get(i).getName().equals(name)) {
items.remove(i);
return true; // target found
}
}
return false; // cannot find the target
}
public boolean completeItem(String name) {
for (int i = 0; i < items.size(); i++)
{
if (items.get(i).getName().equals(name)) {
items.get(i).setCompleted(true);
return true; // target found
}
}
return false; // cannot find the target
}
}
class ListItem {
private String name;
private Boolean completed;
public String getName() {
return name;
}
public Boolean getCompleted() {
return completed;
}
public void setName(String name) {
this.name = name;
}
public void setCompleted(Boolean completed) {
this.completed = completed;
}
}
class ShoppingListItem extends ListItem {
public ShoppingListItem(String name) {
this.setName(name);
}
}
public class ShoppingList extends CheckList<ShoppingListItem> {
public ShoppingList (String name) {
this.name = name;
this.items = new ArrayList<>();
}
public void addItem(String name) {
// add a new ShoppingListItem to items
final ShoppingListItem item = new ShoppingListItem(name);
this.items.add(item);
}
}

TA貢獻1802條經(jīng)驗 獲得超5個贊
GenericClass<Parent>和之間沒有繼承關系GenericClass<Child>,但是有一個針對您的情況的解決方案,通配符:
ArrayList<? extends ListItem> items = new ArrayList<>(); //list with wildcard
您將能夠?qū)⑷魏螖U展的內(nèi)容ListItem放入其中。
還可以考慮使用 foreach 循環(huán)甚至更好的 lambda 表達式使循環(huán)更緊湊。例如你的刪除方法:
public boolean deleteItem(String name) {
boolean removed = false;
items.removeIf(item -> {
item.getName().equals(name);
removed = true;
});
return removed;
}
順便說一下,您應該將字符串與equals方法進行比較。
添加回答
舉報