KEMBAR78
Data Structure & Algorithm | PDF | Queue (Abstract Data Type) | Time Complexity
0% found this document useful (0 votes)
33 views20 pages

Data Structure & Algorithm

This is a project

Uploaded by

mohamedshazlan6
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
33 views20 pages

Data Structure & Algorithm

This is a project

Uploaded by

mohamedshazlan6
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 20

Data Structures &

Algorithm
Acknowledgment

I would like to express my sincere gratitude to my professor, Mr. Sachintha Sampath for his
guidance and support throughout this assignment. He provided me with valuable
feedback and suggestions that helped me improve my work and learn new skills.
Contents

Acknowledgment .......................................................................................................................................... 2
Task 1 .............................................................................................................................................. 4
Task 2 .............................................................................................................................................. 9
Task 3 ............................................................................................................................................ 12
Task 4 ............................................................................................................................................ 15
Task 5 ............................................................................................................................................ 19
Task 1

1. A data structure is a type of specialized format used to store, analyze, retrieve, and
organize data. A variety of fundamental and sophisticated data structures are available, all
of which are intended to organize data for a particular use. Users may easily access and
manipulate the necessary data in the right manner with the help of data structures.

Efficiency: Because they make it simple and quick to access, insert, remove, and modify
data, data structures can increase a program's speed and memory utilization. For instance,
if n is the number of elements in the data, utilizing a hash table can, on average, cut down
the search time from O(n) to O (1). Priority queues can be implemented effectively with a
heap, which is beneficial for organizing jobs or events.

Reliability: Data structures can enforce rules and constraints on the data, so ensuring
program correctness and consistency. To undo or reverse actions, for instance, employing
a stack can assist in putting the LIFO (Last in First Out) principle into practice. When
maintaining a file system or family tree, for example, using a tree can help preserve the
data's logical or hierarchical structure.

Performance: Since they allow for a variety of data operations and algorithms, data
structures can improve a program's functionality and usability. One useful tool for
modeling intricate networks and relationships is the graph, which may be applied to
transportation, social media, and communication systems, among other complicated
systems. Lists, like those found in shopping carts, music playlists, and to-do lists, can be
used to store and manage sequential or organized data.
List: A list is a linear data structure that stores a collection of elements in a sequential
order. Each element in a list has a position or index, and can be accessed or modified by
its index. Lists can be implemented using arrays or linked lists.
Here is an example of list implemented using an array in python

# Create an empty list


list = []

# Add some elements to the list


list.append("Apple")
list.append("Banana")
list.append("Cherry")

# Print the list


print(list)

# Access the first element of the list


print(list[0])

# Modify the second element of the list


list[1] = "Blueberry"

# Print the list


print(list)

# Remove the last element of the list


list.pop()

# Print the list


print(list)

Queues: A queue is a linear data structure that stores a collection of elements in a FIFO
(First In First Out) order. This means that the element that is added first to the queue is
the first one to be removed from the queue. Queues can be implemented using arrays,
linked lists, or circular buffers.

Here is an example of a queue implemented using a linked list in Python

# Define a node class for the linked list


class Node:
def __init__(self, data):
self.data = data
self.next = None
# Define a queue class using the linked list
class Queue:
def __init__(self):
self.head = None
self.tail = None
self.size = 0

# Check if the queue is empty


def is_empty(self):
return self.size == 0

# Add an element to the rear of the queue


def enqueue(self, data):
new_node = Node(data)
if self.is_empty():
self.head = new_node
else:
self.tail.next = new_node
self.tail = new_node
self.size += 1

# Remove an element from the front of the queue


def dequeue(self):
if self.is_empty():
return None
else:
data = self.head.data
self.head = self.head.next
self.size -= 1
return data

# Get the front element of the queue


def peek(self):
if self.is_empty():
return None
else:
return self.head.data

# Create an empty queue


queue = Queue()

# Add some elements to the queue


queue.enqueue("A")
queue.enqueue("B")
queue.enqueue("C")

# Print the queue


print(queue.peek())
print(queue.size)

# Remove some elements from the queue


queue.dequeue()
queue.dequeue()

# Print the queue


print(queue.peek())
print(queue.size)

Stacks: Stacks: A stack is a linear data structure that stores a collection of elements in a
LIFO (Last In First Out) order. This means that the element that is added last to the stack
is the first one to be removed from the stack. Stacks can be implemented using arrays or
linked lists.

Here is an example of a stack implemented using array in Python

# Define a stack class using an array


class Stack:
def __init__(self):
self.array = []

# Check if the stack is empty


def is_empty(self):
return len(self.array) == 0

# Add an element to the top of the stack


def push(self, data):
self.array.append(data)

# Remove an element from the top of the stack


def pop(self):
if self.is_empty():
return None
else:
return self.array.pop()
# Get the top element of the stack
def peek(self):
if self.is_empty():
return None
else:
return self.array[-1]

