Skip to content

3294. Convert Doubly Linked List to Array II

  • Time: $O(n)$
  • Space: $O(n)$
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
class Solution {
 public:
  vector<int> toArray(Node* node) {
    vector<int> ans;
    Node* curr = node;

    while (curr->prev != nullptr)
      curr = curr->prev;

    while (curr != nullptr) {
      ans.push_back(curr->val);
      curr = curr->next;
    }

    return ans;
  }
};
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
class Solution {
  public int[] toArray(Node node) {
    List<Integer> ans = new ArrayList<>();
    Node curr = node;

    while (curr.prev != null)
      curr = curr.prev;

    while (curr != null) {
      ans.add(curr.val);
      curr = curr.next;
    }

    return ans.stream().mapToInt(Integer::intValue).toArray();
  }
}
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
class Solution:
  def toArray(self, node: 'Optional[Node]') -> list[int]:
    ans = []
    curr = node

    while curr.prev:
      curr = curr.prev

    while curr:
      ans.append(curr.val)
      curr = curr.next

    return ans