我如何在迭代时从 ArrayList 中删除一个对象而不得到 "Concurrent Modification Error"
How can i remove an object from the ArrayList while iterating without getting an "Concurrent Modification Error"
在我创建和管理联系人的项目中,当我在 for 循环中从数组列表中删除一个对象时,会抛出并发修改异常(如 javadoc 中所述)。
我的问题是如何在不出现“并发修改异常”的情况下删除对象
我看了类似的帖子,但找不到答案,有些帖子的代码很复杂,还有很多人问为什么不抛出异常。
This question didn't help me/this specific problem
你可以阅读上面的内容 link 也可以帮助我(我是新手)
我正在使用 jdk 14,ide:intelliJ,
我已经创建了管理联系人和获取输入的方法,但我只提供了抛出异常的方法。
public class Main {
private static ArrayList<Contact> contacts;
contacts = new ArrayList<>();
private static void deleteContact() {
System.out.println("Please enter contact name: ");
String name = scanner.next();
if (name.equals("")){
System.out.println("Please enter the name");
deleteContact();
}else{
boolean doesExist = false;
for(Contact c:contacts) { //Error pointed on this line.
if (c.getName().equals(name)) {
doesExist = true;
contacts.remove(c);
}
}
if (!doesExist){
System.out.println("There is no such contact");
}
}
showInitialOptions();
}
}
来自 class 'Contact'
的重要代码
public class Contact {
private String name;
private int number;
private String email;
public Contact(String name, int number, String email ) {
this.name = name;
this.number = number;
this.email = email;
;
}
public String getName() {
return name;
}
}
对于您的特定问题,将行从
更改为
for(Contact c:contacts) {
到
for(int i=contacts.size()-1; i>-1; i--) {
它应该有效
您可以使用 Iterator
迭代 ArrayList
:
Iterator<Contact> it = contacts.iterator();
while(it.hasNext()){
Contact c = it.next();
if(c.getName().equals(name)){
doesExist = true;
it.remove();
}
}
在我创建和管理联系人的项目中,当我在 for 循环中从数组列表中删除一个对象时,会抛出并发修改异常(如 javadoc 中所述)。
我的问题是如何在不出现“并发修改异常”的情况下删除对象
我看了类似的帖子,但找不到答案,有些帖子的代码很复杂,还有很多人问为什么不抛出异常。 This question didn't help me/this specific problem 你可以阅读上面的内容 link 也可以帮助我(我是新手)
我正在使用 jdk 14,ide:intelliJ,
我已经创建了管理联系人和获取输入的方法,但我只提供了抛出异常的方法。
public class Main {
private static ArrayList<Contact> contacts;
contacts = new ArrayList<>();
private static void deleteContact() {
System.out.println("Please enter contact name: ");
String name = scanner.next();
if (name.equals("")){
System.out.println("Please enter the name");
deleteContact();
}else{
boolean doesExist = false;
for(Contact c:contacts) { //Error pointed on this line.
if (c.getName().equals(name)) {
doesExist = true;
contacts.remove(c);
}
}
if (!doesExist){
System.out.println("There is no such contact");
}
}
showInitialOptions();
}
}
来自 class 'Contact'
的重要代码public class Contact {
private String name;
private int number;
private String email;
public Contact(String name, int number, String email ) {
this.name = name;
this.number = number;
this.email = email;
;
}
public String getName() {
return name;
}
}
对于您的特定问题,将行从
更改为for(Contact c:contacts) {
到
for(int i=contacts.size()-1; i>-1; i--) {
它应该有效
您可以使用 Iterator
迭代 ArrayList
:
Iterator<Contact> it = contacts.iterator();
while(it.hasNext()){
Contact c = it.next();
if(c.getName().equals(name)){
doesExist = true;
it.remove();
}
}