定义一个存放在包com.inter下的接口Sort,接口中定义了排序方法sort()。编写该接口的实现类,实现选择排序ChoiceSort和冒泡排序BubbleSort,分别实现对一组整数的降序排列。再编写一个测试类TestSort,在测试类的主方法中通过Sort对象(接口回调)调用方法sort(),分别实现对一组整数的选择算法和冒泡算法的降序排列并输出排序结果。
时间: 2024-02-09 13:09:20 浏览: 86
好的,这是一个关于Java编程的问题。下面是代码实现:
首先是Sort接口:
```java
package com.inter;
public interface Sort {
void sort(int[] arr);
}
```
然后是ChoiceSort实现类:
```java
package com.inter;
public class ChoiceSort implements Sort {
@Override
public void sort(int[] arr) {
int len = arr.length;
for (int i = 0; i < len - 1; i++) {
int minIndex = i;
for (int j = i + 1; j < len; j++) {
if (arr[minIndex] < arr[j]) {
minIndex = j;
}
}
if (minIndex != i) {
int temp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = temp;
}
}
}
}
```
再来是BubbleSort实现类:
```java
package com.inter;
public class BubbleSort implements Sort {
@Override
public void sort(int[] arr) {
int len = arr.length;
for (int i = 0; i < len - 1; i++) {
for (int j = 0; j < len - i - 1; j++) {
if (arr[j] < arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
}
```
最后是TestSort测试类:
```java
package com.inter;
public class TestSort {
public static void main(String[] args) {
int[] arr = {5, 2, 8, 4, 7, 1};
Sort choiceSort = new ChoiceSort();
choiceSort.sort(arr);
System.out.println("选择排序结果:");
for (int i : arr) {
System.out.print(i + " ");
}
System.out.println();
int[] arr2 = {5, 2, 8, 4, 7, 1};
Sort bubbleSort = new BubbleSort();
bubbleSort.sort(arr2);
System.out.println("冒泡排序结果:");
for (int i : arr2) {
System.out.print(i + " ");
}
}
}
```
输出结果为:
```
选择排序结果:
8 7 5 4 2 1
冒泡排序结果:
8 7 5 4 2 1
```
以上代码实现了一个基于接口的排序算法,其中选择排序和冒泡排序都实现了Sort接口中的sort()方法,TestSort测试类中则通过Sort对象调用sort()方法,实现了对一组整数的选择排序和冒泡排序的降序排列。
阅读全文