"Write a function arrayToList that builds up a list structure like"
let LL = { data: 1, next: { data: 2, next: { data: 3, next: null }}};
I understand the typical solution to this problem, where the list must be built from the inside out:
function arrToLList(arr) {
  let LList = null;
  for (let i = arr.length - 1; i >= 0; i--) {
    LList = { data: arr[i], next: LList };
  }
  return LList;
}
But my initial solution was to brute force it with a typical for loop.
function arrayToLList(arr) {
  let d = "data";
  let n = "next";
  let LList = nextNode();
  for (let i = 0; i < arr.length; i++) {
    LList[d] = arr[i];
    d = "next." + d;
    LList[n] = nextNode();
    n = "next." + n;
  }
  function nextNode() {
    return {
      data: null,
      next: null
    };
  }
  return LList;
}
 
    