Home > other >  Why does my sort implementation not work?
Why does my sort implementation not work?

Time:12-08

I'm trying to sort an integer array without using sort function. I know there are other solutions available on Stack Overflow. I want to know what is wrong with my code. It performs ascending sort except for the first number in the array.

let arr = [2,4,5,1,3,7];
let iterable = true;
let iterationCount = 0;

while(iterable) {
 for(var i=iterationCount;i<=arr.length;i  ) {
    if (arr[i] > arr[i 1]) {
      let temp=arr[i];
      arr[i]=arr[i 1];
      arr[i 1]=temp;
    }
 }
 iterationCount  ;
 if (iterationCount == arr.length) {
    iterable = false;
 }
}

console.log(arr)

The output is [2, 1, 3, 4, 5, 7] while it should be [1, 2, 3, 4, 5, 7].

CodePudding user response:

You could change the outer loop for keeping the last index for checking and iterate until before the last index, because in the first inner loop, the max value is now at the greatest index and any further iteration do not need to check the latest last item.

let array = [2, 4, 5, 1, 3, 7],
    iterationCount = array.length;

while (iterationCount--) {
    for (let i = 0; i < iterationCount; i  ) {
        if (array[i] > array[i   1]) {
            let temp = array[i];
            array[i] = array[i   1];
            array[i   1] = temp;
        }
    }
}

console.log(array);
<iframe name="sif1" sandbox="allow-forms allow-modals allow-scripts" frameborder="0"></iframe>

CodePudding user response:

  1. Each time it goes around the inner loop, it moves each element zero or one spaces to the left.
  2. Each time it goes around the outer loop, it ignores one more element from the left hand side.

This means that it assumes that after one loop the left most element is the smallest element (and after two loops, the two left most elements are the two smallest).

However, because of (1) the 1 will have moved from position 3 to position 2 but it needs to be in position 0.


Wikipedia has a selection of popular sorting algorithms you should read up on if you are implementing sorting from scratch.

CodePudding user response:

I fixed the for loop to always start at 0, then it works.

let arr = [2, 4, 5, 1, 3, 7];

for (let j = 0; j < arr.length; j  ) {
  for (let i = 0; i < arr.length; i  ) {
    if (arr[i] > arr[i   1]) {
      const temp = arr[i];
      arr[i] = arr[i   1];
      arr[i   1] = temp;
    }
  }
}

console.log(arr)
<iframe name="sif2" sandbox="allow-forms allow-modals allow-scripts" frameborder="0"></iframe>

EDIT: I made the whole thing a little shorter

  • Related