en.javascript.info/1-js/06-advanced-functions/01-recursion/04-output-single-linked-list/solution.md
Ilya Kantor ab9ab64bd5 up
2017-03-21 14:41:49 +03:00

88 lines
1.8 KiB
Markdown

# Loop-based solution
The loop-based variant of the solution:
```js run
let list = {
value: 1,
next: {
value: 2,
next: {
value: 3,
next: {
value: 4,
next: null
}
}
}
};
function printList(list) {
let tmp = list;
while (tmp) {
alert(tmp.value);
tmp = tmp.next;
}
}
printList(list);
```
Please note that we use a temporary variable `tmp` to walk over the list. Technically, we could use a function parameter `list` instead:
```js
function printList(list) {
while(*!*list*/!*) {
alert(list.value);
list = list.next;
}
}
```
...But that would be unwise. In the future we may need to extend a function, do something else with the list. If we change `list`, then we loose such ability.
Talking about good variable names, `list` here is the list itself. The first element of it. And it should remain like that. That's clear and reliable.
From the other side, the role of `tmp` is exclusively a list traversal, like `i` in the `for` loop.
# Recursive solution
The recursive variant of `printList(list)` follows a simple logic: to output a list we should output the current element `list`, then do the same for `list.next`:
```js run
let list = {
value: 1,
next: {
value: 2,
next: {
value: 3,
next: {
value: 4,
next: null
}
}
}
};
function printList(list) {
alert(list.value); // output the current item
if (list.next) {
printList(list.next); // do the same for the rest of the list
}
}
printList(list);
```
Now what's better?
Technically, the loop is more effective. These two variants do the same, but the loop does not spend resources for nested function calls.
From the other side, the recursive variant is shorter and sometimes easier to understand.