1

我有一个xml文件如下

<Moves>
  <Move name="left">
     <Coord X="100" Y="100"/>
     <Coord X="50" Y="100"/>
  </Move>
  <Move name="right">
     <Coord X="10" Y="80"/>
     <Coord X="40" Y="90"/>
  </Move>
<Moves> 

我正在使用 SAX Parser 在 Java 中解析它。以下两种方法基本解析

public void startElement(String uri, String localName, String qName, Attributes attributes) throws SAXException {

                if (qName.equalsIgnoreCase("Coord")){
                    X = Integer.parseInt(attributes.getValue("X"));
                    Y = Integer.parseInt(attributes.getValue("Y"));
                } else if (qName.equalsIgnoreCase("Move")) {
                    move_points.clear();
                    move_name = attributes.getValue("name");
                }
            }

            /* If the read element is Move, add a MoveList with the name and if it is
             * a Coord, create a Point with it.
             */
            @Override
            public void endElement(String uri, String localName, String qName) throws SAXException {

                if (qName.equalsIgnoreCase("Coord")){
                    move_points.add(new Points(X, Y));
                } else if (qName.equalsIgnoreCase("Move")) {
                    moves_list.add(new MovesList(move_name, move_points));
                }
          }

我有一个 ArrayList move_points 存储所有读取的坐标和一个 Arraylist move_list 存储移动名称及其坐标(这是一个arraylist - move_points here)

我遇到的问题是,当解析文档时,moves_list 中的所有元素都具有正确的名称,但 move_points 中的条目或存储的坐标是 XML 文件中最后一次移动的条目。

当我在每个元素 Move 之后检查 endElement 方法中输入到 move_list 中的内容时,它显示正确的坐标被输入到 move_list 但是当整个文档被解析并且我在根元素 Moves 被解析后查看 move_list 里面的内容时,我得到了 move_list 与最后一步的所有坐标。

请帮帮我。

PS。move_list 是一个公共静态变量

MovesList 类

public class MovesList {

private ArrayList<Points> move_points;
private String move_name;

public MovesList (String move_name, ArrayList<Points> move_points) {
    this.move_name = move_name;
    this.move_points = move_points;
}

public String getName(){
    return move_name;
}

public ArrayList<Points> getPoints(){
    return move_points;
}

}

积分等级

public class Points extends Point {

private int X;
private int Y;

public Points (int X, int Y) {
    this.X = X;
    this.Y = Y;
}

public Points (Points p) {
    X = p.getIntX();
    Y = p.getIntY();
}

public int getIntX () {
    return X;
}

public int getIntY () {
    return Y;
}

}
4

2 回答 2

2

我认为您的问题是您没有创建新的 move_points 对象。所以这:

} else if (qName.equalsIgnoreCase("Move")) {
  move_points.clear();
  move_name = attributes.getValue("name");
}

应该是这样的:

} else if (qName.equalsIgnoreCase("Move")) {
  move_points = new ArrayList<Points>(); // note difference
  move_name = attributes.getValue("name");
}

否则,每个 MovesList 对象都会有一个指向同一个对象的 move_points 变量。

于 2012-07-28T01:36:11.203 回答
1

你有一个名为 move_points 的变量,当你创建一个新的 MovesList 时,你使用了一个名为 points 的变量。那是错字吗?此外,由于您似乎在开始新的 Move 元素时共享 move_points 并清除它,我希望您在创建 MovesList 时复制列表。

于 2012-07-28T01:04:54.197 回答