在Java中,要实现一个排序接口,你需要遵循以下步骤:
public interface Sortable {
void sort(int[] arr);
}
这里我们将实现一个简单的冒泡排序算法作为示例:
public class BubbleSort implements Sortable {
@Override
public void sort(int[] arr) {
int n = arr.length;
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - 1 - i; j++) {
if (arr[j] > arr[j + 1]) {
// 交换元素
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
}
现在你可以在主类中使用这个排序接口了:
public class Main {
public static void main(String[] args) {
int[] arr = {64, 34, 25, 12, 22, 11, 90};
Sortable bubbleSort = new BubbleSort();
bubbleSort.sort(arr);
System.out.println("Sorted array is:");
for (int num : arr) {
System.out.print(num + " ");
}
}
}
这个示例中,我们定义了一个名为Sortable
的排序接口,实现了一个冒泡排序算法(BubbleSort
类),然后在主类中使用了这个排序接口。你可以根据需要实现其他排序算法,如快速排序、归并排序等,只需实现Sortable
接口并覆盖sort
方法即可。