下面的课程用于逐行索引单词的位置。 抛出错误的方法是在当前索引上附加单独文档的索引。也就是说,如果第一个文档中有6行,则应将附加文档的第一行索引为第7行。
public class DocumentIndex {
// a NavigableMap implementation to store indexed words and their locations
private TreeMap<String, ArrayList<Integer>> map = new TreeMap<String, ArrayList<Integer>>();
/**
* A method to append another index onto the main index
* @param indexAppendix the additional index to be appended onto the main index
*/
public void append(DocumentIndex indexAppendix){
if(indexAppendix == null){
throw new NullPointerException();
}
Integer docEnd = 0; // the last line recorded in the main index
Set<String> set = map.keySet(); // a Set of the key values from map
//select each key
for(Iterator<String> iter = set.iterator(); iter.hasNext();){
String key = iter.next(); // the current key value
// for each key select contents and determine the highest value
for(Iterator<Integer> iter2 = this.find(key).iterator(); iter2.hasNext();){
Integer compare = iter2.next(); // the key index current value
if(compare>docEnd){
docEnd=compare;
}
}
}
// for each key find an index value
for(Iterator<String> iter = set.iterator(); iter.hasNext();){
String key = iter.next(); // the current key value
// for each index value map that value adjusting for the length of the original document
ArrayList<Integer> toAdd = new ArrayList<Integer>();
for(Iterator<Integer> iter2 = this.find(key).iterator(); iter2.hasNext();){
Integer addIter = iter2.next();
toAdd.add(addIter); // the current index value
}
/**
*Below is the loop in which the error is thrown
*/
for(Iterator<Integer> iter3 = toAdd.iterator(); iter.hasNext();){
Integer addIter = iter3.next(); // The error is thrown on this line
map.get(key).add(addIter+docEnd);
}
}
}
我做错了什么?
答案 0 :(得分:4)
Louis Wasserman已经钉了它。
我只想指出,如果您使用了“新的”Java for
循环语法,那么您的代码会更简单,并且不会(不能!!)首先是错误。例如,这里大致是使用“new”for
语法的代码:
...
Integer docEnd = 0;
Set<String> set = map.keySet();
for (String key : set) {
for (Integer compare : this.find(key)) {
if (compare < docEnd){
docEnd = compare;
}
}
}
for (String key : set) {
ArrayList<Integer> toAdd = new ArrayList<Integer>();
for (String add : this.find(key)) {
toAdd.add(add);
}
for (Integer add : toAdd) {
map.get(key).add(add * docEnd);
}
}
这不是那么可读吗?
我在引号中加入了“new”,因为这个语法是在2004年发布的Java 5中引入的。它应该是所有实践Java程序员......和教师......的标准reportoire的一部分......到现在为止。
请不要复制并粘贴上述代码。它只是为了说明我的观点。
答案 1 :(得分:3)
有问题的循环中的循环条件应该是iter3.hasNext()
,而不是iter.hasNext()
。