# Create an empty stack


stack = Stack()

# Add some elements to the stack


stack.push(1)
stack.push(2)
stack.push(3)

# Print the stack


print(stack.peek())
print(stack.is_empty())

# Remove some elements from the stack


stack.pop()
stack.pop()

# Print the stack


print(stack.peek())
print(stack.is_empty())
Task 2
2. A "CarRacingData" structure is a suitable data structure to represent the details of cars in
a car racing event, based on the scenario presented. Depending on the programming
language being used, this structure can be implemented as a class or a collection of
classes. An abridged Python sample is provided here

class CarRacingData:
def __init__(self):
self.cars = [] # List to store information about registered cars

def register_car(self, car_details):


self.cars.append(car_details)

def delete_car(self, car_number):


for car in self.cars:
if car['number'] == car_number:
self.cars.remove(car)
return True # Car successfully deleted
return False # Car not found

def insert_round_results(self, round_number, results):


for car in self.cars:
car['results'][round_number - 1] = results.pop(0)

def find_winners(self):
sorted_cars = sorted(self.cars, key=lambda x: sum(x['results']))
return sorted_cars[:3]

def search_car(self, car_number):


for car in self.cars:
if car['number'] == car_number:
return car
return None # Car not found

Valid Operations on CarRacingData:

1. register_car(car_details): Registers a new car with the provided details.


2. delete_car(car_number): Deletes a car based on its number.
3. insert_round_results(round_number, results): Inserts the results of a specific round for
all registered cars.
4. find_winners(): Finds the top three winners based on total results over all rounds.
5. search_car(car_number): Searches for a particular car based on its number.

Queue Operations and Implementation for Function Calls:

In the context of the Car Racing Event scenario, a queue can be used to manage the
function calls related to the event. Specifically, the queue can be employed for inserting
round results. Here's how a queue can be implemented and used for this purpose:

Python code
from collections import deque

class CarRacingQueue:
def __init__(self):
self.round_results_queue = deque()

def enqueue_round_results(self, round_number, results):


self.round_results_queue.append((round_number, results))

def dequeue_round_results(self):
if self.round_results_queue:
return self.round_results_queue.popleft()
return None # Queue is empty

# Example usage:
queue = CarRacingQueue()
queue.enqueue_round_results(1, [10, 8, 12])
queue.enqueue_round_results(2, [9, 11, 10])
# Dequeue and process round results
while True:
round_data = queue.dequeue_round_results()
if round_data:
round_number, results = round_data
car_racing_data.insert_round_results(round_number, results)
else:
break
Task 3

3. Here is a Java version of the Car Racing Event scenario that is more simplified. I will
concentrate on the CarRacingData class, its methods, and a basic test case in this
example. Note that this is an application that runs on a console.

import java.util.ArrayList;
import java.util.List;

class CarRacingData {
private List<Car> cars;

public CarRacingData() {
this.cars = new ArrayList<>();
}

public void registerCar(Car car) {


cars.add(car);
}

public boolean deleteCar(int carNumber) {


for (Car car : cars) {
if (car.getNumber() == carNumber) {
cars.remove(car);
return true; // Car successfully deleted
}
}
return false; // Car not found
}

public void insertRoundResults(int roundNumber, List<Integer> results) {


for (Car car : cars) {
car.getResults().set(roundNumber - 1, results.remove(0));
}
}

public List<Car> findWinners() {


cars.sort((c1, c2) -> Integer.compare(c1.getTotalResults(), c2.getTotalResults()));
return new ArrayList<>(cars.subList(0, Math.min(3, cars.size())));
}
public Car searchCar(int carNumber) {
for (Car car : cars) {
if (car.getNumber() == carNumber) {
return car;
}
}
return null; // Car not found
}
}

class Car {
private int number;
private String brand;
private String sponsor;
private String driver;
private List<Integer> results;

public Car(int number, String brand, String sponsor, String driver) {


this.number = number;
this.brand = brand;
this.sponsor = sponsor;
this.driver = driver;
this.results = new ArrayList<>();
}

public int getNumber() {


return number;
}

public List<Integer> getResults() {


return results;
}

public int getTotalResults() {


return results.stream().mapToInt(Integer::intValue).sum();
}
}

public class Main {


public static void main(String[] args) {
CarRacingData carRacingData = new CarRacingData();
// Test case
carRacingData.registerCar(new Car(1, "Brand1", "Sponsor1", "Driver1"));
carRacingData.registerCar(new Car(2, "Brand2", "Sponsor2", "Driver2"));

carRacingData.insertRoundResults(1, List.of(10, 8));


carRacingData.insertRoundResults(2, List.of(9, 11));

System.out.println("Winners: " + carRacingData.findWinners());


}
}
Task 4
4. With their unique qualities, different sorting algorithms are suited for different kinds of
tasks. A number of parameters, including the dataset's size, distribution, memory
requirements, and whether stability is necessary, influence the sorting method selection.

