java中的反向LinkedList



我需要理解的简单示例

 LinkedList list = new LinkedList();
        list.add("J");
        list.add("A");
        list.add("V");
        list.add("A");

我有一个简单的LinkedList,需要将其传递给方法反向

public void reverse(LinkedList list) {
}

它将返回反向的新列表

我不需要任何ArraysUtils来逆转

什么是实现反向输出的短而实用的方法。

对于简单数组也需要同样的理解。

您可以使用Collections类。

Collections.reverse(list);

该操作后,您的列表将被反转。

public void reverse(LinkedList list) {
    //run till middle and swap start element with end element and so on
    for(int i = 0, mid = list.size()/2, j = list.size() - 1; i < mid; i++, j--)
        list.set(i, list.set(j, list.get(i)));//swap
}

注意:List.set(..,..)方法返回先前位于指定位置的元素

试试这个。

public LinkedList<String> reverse(LinkedList list) {
LinkedList reverseList=null;
for(int i=list.size();i>0;i--)
{
reverseList.add(list.get(i))
}
return reverseList;
}
我想Collections类的反向方法就是您需要的。您可以根据需要更改实施
/**
 * Reverses the order of the elements in the specified list.<p>
 *
 * This method runs in linear time.
 *
 * @param  list the list whose elements are to be reversed.
 * @throws UnsupportedOperationException if the specified list or
 *         its list-iterator does not support the <tt>set</tt> operation.
 */
public static void reverse(List<?> list) {
    int size = list.size();
    if (size < REVERSE_THRESHOLD || list instanceof RandomAccess) {
        for (int i=0, mid=size>>1, j=size-1; i<mid; i++, j--)
            swap(list, i, j);
    } else {
        ListIterator fwd = list.listIterator();
        ListIterator rev = list.listIterator(size);
        for (int i=0, mid=list.size()>>1; i<mid; i++) {
    Object tmp = fwd.next();
            fwd.set(rev.previous());
            rev.set(tmp);
        }
    }
}
public ListNode reverseList(ListNode head) {
    if(head == null) return head;
    Stack<ListNode> stack = new Stack<ListNode>();
    while(head != null) {
        stack.push(head);
        head = head.next;
    }
    ListNode dummy = new ListNode(0);
    head = dummy;
    while(!stack.isEmpty()) {
        ListNode current = stack.pop();
        head.next = new ListNode(current.val);
        head = head.next;
    }
    return dummy.next;
}

相关内容

  • 没有找到相关文章

最新更新