CS61B
课程笔记(Examprep03 Linked Lists, Arrays)
1. 扁平化二维数组
代码片段
1:将二维数组转换为一维数组
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 
 | public static int[] flatten(int [][] x) {int totalLength = 0;
 
 
 for (int i = 0; i < x.length; i++) {
 totalLength += x[i].length;
 }
 
 int[] a = new int[totalLength];
 int aIndex = 0;
 
 
 for (int i = 0; i < x.length; i++) {
 for (int j = 0; j < x[i].length; j++) {
 a[aIndex] = x[i][j];
 aIndex++;
 }
 }
 
 return a;
 }
 
 | 
解释:
这个方法用于将一个二维数组 x
转换为一个一维数组。首先,计算二维数组中所有元素的总数量。然后创建一个对应大小的一维数组,最后将二维数组中的每个元素按顺序复制到新的一维数组中。
2. 跳步链表 (Skippify)
代码片段 2:链表中的跳步操作
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 
 | public class IntList {public int first;
 public IntList rest;
 
 @Override
 public boolean equals(Object o) {...}
 public static IntList list(int... args) {...}
 
 public void skippify() {
 IntList p = this;
 int n = 1;
 while (p != null) {
 IntList next = p.rest;
 for(int i = 0; i < n; i++) {
 if (next == null) {
 return;
 }
 next = next.rest;
 }
 p.rest = next;
 p = p.rest;
 n += 1;
 }
 }
 }
 
 | 
解释:
skippify 方法在链表中跳过一定数量的节点。初始时,跳过 1
个节点,然后增加跳步的数量,每次循环跳过更多的节点,直到链表末尾。这个方法会改变链表的结构,通过跳步使得某些节点被跳过。
3. 删除链表中的重复元素
代码片段
3:从已排序的链表中移除重复的元素
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 
 | public class IntList {public int first;
 public IntList rest;
 public IntList(int f, IntList r) {
 this.first = f;
 this.rest = r;
 }
 
 
 
 
 
 
 public static void removeDuplicates(IntList p) {
 if (p == null) {
 return;
 }
 
 IntList current = p.rest;
 IntList previous = p;
 
 
 while (current != null) {
 if (current.first == previous.first) {
 previous.rest = current.rest;
 } else {
 previous = current;
 }
 current = current.rest;
 }
 }
 }
 
 | 
解释:
removeDuplicates
方法用于从一个已排序的链表中移除重复的元素。遍历链表时,如果发现当前节点与前一个节点的值相同,就跳过当前节点。这个方法直接修改链表的结构,移除多余的重复节点。
总结:
- Flatten 方法将一个二维数组转换为一维数组。
- Skippify 方法在链表中跳步,跳过多个节点。
- RemoveDuplicates
方法在已排序的链表中删除重复的元素。