每当我运行应该分析文本输入的代码时,都会得到以下输出。用于计数单词和字母数字数字的其他方法有效,但是假定吐出具有五个或更多字符的单词的其他方法无效。我不断收到一个错误,指出没有这样的元素,我猜这意味着迭代器无法找到更多的元素,但是这不会发生,因为我使用了while语句。
这是输出:
Enter text running Word count: 1 Alphanumeric count: 7 Words in ascending order running Words with five or more characters Exception in thread "main" java.util.NoSuchElementException at java.util.AbstractList$Itr.next(Unknown Source) at com.yahoo.chris511026.paragraphcount.ManifoldMethod.wordSort(ManifoldMethod.java:55) at com.yahoo.chris511026.paragraphcount.ParagraphAnalyzer.main(ParagraphAnalyzer.java:15)
My code:
package com.yahoo.chris511026.paragraphcount;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Iterator;
public class ManifoldMethod {
static ArrayList<String> stringList = new ArrayList<String>();
public static void wordCount(String data) {
int counter = 0;
for (String str : data.split("[^a-zA-Z-']+")) {
stringList.add(str);
counter++;
}
System.out.println("Word count: " + counter);
}
public static void alphanumericCount(String data) {
data = data.replaceAll("[[^a-z]&&[^A-Z]&&[^0-9]]", "");
System.out.println("Alphanumeric count: " + data.length());
}
public static void wordSort(String data) {
Collections.sort(stringList, new StringComparator());
System.out.println("Words in ascending order ");
for (String s: stringList)
System.out.println(s);
System.out.println("Words with five or more characters ");
int count=0;
Iterator<String> itr=stringList.iterator();
while(itr.hasNext())
if (itr.next().replaceAll("[[^a-z]&&[^A-Z]&&[^0-9]]", "").length ()>=5) {
System.out.println(itr.next());
count++;
}
if (count==0) {
System.out.println("None.");
}
}
}
编辑:
我已更正并使用
String str=itr.next();
这是新的secton。但是现在我发现
String
变量无法解析为变量。为什么?while(itr.hasNext())
String str=itr.next();
if (str.replaceAll("[[^a-z]&&[^A-Z]&&[^0-9]]", "").length ()>=5) {
System.out.println(str);
count++;
}
最佳答案
问题是您两次调用next()
:
while(itr.hasNext())
if (itr.next().replaceAll("[[^a-z]&&[^A-Z]&&[^0-9]]", "").length ()>=5) {
// ^^^^^^
System.out.println(itr.next());
// ^^^^^^
这意味着,当满足
if
条件时,if
的正文会尝试对匹配的元素之后的元素进行操作。您需要在每次迭代中调用一次,并将结果存储在变量中。
关于java - 我在arrayList的线程“main” java.util.NoSuchElementException中不断获取异常,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14446090/