当前位置:   article > 正文

【Java 算法实现】链表反转(迭代法)_反转链表 java

反转链表 java

【Java 算法实现】链表反转(迭代法)

这个反转方法采用的是迭代方式,它逐个将原链表的节点移动到新链表的头部

public class LinkedList {

    // 定义链表节点
    static class Node {
        int value;
        Node next;

        Node(int value) {
            this.value = value;
            this.next = null;
        }
    }

    // 反转链表的方法
    public Node reverseList(Node head) {
        Node prev = null;
        Node current = head;
        while (current != null) {
            Node nextTemp = current.next;  // 保存下一个节点
            current.next = prev;          // 反转当前节点
            prev = current;               // 移动prev到当前节点
            current = nextTemp;           // 继续到下一个节点
        }
        return prev;  // 新的头节点是prev
    }

    // 用于打印链表的辅助方法
    public void printList(Node node) {
        while (node != null) {
            System.out.print(node.value + " ");
            node = node.next;
        }
        System.out.println();
    }

    // 主方法,用于测试链表反转
    public static void main(String[] args) {
        LinkedList list = new LinkedList();
        Node head = new Node(1);
        head.next = new Node(2);
        head.next.next = new Node(3);
        head.next.next.next = new Node(4);

        System.out.println("Original List:");
        list.printList(head);

        head = list.reverseList(head);
        
        System.out.println("Reversed List:");
        list.printList(head);
    }
}

  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
  • 32
  • 33
  • 34
  • 35
  • 36
  • 37
  • 38
  • 39
  • 40
  • 41
  • 42
  • 43
  • 44
  • 45
  • 46
  • 47
  • 48
  • 49
  • 50
  • 51
  • 52
  • 53

时间复杂度为 O(n),空间复杂度为 O(1)

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/盐析白兔/article/detail/790387
推荐阅读
相关标签
  

闽ICP备14008679号