我正在处理一个链表程序,它允许我只在列表上循环一次,而且我无法将列表的元素复制到另一个数据结构。
假设列表不为空(至少有一个节点),并且最后一个节点的下一个节点为空。
以下方法返回长度为(2n/3)
的列表的索引n
处的元素。
例如,如果n=1
或n=2
它返回第一个元素
如果n=3
或n=4
它返回第二个元素。
如果数字(2n/3)
是整数,我想保留一个获取下一个节点的临时节点。
有更好的方法吗?
public class LinkedListNode {
private int value;
private LinkedListNode next;
public LinkedListNode(int value) {
this.value = value;
}
public int getValue() {
return value;
}
public void setValue(int value) {
this.value = value;
}
public LinkedListNode getNext() {
return next;
}
public void setNext(LinkedListNode next) {
this.next = next;
}
}
public class ListUtils {
public static LinkedListNode findTwoThirdsNode(LinkedListNode head){
int length=0;
LinkedListNode node=head.getNext();
LinkedListNode tmp=head;
double divresult=1;
while (node!=null){
length++;
divresult=(2*length)/3;
node=node.getNext();
if (divresult%1==0){
tmp=tmp.getNext();
}
}
if (length==1 || length==2){
return head;
}
else
return tmp;
}
}
答案 0 :(得分:5)
您可以通过遍历链接列表两次,但 interleaved (换句话说没有重置)来执行此操作。你只需使用一只兔子和乌龟 - 方法:每次迭代你有两次跳跃的兔子,每次跳跃两次的 tortoise :
LinkedListNode rabbit = head;
LinkedListNode tortoise = head;
while(rabbit != null) { //repeat until the rabit reaches the end of the list
for(int i = 0; rabbit != null && i < 2; i++) {
rabbit=rabbit.getNext(); //let the rabbit hop the first and second time
if(rabbit != null) {
tortoise=tortoise.getNext(); //let the tortoise hop the first and second time
}
}
if(rabbit != null) {
rabbit=rabbit.getNext(); //let the rabbit hop a third time
}
}
return tortoise; //if reached the end, we return where the tortoise ended
如果您希望结果尽可能接近2/3rd
(因此没有太多的舍入错误),您可以更好地交错rabbit
和tortoise
跳,就像在for
循环。此外,您必须每次都进行null
次检查,因为长度可能不是模3的。
答案 1 :(得分:2)
保持2个指针,当你通过循环进展时,它们的左边只有2/3的时间。
当你到达循环的末尾时,返回指向另一个节点的指针。
int i = 0;
node temp = head;
node progress = head;
while(progress != null) {
i++;
progress = progress.next;
if(i == 2 && progress != null) temp = temp.next;
else if ( i == 3 && progress != null) {
temp=temp.next;
i=0;
}
}
return temp;
}
这是一般的想法
答案 2 :(得分:1)
简单的for循环怎么样?
int n = // ...
int index = 2 * n / 3;
LinkedListNode current = head;
for(int i = 0 ; i < index ; ++i) {
current = current.next();
}
return current;