Java ArrayList <GenericObject>.remove (GenericObject) возвращает false, но все еще уменьшает размер ArrayList - PullRequest
2 голосов
/ 07 ноября 2011

Вот некоторый контекст: Я работаю над заданием, чтобы свернуть ребро в сетке, в которой хранится структура данных половинного ребра. Это соответствующий код.

    System.out.println("Initial Size: " +heds.faces.size());
    if (! heds.faces.remove(currentHE.twin.leftFace));
    {
        System.out.println("We have a twin problem");
            //this will always print 
    }
    // Yet this will always be 1 less than the initial
    System.out.println("After twin removal: " +heds.faces.size());

    if ( !heds.faces.remove(currentHE.leftFace)) 
    {
        System.out.println("We have a problem");
    }
    System.out.println("Third: " +heds.faces.size());

Таким образом, проблема в том, что «У нас есть проблема двойника» всегда печатается, и не должно, но «После удаления двойника» всегда будет на единицу меньше, чем исходный размер.

Вот остальная информация, если вы считаете, что она вам нужна. heds определяется в классе "HEDS" (структура данных половинного края):

     public HEDS( PolygonSoup soup ) {
    HalfEdge potentialTwin;
    HalfEdge[] currHalfEdges;
    Vertex curr, next;      
    for (int[] face : soup.faceList)
    {
        currHalfEdges = new HalfEdge[face.length];
        for (int i = 0; i < face.length; i++)
        {
            HalfEdge he = new HalfEdge();

            curr = soup.vertexList.get(face[i]);
            next = soup.vertexList.get(face[(i+1)%face.length]);

            he.tail = curr;
            he.head = next;
            currHalfEdges[i] = he;
            halfEdges.put(face[i]+","+face[(i+1)%face.length], he);

            potentialTwin = halfEdges.get(face[(i+1)%face.length]+","+face[i]);

            if (potentialTwin != null)
            {
                he.twin = potentialTwin;
                potentialTwin.twin = he;
            }       
        }
        for (int i = 0; i < currHalfEdges.length; i++)
        {

            currHalfEdges[i].next = currHalfEdges[(i+1)%currHalfEdges.length];
        }

        faces.add(new Face(currHalfEdges[0]));
    }

    // Checking if every half-edge's face was propery defined
    Iterator<Entry<String, HalfEdge>> it = halfEdges.entrySet().iterator();
    while (it.hasNext())
    {
        Map.Entry<String, HalfEdge> pairs = (Map.Entry<String, HalfEdge>)it.next();
        if (!faces.contains(pairs.getValue().twin.leftFace))
        {
            System.out.println("DAMN IT!!!!!");
                    // This is never reached
        }

    }

Также, кажется, не имеет значения, если я сначала уберу лицо близнеца или нет. Также можно предположить, что сетка многообразна в этой точке.

Half Edge:

public class HalfEdge {

public HalfEdge twin;
public HalfEdge next;
public Vertex head;
public Vertex tail;
public Face leftFace;

/** 
 * while perhaps wasting space, it may be convenient to
 * have a common edge object for each pair of half edges to 
 * store information about the error metric, optimal vertex
 * location on collapse, and the error 
 */
public Edge e;

/** @return the previous half edge (could just be stored) */
public HalfEdge prev() {
    HalfEdge prev = this;
    while ( prev.next != this ) prev = prev.next;        
    return prev;
}
 /**
 * Computes the valence by walking around the vertex at head.
 * @return valence of the vertex at the head of this half edge
 */
public int valence() {
    HalfEdge loop = this;
    int v = 0;
    do {
        v++;
        loop = loop.next.twin;
    } while ( loop != this );
    return v;
}

Код лица:

public class Face {    
/** sure, why not keep a normal for flat shading? */
public Vector3d n = new Vector3d();

/** Plane equation */
Vector4d p = new Vector4d();

/** Quadratic function for the plane equation */
public Matrix4d K = new Matrix4d();

/** Some half edge on the face */
HalfEdge he;

/** 
 * Constructs a face from a half edge, and computes the flat normal
 * @param he
 */
public Face( HalfEdge he ) {
    this.he = he;
    HalfEdge loop = he;
    do {
        loop.leftFace = this;
        loop = loop.next;
    } while ( loop != he );
    recomputeNormal();
}

public Face(List<Vertex> vertexList, int[] faceVertices)
{

}

public void recomputeNormal() {
    Point3d p0 = he.head.p;
    Point3d p1 = he.next.head.p;
    Point3d p2 = he.next.next.head.p;
    Vector3d v1 = new Vector3d();
    Vector3d v2 = new Vector3d();
    v1.sub(p1,p0);
    v2.sub(p2,p1);
    n.cross( v1,v2 );

    // TODO: compute the plane and matrix K for the quadric error metric

}

}

Извините за последний вопрос, я немного торопился и надеялся, что найдется простое решение. https://stackoverflow.com/questions/8031446/java-arraylist-removeo-returns-false-but-still-decrements-size-of-arraylist

Ответы [ 2 ]

7 голосов
/ 07 ноября 2011

Довольно простая проблема, но затуманена всем вашим кодом:

if (! heds.faces.remove(currentHE.twin.leftFace));
{
    //...
}

Это точка с запятой в конце условия if.Эта точка с запятой завершает оператор, который является вашим оператором if.Он превращает часть «тогда» вашего блока if в пустой оператор (поэтому ничего не происходит).Затем у вас есть плавающий блок, после которого всегда происходит.

Ваш код выполняется так:

if (! heds.faces.remove(currentHE.twin.leftFace))
    ; //this empty statement never gets executed, but nothing to execute anyhow


{
    //this will always print (since it's not guarded by the if)
    System.out.println("We have a twin problem");
}

Другими словами, heds.faces.remove() действительно возвращает true;Вы просто не смогли правильно сообщить о результате.Удалите точку с запятой, и вывод должен начать иметь смысл для вас.

1 голос
/ 07 ноября 2011

Какую JVM вы используете? Sun JDK (т.е. также OpenJDK) имеет следующую реализацию:

public boolean remove(Object o) {
if (o == null) {
        for (int index = 0; index < size; index++)
    if (elementData[index] == null) {
        fastRemove(index);
        return true;
    }
} else {
    for (int index = 0; index < size; index++)
    if (o.equals(elementData[index])) {
        fastRemove(index);
        return true;
    }
    }
return false;
}

Обратите внимание, что случай return false может быть вызван только тем, что o не найден в базовом массиве.

Также обратите внимание, что ArrayList не является окончательным классом - он может быть расширен чем-то, что делает неправильную вещь.

Наконец, ваш код не показывает объявление вашего ArrayList - можете ли вы включить эту строку из вашего класса HEDS?

...