Delete Node in the Middle of Singly Linked List(O(1) 시간 복잡도에서 체인 테이블 노드 삭제)

953 단어
문제.
Implement an algorithm to delete a node in the middle of a singly linked list, given only access to that node. Example Linked list is 1->2->3->4, and given node 3, delete the node in place 1->2->4
분석하다.
노드의 앞쪽에 있는 노드가 없기 때문에 노드 자체는 삭제할 수 없습니다. (원리는 체인 테이블 뒤집기 참조)그래서 이 문제는 결과가 맞다는 것을 보증하기만 하면 된다. 우리는 먼저 노드의 다음 노드의 값을 노드 위에 복사한 다음에 노드의 다음 노드를 삭제하면 된다.
코드
 * Definition for ListNode.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int val) {
 *         this.val = val;
 *         this.next = null;
 *     }
 * }
 */ 
public class Solution {
    /**
     * @param node: the node in the list should be deleted
     * @return: nothing
     */
    public void deleteNode(ListNode node) {
        // write your code here
        if(node==null||node.next==null){
            return;
        }
        node.val=node.next.val;
        node.next=node.next.next;
    }
}

좋은 웹페이지 즐겨찾기