我必须创建一个方法来消除循环链表中的数字假设我们的价值高达9
1 2 3 4 5 6 7 8 9
我们想不断地去除每四个通过的整数,它将按照进行
5 6 7 8 9 1 2 3; // 4 is removed
9 1 2 3 5 6 7; // 8 is removed
5 6 7 9 1 2; // 3 is removed
1 2 5 6 7; // 9 is removed
7 1 2 5; // 6 is removed
7 1 2; // 5 is removed
1 2; // 7 is removed
1; // 2 is removed
我必须创建一个移动来遍历元素,并创建一个消除来删除元素,但我可以自己完成。我的toString()有问题;方法,我目前没有返回任何值。
class Digit{
class DigitNode
{
public int num=0; // Digit's position in line
public DigitNode next=null; // Reference to next digit
/**
* Digit constructor, initializes number
*/
public DigitNode(int number)
{
//
num = number;
next = null;
}
}
private int number;
private DightNode current = null; // Linked list of digits
private DigitNode tail = null; // Tracks end of list as it is constructed
/**
* constructs a circular linked list of
* @param n DigitNodes, current is the first DigitNode and tail is the last DigitNode(next of tail is current)
*/
public Digit(int n)
{
//
number = n;
current = null;
tail = null;
}
/*
* prints all Digits starting from current until tail
*/
@Override
public String toString()
{
//
String strVal = "";
DigitNode position = current;
while (position != null) {
strVal = strVal + position + " ";
position = current.next;
}
return strVal;
}
对我来说,我理解我将位置指定为当前值,该值应该是1
,因此,当位置不是null
时,strVal
是位置[1]
+" "
的间距。则我调用位置作为[2]
的下一个值,并且我继续直到9
之后的null
。因此strVal
应该是1 2 3 4 5 6 7 8 9
。但我没有返回任何内容。不幸的是,我尝试了调试,并放置了一些System.out.prinln();
标记来查看我是否返回了任何内容,但我没有。
首先,您需要用DigitNode
的对象填充Digit
。我没有从你发布的快照中看到这样做的代码
假设您可以在Digit
的构造函数中执行此操作,或者创建一个方法Digit
.add(DigitNode
节点)。您需要这个,否则您的current
将始终为空。
接下来,您需要在DigitNode
中添加toString,正如我之前在评论中所说的,或者您可以将Digit
.toString()更改为具有:
strVal = strVal + position.num + " "; // note position.num to get the number
您在DigitNode中没有toString(),所以当您调用时
strVal = strVal + position + " ";
您只是将默认的toString()方法附加到strVal中,表示position,它是一个DigitNode。这是因为向带有"+"的字符串中添加对象会调用它的toString()来获得要添加到字符串中的内容(在本例中为strVal)。