CSCA48 - Final Review #
Winter 2020 #
If you think it won’t work in C, it probably will.
Units 1 + 2: #
- Variables and lockers: #- Uniquely numbered in increasing order, reserved only for the program using the box to store and access information in said box. - Three ways to get a locker: #- Variable Declarationint boostMyMark = 420; // locker has been created
- Return Valuesreturn boostMyMark; // new locker has been created, (copied value)
- Input Parametersvoid killAverage(double currentAvg, double midtermMark) {...} // lockers created to store currentAvg, midtermMark
 
- Variable Declaration
- Arrays: #- Fixed length and data type, consecutive boxes allocated in memory and are Passed-By-Reference for function calls. - Array Declaration: #- int crunchyArray[10]; // creates 10 consecutive boxes of memory- Strings: #- Array of chars
- End-of-string delimiter: ‘\0’
 
- Pointers: #- Just a variable (own space in memory), and stores a memory address in its locker of the same data type. - Example: - int num = 69; // creates locker int *p = # // the contents of (*) p gets the address of (&) num *(p) ++; // increments the contents of (*) p- Arrays and Pointers: #- Arrays get passed as a pointer in a function (index 0)int arr[3] = {1, 2, 3}; // 3 new consecutive lockers for arr int *p = NULL; // empty pointer // the following are equivalent p = &arr[0]; // p gets the address of the value of arr at index 0 p = arr; // p gets the start of arr
- Arrays can be iterated using an offset pointer or the indiciesint nums[5] = {1, 2, 3, 4, 5}; int *p = nums; // &nums[0] for(int i = 0; i < 3; i++) { // the following are equivalent printf("%d\n", nums[i]); // nums at index i printf("%d\n", *(p + i)); // the contents of memory address (p + i) }
 
- Arrays get passed as a pointer in a function (index 0)
Unit 3: #
- Dynamic Memory Allocation #- Reserving space in memory so it doesn’t get released when your function exits - Initializing on the stack versus the heap: #- int crunchyFunction() { int stackNum = 69420; // allocates memory on the stack int *heapNum = (int *)calloc(1, sizeOf(int)); // allocates on the heap return 0; }- After the function exits, - stackNumwill be released from memory but- heapNummust be freed by the user- free(heapNum);- Malloc: #- Does not clean up, but is faster than calloc, just be careful.Type *type_name = (Type *)malloc(numOfElements, sizeOf(Type)); free(type_name); //same as calloc
 
