I have a function to bubble sort and I want to save the array after each swap into another array. The bubble sort is working properly and I can log the array after each swap to the console. But I cant seem to push to the other array properly.
Here’s my code :
JavaScript
x
24
24
1
var arr = [5, 4, 3, 2, 1];
2
var steps = [];
3
4
function bubbleSort() {
5
for (let i = 0; i < arr.length - 1; i++) {
6
for (let j = 0; j < arr.length - i - 1; j++) {
7
if (arr[j] > arr[j + 1]) {
8
swap(arr, j, j + 1);
9
}
10
var temp = arr;
11
console.log(temp);
12
steps.push(temp);
13
}
14
}
15
console.log(steps);
16
}
17
18
const swap = (a, x, y) => {
19
var temp = a[x];
20
a[x] = a[y];
21
a[y] = temp;
22
};
23
24
bubbleSort();
Here’s a screenshot of the console :
It’s only when I try to use get a hold of the array at each step that it isn’t showing properly? what do I do?
Advertisement
Answer
I think clonning the array could work ? var temp = […arr];
JavaScript
1
24
24
1
var arr = [5, 4, 3, 2, 1];
2
var steps = [];
3
4
function bubbleSort() {
5
for (let i = 0; i < arr.length - 1; i++) {
6
for (let j = 0; j < arr.length - i - 1; j++) {
7
if (arr[j] > arr[j + 1]) {
8
swap(arr, j, j + 1);
9
}
10
var temp = [arr];
11
console.log(temp);
12
steps.push(temp);
13
}
14
}
15
console.log(steps);
16
}
17
18
const swap = (a, x, y) => {
19
var temp = a[x];
20
a[x] = a[y];
21
a[y] = temp;
22
};
23
24
bubbleSort();