i. Bubble Sort:

Applications: Suitable for small datasets or nearly sorted data. Simple implementation.
Efficiency: O(n^2) time complexity in the worst case. Inefficient for large datasets.

ii. Selection Sort:

Applications: Small datasets or situations where the number of swaps is a concern.


Efficiency: O(n^2) time complexity in the worst case. Simple, but not the most efficient.

iii. Insertion Sort:

Applications: Small datasets or partially sorted data. Adaptive to partially sorted data.
Efficiency: O(n^2) time complexity in the worst case. Efficient for small datasets.

iv. Quick Sort:

Applications: General-purpose sorting. Well-suited for large datasets and parallel


processing.
Efficiency: O (n log n) time complexity on average. One of the fastest sorting algorithms.

v. Merge Sort:

Applications: Effective for large datasets and linked lists. Stable and consistent
performance.
Efficiency: O(n log n) time complexity in the worst case. Requires additional memory.

vi. Heap Sort:

Applications: In-place sorting. Suitable for limited memory environments.


Efficiency: O (n log n) time complexity in the worst case. In-place but not stable.
Bubble Sort Implementation in Java:
Java code
import java.util.ArrayList;
import java.util.List;

class Car {
String brand;
int rank;

public Car(String brand, int rank) {


this.brand = brand;
this.rank = rank;
}

@Override
public String toString() {
return "Car{" +
"brand='" + brand + '\'' +
", rank=" + rank +
'}';
}
}

public class BubbleSortExample {


public static void main(String[] args) {
List<Car> cars = new ArrayList<>();
cars.add(new Car("Toyota", 3));
cars.add(new Car("Honda", 1));
cars.add(new Car("Ford", 5));
cars.add(new Car("Chevrolet", 2));
cars.add(new Car("BMW", 4));

System.out.println("Unsorted Cars:");
printCars(cars);

bubbleSort(cars);

System.out.println("\nSorted Cars (by Rank):");


printCars(cars);
}

private static void bubbleSort(List<Car> cars) {


int n = cars.size();
for (int i = 0; i < n - 1; i++) {
for (int j = 0; j < n - i - 1; j++) {
if (cars.get(j).rank > cars.get(j + 1).rank) {
// Swap cars[j] and cars[j + 1]
Car temp = cars.get(j);
cars.set(j, cars.get(j + 1));
cars.set(j + 1, temp);
}
}
}
}
private static void printCars(List<Car> cars) {
for (Car car : cars) {
System.out.println(car);
}
}
}
Task 5

5. An algorithm's efficacy can be assessed using asymptotic analysis, which examines how
an algorithm's execution time or memory consumption increases with increasing input
size. We may evaluate several algorithms according to their performance and scalability
using asymptotic analysis, all without having to worry about the specifics of the
hardware, software, or implementation. The selection of data structures, the sequence in
which operations are performed, or the kind of input are some examples of the key
elements that impact an algorithm's efficiency that can be found via asymptotic analysis.

Time complexity: This represents the amount of time it takes for an algorithm to run in
terms of the quantity of fundamental operations that are carried out. The big-O notation,
which gives an upper constraint on the rate of increase of the running time as a function
of the input size, is typically used to indicate time complexity. An algorithm's running
time will increase quadratically with the input size n, for instance, if its time complexity
is O(n^2).

Space complexity: This represents the memory usage of an algorithm in terms of the
total amount of storage allotted. The big-O notation, which gives an upper constraint on
the growth rate of the space utilization as a function of the input size, is another way to
define space complexity. For instance, an algorithm's space complexity of O(n) indicates
that its space consumption grows linearly with the size of the input, n.

Algorithmic Efficiency: Overall evaluation of how well an algorithm performs in


practice and considers factors like implementation details, constant factors, and hidden
constants.

When an argument tends towards a specific value or infinity, a function's limiting


behavior is described mathematically using the Big-O notation. Big-O notation is used to
express the worst-case scenario for an algorithm's running time or space usage when the
input size increases forever in the context of algorithm analysis. Big-O notation, which
concentrates on the most important term in the function and ignores the lower-order
terms and constant factors, makes it easier to compare and simplify the effectiveness of
various algorithms.
For example, if an algorithm has a running time of 3n^2 + 5n + 2, we can say that it has a
time complexity of O(n^2), because the n^2 term dominates the function as n becomes
large.
In order to assess and compare the scalability and performance of various algorithms
without delving into the specifics of the implementation, the hardware, or the
programming language, big-O notation serves as a broad and abstract tool. Big-O
notation also aids in identifying the variables, such as input type, order of operations, and
data structure selection, that impact an algorithm's efficiency. While Big-O notation is a
valuable tool for algorithm creation and analysis, it is not the only one. To validate the
hypotheses and findings of the theoretical analysis, empirical testing and experimentation
should be conducted in addition to the big-O analysis.

You might also like