- Does not clean up, but is faster than calloc, just be careful.
- Dynamic Arrays #- Taking the best parts of Arrays ($O(1)$ lookup, consecutive boxes in memory) but without fixed length constraint. - Essentially, when an array of size $N$ is at capacity (check using a counter variable), create a new array of size $2N$, and copy existing elements over to the new array - int *infiniteChocolateCopy(int someChocolate[n], int n) { int *moreChocolate = (int *)calloc(2 * n, sizeOf(int)); // allocates size 2n on the heap for(int i = 0; i < n; i++) { //iterates through someChocolate *(moreChcolate + i) = someChocolate[i]; //copies over } return moreChocolate; }
- Compound Data Types #- Storing multiple components of data types (primitive and/or compound), packaged into a single container. Used when storing information too complex for a single data type. - Defining a CDT struct: #- typedef struct student_struct { // creates the struct char name[1024]; int year; double gpa; Markbook *marks; // example of passing a CDT pointer (CDT-ception) // as many as you want here } Student;- Initializing a CDT: #- Student *sweaty_nerd = (Student *)calloc(1, sizeOf(Student)); // allocate memory strcpy(sweaty_nerd->name, "TryHard on Piazza"); // for strings sweaty_nerd->year = 2023; // arrow (->) operator for pointers sweaty_nerd->gpa = 2.718; sweaty_nerd->marks = bad_marks;- Memory Model: #- CDT’s get one locker for all of it’s contents (like a Bento Box)
- Passing a CDT into a function:It is typical to pass and return CDTs as a pointer, instead of copyingmyCDT randomCrunchyCDTFunction(myCDT crunch) { // makes a copy (not passed-by-ref) ... return crunch //returns a copy }
 
- Abstract Data Types #- Implementation independent! It is just the idea of a container that stores a collection of data. - List ADT: #- Stores items sequentially in nodes not necessarily consecutive, containing a reference to the next node in the list
- Not fixed in length
- Head: 1st node in list
- Tail: last node in list
- Typical operations, $O(N)$ worst case:- Insert
- Remove
- Update
- Search
 
- Queue ADT: FIFO (first-in-first-out)
- Stack ADT: FILO (first-in-last-out)
 - Linked List: #- Best used when data is added and queried in random order. - Basic dynamic implementation of List ADT - typedef struct linked_list_struct { int data // payload (can be any type) struct linked_list_struct *next; // pointer to the next node in the list, NULL if tail node } ListNode;
- Iterating through a Linked List - for(ListNode *n = head; n != NULL; n = n->next);
- Insert - At head - $O(1)$ complexity: - ListNode *wantToInsert = (ListNode *)calloc(1, sizeOf(ListNode)); wantToInsert->data = 51 // coincidentally the course midterm average wantToInsert->next = head; // where head is the head of the LL
- At tail - $O(N)$ complexity: - //same initialzation of wantToInsert as 1. ListNode *n = head; if(head != NULL) { // always check if head is not null to avoid errors for(; n->next != NULL; n = n->next); // traverses until at the tail n->next = wantToInsert; // sets the tail as wantToInsert }
- Somewhere in between - //same initialzation of wantToInsert as 1. ListNode *n = head; if(head != NULL) { for(; n->data != insertHereNum; n = n->next); // traverses list wantToInsert->next = n->next; // links wantToInsert to n->next n->next = wantToInsert; // links n to wantToInsert }- Note: When inserting inside the list, we would use a condition to compare unique identifiers so we know exactly where to insert. For this example we assumed all the numbers were distinct and we knew - insertHereNum’s value was given and inside the Linked List.
 
- Search - $O(N)$ - Traverse from head
- Check if current node is the desired node using a compare operation/function (see Note)
- Return- A pointer of the desired node, user can modify the node and list
- A copy of the data type (compound/primitive), user cannot modify the node and list
 
 
- Delete - $O(N)$ - ListNode *p1 = head; ListNode *p2 = NULL; // is always 1 node behind p1 if(head != NULL) { for(; p1 != NULL && p1->data != wantedNum; p2 = p1, p1 = p1->next); //traverses through LL, one behind the other until wantedNode is found if(p1->data == head->data) p2 = head->next; // only if the wantedNode is the head else p2->next = p1->next; // all other cases, links the node before wantedNode with the node after free(p1); // releases the node from the list }
 
Unit 4: #
- Computational Complexity: #- Measuring the amount of work done by an algorithm as a function of the number of data items the algorithm is working on, and thus predicting how algorithms will preform against each other without having to test on large $N$ values. - The Big $O$ Notation #- Comparing algorithms in a machine and implementation dependent manner. - Mathematically put, $$ f(x) = O(g(x)) \iff \exists c \in \mathbb{R}_{>0} \text{ such that for sufficiently large } x \text{, } \newline |f(x)| ≤ c \text{ } \cdotp{g(x)}, \quad x > x_0 $$ - $O(g(x))$ is the smallest function of $N$ that puts an upper bound on $x$ 
- Given a set of candidate algorithms, the fastest algorithm will have the slowest growing Big $O$ complexity. 
- In terms of efficiency, $$ O(1) < O(log (N)) < O(N) < O(Nlog(N)) < O(N^2) < O(N^3) < O(2^N) < O(N!) $$ 
 - Binary Search for Arrays #- Array must be sorted
- Complexity of $O(log_2(N))$
- Procedure (Pseudocode):int binarySearch(int wantedNum, int Array[]) { int middleNum = Array[floor(length / 2.0)]; // finds middle index (floor if odd length) if(wantedNum == middleNum) { return index(middleNum); // returns index of middleNum in Array } else if (wantedNum > middleNum) { binarySearch(wantedNum, Lower Half of Array); // all values greater than middleNum } else { binarySearch(wantedNum, Upper Half of Array); // all values less than middleNum } }
 - Complexity of Linked Lists versus Arrays #- All basic operations on a Linked List have worst case $O(N)$ complexity.
- Unsorted Array:- Search:- Index lookup: $O(1)$
- Linear search: $O(N)$
- Sort: make a reasonable assumption :^)
 
 
- Search:
- Sorted Array:- Search:- Index lookup: $O(1)$
- Binary Search: $O(log(N))$
 
 
- Search:
 - The Consequence of Sorting #- Bubble Sort: - Traverse the array and swap adjacent decreasing entries until the array is sorted. - Worst-Case Complexity: $O(N^2)$ - void notSoCrunchyBubbleSort(int array[], int N) { for(int i = 0; i < N; i++) { // N iterations for(int j = 0; j < N - 1; j++) { // N - 1 iterations if(array[j] < array[j-1]) { // compares if the adj. entries are decreasing swap(array[j], array[j+1]); } } } }
- Quick Sort ( - qsort):- Choose a random pivot, split elements into 2 arrays: values less than the pivot, and values greater than or equal to the pivot. Repeat until all sub-arrays have lengths ≤ 1. Reconstruct the now sorted array. - Average-Case Complexity: $O(Nlog(N))$ (not so crunchy)
- Worst-Case Complexity: $O(N^2)$ (first/last entry pivot $\rightarrow$ insertion sort)
 
- Insertion Sort: - Build the sorted array in place (no splits), shifting elements as we traverse the array to sort. - Best-Case Complexity: $O(N)$
- Worst-Case Complexity: $O(N^2)$
- Procedure:- Choose first element to be “sorted”
- Look at next element in array, and insert it inside the “sorted” portion by comparing it to the values in said portion.
- Repeat 2. until the end of array
 
 
 
- Trees #- A generalization of Linked Lists, linking one node in the Tree to sucessor (children) nodes. Recursive in nature, each sub-tree is also a Tree. - Binary-Search Trees (BST) #- Variation of a Binary Tree (left and right children only) such that the BST property holds for each node and duplicate nodes are not allowed. - BST Property: - Data in nodes on the left sub-tree are less than or equal to data in the root node
- Data in nodes on the right sub-tree are greater than data in the root node
 
- Basic Implementation - typedef struct dollarStoreChocolate_BST_Struct { int data; struct dollarStoreChocolate_BST_Struct *left; // left child pointer struct dollarStoreChocolate_BST_Struct *right; // right child pointer } BST_Node
- Search - $O(log(N))$: - if(root == NULL) return NULL; else if(givenData == root->data) // check root return root; else if(givenData <= root->data) return search(root->left, givenData); // search left sub-tree else return search(root->right, givenData); // search right sub-tree
- Insert - $O(log(N))$ - // assuming new_node was initialized and correctly allocated to the heap if (root == NULL) // empty tree return new_node; // inserts at root else if (new_node->data > root->data) root->right = insert(root->right, new_node); // inserts in right sub-tree else root->left = insert(root->left, new_node); // inserts in left sub-tree return root;- Note: Just like Linked Lists, we must use our own comparison function if the data in the node is a CDT. 
- Traversal - $O(N)$ - In Order - For listing a BST in sorted order:if (root != NULL) { inOrder(root->left); // traverses left sub-tree printf("%d\n", root->data); // any operation can be preformed inOrder(root->right); // traverses right sub-tree }
- Pre Order - For Copying an entire BST:if (root != NULL) { printf("%d\n", root->data); // operation preOrder(root->left); // traverses left sub-tree preOrder(root->right); // traverses right sub-tree }
- Post Order - For deleting an entire BST:if (root != NULL) { postOrder(root->left); // traverses left sub-tree postOrder(root->right); // traverses right sub-tree printf("%d\n", root->data); // operation }
 
- In Order - For listing a BST in sorted order:
- Delete - $O(log(N))$ - Searching for node to delete is the same implementation as Insert and Search
- No children:free(root); // if only the final exam was as simple as this
- One Child:- Left onlyBST_Node *temp = root->left; // points to left child free(root); return temp;
- Right onlyBST_Node *temp = root->right; // points to right child free(root); return temp;
 
- Left only
- Two Children:BST_Node *temp = find_successor(root->right); // smallest node in the right subtree copyNode(root, temp); // copies all the data from temp to the root root->right = delete(temp); // deletes the successor recursively return root;
 
 - Complexity of Binary Search Trees versus Linked Lists and Arrays #- Building the data structure: - LL: $O(N)$
- BST: $O(Nlog(N))$
- Array + Merge Sort: $O(Nlog(N))$
 
- Search: - LL / Unsorted Array: $O(N)$
- BST: $O(Log(N))$
- Sorted Array: $O(Log(N))$
 
- Space Complexity: - Array: Fixed size
- LL: $O(N)$
- BST: $O(N)$
 
 
Unit 5: #
- Graphs: #- A model to represent items and their relationships between them. Composed of Nodes (Verticies) and Edges, with optional direction and weight. - $$ G=(V,E) $$ - Graph Representation #- Direction: - Undirected: Two way relationship
- Directed: One way relationship
 
- Neighbourhood: - The neighbourhood of Node U is the set of all nodes that are neighbours of Node U. - Neighbour: 2 Nodes are considered neighbours if they are joined by an edge - Directed Example: Node U $\rightarrow$ Node V - In-neighbour: U of V 
- Out-neightbour: V of U 
- In-neighbourhood: Edges arriving at Node U 
- Out-neighbourhood: Edges leaving Node U 
 
 
- Degree: - The size/dimension (number of nodes) in the neigbourhood of the Node. - In-degree: Degree of In-neighbourhood
- Out-degree: Degree of Out-neighbourhood
 
- Traversals: - Breadth First Search (BFS) - By path of neighbours
- Depth First Search (DFS) - Level by level
 
 - General Applications of Graphs #- Social Networks 
- Transportation (Maps services) 
- Genomics and Bioinformatics 
- Computer Networks and the Internet 
 - Representing Graphs #- Adjacency List: - An array with one entry per node. Each entry points to a linked list containing the neigbourhood for that node. 
- Adjacency Matrix: - A 2D $N\text{ x }N$ matrix, $N$ is the number of nodes in the graph. If Node $i$ and Node $j$ share an edge then AdjMat[$i$][$j$] > 0. For Undirected graphs, AdjMat[$i$][$j$] $=$ AdjMat[$j$][$i$] 
 - Operation Complexity on Graphs #- $N = |\text{Vertices}|$ is the number of nodes in the graph, and $M= |\text{Edges}|$ is the number of edges in the graph - Operation - Adjacency List - Adjacency Matrix - Edge Query - $O(N)$ - $O(1)$ - Inserting a Node - $O(1)$ - $O(N^2)$ - Removing a Node - $O(M)$ - $O(N^2)$ - Inserting an edge - $O(1)$ - $O(1)$ - Removing an edge - $O(N)$ - $O(1)$ 
- Principles of Recursion: #- The repeated application of a recursive procedure. Can make some problems super trivial to solve. - Types of problems that benefit from recursion: #- Sudoku, N Queens (pretty c r u n c h y)
- BST Operations (duh)
- Graph Operations (every sub-graph is still a graph)
- Search and Path Finding (BFS and DFS)
 - Generally any problem that contains a smaller version of itself as a sub-problem. - The process of designing a recursive solution #- Base Case(s):- Specific to the problem itself, multiple can exist
- The smallest problem with a trivial solution
- Any solution must always reach the base case
 
- Recursive Case:- Multiple ways to split the problem at hand, some better than others
- After each recursive call, the sub-problem must be closer to the base case
- Always best to visually interpret/draw out the solution
 
 - Recursive Sort and their complexities #- DoofusSort/chewySort/notAProGamerSort:- First Entry goes into one sub-array, the rest into another
- Recursively sort each sub-array
- Merge to form the sorted array
 - Complexity: - Worst Case: $O(N^2)$ (Essentially Insertion Sort)
 
- Merge Sort: - Choose the middle entry as pivot
- Split into 2 sub-arrays, one less than, one greater than or equal
- Recursively sort each sub-array
- Combine to form the sorted array
 - Complexity: - Worst Case: $O(Nlog(N))$ (Super Duper Crunchy)
 
- qsort:
 - The Memory Model #- Each time a recursive call has been made, part of the stack is reserved (stack frame) for variables, parameters and return type. Each stack frame will only be cleared until each recursive call is completed. - Stack Overflow (like the webpage):- Results when the stack has ran out of empty space
- Recursive solution must reach the base case in a reasonable number of steps
- Tail Recursion can prevent this- The recursive call would be the last thing the function does before returning
- Similar to an iterative solution, better for DEEP recursive solutions
 
 
 
Unit 6: #
- Software Design: #- Developers are lazy, we need modular solutions to be as useful for others as possible. - Properties of good software design #- Modularity - Does one thing, ridonkulously well.
- Minimizes code replication
- Simplifies testing and debugging
 
- Reusablity - Any module can be reused by other applications requiring that specific task.
 
- Extendibility - Software that is easy to improve and extend its functionality and usability.
 
- Maintainablity - Organized, explicit and so well-commented that a noob would understand it.
 
- Correctness - Devs may be lazy, but they aren’t super lazy. Include detailed documentation and test cases.
 
- Efficiency - Gotta go fast, $O(1)$ or bust.
 
- Openness - You’re not a giant tech company, contribute to the open source software community.
 
- Privacy and Security - Secure data exchanges and reliable and safe solutions over personal/enterprise networks.
 
 
- Application Programming Interfaces (APIs) #- Interacting with software modules, without having to understand how they work internally. - Use-case: Specific situation in which components of the API may be used
- Dependency: The relationship of one module requiring another module in order to function
 - Properties of a good API #- Easy to maintain
- Easy to extend and improve
- Easy to learn
- Difficult to use incorrectly
- Suitable for those who will be using it
 - Expanding an API #- Must consider required use-cases for each module
- Applications that rely on the API must not experience any significant impacts if expanded- Method overloading is a good workaround for any CRUNCHY use-cases after the initial rollout
 
- If a bad API is expanded/modified, any software relying on said API will most likely stop functioning correctly
 - Limitations of C #- Basically C is !(OOP). - No Encapsulation and Information hiding
- No Polymorphism or Inheritance
- No Method overloading
 
- Object Oriented Programming (OOP) #- Model for developing software components based on Encapsulation. - Encapsulation:- Wrapping required components together to implment the functionality of a data type.
- Hides data and functionality from the user using Access Control Modifiers to prevent misuse.
 
- Access Control Modifiers:- Private: Accessed only by the class that its in- Protected: Gives inherited classes access to the parent class’s private data
 
- Public: Can be accessed by any code outside of the class
 
- Private: Accessed only by the class that its in
 - Method Overloading #- Methods with the same name, but with different input parameters, return type and implementation. - Useful for multiple use-cases in which that particular solution is needed - Example (Java): - public int addNumbers(int a, int b) { return a + b; } // same name but different return type and input parameters public double addNumbers(double a, double b, double c) { return a + b + c; }- _ 
 - Classes and Objects #- The template/blueprint for building objects and their variables and methods. - Components of a class:- Private member variables- Used inside the class only
 
- Constructor- Creates new instances/objects
- Assigns values to the input paramenters for the instance
 
- Destructor- Called when finished with the class
 
- Object Methods- Any functions declared in the class that an object can use
 
 
- Private member variables
 - An example of an object class (Java): - class ComputerScienceNerd { // initialize the class // initializes member variables for ComputerScienceNerd object private String name; private double gpa; public ComputerScienceNerd(String name, double gpa) { // object constructor // private variables (this.) get the parameter values this.name = name; this.gpa = gpa; } /* * Object methods, public in nature * Call the method with (ComputerScienceNerdObject).method(); */ String getName() { return name; } double getGPA() { return gpa; } void screech() { System.out.println("bY ThE WaY, dId yOu kNoW I'm iN CoMpUtEr sCiEnCe?"); } }- Polymorphism and Inheritance #- Inheritance: - The idea of passing methods and definitions to a hierarchy of Children classes. - A Child class inherits the same “traits” as the Parent class
- Example:- Parent Class: Instrument
- Child Class: WindInstrumentinheritsInstrument
- Child Class: FluteinheritsWindInstrument
 
- Parent Class: 
- The “is a(n)” Test implies possible inheritance-  “Flute is an instrument” $\rightarrow$ Flutecan inheritInstrument
 
-  “Flute is an instrument” $\rightarrow$ 
 
- Polymorphism: - The idea that similar classes should be used the same way. Different objects belonging to the same inheritence hierarchy may posses the same functions, but the behaviour is characteristic to the object itself. - Example ( - Pseudocode):- Class Instrument { Instrument() { double duration; double freq; } playNote() { play(duration, freq); // generic implementation set by Parent class } } Class Guitar extends Instrument { // child of Instrument Guitar() { Instrument(); // uses the same constructor as parent class } playNote() { // overrides the playNote() from the parent // implementation here is specific to the Guitar class } } Class Piano extends Instrument { // child of Instrument Piano() { Instrument(); // uses parent constructor } playNote() { // overrides the playNote() from the parent // implementation here is specific to the Piano class } }- Obviously, a Guitar and a Piano do not sound the same (unless you’re deaf). As a result, - playNote()should be modified for each different sounding instrument. The idea/functionality of- playNote()must be the same, regardless of which Child is calling it.
 - Abstract Classes #- A class that only declares methods, and any subclass must provide implmentations for each method. - A Parent class that lets its children hold all implementations
- Example:- Parent Class: Instrument- Methods: playNote(), tunePitch(), smashOnSomeonesHead()
- No implementations
 
- Methods: 
- Children Classes: Piano, Guitar- Methods: Same as parent but each child has a different implementation- Piano: smashOnSomeonesHead()$\rightarrow$- "Smash Head on Piano"
- Guitar: smashOnSomeonesHead()$\rightarrow$- "Smash Guitar on Head"
 
 
- Methods: Same as parent but each child has a different implementation
 
- Parent Class: 
 
- Encapsulation: