JavaScript 删除右侧具有更大值的节点

JavaScript 删除右侧具有更大值的节点

我们将实现一个函数来删除链表中右侧具有更大值的节点。方法是从右向左遍历链表,并跟踪迄今为止遇到的最大值。对于每个节点,我们将比较其值与最大值,并在其值小于最大值时删除该节点。这样,所有右侧具有比最大值更大的值的节点将被删除。

方法

删除右侧具有更大值的节点的方法可以分解为以下7个步骤:

  • 从头到尾遍历链表。

  • 跟踪当前节点、前一个节点和迄今为止遇到的最大值。

  • 如果当前节点的值小于迄今为止遇到的最大值,则通过更新前一个节点的下一个指针来删除当前节点。

  • 将迄今为止遇到的最大值更新为当前节点的值。

  • 将当前节点移动到下一个节点。

  • 重复步骤3到5,直到达到链表的末尾。

  • 返回更新后的链表的头节点。

示例

给定一个单链表,任务是删除右侧具有更大值的节点。思路是从右到左遍历列表,并跟踪迄今为止遇到的最大值。当遍历列表时,删除值小于迄今为止遇到的最大值的节点。

以下是JavaScript的实现:

class Node {
  constructor(value) {
    this.value = value;
    this.next = null;
  }
}
class LinkedList {
  constructor() {
    this.head = null;
  }
  // Add a new node to the linked list
  add(value) {
    const node = new Node(value);
    if (!this.head) {
      this.head = node;
      return;
    }
    let current = this.head;
    while (current.next) {
      current = current.next;
    }
    current.next = node;
  }
  // Function to delete nodes with greater value on right
  deleteNodes() {
    let prev = null;
    let current = this.head;
    let max = this.head.value;
    // Traverse the linked list from right to left
    while (current.next) {
      // If the current node has a greater value than the max value seen so far
      if (current.next.value > max) {
        max = current.next.value;
        prev = current;
      } else {
        // Delete the node with smaller value
        prev.next = current.next;
      }
      current = current.next;
    }
    // If the last node has a smaller value than the max value seen so far
    if (this.head.value < max) {
      this.head = this.head.next;
    }
  }
}
// Test the code
const linkedList = new LinkedList();
linkedList.add(12);
linkedList.add(15);
linkedList.add(10);
linkedList.add(11);
linkedList.add(5);
linkedList.add(6);
linkedList.add(2);
linkedList.add(3);
linkedList.deleteNodes();
let current = linkedList.head;
while (current) {
  console.log(current.value);
  current = current.next;
}

说明

  • 首先,我们创建一个链表类,其中包含一个Node类来定义链表中的每个节点。

  • 在LinkedList类中,我们有一个函数 add() 来向链表添加新的节点。

  • deleteNodes() 函数实现了删除右侧值较大的节点的逻辑。

  • 我们从右向左遍历链表,记录目前为止的最大值。

  • 如果当前节点的值大于最大值,我们更新最大值。

  • 如果当前节点的值小于最大值,我们通过更新前一个节点的next引用来将当前节点删除。

  • 最后,如果第一个节点的值小于最大值,我们更新头引用,将其指向第一个节点的下一个节点。

  • 删除节点后的链表只包含具有这些值的节点

Camera课程

Python教程

Java教程

Web教程

数据库教程

图形图像教程

办公软件教程

Linux教程

计算机教程

大数据教程

开发工具教程