1. // 数组的遍历
  2. // 创建一个数组
  3. arr = [1, 2, 3, 4, 5, 6]
  4. const traverseArr = arr => { // 遍历数组的方法
  5. if (arr === null) { // 判空,如果当前数组为空,直接结束
  6. return
  7. }
  8. for (const item of arr) { // 数组属于可迭代对象,可以使用for-of循环进行遍历
  9. console.log(item)
  10. }
  11. }
  12. traverseArr(arr)
  13. console.log('----------------') // 华丽的分割线
  14. // 链表的遍历
  15. class Node { // 创建一个节点的类
  16. constructor(value){
  17. /*
  18. * 链表的每一个节点都由两部分组成
  19. * 第一部分是该节点的值
  20. * 第二部分是该节点的指向
  21. * */
  22. this.value = value
  23. this.next = null
  24. }
  25. }
  26. // 创建节点
  27. const node1 = new Node(1)
  28. const node2 = new Node(2)
  29. const node3 = new Node(3)
  30. const node4 = new Node(4)
  31. const node5 = new Node(5)
  32. const node6 = new Node(6)
  33. // 将每一个节点产穿成一个串
  34. node1.next = node2
  35. node2.next = node3
  36. node3.next = node4
  37. node4.next = node5
  38. node5.next = node6
  39. /*
  40. * 创建一个遍历链表的方法
  41. * 参数位要遍历链表的根节点
  42. * */
  43. const traverseLink = root => {
  44. // 创建一个变量temp保存当前变量
  45. let temp = root
  46. while (true) { // 在不知道链表长度的情况下,使用while循环进行遍历
  47. if (temp !== null) { // 如果当前节点存在,则打印出当前节点的值
  48. console.log(temp.value)
  49. } else { // 如果当前节点不存在,说明遍历结束,跳出循环
  50. break
  51. }
  52. // 每次遍历之后,temp向后移一位
  53. temp = temp.next
  54. }
  55. }
  56. traverseLink(node1)

版权声明:本文为lxqddd原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://www.cnblogs.com/lxqddd/p/12173415.html