-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathExampleMain.java
65 lines (55 loc) · 2.62 KB
/
ExampleMain.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
import java.util.ArrayList;
public class ExampleMain
{
/*
This example program demonstrates how using the SortableObject interface along with
the SortManager object allows a list of objects to be sorted based on a
property specified by the object without having to create individual sort
methods for every object. Theoretically, you could sort a list of objects that
don't all share the same class, so long as each class implements SortableObject.
Using the "Strategy" Programming Pattern allows for different types of sorting
to be performed on a list of objects by the same object/method at runtime. New
methods of sorting can be created without modifying the sort object/method's code;
instead, a new objecting inheriting the "Sorter" interface must be created with
the instructions for the new sort method.
This example program shows off sorting an array of objects from least to
greatest and then re-sorting it from greatest to least using the same
SortManager object for both operations.
*/
public static void main(String[] args)
{
//Set up the example array
ArrayList<SortableObject> sortArray = new ArrayList<>();
sortArray.add(new ExampleDataObject(10));
sortArray.add(new ExampleDataObject(12));
sortArray.add(new ExampleDataObject(24));
sortArray.add(new ExampleDataObject(6));
sortArray.add(new ExampleDataObject(5));
sortArray.add(new ExampleDataObject(3));
sortArray.add(new ExampleDataObject(27));
sortArray.add(new ExampleDataObject(28));
sortArray.add(new ExampleDataObject(29));
sortArray.add(new ExampleDataObject(4));
//Set up SorterManager
SortStrategy bubbleSorterLG = new LeastToGreatestBubbleSorter();
GenericSortManager genericSortManager = new GenericSortManager(bubbleSorterLG);
//Sort from least to greatest
genericSortManager.sort(sortArray);
//Debug print
System.out.println("Least to greatest:");
for (int i = 0; i < sortArray.size();i++) {
System.out.println(sortArray.get(i).getSortValue());
}
System.out.print("\n");
//Change the sorting strategy at runtime
SortStrategy bubbleSorterGL = new GreatestToLeastBubbleSorter();
genericSortManager.setSortStrategy(bubbleSorterGL);
//Sort from greatest to least
genericSortManager.sort(sortArray);
//Debug print
System.out.println("Greatest to least:");
for (int i = 0; i < sortArray.size();i++) {
System.out.println(sortArray.get(i).getSortValue());
}
}
}