用java 使用三种方法 定义一个存放在包com.inter下的接口Sort,接口中定义了排序方法sort()。编写该接口的实现类,实现选择排序ChoiceSort和冒泡排序BubbleSort,分别实现对一组整数的降序排列。再编写一个测试类TestSort,在测试类的主方法中通过Sort对象(接口回调)调用方法sort(),分别实现对一组整数的选择算法和冒泡算法的降序排列并输出排序结果。
时间: 2024-02-29 12:51:54 浏览: 61
好的,我可以帮您解答这个问题。下面是代码实现:
首先,定义存放在包com.inter下的接口Sort,接口中定义了排序方法sort():
```java
package com.inter;
public interface Sort {
void sort(int[] arr);
}
```
然后,编写该接口的实现类ChoiceSort和BubbleSort,分别实现选择排序和冒泡排序:
```java
package com.inter.impl;
import com.inter.Sort;
public class ChoiceSort implements Sort {
@Override
public void sort(int[] arr) {
for (int i = 0; i < arr.length - 1; i++) {
int minIndex = i;
for (int j = i + 1; j < arr.length; j++) {
if (arr[j] > arr[minIndex]) {
minIndex = j;
}
}
if (minIndex != i) {
int temp = arr[i];
arr[i] = arr[minIndex];
arr[minIndex] = temp;
}
}
}
}
package com.inter.impl;
import com.inter.Sort;
public class BubbleSort implements Sort {
@Override
public void sort(int[] arr) {
for (int i = 0; i < arr.length - 1; i++) {
for (int j = 0; j < arr.length - 1 - i; j++) {
if (arr[j] < arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
}
```
接下来,编写一个测试类TestSort,在测试类的主方法中通过Sort对象(接口回调)调用方法sort(),分别实现对一组整数的选择算法和冒泡算法的降序排列并输出排序结果:
```java
package com.test;
import com.inter.Sort;
import com.inter.impl.BubbleSort;
import com.inter.impl.ChoiceSort;
import java.util.Arrays;
public class TestSort {
public static void main(String[] args) {
int[] arr = {5, 3, 8, 6, 4};
Sort sort = new ChoiceSort(); // 创建ChoiceSort对象
sort.sort(arr); // 调用sort方法进行排序
System.out.println(Arrays.toString(arr)); // 输出排序结果
arr = new int[]{5, 3, 8, 6, 4};
sort = new BubbleSort(); // 创建BubbleSort对象
sort.sort(arr); // 调用sort方法进行排序
System.out.println(Arrays.toString(arr)); // 输出排序结果
}
}
```
运行结果如下:
```
[8, 6, 5, 4, 3]
[8, 6, 5, 4, 3]
```
其中,第一个排序结果是使用选择排序实现的降序排列,第二个排序结果是使用冒泡排序实现的降序排列。
阅读全文