876-middle-of-the-linked-list

DevGod
Vtuber
/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */class Solution { public ListNode middleNode(ListNode head) { List<Integer> myList = new ArrayList(); final ListNode myHead = head; while(head.next!=null){ myList.add(head.val); head = head.next; }
int SIZE = myList.size(); if(SIZE%2==1){SIZE++;} head = myHead;
int I = 0; while(I<Math.floor(SIZE/2)){ head = head.next; I++; }
return head; }}
/** * Definition for singly-linked list. * function ListNode(val, next) { * this.val = (val===undefined ? 0 : val) * this.next = (next===undefined ? null : next) * } *//** * @param {ListNode} head * @return {ListNode} */var middleNode = function(head) { let L = head; let R = head;
while(R !== null && R.next !== null){ L = L.next; R = R.next.next; }
return L;};