给定一个数组或字符串,任务是在Java中按字典顺序查找下一个更大的排列。
例子:
Input: string = "gfg" Output: ggf Input: arr[] = {1, 2, 3} Output: {1, 3, 2}
在C++中,有一个特定的函数使我们免于编写大量代码。它位于头文件#include中。该函数是next_permutation(a.begin(),a.end())。它用于将[first,last]范围内的元素重新排列到下一个字典上更大的排列。排列是N的每一个!元素可以采用的可能排列方式(其中N是范围内的元素数量)。可以根据它们在字典上的比较方式来排列不同的排列顺序。
显然,Java不提供任何此类内置方法。因此,本文讨论如何在Java中实现下一个置换函数及其算法。
算法:
- 找到最长的不增加后缀并找到枢轴。
- 如果后缀是整个数组,则数据没有更高阶的排列。
- 找到最合适的继任者。
- 交换后继者和支点。
- 反转后缀。
下面是上述方法的实现:
// Java program to implement
// the next_permutation method
import java.util.Arrays;
public class nextPermutation {
// Function to swap the data
// present in the left and right indices
public static int[] swap(int data[], int left, int right)
{
// Swap the data
int temp = data[left];
data[left] = data[right];
data[right] = temp;
// Return the updated array
return data;
}
// Function to reverse the sub-array
// starting from left to the right
// both inclusive
public static int[] reverse(int data[], int left, int right)
{
// Reverse the sub-array
while (left < right) {
int temp = data[left];
data[left++] = data[right];
data[right--] = temp;
}
// Return the updated array
return data;
}
// Function to find the next permutation
// of the given integer array
public static boolean findNextPermutation(int data[])
{
// If the given dataset is empty
// or contains only one element
// next_permutation is not possible
if (data.length <= 1)
return false;
int last = data.length - 2;
// find the longest non-increasing suffix
// and find the pivot
while (last >= 0) {
if (data[last] < data[last + 1]) {
break;
}
last--;
}
// If there is no increasing pair
// there is no higher order permutation
if (last < 0)
return false;
int nextGreater = data.length - 1;
// Find the rightmost successor to the pivot
for (int i = data.length - 1; i > last; i--) {
if (data[i] > data[last]) {
nextGreater = i;
break;
}
}
// Swap the successor and the pivot
data = swap(data, nextGreater, last);
// Reverse the suffix
data = reverse(data, last + 1, data.length - 1);
// Return true as the next_permutation is done
return true;
}
// Driver Code
public static void main(String args[])
{
int data[] = { 1, 2, 3 };
if (!findNextPermutation(data))
System.out.println("There is no higher"
+ " order permutation "
+ "for the given data.");
else {
System.out.println(Arrays.toString(data));
}
}
}
输出:
[1, 3, 2]
相关用法
- Java Java lang.Long.numberOfLeadingZeros()用法及代码示例
- Java Java lang.Long.reverse()用法及代码示例
- Java Java lang.Long.byteValue()用法及代码示例
注:本文由纯净天空筛选整理自Lokesh Karthikeyan大神的英文原创作品 Implementing next_permutation() in Java with Examples。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。