update,
This commit is contained in:
@@ -0,0 +1,5 @@
|
||||
public class DuplicateValException extends RuntimeException{
|
||||
public DuplicateValException(){
|
||||
super("Duplicate value");
|
||||
}
|
||||
}
|
@@ -0,0 +1,5 @@
|
||||
class EmptyListException extends Exception {
|
||||
public EmptyListException(){
|
||||
super("Empty List");
|
||||
}
|
||||
}
|
253
it114105/itp4510/Assignment/18-19/LinkedList.java
Normal file
253
it114105/itp4510/Assignment/18-19/LinkedList.java
Normal file
@@ -0,0 +1,253 @@
|
||||
|
||||
public class LinkedList {
|
||||
|
||||
private ListNode head;
|
||||
private ListNode tail;
|
||||
|
||||
public LinkedList() {
|
||||
head = null;
|
||||
tail = null;
|
||||
}
|
||||
|
||||
public boolean isEmpty() {
|
||||
return (head == null);
|
||||
}
|
||||
|
||||
public void addToHead(Object item) {
|
||||
if (isEmpty()) {
|
||||
head = tail = new ListNode(item);
|
||||
} else {
|
||||
head = new ListNode(item, head);
|
||||
}
|
||||
}
|
||||
|
||||
public void addToTail(Object item) {
|
||||
if (isEmpty()) {
|
||||
head = tail = new ListNode(item);
|
||||
} else {
|
||||
tail.next = new ListNode(item);
|
||||
tail = tail.next;
|
||||
}
|
||||
}
|
||||
|
||||
public Object removeFromHead() throws EmptyListException {
|
||||
if (isEmpty()) {
|
||||
throw new EmptyListException();
|
||||
}
|
||||
Object item = head.data;
|
||||
if (head == tail) {
|
||||
head = tail = null;
|
||||
} else {
|
||||
head = head.next;
|
||||
}
|
||||
return item;
|
||||
}
|
||||
|
||||
public String toString() {
|
||||
String s = "[ ";
|
||||
ListNode current = head;
|
||||
while (current != null) {
|
||||
s += current.data + " ";
|
||||
current = current.next;
|
||||
}
|
||||
return s + "]";
|
||||
}
|
||||
|
||||
public Object removeFromTail() throws EmptyListException {
|
||||
if (isEmpty()) {
|
||||
throw new EmptyListException();
|
||||
}
|
||||
Object item = tail.data;
|
||||
if (head == tail) {
|
||||
head = tail = null;
|
||||
return item;
|
||||
}
|
||||
ListNode current = head;
|
||||
while (current.next != tail) {
|
||||
current = current.next;
|
||||
}
|
||||
tail = current;
|
||||
tail.next = null;
|
||||
return item;
|
||||
}
|
||||
|
||||
public int getCount() {
|
||||
int count = 0;
|
||||
ListNode current = head;
|
||||
while (current != null) {
|
||||
count++;
|
||||
current = current.next;
|
||||
}
|
||||
return count;
|
||||
}
|
||||
|
||||
public void addItemAt(Object item, int n) {
|
||||
if (isEmpty() || n == 0) {
|
||||
head = new ListNode(item, head);
|
||||
return;
|
||||
}
|
||||
if (n >= getCount()) {
|
||||
tail.next = new ListNode(item);
|
||||
} else {
|
||||
int currentPos = 0;
|
||||
ListNode current = head;
|
||||
while (currentPos != (n - 1)) {
|
||||
current = current.next;
|
||||
currentPos++;
|
||||
}
|
||||
ListNode newNode = new ListNode(item);
|
||||
newNode.next = current.next;
|
||||
current.next = newNode;
|
||||
}
|
||||
}
|
||||
|
||||
public Object removeItemAt(int n) throws EmptyListException {
|
||||
if (n < 0 || n > getCount()) {
|
||||
throw new IndexOutOfBoundsException();
|
||||
}
|
||||
if (n == 0) {
|
||||
return (removeFromHead());
|
||||
}
|
||||
int currentPos = 0;
|
||||
ListNode current = head;
|
||||
while (currentPos < (n - 1)) {
|
||||
current = current.next;
|
||||
currentPos++;
|
||||
}
|
||||
Object item = current.next.data;
|
||||
current.next = current.next.next;
|
||||
return item;
|
||||
}
|
||||
|
||||
public Object getItemAt(int n) {
|
||||
if (n < 0 || n > getCount()) {
|
||||
throw new IndexOutOfBoundsException();
|
||||
}
|
||||
int currentPos = 0;
|
||||
ListNode current = head;
|
||||
while (currentPos < n) {
|
||||
current = current.next;
|
||||
currentPos++;
|
||||
}
|
||||
return current.data;
|
||||
}
|
||||
|
||||
public int searchItemAt(Object item) { // search the item position
|
||||
ListNode current = head; // create the pointer to head
|
||||
int currentPos = 0; // let the position as 0, the linkedlist with start at 0
|
||||
while (current != null) { // search the item until the linkedlist tail -> null
|
||||
if (current.data == item) { // if found the same data in the linkedlist will break
|
||||
break;
|
||||
}
|
||||
current = current.next;
|
||||
currentPos++; // if current data is not equal to we may found data so the position will add 1 to calculate current Node position.
|
||||
}
|
||||
return currentPos; // return the search item position
|
||||
}
|
||||
|
||||
public boolean checkDup(){
|
||||
ListNode current=head;
|
||||
boolean checkDup = false;
|
||||
while (current!=null){
|
||||
ListNode currentSec = current.next;
|
||||
while(currentSec !=null){
|
||||
if(current.data.equals(currentSec.data)){
|
||||
checkDup = true;
|
||||
break;
|
||||
}
|
||||
currentSec= currentSec.next;
|
||||
}
|
||||
if(checkDup)
|
||||
break;
|
||||
current=current.next;
|
||||
}
|
||||
return checkDup;
|
||||
}
|
||||
|
||||
public void findJokerA() throws EmptyListException { // switch the card 27 and 27 next card
|
||||
if (tail.data.equals(27)) { // In special case, if the tail data is 27
|
||||
Object cache = head.data; // cache the data of head data, because the tail data will replcae the head data when the card switch
|
||||
tail.data = cache; // tail data will equal to head data when the card switch
|
||||
head.data = 27; // head data equal the 27 when the case of 27 is tail data
|
||||
} else {
|
||||
ListNode current = head; // create the pointer to head of ListNode
|
||||
while (!current.data.equals(27)) { // find the ListNode position and the ListNode data is 27
|
||||
current = current.next; // if ListNode data is not 27 will point to next Node
|
||||
}
|
||||
Object cache = current.next.data; // set the cache data of next current position
|
||||
current.data = cache; // current position set to data of next current position
|
||||
current.next.data = 27; // the next current position set to 27
|
||||
}
|
||||
}
|
||||
|
||||
public void findJokerB() throws EmptyListException {// switch the card 28, 28 next card and 28 next next card
|
||||
if (tail.data.equals(28)) { // In special case, if the tail data is 28
|
||||
Object cache = head.data; // set cache data of head data, because the tail data will replcae the head data when the card switch
|
||||
tail.data = cache; // tail data will set to head data
|
||||
head.data = head.next.data; // The head data will set to head next data
|
||||
head.next.data = 28; // The head next data will set to 28
|
||||
} else if (searchItemAt(28) == 26) { // In special case, if the tail before data is 28
|
||||
Object cachetail = removeFromTail(); // set the cache data of Tail data and remove tail data
|
||||
tail.data = cachetail; // In currenly, the total count card is 27. The tail data set to cache data (remove tail data in line 171)
|
||||
addToTail(head.data); // Add to tail of head data in the LinkedList and the total count card is 28
|
||||
head.data = 28; // set the 28 is head data.
|
||||
} else {
|
||||
ListNode current = head; // create the pointer to head of ListNode
|
||||
while (!current.data.equals(28)) { // find the ListNode position and the ListNode data is 28
|
||||
current = current.next; // if ListNode data is not 28 will point to next Node
|
||||
}
|
||||
Object cache = current.next.data; // set cache data is current next data and current next next data
|
||||
Object cacheTwo = current.next.next.data;
|
||||
current.data = cache; // current data position is 28 so set the data to current next data
|
||||
current.next.data = cacheTwo; // 28 after data set to current next next data
|
||||
current.next.next.data = 28; // the current next next data set to 28
|
||||
}
|
||||
}
|
||||
|
||||
public void tripleCut() throws EmptyListException {
|
||||
LinkedList cacheLeft = new LinkedList(); //Create the LinkedList to store cut data in Left and Right
|
||||
LinkedList cacheRight = new LinkedList();
|
||||
int listRightSize, listLeftSize;
|
||||
if (searchItemAt(27) > searchItemAt(28)) { // search the data is 27 and 28, if the 27 position larger that of 28 position will cut right hand site(Tail), and the 28 will left hand site(Head)
|
||||
listRightSize = getCount() - searchItemAt(27) - 1; // calcuate the 27 how many value should cut
|
||||
listLeftSize = searchItemAt(28); // the 28 should cut the current position value
|
||||
} else { // otherwise the 28 position larger that of 27 position will cut right hand site(Tail) and the 27 will cut left hand site(Head)
|
||||
listRightSize = getCount() - searchItemAt(28) - 1; // calcuate the 28 how many value should cut
|
||||
listLeftSize = searchItemAt(27); // the 27 should cut the current position value
|
||||
}
|
||||
for (int i = 0; i < listRightSize; i++) {
|
||||
cacheRight.addToTail(removeFromTail()); //cut right hand sit and put the value to cacheRight LinkedList
|
||||
|
||||
}
|
||||
for (int i = 0; i < listLeftSize; i++) {
|
||||
cacheLeft.addToTail(removeFromHead()); // cut left hand sit and put the value to cacheLeft LinkedList
|
||||
}
|
||||
for (int i = 0; i < listRightSize; i++) {
|
||||
addToHead(cacheRight.removeFromHead()); // store all value of cacheRight LinkedList to Left Hand site (Head)
|
||||
}
|
||||
for (int i = 0; i < listLeftSize; i++) {
|
||||
addToTail(cacheLeft.removeFromHead()); // store all vale of cacheLeft LinkedList to Right Hand site (Tail)
|
||||
}
|
||||
}
|
||||
|
||||
public void countCut() throws EmptyListException {
|
||||
|
||||
if (tail.data.equals(28)) { // if tail data is 28
|
||||
return; // Not to do
|
||||
} else {
|
||||
Object item = removeFromTail(); // remove the tail data and store the value to item
|
||||
for (int i = 0; i < (int) item; i++) { // According the item value to put the head Node to Tail Node of number
|
||||
addToTail(removeFromHead());
|
||||
}
|
||||
addToTail(item); // put the item value(in line 219) to Tail.
|
||||
}
|
||||
}
|
||||
|
||||
public Object topCard() throws EmptyListException {
|
||||
if (head.data.equals(28)|| head.data.equals(27)) { //when the head data is 28 or 27 will return the tail data
|
||||
return tail.data;
|
||||
} else { // the head data is not 28 or 28 will return the search of head data position
|
||||
return getItemAt((int) head.data);
|
||||
}
|
||||
}
|
||||
}
|
16
it114105/itp4510/Assignment/18-19/ListNode.java
Normal file
16
it114105/itp4510/Assignment/18-19/ListNode.java
Normal file
@@ -0,0 +1,16 @@
|
||||
public class ListNode {
|
||||
Object data;
|
||||
ListNode next;
|
||||
public ListNode(){
|
||||
data=null;
|
||||
next=null;
|
||||
}
|
||||
public ListNode(Object data){
|
||||
this.data = data;
|
||||
this.next = null;
|
||||
}
|
||||
public ListNode(Object data, ListNode next){
|
||||
this.data = data;
|
||||
this.next = next;
|
||||
}
|
||||
}
|
5
it114105/itp4510/Assignment/18-19/NotJokerException.java
Normal file
5
it114105/itp4510/Assignment/18-19/NotJokerException.java
Normal file
@@ -0,0 +1,5 @@
|
||||
public class NotJokerException extends RuntimeException{
|
||||
public NotJokerException(){
|
||||
super("Not Joker");
|
||||
}
|
||||
}
|
@@ -0,0 +1,5 @@
|
||||
public class NotMatchTypeException extends RuntimeException {
|
||||
public NotMatchTypeException(){
|
||||
super("Total card should be 28 and Integer number");
|
||||
}
|
||||
}
|
11
it114105/itp4510/Assignment/18-19/README.md.original
Normal file
11
it114105/itp4510/Assignment/18-19/README.md.original
Normal file
@@ -0,0 +1,11 @@
|
||||
# ITP4510-Assignment
|
||||
ITP4510 Data Structures & Algorithms: Concepts & Implementation
|
||||
|
||||
### Setup
|
||||
```
|
||||
$ javac SolitaireEncryption.java
|
||||
```
|
||||
### Usage
|
||||
```
|
||||
$ java SolitaireEncryption <option(en|de|keygen)> <deck_File_Path> <message_string>
|
||||
```
|
122
it114105/itp4510/Assignment/18-19/SolitaireEncryption.java
Normal file
122
it114105/itp4510/Assignment/18-19/SolitaireEncryption.java
Normal file
@@ -0,0 +1,122 @@
|
||||
// Name: Kwok Ho Hin
|
||||
// Student ID: 180160427
|
||||
// Program code-Class: IT114105-1B
|
||||
import java.io.File;
|
||||
import java.io.FileNotFoundException;
|
||||
import java.util.Scanner;
|
||||
|
||||
public class SolitaireEncryption {
|
||||
|
||||
public static void main(String[] args) {
|
||||
try {
|
||||
LinkedList qll = new LinkedList(); //Object of LinkedList
|
||||
Scanner input = new Scanner(new File(args[1]));
|
||||
while (input.hasNextInt()) { //if the text file has Integer will put to qll LinkedList, when the text file contain other data type will stop input
|
||||
qll.addToTail(input.nextInt());
|
||||
}
|
||||
input.close();
|
||||
if (qll.getCount() != 28) { //check the qll whether 28 card, if not 28 card will Stop the program
|
||||
throw new NotMatchTypeException();
|
||||
}
|
||||
if (qll.searchItemAt(27) == 28 || qll.searchItemAt(28) == 28) {
|
||||
throw new NotJokerException(); // check the qll whether contain Joker
|
||||
}
|
||||
if (qll.checkDup()) {
|
||||
throw new DuplicateValException(); // check the qll whether contain Duplicate Value
|
||||
}
|
||||
|
||||
if (args[0].equals("keygen") || args[0].equals("en") || args[0].equals("de")) { //args[0] should be 3 type: keygen, en or de
|
||||
keygen(args[2], qll, args[0]);
|
||||
} else {
|
||||
System.out.println("Sorry: keygen||en||de FileLocation Word"); //not keygen, en or de
|
||||
}
|
||||
} catch (FileNotFoundException e) {
|
||||
System.out.println("File Not Found in " + args[1]); //Can not found the File so throw FileNotFoundException
|
||||
} catch (IndexOutOfBoundsException e) {
|
||||
System.out.println("Can not Encryption or Decryption the message"); //Encryption and Decryption use the array to store the message so it may throw IndexOutOfBoundsException
|
||||
} catch (DuplicateValException e) {
|
||||
System.out.println("Text file contain Duplicate value"); //Duplicate value
|
||||
} catch (NotMatchTypeException e) {
|
||||
System.out.println("Total card should be 28 and Integer number"); //Number of card is not 28 so throw NotMatchTypeException
|
||||
} catch (NotJokerException e) {
|
||||
System.out.println("Not contain all Joker (27, 28)");
|
||||
} catch (EmptyListException e) {
|
||||
System.out.println("Empty List"); //when the LinkedList remove the node so it may EmptyListException occure
|
||||
} catch (Exception e) {
|
||||
System.out.println("Unknow Error");
|
||||
}
|
||||
}
|
||||
|
||||
public static void keygen(String args, LinkedList qll, String type) throws EmptyListException {
|
||||
LinkedList keystreamVal = new LinkedList(); //Create the LinkedList to store the keystream Value
|
||||
args = args.replaceAll("\\s", "").toUpperCase(); //Trim the String of the args[2] and change to Upper Case.
|
||||
for (int i = 0; i < args.length(); i++) { //each args[2] Sting will generate the keystream Value
|
||||
qll.findJokerA(); //call the LinkedList method to findJokerA
|
||||
keygenPrint("S1: ", type, qll); //check the args[0] wether "keygen"
|
||||
qll.findJokerB(); //call the LinkedList method to findJokerB
|
||||
keygenPrint("S2: ", type, qll); //check the args[0] wether "keygen"
|
||||
qll.tripleCut(); //call the LinkedList method to cut the card
|
||||
keygenPrint("S3: ", type, qll); //check the args[0] wether "keygen"
|
||||
qll.countCut(); //call the LinkedList method to count cut
|
||||
keygenPrint("S4: ", type, qll); //check the args[0] wether "keygen"
|
||||
if (!qll.topCard().equals(28) && !qll.topCard().equals(27)) { //call the LinkedList method and return the keystream value, if keystream value not 27 or 28
|
||||
keygenPrint("Key " + (i + 1) + ": ", type, qll.topCard()); //check the args[0] wether "keygen"
|
||||
keystreamVal.addToTail(qll.topCard()); //add the keystreamVal to keystreamVal LinkedList
|
||||
} else {
|
||||
keygenPrint("Joker", type, qll); //check the args[0] wether "keygen"
|
||||
i--; //if Is Joker will skip this position so i--
|
||||
}
|
||||
}
|
||||
if (type.equals("en") || type.equals("de")) { //check wether "en" or "de" and wether keep running
|
||||
message(args, keystreamVal, type);
|
||||
} else {
|
||||
System.out.println("Keystream values:" + keystreamVal); //Keystream values
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
public static void message(String args, LinkedList keystreamVal, String type) throws EmptyListException {
|
||||
Object[] message = new Object[args.length()]; // set the message array to store encryption or decryption message
|
||||
int sum = 0; // set each encryption or decrpytion message vale of 0
|
||||
for (int i = 0; i < args.length(); i++) { // each char will encryption or decrpytion
|
||||
System.out.print(args.charAt(i) + "\t" + (letter().searchItemAt(args.charAt(i)) + 1) + "\t" + keystreamVal.getItemAt(i)); // print the current char, and char number and keystream Value
|
||||
if (type.equals("en")) { // Encrpytion Procedure
|
||||
sum = (int) keystreamVal.getItemAt(i) + (int) (letter().searchItemAt(args.charAt(i)) + 1); // keystream + char number and store in sum Varible
|
||||
if (sum > 26) { // if the sum is > 26 should be -26
|
||||
sum -= 26;
|
||||
}
|
||||
} else if (type.equals("de")) { // Decrpytion Procedure
|
||||
sum = (int) (letter().searchItemAt(args.charAt(i)) + 1) - (int) keystreamVal.getItemAt(i); // Char number - keystream Value and store in sum Varible
|
||||
if (sum < 1) { // if the sum is < 0 should be +26
|
||||
sum += 26;
|
||||
}
|
||||
}
|
||||
message[i] = (letter().getItemAt((sum - 1))); // store the all encrypted or decrypted message in message array
|
||||
System.out.print("\t" + sum + "\t" + (letter().getItemAt(sum - 1)) + "\n"); // print the encrypted or decrypted message and char
|
||||
if (i == args.length() - 1 && type.equals("en")) { // print the encrypted or decrypted message in message array
|
||||
System.out.print("Encrypted message: ");
|
||||
} else if (i == args.length() - 1 && type.equals("de")) {
|
||||
System.out.print("Decrypted message: ");
|
||||
}
|
||||
}
|
||||
for (int i = 0; i < message.length; i++) {
|
||||
System.out.print(message[i]);
|
||||
}
|
||||
}
|
||||
|
||||
public static void keygenPrint(String number, String type, Object qll) {
|
||||
if (type.equals("keygen") && !number.equals("Joker")) { //check wether keygen and print the linkedList
|
||||
System.out.println(number + ":" + qll);
|
||||
} else if (type.equals("keygen") &&number.equals("Joker")) {
|
||||
System.out.println(number + ": Key skipped");
|
||||
}
|
||||
}
|
||||
|
||||
public static LinkedList letter() {
|
||||
LinkedList letter = new LinkedList(); //set the LinkedList to store the A-Z char
|
||||
for (char alph = 'A'; alph <= 'Z'; alph++) {
|
||||
letter.addToTail(alph);
|
||||
}
|
||||
return letter;
|
||||
}
|
||||
}
|
1
it114105/itp4510/Assignment/18-19/test-case/deck.txt
Normal file
1
it114105/itp4510/Assignment/18-19/test-case/deck.txt
Normal file
@@ -0,0 +1 @@
|
||||
1 4 7 10 13 16 19 22 25 28 3 6 9 12 15 18 21 24 27 2 5 8 11 14 17 20 23 26
|
1
it114105/itp4510/Assignment/18-19/test-case/deck1.txt
Normal file
1
it114105/itp4510/Assignment/18-19/test-case/deck1.txt
Normal file
@@ -0,0 +1 @@
|
||||
21 16 10 9 5 1 13 14 17 22 23 4 20 28 6 2 24 19 15 27 18 26 25 11 12 7 8 3
|
1
it114105/itp4510/Assignment/18-19/test-case/deck2.txt
Normal file
1
it114105/itp4510/Assignment/18-19/test-case/deck2.txt
Normal file
@@ -0,0 +1 @@
|
||||
13 10 19 25 8 12 20 18 26 1 9 22 15 3 17 24 2 21 23 27 7 14 5 4 28 11 16 6
|
2
it114105/itp4510/Assignment/18-19/test-case/deck3.txt
Normal file
2
it114105/itp4510/Assignment/18-19/test-case/deck3.txt
Normal file
@@ -0,0 +1,2 @@
|
||||
28 27 26 25 24 23 22 21 20 19 18 17 16 15 14 13 12 11 10 9 8 7 6 5 4 3 2 1
|
||||
|
1
it114105/itp4510/Assignment/18-19/test-case/deck4.txt
Normal file
1
it114105/itp4510/Assignment/18-19/test-case/deck4.txt
Normal file
@@ -0,0 +1 @@
|
||||
18 27 2 8 26 23 24 17 22 21 4 25 9 15 3 19 14 12 5 13 1 7 10 16 6 1 20 28
|
1
it114105/itp4510/Assignment/18-19/test-case/deck6.txt
Normal file
1
it114105/itp4510/Assignment/18-19/test-case/deck6.txt
Normal file
@@ -0,0 +1 @@
|
||||
27 4 22 10 15 9 7 13 12 19 26 25 20 6 18 8 2 17 21 3 23 11 14 24 1 16 28 5
|
2
it114105/itp4510/Assignment/18-19/test-case/deck7.txt
Normal file
2
it114105/itp4510/Assignment/18-19/test-case/deck7.txt
Normal file
@@ -0,0 +1,2 @@
|
||||
5 4 22 10 15 9 7 13 12 19 26 25 20 6 18 8 2 17 21 3 23 11 14 24 1 28 16 27
|
||||
|
1
it114105/itp4510/Assignment/18-19/test-case/decks.txt
Normal file
1
it114105/itp4510/Assignment/18-19/test-case/decks.txt
Normal file
@@ -0,0 +1 @@
|
||||
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
|
3
it114105/itp4510/Assignment/22-23/AdminFunction.java
Normal file
3
it114105/itp4510/Assignment/22-23/AdminFunction.java
Normal file
@@ -0,0 +1,3 @@
|
||||
public interface AdminFunction {
|
||||
public void execute();
|
||||
}
|
18
it114105/itp4510/Assignment/22-23/AdminPrintOrderList.java
Normal file
18
it114105/itp4510/Assignment/22-23/AdminPrintOrderList.java
Normal file
@@ -0,0 +1,18 @@
|
||||
public class AdminPrintOrderList implements AdminFunction{
|
||||
|
||||
private LinkedList orders;
|
||||
|
||||
public AdminPrintOrderList(LinkedList orders){
|
||||
this.orders = orders;
|
||||
}
|
||||
|
||||
@Override
|
||||
public void execute() {
|
||||
// TODO Auto-generated method stub
|
||||
System.out.println("--------------------------------------");
|
||||
System.out.println(orders);
|
||||
System.out.println("--------------------------------------");
|
||||
System.out.println("Total outstanding order:" + orders.count());
|
||||
}
|
||||
|
||||
}
|
17
it114105/itp4510/Assignment/22-23/AdminRemoveOrder.java
Normal file
17
it114105/itp4510/Assignment/22-23/AdminRemoveOrder.java
Normal file
@@ -0,0 +1,17 @@
|
||||
public class AdminRemoveOrder implements AdminFunction{
|
||||
|
||||
private int memberId;
|
||||
private LinkedList orders;
|
||||
|
||||
public AdminRemoveOrder(int memberId, LinkedList orders) {
|
||||
this.memberId = memberId;
|
||||
this.orders = orders;
|
||||
}
|
||||
|
||||
@Override
|
||||
public void execute() {
|
||||
// TODO Auto-generated method stub
|
||||
orders.remove(memberId);
|
||||
}
|
||||
|
||||
}
|
48
it114105/itp4510/Assignment/22-23/FoodOrder.java
Normal file
48
it114105/itp4510/Assignment/22-23/FoodOrder.java
Normal file
@@ -0,0 +1,48 @@
|
||||
public class FoodOrder {
|
||||
private int memberID;
|
||||
private String foodOrder; // A, B, C, or D
|
||||
private int priority;
|
||||
|
||||
//constructor
|
||||
|
||||
public FoodOrder(int memberID){
|
||||
this.memberID = memberID;
|
||||
}
|
||||
|
||||
public FoodOrder(int memberID, String foodOrder) {
|
||||
this.memberID = memberID;
|
||||
this.foodOrder = foodOrder;
|
||||
priority = 2;
|
||||
|
||||
}
|
||||
|
||||
//provide methods getter, setter, toString ....
|
||||
public int getMemberID() {
|
||||
return this.memberID;
|
||||
}
|
||||
|
||||
public void setMemberID(int memberID) {
|
||||
this.memberID = memberID;
|
||||
}
|
||||
|
||||
public String getFoodOrder() {
|
||||
return this.foodOrder;
|
||||
}
|
||||
|
||||
public void setFoodOrder(String foodOrder) {
|
||||
this.foodOrder = foodOrder;
|
||||
}
|
||||
|
||||
public int getPriority() {
|
||||
return this.priority;
|
||||
}
|
||||
|
||||
public void setPriority(int priority) {
|
||||
this.priority = priority;
|
||||
}
|
||||
|
||||
public String toString(){
|
||||
return "[ MemberID: " + memberID + " ordered Set " + foodOrder + " with priority " + priority + " ]";
|
||||
}
|
||||
|
||||
}
|
10
it114105/itp4510/Assignment/22-23/InvalidInputException.java
Normal file
10
it114105/itp4510/Assignment/22-23/InvalidInputException.java
Normal file
@@ -0,0 +1,10 @@
|
||||
public class InvalidInputException extends Exception{
|
||||
|
||||
public InvalidInputException(String mes){
|
||||
super(mes);
|
||||
}
|
||||
|
||||
public InvalidInputException(){
|
||||
super("Invalid input! Please input again.");
|
||||
}
|
||||
}
|
193
it114105/itp4510/Assignment/22-23/LinkedList.java
Normal file
193
it114105/itp4510/Assignment/22-23/LinkedList.java
Normal file
@@ -0,0 +1,193 @@
|
||||
class ListNode {
|
||||
|
||||
private Object data;
|
||||
private ListNode next;
|
||||
|
||||
public ListNode(Object o) { data = o; next = null; }
|
||||
public ListNode(Object o, ListNode nextNode)
|
||||
{ data = o; next = nextNode; }
|
||||
|
||||
public Object getData() { return data; }
|
||||
public void setData(Object o) { data = o; }
|
||||
|
||||
public ListNode getNext() { return next; }
|
||||
public void setNext(ListNode next) { this.next = next; }
|
||||
|
||||
|
||||
} // class ListNode
|
||||
|
||||
class EmptyListException extends RuntimeException {
|
||||
public EmptyListException ()
|
||||
{ super("List is empty"); }
|
||||
} // class EmptyListException
|
||||
|
||||
public class LinkedList {
|
||||
|
||||
private ListNode head;
|
||||
private ListNode tail;
|
||||
|
||||
private int length; // the length of the list
|
||||
|
||||
public LinkedList() {
|
||||
head = tail = null;
|
||||
length = 0;
|
||||
}
|
||||
|
||||
public boolean isEmpty() { return head == null; }
|
||||
|
||||
public void addToHead(Object item) {
|
||||
if (isEmpty())
|
||||
head = tail = new ListNode(item);
|
||||
else
|
||||
head = new ListNode(item, head);
|
||||
length++;
|
||||
}
|
||||
|
||||
public void addToTail(Object item) {
|
||||
if (isEmpty())
|
||||
head = tail = new ListNode(item);
|
||||
else {
|
||||
tail.setNext(new ListNode(item));
|
||||
tail = tail.getNext();
|
||||
}
|
||||
length++;
|
||||
}
|
||||
|
||||
public Object removeFromHead() throws EmptyListException {
|
||||
Object item = null;
|
||||
if (isEmpty())
|
||||
throw new EmptyListException();
|
||||
item = head.getData();
|
||||
if (head == tail)
|
||||
head = tail = null;
|
||||
else
|
||||
head = head.getNext();
|
||||
length--;
|
||||
return item;
|
||||
}
|
||||
|
||||
public Object removeFromTail() throws EmptyListException {
|
||||
Object item = null;
|
||||
if (isEmpty())
|
||||
throw new EmptyListException();
|
||||
item = tail.getData();
|
||||
if (head == tail)
|
||||
head = tail = null;
|
||||
else {
|
||||
ListNode current = head;
|
||||
while (current.getNext() != tail)
|
||||
current = current.getNext();
|
||||
tail = current;
|
||||
current.setNext(null);
|
||||
}
|
||||
length--;
|
||||
return item;
|
||||
}
|
||||
|
||||
public int count() {
|
||||
return length;
|
||||
}
|
||||
|
||||
// students need to revise toString method
|
||||
public String toString() {
|
||||
String str = "";
|
||||
ListNode current = head;
|
||||
while (current != null) {
|
||||
FoodOrder foodOrder = (FoodOrder) current.getData();
|
||||
str += foodOrder + "\n";
|
||||
current = current.getNext();
|
||||
}
|
||||
return str;
|
||||
}
|
||||
|
||||
|
||||
/**
|
||||
|
||||
Removes a ListNode from the LinkedList with a specific Member ID.
|
||||
|
||||
@param targetID the Member ID of the ListNode to be removed
|
||||
|
||||
@throws EmptyListException if the list is empty
|
||||
*/
|
||||
public void remove(int targetID) throws EmptyListException {
|
||||
|
||||
// Throw an exception if the list is empty
|
||||
if (isEmpty()) {
|
||||
throw new EmptyListException();
|
||||
}
|
||||
|
||||
// If the target node is the head node, remove it from the head
|
||||
if (((FoodOrder) head.getData()).getMemberID() == targetID) {
|
||||
removeFromHead();
|
||||
return;
|
||||
}
|
||||
|
||||
// Traverse the linked list to find the target node
|
||||
ListNode current = head.getNext();
|
||||
ListNode prev = head;
|
||||
|
||||
while (current != null && ((FoodOrder) current.getData()).getMemberID() != targetID) {
|
||||
prev = current;
|
||||
current = current.getNext();
|
||||
}
|
||||
|
||||
// If the target node is found, remove it
|
||||
if (current != null) {
|
||||
prev.setNext(current.getNext());
|
||||
length--;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
|
||||
Checks if the linked list contains a FoodOrder object with the given targetID as its member ID.
|
||||
@param targetID the member ID to search for in the linked list
|
||||
@return true if the linked list contains a FoodOrder object with the given targetID as its member ID, false otherwise
|
||||
*/
|
||||
public boolean contain(int targetID) {
|
||||
ListNode current = head;
|
||||
while (current != null) {
|
||||
if (((FoodOrder) current.getData()).getMemberID() == targetID) {
|
||||
return true;
|
||||
}
|
||||
current = current.getNext();
|
||||
}
|
||||
return false;
|
||||
}
|
||||
|
||||
/**
|
||||
|
||||
Adds a new FoodOrder to the LinkedList in the correct position based on its priority.
|
||||
@param item the FoodOrder to add to the LinkedList
|
||||
*/
|
||||
public void add(Object item) {
|
||||
FoodOrder foodOrderItem = (FoodOrder) item;
|
||||
|
||||
// if the list is empty, add the new node as the head
|
||||
if (isEmpty())
|
||||
addToHead(item);
|
||||
|
||||
// if the new node has higher priority than the head, add it as the new head
|
||||
else if (foodOrderItem.getPriority() < ((FoodOrder) head.getData()).getPriority())
|
||||
addToHead(item);
|
||||
|
||||
// if the new node has lower priority than the tail, add it as the new tail
|
||||
else if (foodOrderItem.getPriority() >= ((FoodOrder) tail.getData()).getPriority())
|
||||
addToTail(item);
|
||||
|
||||
// otherwise, find the correct position for the new node and insert it
|
||||
else {
|
||||
ListNode current = head.getNext();
|
||||
ListNode prev = head;
|
||||
|
||||
while (current != null && foodOrderItem.getPriority() >= ((FoodOrder) current.getData()).getPriority()) {
|
||||
prev = current;
|
||||
current = current.getNext();
|
||||
}
|
||||
|
||||
prev.setNext(new ListNode(item, current));
|
||||
length++;
|
||||
}
|
||||
}
|
||||
|
||||
}
|
16
it114105/itp4510/Assignment/22-23/MenuItem.java
Normal file
16
it114105/itp4510/Assignment/22-23/MenuItem.java
Normal file
@@ -0,0 +1,16 @@
|
||||
public class MenuItem {
|
||||
private String food;
|
||||
|
||||
|
||||
public MenuItem(String food){
|
||||
this.food = food;
|
||||
}
|
||||
|
||||
public String getMenuItemFood(){
|
||||
return this.food;
|
||||
}
|
||||
|
||||
public String toString(){
|
||||
return food;
|
||||
}
|
||||
}
|
@@ -0,0 +1,5 @@
|
||||
public class NoneOfOrderException extends InvalidInputException {
|
||||
public NoneOfOrderException(){
|
||||
super("None of order");
|
||||
}
|
||||
}
|
153
it114105/itp4510/Assignment/22-23/OrderSystem.java
Normal file
153
it114105/itp4510/Assignment/22-23/OrderSystem.java
Normal file
@@ -0,0 +1,153 @@
|
||||
import java.util.Scanner;
|
||||
|
||||
public class OrderSystem {
|
||||
private static Scanner sc;
|
||||
private static LinkedList orders;
|
||||
private static int nextGuestID = 9000;
|
||||
private static MenuItem[] menus;
|
||||
private static FoodOrder currentFoodOrder;
|
||||
|
||||
public static void main(String[] args) {
|
||||
sc = new Scanner(System.in);
|
||||
orders = new LinkedList();
|
||||
|
||||
regFoodMenu();
|
||||
while (true) {
|
||||
start();
|
||||
}
|
||||
}
|
||||
|
||||
private static void regFoodMenu() {
|
||||
menus = new MenuItem[4];
|
||||
menus[0] = new MenuItem("Chicken Salad");
|
||||
menus[1] = new MenuItem("Grilled Ribeye Steak");
|
||||
menus[2] = new MenuItem("Angel Hair Pasta with Shrimp");
|
||||
menus[3] = new MenuItem("Grilled Fish and Potatoes");
|
||||
}
|
||||
|
||||
public static void start() {
|
||||
|
||||
try {
|
||||
int memberId = inputMemberId(false);
|
||||
|
||||
if (memberId <= -1) {
|
||||
System.err.println("Have a nice day!!!");
|
||||
System.exit(1);
|
||||
}
|
||||
|
||||
if (memberId == 9999) {
|
||||
adminFunc();
|
||||
} else {
|
||||
|
||||
currentFoodOrder = new FoodOrder(memberId);
|
||||
|
||||
if (memberId == 0) {
|
||||
memberId = nextGuestID++;
|
||||
currentFoodOrder.setMemberID(memberId);
|
||||
currentFoodOrder.setPriority(3);
|
||||
} else if (memberId > 8000 && memberId < 8200)
|
||||
currentFoodOrder.setPriority(1);
|
||||
else if (memberId > 8199 && memberId < 9000)
|
||||
currentFoodOrder.setPriority(2);
|
||||
|
||||
inputOrder();
|
||||
}
|
||||
|
||||
} catch (InvalidInputException e) {
|
||||
System.out.println(e.getMessage());
|
||||
} catch (Exception e) {
|
||||
System.out.println(e.getMessage());
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
public static void printMenu() {
|
||||
System.out.println("----------------- Food Menu ----------------");
|
||||
|
||||
for (int dec = 65, i = 0; i < menus.length; dec++)
|
||||
System.out.println("Set " + (char) dec + " : " + menus[i++]);
|
||||
|
||||
System.out.println("--------------------------------------------");
|
||||
}
|
||||
|
||||
public static void printAdminMenu() {
|
||||
System.out.println("----------------- Admin Function ----------------");
|
||||
System.out.println("1 : Print order list");
|
||||
System.out.println("2 : Remove order");
|
||||
}
|
||||
|
||||
public static int inputMemberId(boolean isAdmin) throws InvalidInputException {
|
||||
|
||||
try {
|
||||
if(isAdmin){
|
||||
System.out.print("Enter Member ID:");
|
||||
int memberId = Integer.parseInt(sc.nextLine());
|
||||
if ( memberId > 8000 && memberId < 9999)
|
||||
return memberId;
|
||||
|
||||
}else{
|
||||
System.out.print("Please input your member ID [input 0 for guest]:");
|
||||
int memberId = Integer.parseInt(sc.nextLine());
|
||||
if (memberId <= 0 || memberId == 9999 || memberId > 8000 && memberId < 8999)
|
||||
return memberId;
|
||||
}
|
||||
|
||||
|
||||
} catch (NumberFormatException e) {
|
||||
System.out.println("Input Error");
|
||||
System.exit(1);
|
||||
}
|
||||
throw new InvalidInputException();
|
||||
}
|
||||
|
||||
public static void inputOrder() throws InvalidInputException {
|
||||
printMenu();
|
||||
System.out.print("Select food:");
|
||||
String foodOrder = sc.nextLine().toUpperCase();
|
||||
|
||||
if (!isValidFoodOrderChar(foodOrder))
|
||||
throw new InvalidInputException();
|
||||
|
||||
currentFoodOrder.setFoodOrder(foodOrder);
|
||||
orders.add(currentFoodOrder);
|
||||
}
|
||||
|
||||
private static boolean isValidFoodOrderChar(String foodOrder) {
|
||||
|
||||
if (foodOrder.length() > 2 || foodOrder.length() == 0)
|
||||
return false;
|
||||
|
||||
char value = foodOrder.charAt(0);
|
||||
return (value >= 65 && value <= 65 + menus.length)? true: false;
|
||||
}
|
||||
|
||||
public static void adminFunc() throws InvalidInputException {
|
||||
try {
|
||||
printAdminMenu();
|
||||
System.out.print(">");
|
||||
int adminFuncInput = Integer.parseInt(sc.nextLine());
|
||||
if (!isValidAdminFunction(adminFuncInput))
|
||||
throw new InvalidInputException();
|
||||
|
||||
if (adminFuncInput == 1)
|
||||
new AdminPrintOrderList(orders).execute();
|
||||
else if (adminFuncInput == 2) {
|
||||
int memberId = inputMemberId(true);
|
||||
if (!orders.contain(memberId))
|
||||
throw new NoneOfOrderException();
|
||||
new AdminRemoveOrder(memberId, orders).execute();
|
||||
|
||||
} else
|
||||
throw new InvalidInputException();
|
||||
|
||||
} catch (NumberFormatException e) {
|
||||
throw new InvalidInputException();
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
private static boolean isValidAdminFunction(int input) {
|
||||
return (input == 1 || input == 2)? true: false;
|
||||
}
|
||||
|
||||
}
|
278
it114105/itp4510/Assignment/22-23/README.md.original
Normal file
278
it114105/itp4510/Assignment/22-23/README.md.original
Normal file
@@ -0,0 +1,278 @@
|
||||
# ITP4510-Assignment
|
||||
ITP4510 Data Structures & Algorithms: Concepts & Implementation
|
||||
|
||||
## Scenarios
|
||||
The Yummy Restaurant Group Limited is a catering company. It has grown into one of the largest catering company in Hong Kong. The Group is operating diversified services including Chinese Restaurants, Western Restaurants, Japanese Restaurants, Conveyor-belt Sushi Restaurants, Fast Food Restaurants and etc. It has over 10 brands and around 100 restaurants in 2021.
|
||||
|
||||
The Novel House, which located in the Clover Hotel, is belonged to Yummy Restaurant Group Limited. For the Novel House, customer can place food order by phone. The operator will enter the order information in the system. For each of the food order, a priority indicator will be assigned to it. The least priority indicator of the food order will be first delivered, however, if the food orders with the same priority occurred, the food will be delivered according to their ordering in the queue.
|
||||
|
||||
Now, one IT staff is assigned to develop a prototype program to simulate the ordering of the food.
|
||||
|
||||
## Membership
|
||||
List of Priority Indicator
|
||||
| Membership | Priority Indicator |
|
||||
| -- | -- |
|
||||
| VIP Member | 1 |
|
||||
| Registered Member | 2 |
|
||||
| Guest | 3 |
|
||||
|
||||
Member ID is a four digit number starting with “8”. Member ID of VIP members should be started from 8001 to 8199. The Member ID of registered members should be in the range of 8200 to 8999. The Member ID for a guest would be an increment number started from 9000.
|
||||
|
||||
## Food Menu
|
||||
|
||||
| Set | Food |
|
||||
| -- | -- |
|
||||
| A | Chicken Salad |
|
||||
| B | Grilled Ribeye Steak |
|
||||
| C | Angel Hair Pasta with Shrimp |
|
||||
| D | Grilled Fish and Potatoes |
|
||||
|
||||
## Execution Sample
|
||||
|
||||
```
|
||||
_Number_ <- present the user input
|
||||
```
|
||||
|
||||
### 1. Process Ordering
|
||||
```
|
||||
Please input your member ID [input 0 for guest]:_0_ ← Order by guest
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:_a_
|
||||
Please input your member ID [input 0 for guest]:_8101_ ← Order by VIP
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:_b_
|
||||
Please input your member ID [input 0 for guest]:_8103_ ← Order by VIP
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:A
|
||||
Please input your member ID [input 0 for guest]:_8299_ ← Order by registered member
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:_d_
|
||||
Please input your member ID [input 0 for guest]:_0_ ← Order by guest
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:_a_
|
||||
Please input your member ID [input 0 for guest]:_8233_ ← Order by registered member
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:_B_
|
||||
|
||||
```
|
||||
|
||||
|
||||
### 2. Print out Order List
|
||||
```
|
||||
Please input your member ID [input 0 for guest]: _9999_
|
||||
----------------- Admin Function ----------------
|
||||
1 : Print order list
|
||||
2 : Remove order
|
||||
>_1_
|
||||
--------------------------------------
|
||||
[ MemberID: 8101 ordered Set B with priority 1 ]
|
||||
[ MemberID: 8103 ordered Set A with priority 1 ]
|
||||
[ MemberID: 8299 ordered Set D with priority 2 ]
|
||||
[ MemberID: 8233 ordered Set B with priority 2 ]
|
||||
[ MemberID: 9000 ordered Set A with priority 3 ]
|
||||
[ MemberID: 9001 ordered Set A with priority 3 ]
|
||||
--------------------------------------
|
||||
Total outstanding order:6
|
||||
```
|
||||
|
||||
### 3. Delete Order
|
||||
```
|
||||
Please input your member ID [input 0 for guest]:_9999_
|
||||
----------------- Admin Function ----------------
|
||||
1 : Print order list
|
||||
2 : Remove order
|
||||
>_2_
|
||||
Enter Member ID:8299
|
||||
Please input your member ID [input 0 for guest]:_9999_
|
||||
----------------- Admin Function ----------------
|
||||
1 : Print order list
|
||||
2 : Remove order
|
||||
>_1_
|
||||
--------------------------------------
|
||||
[ MemberID: 8101 ordered Set B with priority 1 ]
|
||||
[ MemberID: 8103 ordered Set A with priority 1 ]
|
||||
[ MemberID: 8233 ordered Set B with priority 2 ]
|
||||
[ MemberID: 9000 ordered Set A with priority 3 ]
|
||||
[ MemberID: 9001 ordered Set A with priority 3 ]
|
||||
--------------------------------------
|
||||
Total outstanding order:5
|
||||
|
||||
```
|
||||
|
||||
### 4. Quit Program
|
||||
```
|
||||
Please input your member ID [input 0 for guest]:_-1_
|
||||
Have a nice day!!!
|
||||
```
|
||||
|
||||
Type any negative number in the main menu to quit the program.
|
||||
|
||||
## Validation for Input
|
||||
You should create an exceptional class `InvalidInputException` for the program. During the ordering stage, the program should do the validation for the following cases:
|
||||
1. Checking valid range of Member ID
|
||||
2. Checking selection of food
|
||||
3. Deleting of order
|
||||
```
|
||||
Please input your member ID [input 0 for guest]:_523_
|
||||
Invalid input! Please input again.
|
||||
Please input your member ID [input 0 for guest]:_7569_
|
||||
Invalid input! Please input again.
|
||||
Please input your member ID [input 0 for guest]:_9856_
|
||||
Invalid input! Please input again.
|
||||
Please input your member ID [input 0 for guest]:_0_
|
||||
----------------- Food Menu ----------------
|
||||
Set A : Chicken Salad
|
||||
Set B : Grilled Ribeye Steak
|
||||
Set C : Angel Hair Pasta with Shrimp
|
||||
Set D : Grilled Fish and Potatoes
|
||||
--------------------------------------------
|
||||
Select food:_f_
|
||||
Invalid input! Please input again.
|
||||
Please input your member ID [input 0 for guest]:_9999_
|
||||
----------------- Admin Function ----------------
|
||||
1 : Print order list
|
||||
2 : Remove order
|
||||
>_2_
|
||||
Enter Member ID:_8231_ ← This order is not exist in the LinkedList
|
||||
None of order
|
||||
```
|
||||
Program would be stopped when entered non-number in the main menu.
|
||||
```
|
||||
Please input your member ID [input 0 for guest]:_Abcd_
|
||||
Input Error
|
||||
```
|
||||
|
||||
## Given Files
|
||||
1. `OrderSystem.java` – *main program which should be completed*
|
||||
2. `LinkedList.java` – *data structure which should be amended*
|
||||
3. `FoodOrder.java` – *data type for the data object stored in ListNode*
|
||||
|
||||
## Task Specification
|
||||
1. You should use the classes provided in the given files.
|
||||
2. Implement the program using Java. Submit listings of all programs.
|
||||
3. Handle exceptional/abnormal cases. You should create your own Exception class. Submit a brief description of all such cases (e.g. invalid input ) handled by the program. A class InvalidInputException should be implemented.
|
||||
4. Program structure and in-program comments.
|
||||
5. Evidence of testing. Test the program and submit the logged listing of run samples.
|
||||
|
||||
## Mark Allocation
|
||||
<table>
|
||||
<tbody><tr>
|
||||
<td>
|
||||
<p>0. Compilation</p>
|
||||
<p>-- success compilation and execute the program</p>
|
||||
</td>
|
||||
<td>
|
||||
<p>10%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>
|
||||
<p>1. Design</p>
|
||||
<p>-- correct using class <span >FoodOrder</span>, LinkedList,
|
||||
<span >ListNode</span></p>
|
||||
<p>-- suitable data
|
||||
structure</p>
|
||||
</td>
|
||||
<td >
|
||||
<p>10%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr style="mso-yfti-irow:2">
|
||||
<td>
|
||||
<p>2. Implementation</p>
|
||||
<p>-- input parameter</p>
|
||||
<p>-- program simulation</p>
|
||||
<p>-- result print out</p>
|
||||
</td>
|
||||
<td >
|
||||
<p>45%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>
|
||||
<p>3. Selection of menu</p>
|
||||
<p>-- Correct menu design</p>
|
||||
</td>
|
||||
<td>
|
||||
<p>10%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>
|
||||
<p>4. Error handling</p>
|
||||
<p>-- create exception class InvalidRangeInputException</p>
|
||||
<p>-- handle exception (e.g.InputMismatchException>)</p>
|
||||
</td>
|
||||
<td>
|
||||
<p>10%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>
|
||||
<p>5. Report</p>
|
||||
<p>-- executable results (screen dumps)</p>
|
||||
</td>
|
||||
<td>
|
||||
<p>5%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>
|
||||
<p>6. Coding standard</p>
|
||||
<p>-- proper indentation</p>
|
||||
<p>-- proper naming</p>
|
||||
<p>-- consistency coding style</p>
|
||||
<p>-- appropriate comments</p>
|
||||
</td>
|
||||
<td>
|
||||
<p>10%</p>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>
|
||||
<p><b>Total</b></p>
|
||||
</td>
|
||||
<td>
|
||||
<p>100%<o:p></b></p>
|
||||
</td>
|
||||
</tr>
|
||||
</tbody></table>
|
||||
|
||||
## Instructions to Students
|
||||
This assignment is an individual assignment. Each student has to submit his/her own work. Plagiarism will be treated seriously. All assignments that have been found involved wholly or partly in plagiarism (no matter these assignments are from the original authors or from the plagiarists) will score ZERO marks. Further, disciplinary action will be followed.
|
||||
|
||||
Adequate in-program comments should be placed as appropriate. All user-defined names should be descriptive as much as possible. Marks are given based on correctness, programming quality, and style.
|
||||
|
||||
You are required to submit:
|
||||
- Well-documented program listings and the executable results (screen dumps).
|
||||
- Upload your files to Moodle including all your programs and report. It is required that your programs can be successfully compile.
|
15
it114105/itp4510/Assignment/22-23/src/FoodOrder.java
Normal file
15
it114105/itp4510/Assignment/22-23/src/FoodOrder.java
Normal file
@@ -0,0 +1,15 @@
|
||||
public class FoodOrder {
|
||||
private int memberID;
|
||||
private String foodOrder; // A, B, C, or D
|
||||
private int priority;
|
||||
|
||||
//constructor
|
||||
public FoodOrder(int memberID, String foodOrder) {
|
||||
.......
|
||||
|
||||
}
|
||||
|
||||
//provide methods getter, setter, toString ....
|
||||
|
||||
|
||||
}
|
119
it114105/itp4510/Assignment/22-23/src/LinkedList.java
Normal file
119
it114105/itp4510/Assignment/22-23/src/LinkedList.java
Normal file
@@ -0,0 +1,119 @@
|
||||
class ListNode {
|
||||
|
||||
private Object data;
|
||||
private ListNode next;
|
||||
|
||||
public ListNode(Object o) { data = o; next = null; }
|
||||
public ListNode(Object o, ListNode nextNode)
|
||||
{ data = o; next = nextNode; }
|
||||
|
||||
public Object getData() { return data; }
|
||||
public void setData(Object o) { data = o; }
|
||||
|
||||
public ListNode getNext() { return next; }
|
||||
public void setNext(ListNode next) { this.next = next; }
|
||||
|
||||
|
||||
} // class ListNode
|
||||
|
||||
class EmptyListException extends RuntimeException {
|
||||
public EmptyListException ()
|
||||
{ super("List is empty"); }
|
||||
} // class EmptyListException
|
||||
|
||||
public class LinkedList {
|
||||
|
||||
private ListNode head;
|
||||
private ListNode tail;
|
||||
|
||||
private int length; // the length of the list
|
||||
|
||||
public LinkedList() {
|
||||
head = tail = null;
|
||||
length = 0;
|
||||
}
|
||||
|
||||
public boolean isEmpty() { return head == null; }
|
||||
|
||||
public void addToHead(Object item) {
|
||||
if (isEmpty())
|
||||
head = tail = new ListNode(item);
|
||||
else
|
||||
head = new ListNode(item, head);
|
||||
length++;
|
||||
}
|
||||
|
||||
public void addToTail(Object item) {
|
||||
if (isEmpty())
|
||||
head = tail = new ListNode(item);
|
||||
else {
|
||||
tail.setNext(new ListNode(item));
|
||||
tail = tail.getNext();
|
||||
}
|
||||
length++;
|
||||
}
|
||||
|
||||
public Object removeFromHead() throws EmptyListException {
|
||||
Object item = null;
|
||||
if (isEmpty())
|
||||
throw new EmptyListException();
|
||||
item = head.getData();
|
||||
if (head == tail)
|
||||
head = tail = null;
|
||||
else
|
||||
head = head.getNext();
|
||||
length--;
|
||||
return item;
|
||||
}
|
||||
|
||||
public Object removeFromTail() throws EmptyListException {
|
||||
Object item = null;
|
||||
if (isEmpty())
|
||||
throw new EmptyListException();
|
||||
item = tail.getData();
|
||||
if (head == tail)
|
||||
head = tail = null;
|
||||
else {
|
||||
ListNode current = head;
|
||||
while (current.getNext() != tail)
|
||||
current = current.getNext();
|
||||
tail = current;
|
||||
current.setNext(null);
|
||||
}
|
||||
length--;
|
||||
return item;
|
||||
}
|
||||
|
||||
public int count() {
|
||||
return length;
|
||||
}
|
||||
|
||||
//students need to revise toString method
|
||||
public String toString() {
|
||||
String str = "[ ";
|
||||
ListNode current = head;
|
||||
while (current != null) {
|
||||
str = str + current.getData() + " ";
|
||||
current = current.getNext();
|
||||
}
|
||||
return str + " ]";
|
||||
}
|
||||
|
||||
|
||||
|
||||
//to be completed ...
|
||||
// Method remove(int) is to remove a ListNode from the LinkedList with a specific Member ID
|
||||
public void remove(int targetID) throws EmptyListException {
|
||||
.........
|
||||
|
||||
}
|
||||
|
||||
//to be completed ...
|
||||
// Method add(Object) is to insert a new ListNode into the LinkedList in a correct position
|
||||
public void add(Object item) {
|
||||
|
||||
.........
|
||||
}
|
||||
|
||||
|
||||
} // class LinkedList
|
25
it114105/itp4510/Assignment/22-23/src/OrderSystem.java
Normal file
25
it114105/itp4510/Assignment/22-23/src/OrderSystem.java
Normal file
@@ -0,0 +1,25 @@
|
||||
import ............
|
||||
|
||||
public class OrderSystem {
|
||||
private static Scanner sc;
|
||||
private static LinkedList orders;
|
||||
private static int nextGuestID = 9000;
|
||||
|
||||
public static void main(String[] args) {
|
||||
............
|
||||
|
||||
}
|
||||
|
||||
public static void inputOrder() throws ............ {
|
||||
|
||||
............
|
||||
}
|
||||
|
||||
public static void adminFunc() ............ {
|
||||
|
||||
............
|
||||
|
||||
}
|
||||
|
||||
|
||||
}
|
Reference in New Issue
Block a user