linkedlist.equals vs==整数运算符

pzfprimi  于 2021-07-08  发布在  Java
关注(0)|答案(1)|浏览(349)

**结案。**此问题不可复制或由打字错误引起。它目前不接受答案。
**想改进这个问题吗?**更新问题,使其成为堆栈溢出的主题。

上个月关门了。
改进这个问题
我正在为我编码的linkedlist调试这个contains方法,并且在contains方法中没有捕捉到整数类型30的比较。根据我的理解,==运算符用于比较内存中的地址,.equals运算符用于比较等价性。我搞砸了一点,似乎无法找出为什么比较传递到contains方法的整数值30,它仍然没有捕捉到输入时用add方法添加的整数30。
这是密码
列出生成和填充

//constructing the list
MyBag<Integer> bagLinked = new MyBag<>();
DynamicList<Integer> bagListlinked = new LinkedList<>();
bagLinked.setList(bagListlinked);

//adding integers to the list
for (int i=1; i<=3; i++)
    bagLinked.add(i*10);

包含方法

// Integer value "30" is passed into contains method and then contains
//is called for bagLinked List
public boolean contains(T searchElement) {
    boolean elemExists =false;
    LLNode<T> searchedElem = new LLNode<>(searchElement);
    LLNode<T> currentElm = this.head;
    while(currentElm.getObj() != null){
        if(currentElm.equals(searchedElem.getObj())){
            elemExists =true;
            break;
        }
        currentElm = currentElm.nextPointer;
    }//problem with get object its not comparing the value of 30 just the mem address
    return elemExists;
}

节点类

public class LLNode<T> {
    T obj;
    LLNode<T> previousPointer;
    LLNode<T> nextPointer;
    int index;

    public LLNode(T obj){
        this.obj = obj;
        this.index=0;
    }

    public T getObj() {
        return obj;
    }

    public LLNode<T> getPreviousPointer() {
        return previousPointer;
    }

    public LLNode<T> getNextPointer() {
        return nextPointer;
    }

    public int getIndex() {
        return index;
    }

    public void setIndex(int index) {
        this.index = index;
    }
}
eagi6jfj

eagi6jfj1#

在这里:

if(currentElm.equals(searchedElem.getObj()))

你想比较一下 currentElm ,这是一个节点 searchedElem.getObj() ,这是节点内的值。
你大概是说

if (currentElm.getObj().equals(searchElement))

相关问题