我正在尝试在java中创建一个程序,您可以添加人们的生日,姓名,出生月份和分娩年份。我很难想出代码从arraylist中删除一个对象,这里是以下代码。我将如何编写removePerson方法?
import java.util.ArrayList;
public class Analyzer {
// instance variables - replace the example below with your own
private final static int DAYS_PER_MONTH = 31;
private final static int MONTHS_PER_YEAR = 12;
private int[] birthDayStats;
private int[] birthMonthStats;
private ArrayList<Person> people;
/**
* Constructor for objects of class Analyzer
*/
public Analyzer() {
this.people = new ArrayList<Person>();
this.birthDayStats = new int[Analyzer.DAYS_PER_MONTH];
this.birthMonthStats = new int[Analyzer.MONTHS_PER_YEAR];
}
public void addPerson(String name, int birthDay, int birthMonth, int
birthYear) {
Person person = new Person(name, birthDay, birthMonth, birthYear);
if (person.getBirthDay() != -1 || person.getBirthMonth() != -1) {
people.add(person);
birthMonthStats[birthMonth - 1]++;
birthDayStats[birthDay - 1]++;
} else {
System.out.println("Your current Birthday is " + birthDay + " or "
+ birthMonth + " which is not a correct number 1-31 or 1-12 please " +
"put in a correct number ");
}
}
public void printPeople() { //prints all people in form: “ Name: Tom Month: 5 Day: 2 Year: 1965”
int index = 0;
while (index < people.size()) {
Person person = (Person) people.get(index);
System.out.println(person);
index++;
}
}
public void printMonthList() { //prints the number of people born in each month
// Sample output to the right with days being similar
int index = 0;
while (index < birthMonthStats.length) {
System.out.println("Month number " + (index + 1) + " has " +
birthMonthStats[index] + " people");
index++;
}
}
public Person removePerson(String name) {// removes the person from the arrayList
}
}
答案 0 :(得分:1)
/**
* Removes the {@code Person} with the given {@code name} from the list
* @param name the {@code Person}'s name
* @return the {@code Person} removed from the list or {@code null} if not found
*/
public Person removePerson(String name) {
if (name != null) {
for (Iterator<Person> iter = people.iterator(); iter.hasNext(); ) {
Person person = iter.next();
if (name.equalsIgnoreCase(person.getName())) {
iter.remove();
return person;
}
}
}
return null;
}
请参阅java.util.Iterator#remove()
方法。
周二学习奖金:
如果您想在列表中更快地查找名称,则应考虑使用java.util.Map
实施:
HashMap<String,Person> people;
您可以通过智能方式添加Person
个对象,以使搜索不区分大小写:
people.put(name.toLowerCase(), new Person(name, ...));
...并且您的removePerson
方法变为:
public Person removePerson(String name) {
if (name != null)
name = name.toLowerCase();
return people.remove(name);
}
请参阅java.util.Map#remove()
方法。
答案 1 :(得分:1)
如果您使用的是Java 1.8。这是非常简单的方法。这将删除姓名为&#39;从你的清单。
people.removeIf(x -> name.equalsIgnoreCase(x.getName()));