I want an efficient algorithm to find the next greater permutation of the given string.
Implement the next permutation, which rearranges numbers into the numerically next greater permutation of numbers for a given array A of size N. If such arrangement is not possible, it must be rearranged as the lowest possible order i.e., sorted in an ascending order.
Given an array A[] of N distinct integers. The task is to return the lexicographically greater permutation than the given arrangement. If no such arrangement is possible, return the array sorted in non-decreasing order.
Wikipedia has a nice article on lexicographical order generation. It also describes an algorithm to generate the next permutation.
Quoting:
The following algorithm generates the next permutation lexicographically after a given permutation. It changes the given permutation in-place.
- Find the highest index
isuch thats[i] < s[i+1]. If no such index exists, the permutation is the last permutation.- Find the highest index
j > isuch thats[j] > s[i]. Such ajmust exist, sincei+1is such an index.- Swap
s[i]withs[j].- Reverse the order of all of the elements after index
itill the last element.
A great solution that works is described here: https://www.nayuki.io/page/next-lexicographical-permutation-algorithm. And the solution that, if next permutation exists, returns it, otherwise returns false:
function nextPermutation(array) {     var i = array.length - 1;     while (i > 0 && array[i - 1] >= array[i]) {         i--;     }      if (i <= 0) {         return false;     }      var j = array.length - 1;      while (array[j] <= array[i - 1]) {         j--;     }      var temp = array[i - 1];     array[i - 1] = array[j];     array[j] = temp;      j = array.length - 1;      while (i < j) {         temp = array[i];         array[i] = array[j];         array[j] = temp;         i++;         j--;     }      return array; } If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With